diff --git a/build/lib/locFunc.js b/build/lib/locFunc.js index 1f06f5e4ca..514596ee6e 100644 --- a/build/lib/locFunc.js +++ b/build/lib/locFunc.js @@ -266,18 +266,6 @@ function refreshLangpacks() { if (languageId === "zh-tw") { languageId = "zh-hant"; } - //remove extensions not part of ADS. - if (fs.existsSync(translationDataFolder)) { - let totalExtensions = fs.readdirSync(path.join(translationDataFolder, 'extensions')); - for (let extensionTag in totalExtensions) { - let extensionFileName = totalExtensions[extensionTag]; - let xlfPath = path.join(location, `${languageId}`, extensionFileName.replace('.i18n.json', '.xlf')); - if (!(fs.existsSync(xlfPath) || VSCODEExtensions.indexOf(extensionFileName.replace('.i18n.json', '')) !== -1)) { - let filePath = path.join(translationDataFolder, 'extensions', extensionFileName); - rimraf.sync(filePath); - } - } - } console.log(`Importing translations for ${languageId} from '${location}' to '${translationDataFolder}' ...`); let translationPaths = []; gulp.src(path.join(location, languageId, '**', '*.xlf')) @@ -356,6 +344,8 @@ function renameVscodeLangpacks() { } let locADSFolder = path.join('.', 'i18n', `ads-language-pack-${langId}`); let locVSCODEFolder = path.join('.', 'i18n', `vscode-language-pack-${langId}`); + let translationDataFolder = path.join(locVSCODEFolder, 'translations'); + let xlfFolder = path.join('.', 'resources', 'xlf'); try { fs.statSync(locVSCODEFolder); } @@ -363,12 +353,26 @@ function renameVscodeLangpacks() { console.log('vscode pack is not in ADS yet: ' + langId); continue; } - gulp.src(`i18n/ads-language-pack-${langId}/*.md`) - .pipe(vfs.dest(locVSCODEFolder, { overwrite: true })) - .end(function () { - rimraf.sync(locADSFolder); - fs.renameSync(locVSCODEFolder, locADSFolder); + // Delete extension files in vscode language pack that are not in ADS. + if (fs.existsSync(translationDataFolder)) { + let totalExtensions = fs.readdirSync(path.join(translationDataFolder, 'extensions')); + for (let extensionTag in totalExtensions) { + let extensionFileName = totalExtensions[extensionTag]; + let xlfPath = path.join(xlfFolder, `${langId}`, extensionFileName.replace('.i18n.json', '.xlf')); + if (!(fs.existsSync(xlfPath) || VSCODEExtensions.indexOf(extensionFileName.replace('.i18n.json', '')) !== -1)) { + let filePath = path.join(translationDataFolder, 'extensions', extensionFileName); + rimraf.sync(filePath); + } + } + } + //Get list of md files in ADS langpack, to copy to vscode langpack prior to renaming. + let globArray = glob.sync(path.join(locADSFolder, '*.md')); + //Copy files to vscode langpack, then remove the ADS langpack, and finally rename the vscode langpack to match the ADS one. + globArray.forEach(element => { + fs.copyFileSync(element, path.join(locVSCODEFolder, path.parse(element).base)); }); + rimraf.sync(locADSFolder); + fs.renameSync(locVSCODEFolder, locADSFolder); } console.log("Langpack Rename Completed."); return Promise.resolve(); diff --git a/build/lib/locFunc.ts b/build/lib/locFunc.ts index 1c448119ca..05128ba18d 100644 --- a/build/lib/locFunc.ts +++ b/build/lib/locFunc.ts @@ -287,20 +287,6 @@ export function refreshLangpacks(): Promise { languageId = "zh-hant"; } - //remove extensions not part of ADS. - if (fs.existsSync(translationDataFolder)) { - let totalExtensions = fs.readdirSync(path.join(translationDataFolder, 'extensions')); - for (let extensionTag in totalExtensions) { - let extensionFileName = totalExtensions[extensionTag]; - let xlfPath = path.join(location, `${languageId}`, extensionFileName.replace('.i18n.json', '.xlf')) - if (!(fs.existsSync(xlfPath) || VSCODEExtensions.indexOf(extensionFileName.replace('.i18n.json', '')) !== -1)) { - let filePath = path.join(translationDataFolder, 'extensions', extensionFileName); - rimraf.sync(filePath); - } - } - } - - console.log(`Importing translations for ${languageId} from '${location}' to '${translationDataFolder}' ...`); let translationPaths: any = []; gulp.src(path.join(location, languageId, '**', '*.xlf')) @@ -380,6 +366,8 @@ export function renameVscodeLangpacks(): Promise { } let locADSFolder = path.join('.', 'i18n', `ads-language-pack-${langId}`); let locVSCODEFolder = path.join('.', 'i18n', `vscode-language-pack-${langId}`); + let translationDataFolder = path.join(locVSCODEFolder, 'translations'); + let xlfFolder = path.join('.', 'resources', 'xlf'); try { fs.statSync(locVSCODEFolder); } @@ -387,12 +375,28 @@ export function renameVscodeLangpacks(): Promise { console.log('vscode pack is not in ADS yet: ' + langId); continue; } - gulp.src(`i18n/ads-language-pack-${langId}/*.md`) - .pipe(vfs.dest(locVSCODEFolder, {overwrite: true})) - .end(function () { - rimraf.sync(locADSFolder); - fs.renameSync(locVSCODEFolder, locADSFolder); - }); + // Delete extension files in vscode language pack that are not in ADS. + if (fs.existsSync(translationDataFolder)) { + let totalExtensions = fs.readdirSync(path.join(translationDataFolder, 'extensions')); + for (let extensionTag in totalExtensions) { + let extensionFileName = totalExtensions[extensionTag]; + let xlfPath = path.join(xlfFolder, `${langId}`, extensionFileName.replace('.i18n.json', '.xlf')) + if (!(fs.existsSync(xlfPath) || VSCODEExtensions.indexOf(extensionFileName.replace('.i18n.json', '')) !== -1)) { + let filePath = path.join(translationDataFolder, 'extensions', extensionFileName); + rimraf.sync(filePath); + } + } + } + + //Get list of md files in ADS langpack, to copy to vscode langpack prior to renaming. + let globArray = glob.sync(path.join(locADSFolder, '*.md')); + + //Copy files to vscode langpack, then remove the ADS langpack, and finally rename the vscode langpack to match the ADS one. + globArray.forEach(element => { + fs.copyFileSync(element, path.join(locVSCODEFolder,path.parse(element).base)); + }); + rimraf.sync(locADSFolder); + fs.renameSync(locVSCODEFolder, locADSFolder); } console.log("Langpack Rename Completed."); diff --git a/i18n/ads-language-pack-de/package.json b/i18n/ads-language-pack-de/package.json index 5f4796002d..c6c116618f 100644 --- a/i18n/ads-language-pack-de/package.json +++ b/i18n/ads-language-pack-de/package.json @@ -2,7 +2,7 @@ "name": "ads-language-pack-de", "displayName": "German Language Pack for Azure Data Studio", "description": "Language pack extension for German", - "version": "1.29.0", + "version": "1.31.0", "publisher": "Microsoft", "repository": { "type": "git", @@ -11,7 +11,7 @@ "license": "SEE SOURCE EULA LICENSE IN LICENSE.txt", "engines": { "vscode": "*", - "azdata": ">=1.29.0" + "azdata": "^0.0.0" }, "icon": "languagepack.png", "categories": [ @@ -164,6 +164,14 @@ "id": "vscode.yaml", "path": "./translations/extensions/yaml.i18n.json" }, + { + "id": "Microsoft.admin-tool-ext-win", + "path": "./translations/extensions/admin-tool-ext-win.i18n.json" + }, + { + "id": "Microsoft.agent", + "path": "./translations/extensions/agent.i18n.json" + }, { "id": "Microsoft.azurecore", "path": "./translations/extensions/azurecore.i18n.json" @@ -172,6 +180,18 @@ "id": "Microsoft.big-data-cluster", "path": "./translations/extensions/big-data-cluster.i18n.json" }, + { + "id": "Microsoft.cms", + "path": "./translations/extensions/cms.i18n.json" + }, + { + "id": "Microsoft.dacpac", + "path": "./translations/extensions/dacpac.i18n.json" + }, + { + "id": "Microsoft.import", + "path": "./translations/extensions/import.i18n.json" + }, { "id": "Microsoft.sqlservernotebook", "path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json" @@ -184,9 +204,17 @@ "id": "Microsoft.notebook", "path": "./translations/extensions/notebook.i18n.json" }, + { + "id": "Microsoft.profiler", + "path": "./translations/extensions/profiler.i18n.json" + }, { "id": "Microsoft.resource-deployment", "path": "./translations/extensions/resource-deployment.i18n.json" + }, + { + "id": "Microsoft.schema-compare", + "path": "./translations/extensions/schema-compare.i18n.json" } ] } diff --git a/i18n/ads-language-pack-de/translations/extensions/admin-tool-ext-win.i18n.json b/i18n/ads-language-pack-de/translations/extensions/admin-tool-ext-win.i18n.json new file mode 100644 index 0000000000..d03cbb2d55 --- /dev/null +++ b/i18n/ads-language-pack-de/translations/extensions/admin-tool-ext-win.i18n.json @@ -0,0 +1,26 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "adminToolExtWin.displayName": "Datenbankverwaltungstool-Erweiterungen für Windows", + "adminToolExtWin.description": "Hiermit werden Azure Data Studio zusätzliche Windows-spezifische Funktionen hinzugefügt.", + "adminToolExtWin.propertiesMenuItem": "Eigenschaften", + "adminToolExtWin.launchGswMenuItem": "Skripts generieren..." + }, + "dist/main": { + "adminToolExtWin.noConnectionContextForProp": "Für \"handleLaunchSsmsMinPropertiesDialogCommand\" wurde kein ConnectionContext angegeben.", + "adminToolExtWin.noOENode": "Der Objekt-Explorer-Knoten konnte nicht aus dem connectionContext ermittelt werden: {0}", + "adminToolExtWin.noConnectionContextForGsw": "Für \"handleLaunchSsmsMinPropertiesDialogCommand\" wurde kein ConnectionContext angegeben.", + "adminToolExtWin.noConnectionProfile": "Über den connectionContext wurde kein connectionProfile angegeben: {0}", + "adminToolExtWin.launchingDialogStatus": "Das Dialogfeld wird gestartet...", + "adminToolExtWin.ssmsMinError": "Fehler beim Aufruf von SsmsMin mit den Argumenten \"{0}\": {1}" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-de/translations/extensions/agent.i18n.json b/i18n/ads-language-pack-de/translations/extensions/agent.i18n.json new file mode 100644 index 0000000000..c77a4c02f8 --- /dev/null +++ b/i18n/ads-language-pack-de/translations/extensions/agent.i18n.json @@ -0,0 +1,282 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/agentDialog": { + "agentDialog.OK": "OK", + "agentDialog.Cancel": "Abbrechen" + }, + "dist/dialogs/jobStepDialog": { + "jobStepDialog.fileBrowserTitle": "Datenbankdateien finden:", + "jobStepDialog.ok": "OK", + "jobStepDialog.cancel": "Abbrechen", + "jobStepDialog.general": "Allgemein", + "jobStepDialog.advanced": "Erweitert", + "jobStepDialog.open": "Öffnen...", + "jobStepDialog.parse": "Analysieren", + "jobStepDialog.successParse": "Der Befehl wurde erfolgreich analysiert.", + "jobStepDialog.failParse": "Fehler bei Befehl.", + "jobStepDialog.blankStepName": "Der Schrittname darf nicht leer sein.", + "jobStepDialog.processExitCode": "Prozessexitcode eines erfolgreichen Befehls:", + "jobStepDialog.stepNameLabel": "Schrittname", + "jobStepDialog.typeLabel": "Typ", + "jobStepDialog.runAsLabel": "Ausführen als", + "jobStepDialog.databaseLabel": "Datenbank", + "jobStepDialog.commandLabel": "Befehl", + "jobStepDialog.successAction": "Aktion bei Erfolg", + "jobStepDialog.failureAction": "Aktion bei Fehler", + "jobStepDialog.runAsUser": "Als Benutzer ausführen", + "jobStepDialog.retryAttempts": "Wiederholungsversuche", + "jobStepDialog.retryInterval": "Wiederholungsintervall (Minuten)", + "jobStepDialog.logToTable": "In Tabelle protokollieren", + "jobStepDialog.appendExistingTableEntry": "Ausgabe an vorhandenen Eintrag in Tabelle anfügen", + "jobStepDialog.includeStepOutputHistory": "Schrittausgabe in Verlauf einschließen", + "jobStepDialog.outputFile": "Ausgabedatei", + "jobStepDialog.appendOutputToFile": "Ausgabe an vorhandene Datei anfügen", + "jobStepDialog.selectedPath": "Ausgewählter Pfad", + "jobStepDialog.filesOfType": "Dateien vom Typ", + "jobStepDialog.fileName": "Dateiname", + "jobStepDialog.allFiles": "Alle Dateien (*)", + "jobStepDialog.newJobStep": "Neuer Auftragsschritt", + "jobStepDialog.editJobStep": "Auftragsschritt bearbeiten", + "jobStepDialog.TSQL": "Transact-SQL-Skript (T-SQL)", + "jobStepDialog.powershell": "PowerShell", + "jobStepDialog.CmdExec": "Betriebssystem (CmdExec)", + "jobStepDialog.replicationDistribution": "Replikationsverteiler", + "jobStepDialog.replicationMerge": "Replikationsmerge", + "jobStepDialog.replicationQueueReader": "Replikations-Warteschlangenleser", + "jobStepDialog.replicationSnapshot": "Replikationsmomentaufnahme", + "jobStepDialog.replicationTransactionLogReader": "Replikationstransaktionsprotokoll-Leser", + "jobStepDialog.analysisCommand": "SQL Server Analysis Services-Befehl", + "jobStepDialog.analysisQuery": "SQL Server Analysis Services-Abfrage", + "jobStepDialog.servicesPackage": "SQL Server Integration Services-Paket", + "jobStepDialog.agentServiceAccount": "Konto des SQL Server-Agent-Diensts", + "jobStepDialog.nextStep": "Zum nächsten Schritt wechseln", + "jobStepDialog.quitJobSuccess": "Beenden des Auftrags mit Erfolgsmeldung", + "jobStepDialog.quitJobFailure": "Beenden des Auftrags mit Fehlermeldung" + }, + "dist/dialogs/pickScheduleDialog": { + "pickSchedule.jobSchedules": "Auftragszeitpläne", + "pickSchedule.ok": "OK", + "pickSchedule.cancel": "Abbrechen", + "pickSchedule.availableSchedules": "Verfügbare Zeitpläne:", + "pickSchedule.scheduleName": "Name", + "pickSchedule.scheduleID": "ID", + "pickSchedule.description": "Beschreibung" + }, + "dist/dialogs/alertDialog": { + "alertDialog.createAlert": "Warnung erstellen", + "alertDialog.editAlert": "Warnung bearbeiten", + "alertDialog.General": "Allgemein", + "alertDialog.Response": "Antwort", + "alertDialog.Options": "Optionen", + "alertDialog.eventAlert": "Ereigniswarnungsdefinition", + "alertDialog.Name": "Name", + "alertDialog.Type": "Typ", + "alertDialog.Enabled": "Aktiviert", + "alertDialog.DatabaseName": "Datenbankname", + "alertDialog.ErrorNumber": "Fehlernummer", + "alertDialog.Severity": "Schweregrad", + "alertDialog.RaiseAlertContains": "Warnung auslösen, wenn die Meldung Folgendes enthält", + "alertDialog.MessageText": "Meldungstext", + "alertDialog.Severity001": "001: Verschiedene Systemangaben", + "alertDialog.Severity002": "002: Reserviert", + "alertDialog.Severity003": "003: Reserviert", + "alertDialog.Severity004": "004: Reserviert", + "alertDialog.Severity005": "005: Reserviert", + "alertDialog.Severity006": "006: Reserviert", + "alertDialog.Severity007": "007: Benachrichtigung: Statusangaben", + "alertDialog.Severity008": "008: Benachrichtigung: Benutzereingriff erforderlich", + "alertDialog.Severity009": "009: Benutzerdefiniert", + "alertDialog.Severity010": "010: Angaben", + "alertDialog.Severity011": "011: Angegebenes Datenbankobjekt nicht gefunden", + "alertDialog.Severity012": "012: Nicht verwendet", + "alertDialog.Severity013": "013: Syntaxfehler in Benutzertransaktion", + "alertDialog.Severity014": "014: Unzureichende Berechtigung", + "alertDialog.Severity015": "015: Syntaxfehler in SQL-Anweisungen", + "alertDialog.Severity016": "016: Sonstiger Benutzerfehler", + "alertDialog.Severity017": "017: Unzureichende Ressourcen", + "alertDialog.Severity018": "018: Mittelschwerer interner Fehler", + "alertDialog.Severity019": "019: Schwerwiegender Fehler bei Ressource", + "alertDialog.Severity020": "020: Schwerwiegender Fehler im aktuellen Prozess", + "alertDialog.Severity021": "021: Schwerwiegender Fehler in Datenbankprozessen", + "alertDialog.Severity022": "022: Schwerwiegender Fehler: Tabellenintegrität zweifelhaft", + "alertDialog.Severity023": "023: Schwerwiegender Fehler: Datenbankintegrität zweifelhaft", + "alertDialog.Severity024": "024: Schwerwiegender Fehler: Hardwarefehler", + "alertDialog.Severity025": "025: Schwerwiegender Fehler", + "alertDialog.AllDatabases": "", + "alertDialog.ExecuteJob": "Auftrag ausführen", + "alertDialog.ExecuteJobName": "Auftragsname", + "alertDialog.NotifyOperators": "Operator benachrichtigen", + "alertDialog.NewJob": "Neuer Auftrag", + "alertDialog.OperatorList": "Operatorliste", + "alertDialog.OperatorName": "Operator", + "alertDialog.OperatorEmail": "E-Mail", + "alertDialog.OperatorPager": "Pager", + "alertDialog.NewOperator": "Neuer Operator", + "alertDialog.IncludeErrorInEmail": "Fehlertext der Warnung in E-Mail einschließen", + "alertDialog.IncludeErrorInPager": "Fehlertext der Warnung in Pager einfügen", + "alertDialog.AdditionalNotification": "Zusätzlich zu sendende Benachrichtigung", + "alertDialog.DelayMinutes": "Verzögerung (Minuten)", + "alertDialog.DelaySeconds": "Verzögerung (Sekunden)" + }, + "dist/dialogs/operatorDialog": { + "createOperator.createOperator": "Operator erstellen", + "createOperator.editOperator": "Operator bearbeiten", + "createOperator.General": "Allgemein", + "createOperator.Notifications": "Benachrichtigungen", + "createOperator.Name": "Name", + "createOperator.Enabled": "Aktiviert", + "createOperator.EmailName": "E-Mail-Name", + "createOperator.PagerEmailName": "E-Mail-Name für Pager", + "createOperator.PagerMondayCheckBox": "Montag", + "createOperator.PagerTuesdayCheckBox": "Dienstag", + "createOperator.PagerWednesdayCheckBox": "Mittwoch", + "createOperator.PagerThursdayCheckBox": "Donnerstag", + "createOperator.PagerFridayCheckBox": "Freitag ", + "createOperator.PagerSaturdayCheckBox": "Samstag", + "createOperator.PagerSundayCheckBox": "Sonntag", + "createOperator.workdayBegin": "Beginn des Arbeitstags", + "createOperator.workdayEnd": "Ende des Arbeitstags", + "createOperator.PagerDutySchedule": "Pager empfangsbereit am", + "createOperator.AlertListHeading": "Liste der Warnungen", + "createOperator.AlertNameColumnLabel": "Warnungsname", + "createOperator.AlertEmailColumnLabel": "E-Mail", + "createOperator.AlertPagerColumnLabel": "Pager" + }, + "dist/dialogs/jobDialog": { + "jobDialog.general": "Allgemein", + "jobDialog.steps": "Schritte", + "jobDialog.schedules": "Zeitpläne", + "jobDialog.alerts": "Warnungen", + "jobDialog.notifications": "Benachrichtigungen", + "jobDialog.blankJobNameError": "Der Auftragsname darf nicht leer sein.", + "jobDialog.name": "Name", + "jobDialog.owner": "Besitzer", + "jobDialog.category": "Kategorie", + "jobDialog.description": "Beschreibung", + "jobDialog.enabled": "Aktiviert", + "jobDialog.jobStepList": "Liste der Auftragsschritte", + "jobDialog.step": "Schritt", + "jobDialog.type": "Typ", + "jobDialog.onSuccess": "Bei Erfolg", + "jobDialog.onFailure": "Bei Fehler", + "jobDialog.new": "Neuer Schritt", + "jobDialog.edit": "Schritt bearbeiten", + "jobDialog.delete": "Schritt löschen", + "jobDialog.moveUp": "Schritt nach oben verschieben", + "jobDialog.moveDown": "Schritt nach unten verschieben", + "jobDialog.startStepAt": "Schritt starten", + "jobDialog.notificationsTabTop": "Aktionen, die nach Abschluss des Auftrags ausgeführt werden sollen", + "jobDialog.email": "E-Mail", + "jobDialog.page": "Seite", + "jobDialog.eventLogCheckBoxLabel": "In Ereignisprotokoll für Windows-Anwendungen schreiben", + "jobDialog.deleteJobLabel": "Auftrag automatisch löschen", + "jobDialog.schedulesaLabel": "Zeitplanliste", + "jobDialog.pickSchedule": "Zeitplan auswählen", + "jobDialog.removeSchedule": "Zeitplan entfernen", + "jobDialog.alertsList": "Liste der Warnungen", + "jobDialog.newAlert": "Neue Warnung", + "jobDialog.alertNameLabel": "Warnungsname", + "jobDialog.alertEnabledLabel": "Aktiviert", + "jobDialog.alertTypeLabel": "Typ", + "jobDialog.newJob": "Neuer Auftrag", + "jobDialog.editJob": "Auftrag bearbeiten" + }, + "dist/data/jobData": { + "jobData.whenJobCompletes": "Bei Abschluss des Auftrags", + "jobData.whenJobFails": "Bei Auftragsfehler", + "jobData.whenJobSucceeds": "Bei erfolgreicher Auftragsausführung", + "jobData.jobNameRequired": "Es muss ein Auftragsname angegeben werden.", + "jobData.saveErrorMessage": "Fehler beim Aktualisieren des Auftrags: \"{0}\"", + "jobData.newJobErrorMessage": "Fehler beim Erstellen des Auftrags: \"{0}\"", + "jobData.saveSucessMessage": "Der Auftrag \"{0}\" wurde erfolgreich aktualisiert.", + "jobData.newJobSuccessMessage": "Der Auftrag \"{0}\" wurde erfolgreich erstellt." + }, + "dist/data/jobStepData": { + "jobStepData.saveErrorMessage": "Fehler beim Aktualisieren des Schritts: \"{0}\"", + "stepData.jobNameRequired": "Es muss ein Auftragsname angegeben werden.", + "stepData.stepNameRequired": "Es muss ein Schrittname angegeben werden." + }, + "dist/mainController": { + "mainController.notImplemented": "Dieses Feature befindet sich noch in der Entwicklungsphase. Verwenden Sie den neuesten Insider-Build, wenn Sie die Neuerungen testen möchten.", + "agent.templateUploadSuccessful": "Vorlage erfolgreich aktualisiert", + "agent.templateUploadError": "Fehler beim Aktualisieren der Vorlage", + "agent.unsavedFileSchedulingError": "Das Notizbuch muss gespeichert werden, bevor es in den Terminkalender aufgenommen wird. Bitte speichern Sie und versuchen Sie dann erneut, die Zeitplanung durchzuführen.", + "agent.AddNewConnection": "Neue Verbindung hinzufügen", + "agent.selectConnection": "Verbindung auswählen", + "agent.selectValidConnection": "Wählen Sie eine gültige Verbindung aus" + }, + "dist/data/alertData": { + "alertData.saveErrorMessage": "Fehler bei Warnungsaktualisierung: \"{0}\"", + "alertData.DefaultAlertTypString": "SQL Server-Ereigniswarnung", + "alertDialog.PerformanceCondition": "SQL Server-Leistungsstatuswarnung", + "alertDialog.WmiEvent": "WMI-Ereigniswarnung" + }, + "dist/dialogs/proxyDialog": { + "createProxy.createProxy": "Proxy erstellen", + "createProxy.editProxy": "Proxy bearbeiten", + "createProxy.General": "Allgemein", + "createProxy.ProxyName": "Proxyname", + "createProxy.CredentialName": "Name der Anmeldeinformationen", + "createProxy.Description": "Beschreibung", + "createProxy.SubsystemName": "Subsystem", + "createProxy.OperatingSystem": "Betriebssystem (CmdExec)", + "createProxy.ReplicationSnapshot": "Replikationsmomentaufnahme", + "createProxy.ReplicationTransactionLog": "Replikationstransaktionsprotokoll-Leser", + "createProxy.ReplicationDistributor": "Replikationsverteiler", + "createProxy.ReplicationMerge": "Replikationsmerge", + "createProxy.ReplicationQueueReader": "Replikations-Warteschlangenleser", + "createProxy.SSASQueryLabel": "SQL Server Analysis Services-Abfrage", + "createProxy.SSASCommandLabel": "SQL Server Analysis Services-Befehl", + "createProxy.SSISPackage": "SQL Server Integration Services-Paket", + "createProxy.PowerShell": "PowerShell" + }, + "dist/data/proxyData": { + "proxyData.saveErrorMessage": "Fehler bei Proxyaktualisierung: \"{0}\"", + "proxyData.saveSucessMessage": "Der Proxy \"{0}\" wurde erfolgreich aktualisiert.", + "proxyData.newJobSuccessMessage": "Der Proxy \"{0}\" wurde erfolgreich erstellt." + }, + "dist/dialogs/notebookDialog": { + "notebookDialog.newJob": "Neuer Notebook-Auftrag", + "notebookDialog.editJob": "Notebook-Auftrag bearbeiten", + "notebookDialog.general": "Allgemein", + "notebookDialog.notebookSection": "Details zum Notebook", + "notebookDialog.templateNotebook": "Notebook-Pfad", + "notebookDialog.targetDatabase": "Speicherdatenbank", + "notebookDialog.executeDatabase": "Ausführungsdatenbank", + "notebookDialog.defaultDropdownString": "Datenbank auswählen", + "notebookDialog.jobSection": "Auftragsdetails", + "notebookDialog.name": "Name", + "notebookDialog.owner": "Besitzer", + "notebookDialog.schedulesaLabel": "Zeitplanliste", + "notebookDialog.pickSchedule": "Zeitplan auswählen", + "notebookDialog.removeSchedule": "Zeitplan entfernen", + "notebookDialog.description": "Beschreibung", + "notebookDialog.templatePath": "Wählen Sie ein Notizbuch aus, das vom PC in den Terminkalender aufgenommen werden soll.", + "notebookDialog.targetDatabaseInfo": "Wählen Sie eine Datenbank aus, in der alle Notebook-Auftragsmetadaten und -ergebnisse gespeichert werden sollen.", + "notebookDialog.executionDatabaseInfo": "Wählen Sie eine Datenbank aus, für die Notebook-Abfragen ausgeführt werden." + }, + "dist/data/notebookData": { + "notebookData.whenJobCompletes": "Wenn das Notizbuch abgeschlossen ist", + "notebookData.whenJobFails": "Wenn das Notizbuch fehlschlägt", + "notebookData.whenJobSucceeds": "Wenn das Notizbuch erfolgreich ist", + "notebookData.jobNameRequired": "Es muss ein Name für das Notizbuch angegeben werden", + "notebookData.templatePathRequired": "Der Vorlagenpfad muss angegeben werden", + "notebookData.invalidNotebookPath": "Ungültiger Notizbuchpfad", + "notebookData.selectStorageDatabase": "Speicherdatenbank auswählen", + "notebookData.selectExecutionDatabase": "Ausführungsdatenbank auswählen", + "notebookData.jobExists": "Ein Auftrag mit einem ähnlichen Namen ist bereits vorhanden", + "notebookData.saveErrorMessage": "Fehler beim Aktualisieren des Notizbuchs \"{0}\"", + "notebookData.newJobErrorMessage": "Fehler beim Erstellen des Notebooks „{0}“", + "notebookData.saveSucessMessage": "Notizbuch „{0}“ wurde erfolgreich aktualisiert", + "notebookData.newJobSuccessMessage": "Notizbuch „{0}“ erfolgreich erstellt" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-de/translations/extensions/azurecore.i18n.json b/i18n/ads-language-pack-de/translations/extensions/azurecore.i18n.json index d0cfc66235..128b98874b 100644 --- a/i18n/ads-language-pack-de/translations/extensions/azurecore.i18n.json +++ b/i18n/ads-language-pack-de/translations/extensions/azurecore.i18n.json @@ -41,6 +41,7 @@ "dist/azureResource/utils": { "azure.resource.error": "Fehler: {0}", "azure.accounts.getResourceGroups.queryError": "Fehler beim Abrufen von Ressourcengruppen für das Konto \"{0}\" ({1}), Abonnement \"{2}\" ({3}), Mandant \"{4}\": {5}", + "azure.accounts.getLocations.queryError": "Fehler beim Abrufen von Standorten für das Konto \"{0}\" ({1}), Abonnement \"{2}\" ({3}), Mandant \"{4}\": {5}", "azure.accounts.runResourceQuery.errors.invalidQuery": "Ungültige Abfrage", "azure.accounts.getSubscriptions.queryError": "Fehler beim Abrufen von Abonnements für das Konto \"{0}\", Mandant \"{1}\": {2}", "azure.accounts.getSelectedSubscriptions.queryError": "Fehler beim Abrufen von Abonnements für das Konto \"{0}\": {1}" @@ -105,7 +106,7 @@ "azurecore.azureArcsqlManagedInstance": "Verwaltete SQL-Instanz – Azure Arc", "azurecore.azureArcService": "Datendienst – Azure Arc", "azurecore.sqlServerArc": "SQL Server – Azure Arc", - "azurecore.azureArcPostgres": "PostgreSQL Hyperscale mit Azure Arc-Aktivierung", + "azurecore.azureArcPostgres": "PostgreSQL Hyperscale mit Azure Arc-Unterstützung", "azure.unableToOpenAzureLink": "Der Link kann nicht geöffnet werden, weil erforderliche Werte fehlen.", "azure.azureResourcesGridTitle": "Azure-Ressourcen (Vorschau)", "azurecore.invalidAzureAccount": "Ungültiges Konto.", @@ -141,7 +142,9 @@ "dist/azureResource/tree/flatAccountTreeNode": { "azure.resource.tree.accountTreeNode.titleLoading": "{0}: Wird geladen...", "azure.resource.tree.accountTreeNode.title": "{0} ({1}/{2} Abonnements)", - "azure.resource.tree.accountTreeNode.credentialError": "Fehler beim Abrufen der Anmeldeinformationen für das Konto \"{0}\". Wechseln Sie zum Dialogfeld \"Konten\", und aktualisieren Sie das Konto." + "azure.resource.tree.accountTreeNode.credentialError": "Fehler beim Abrufen der Anmeldeinformationen für das Konto \"{0}\". Wechseln Sie zum Dialogfeld \"Konten\", und aktualisieren Sie das Konto.", + "azure.resource.throttleerror": "Anforderungen von diesem Konto wurden gedrosselt. Wählen Sie eine geringere Anzahl von Abonnements aus, um den Vorgang zu wiederholen.", + "azure.resource.tree.loadresourceerror": "Fehler beim Laden von Azure-Ressourcen: {0}" }, "dist/azureResource/tree/accountNotSignedInTreeNode": { "azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Bei Azure anmelden..." @@ -203,6 +206,9 @@ "dist/azureResource/providers/kusto/kustoTreeDataProvider": { "azure.resource.providers.KustoContainerLabel": "Azure Data Explorer-Cluster" }, + "dist/azureResource/providers/azuremonitor/azuremonitorTreeDataProvider": { + "azure.resource.providers.AzureMonitorContainerLabel": "Azure Monitor Workspace" + }, "dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": { "azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Azure Database for PostgreSQL-Server" }, diff --git a/i18n/ads-language-pack-de/translations/extensions/big-data-cluster.i18n.json b/i18n/ads-language-pack-de/translations/extensions/big-data-cluster.i18n.json index e5d04a44eb..0c37fa1077 100644 --- a/i18n/ads-language-pack-de/translations/extensions/big-data-cluster.i18n.json +++ b/i18n/ads-language-pack-de/translations/extensions/big-data-cluster.i18n.json @@ -50,7 +50,7 @@ "bdc-data-size-field": "Kapazität für Daten (GB)", "bdc-log-size-field": "Kapazität für Protokolle (GB)", "bdc-agreement": "Ich akzeptiere {0}, {1} und {2}.", - "microsoft-privacy-statement": "Microsoft-Datenschutzerklärung", + "microsoft-privacy-statement": "Microsoft-Datenschutzbestimmungen", "bdc-agreement-azdata-eula": "azdata-Lizenzbedingungen", "bdc-agreement-bdc-eula": "SQL Server-Lizenzbedingungen" }, @@ -201,4 +201,4 @@ "bdc.controllerTreeDataProvider.error": "Unerwarteter Fehler beim Laden gespeicherter Controller: {0}" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-de/translations/extensions/cms.i18n.json b/i18n/ads-language-pack-de/translations/extensions/cms.i18n.json new file mode 100644 index 0000000000..5b3b8b03a0 --- /dev/null +++ b/i18n/ads-language-pack-de/translations/extensions/cms.i18n.json @@ -0,0 +1,146 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "cms.displayName": "Zentrale SQL Server-Verwaltungsserver", + "cms.description": "Unterstützung für die Verwaltung zentraler SQL Server-Verwaltungsserver", + "cms.title": "Zentrale Verwaltungsserver", + "cms.connectionProvider.displayName": "Microsoft SQL Server", + "cms.resource.explorer.title": "Zentrale Verwaltungsserver", + "cms.resource.refresh.title": "Aktualisieren", + "cms.resource.refreshServerGroup.title": "Servergruppe aktualisieren", + "cms.resource.deleteRegisteredServer.title": "Löschen", + "cms.resource.addRegisteredServer.title": "Neue Serverregistrierung...", + "cms.resource.deleteServerGroup.title": "Löschen", + "cms.resource.addServerGroup.title": "Neue Servergruppe...", + "cms.resource.registerCmsServer.title": "Zentralen Verwaltungsserver hinzufügen", + "cms.resource.deleteCmsServer.title": "Löschen", + "cms.configuration.title": "MSSQL-Konfiguration", + "cms.query.displayBitAsNumber": "BIT-Spalten als Zahlen (1 oder 0) anzeigen? Bei Festlegung auf FALSE werden BIT-Spalten als TRUE oder FALSE angezeigt.", + "cms.format.alignColumnDefinitionsInColumns": "Sollen Spaltendefinitionen ausgerichtet werden?", + "cms.format.datatypeCasing": "Gibt an, ob Datentypen in Großbuchstaben, Kleinbuchstaben oder gar nicht formatiert werden sollen.", + "cms.format.keywordCasing": "Gibt an, ob Schlüsselwörter in Großbuchstaben, Kleinbuchstaben oder gar nicht formatiert werden sollen.", + "cms.format.placeCommasBeforeNextStatement": "Gibt an, dass Kommas in einer Liste am Anfang der einzelnen Anweisungen (z. B. \", mycolumn2\") und nicht am Ende platziert werden sollen: \"mycolumn1,\"", + "cms.format.placeSelectStatementReferencesOnNewLine": "Sollen Verweise auf Objekte in einer SELECT-Anweisung in separaten Zeilen angezeigt werden? Beispielsweise werden bei \"SELECT C1, C2 FROM T1\" C1 und C2 jeweils in separaten Zeilen angezeigt.", + "cms.logDebugInfo": "[Optional] Protokollieren Sie die Debugausgabe in der Konsole (Ansicht > Ausgabe), und wählen Sie dann in der Dropdownliste den geeigneten Ausgabekanal aus.", + "cms.tracingLevel": "[Optional] Protokolliergrad für Back-End-Dienste. Azure Data Studio generiert bei jedem Start einen Dateinamen, und falls die Datei bereits vorhanden ist, werden die Protokolleinträge an diese Datei angehängt. Zur Bereinigung alter Protokolldateien können die Einstellungen \"logRetentionMinutes\" und \"logFilesRemovalLimit\" verwendet werden. Bei Verwendung des Standardwerts für \"tracingLevel\" werden nur wenige Informationen protokolliert. Eine Änderung der Ausführlichkeit kann zu einem umfangreichen Protokollierungsaufkommen und einem hohen Speicherplatzbedarf für die Protokolle führen. \"Error\" umfasst kritische Meldungen, \"Warning\" umfasst alle Daten aus \"Error\" sowie Warnmeldungen, \"Information\" umfasst alle Daten aus \"Warning\" sowie Informationsmeldungen, \"Verbose\" umfasst ausführliche Informationen.", + "cms.logRetentionMinutes": "Anzahl von Minuten, für die Protokolldateien für Back-End-Dienste aufbewahrt werden sollen. Der Standardwert ist 1 Woche.", + "cms.logFilesRemovalLimit": "Die maximale Anzahl alter Dateien, die beim Start entfernt werden sollen, bei denen der mssql.logRetentionMinutes-Wert abgelaufen ist. Dateien, die aufgrund dieser Einschränkung nicht bereinigt werden, werden beim nächsten Start von Azure Data Studio bereinigt.", + "ignorePlatformWarning": "[Optional] Keine Anzeige von Warnungen zu nicht unterstützten Plattformen.", + "onprem.databaseProperties.recoveryModel": "Wiederherstellungsmodell", + "onprem.databaseProperties.lastBackupDate": "Letzte Datenbanksicherung", + "onprem.databaseProperties.lastLogBackupDate": "Letzte Protokollsicherung", + "onprem.databaseProperties.compatibilityLevel": "Kompatibilitätsgrad", + "onprem.databaseProperties.owner": "Besitzer", + "onprem.serverProperties.serverVersion": "Version", + "onprem.serverProperties.serverEdition": "Edition", + "onprem.serverProperties.machineName": "Computername", + "onprem.serverProperties.osVersion": "Betriebssystemversion", + "cloud.databaseProperties.azureEdition": "Edition", + "cloud.databaseProperties.serviceLevelObjective": "Tarif", + "cloud.databaseProperties.compatibilityLevel": "Kompatibilitätsgrad", + "cloud.databaseProperties.owner": "Besitzer", + "cloud.serverProperties.serverVersion": "Version", + "cloud.serverProperties.serverEdition": "Typ", + "cms.provider.displayName": "Microsoft SQL Server", + "cms.connectionOptions.connectionName.displayName": "Name (optional)", + "cms.connectionOptions.connectionName.description": "Benutzerdefinierter Name der Verbindung", + "cms.connectionOptions.serverName.displayName": "Server", + "cms.connectionOptions.serverName.description": "Name der SQL Server-Instanz", + "cms.connectionOptions.serverDescription.displayName": "Serverbeschreibung", + "cms.connectionOptions.serverDescription.description": "Beschreibung der SQL Server-Instanz", + "cms.connectionOptions.authType.displayName": "Authentifizierungstyp", + "cms.connectionOptions.authType.description": "Gibt die Methode für die Authentifizierung bei SQL Server an.", + "cms.connectionOptions.authType.categoryValues.sqlLogin": "SQL-Anmeldung", + "cms.connectionOptions.authType.categoryValues.integrated": "Windows-Authentifizierung", + "cms.connectionOptions.authType.categoryValues.azureMFA": "Azure Active Directory: universell mit MFA-Unterstützung", + "cms.connectionOptions.userName.displayName": "Benutzername", + "cms.connectionOptions.userName.description": "Gibt die Benutzer-ID an, die beim Herstellen einer Verbindung mit der Datenquelle verwendet werden soll.", + "cms.connectionOptions.password.displayName": "Kennwort", + "cms.connectionOptions.password.description": "Gibt das Kennwort an, das beim Herstellen einer Verbindung mit der Datenquelle verwendet werden soll.", + "cms.connectionOptions.applicationIntent.displayName": "Anwendungszweck", + "cms.connectionOptions.applicationIntent.description": "Deklariert den Anwendungsauslastungstyp beim Herstellen einer Verbindung mit einem Server.", + "cms.connectionOptions.asynchronousProcessing.displayName": "Asynchrone Verarbeitung", + "cms.connectionOptions.asynchronousProcessing.description": "Bei Festlegung auf TRUE wird die Verwendung der asynchronen Verarbeitung im .NET Framework-Datenanbieter ermöglicht.", + "cms.connectionOptions.connectTimeout.displayName": "Verbindungstimeout", + "cms.connectionOptions.connectTimeout.description": "Die Zeitspanne (in Sekunden), die auf eine Verbindung mit dem Server gewartet wird, bevor der Versuch beendet und ein Fehler generiert wird.", + "cms.connectionOptions.currentLanguage.displayName": "Aktuelle Sprache", + "cms.connectionOptions.currentLanguage.description": "Der Datensatzname der SQL Server-Sprache", + "cms.connectionOptions.columnEncryptionSetting.displayName": "Spaltenverschlüsselung", + "cms.connectionOptions.columnEncryptionSetting.description": "Die Standardeinstellung für die Spaltenverschlüsselung für alle Befehle in der Verbindung", + "cms.connectionOptions.encrypt.displayName": "Verschlüsseln", + "cms.connectionOptions.encrypt.description": "Bei Festlegung auf TRUE verwendet SQL Server die SSL-Verschlüsselung für alle zwischen Client und Server gesendeten Daten, sofern auf dem Server ein Zertifikat installiert ist.", + "cms.connectionOptions.persistSecurityInfo.displayName": "Sicherheitsinformationen dauerhaft speichern", + "cms.connectionOptions.persistSecurityInfo.description": "Bei Festlegung auf FALSE werden sicherheitsrelevante Informationen, z. B. das Kennwort, nicht als Teil der Verbindung zurückgegeben.", + "cms.connectionOptions.trustServerCertificate.displayName": "Serverzertifikat vertrauen", + "cms.connectionOptions.trustServerCertificate.description": "Bei Festlegung auf TRUE (und encrypt=true) verwendet SQL Server die SSL-Verschlüsselung für alle zwischen Client und Server gesendeten Daten, ohne das Serverzertifikat zu überprüfen.", + "cms.connectionOptions.attachedDBFileName.displayName": "Dateiname der angefügten Datenbank", + "cms.connectionOptions.attachedDBFileName.description": "Der Name der primären Datei einer anfügbaren Datenbank, einschließlich des vollständigen Pfadnamens.", + "cms.connectionOptions.contextConnection.displayName": "Kontextverbindung", + "cms.connectionOptions.contextConnection.description": "Bei Festlegung auf TRUE muss die Verbindung aus dem SQL-Serverkontext stammen. Nur verfügbar bei Ausführung im SQL Server-Prozess.", + "cms.connectionOptions.port.displayName": "Port", + "cms.connectionOptions.connectRetryCount.displayName": "Anzahl der Verbindungswiederholungen", + "cms.connectionOptions.connectRetryCount.description": "Anzahl der Versuche zur Verbindungswiederherstellung", + "cms.connectionOptions.connectRetryInterval.displayName": "Intervall für Verbindungswiederholung", + "cms.connectionOptions.connectRetryInterval.description": "Verzögerung zwischen Versuchen zur Verbindungswiederherstellung", + "cms.connectionOptions.applicationName.displayName": "Anwendungsname", + "cms.connectionOptions.applicationName.description": "Der Name der Anwendung", + "cms.connectionOptions.workstationId.displayName": "Arbeitsstations-ID", + "cms.connectionOptions.workstationId.description": "Der Name der Arbeitsstation, die eine Verbindung mit SQL Server herstellt", + "cms.connectionOptions.pooling.displayName": "Pooling", + "cms.connectionOptions.pooling.description": "Bei Festlegung auf TRUE wird das Verbindungsobjekt aus dem geeigneten Pool abgerufen oder bei Bedarf erstellt und dem geeigneten Pool hinzugefügt.", + "cms.connectionOptions.maxPoolSize.displayName": "Maximale Poolgröße", + "cms.connectionOptions.maxPoolSize.description": "Die maximal zulässige Anzahl von Verbindungen im Pool", + "cms.connectionOptions.minPoolSize.displayName": "Minimale Poolgröße", + "cms.connectionOptions.minPoolSize.description": "Die mindestens erforderliche Anzahl von Verbindungen im Pool", + "cms.connectionOptions.loadBalanceTimeout.displayName": "Timeout für Lastenausgleich", + "cms.connectionOptions.loadBalanceTimeout.description": "Die Mindestzeitspanne (in Sekunden), für die diese Verbindung im Pool verbleiben soll, bevor sie zerstört wird", + "cms.connectionOptions.replication.displayName": "Replikation", + "cms.connectionOptions.replication.description": "Wird von SQL Server bei der Replikation verwendet.", + "cms.connectionOptions.attachDbFilename.displayName": "Dateiname der anzufügenden Datenbank", + "cms.connectionOptions.failoverPartner.displayName": "Failoverpartner", + "cms.connectionOptions.failoverPartner.description": "Der Name oder die Netzwerkadresse der SQL Server-Instanz, die als Failoverpartner fungiert", + "cms.connectionOptions.multiSubnetFailover.displayName": "Multisubnetzfailover", + "cms.connectionOptions.multipleActiveResultSets.displayName": "Mehrere aktive Resultsets", + "cms.connectionOptions.multipleActiveResultSets.description": "Bei Festlegung auf TRUE können mehrere Resultsets zurückgegeben und aus einer Verbindung gelesen werden.", + "cms.connectionOptions.packetSize.displayName": "Paketgröße", + "cms.connectionOptions.packetSize.description": "Größe der Netzwerkpakete (in Byte), die bei der Kommunikation mit einer Instanz von SQL Server verwendet werden", + "cms.connectionOptions.typeSystemVersion.displayName": "Typsystemversion", + "cms.connectionOptions.typeSystemVersion.description": "Gibt an, welches Servertypsystem der Anbieter über den DataReader verfügbar macht." + }, + "dist/cmsResource/tree/cmsResourceTreeNode": { + "cms.resource.cmsResourceTreeNode.noResourcesLabel": "Keine Ressourcen gefunden." + }, + "dist/cmsResource/tree/cmsResourceEmptyTreeNode": { + "cms.resource.tree.CmsTreeNode.addCmsServerLabel": "Zentralen Verwaltungsserver hinzufügen..." + }, + "dist/cmsResource/tree/treeProvider": { + "cms.resource.tree.treeProvider.loadError": "Unerwarteter Fehler beim Laden gespeicherter Server: {0}", + "cms.resource.tree.treeProvider.loadingLabel": "Wird geladen..." + }, + "dist/cmsResource/cmsResourceCommands": { + "cms.errors.sameCmsServerName": "Die Gruppe zentraler Verwaltungsserver enthält bereits einen registrierten Server namens \"{0}\".", + "cms.errors.azureNotAllowed": "Azure SQL Server-Instanzen können nicht als zentrale Verwaltungsserver verwendet werden.", + "cms.confirmDeleteServer": "Möchten Sie den Löschvorgang durchführen?", + "cms.yes": "Ja", + "cms.no": "Nein", + "cms.AddServerGroup": "Servergruppe hinzufügen", + "cms.OK": "OK", + "cms.Cancel": "Abbrechen", + "cms.ServerGroupName": "Name der Servergruppe", + "cms.ServerGroupDescription": "Beschreibung der Servergruppe", + "cms.errors.sameServerGroupName": "\"{0}\" weist bereits eine Servergruppe namens \"{1}\" auf.", + "cms.confirmDeleteGroup": "Möchten Sie den Löschvorgang durchführen?" + }, + "dist/cmsUtils": { + "cms.errors.sameServerUnderCms": "Sie können keinen freigegebenen registrierten Server hinzufügen, dessen Name dem des Konfigurationsservers entspricht." + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-de/translations/extensions/dacpac.i18n.json b/i18n/ads-language-pack-de/translations/extensions/dacpac.i18n.json new file mode 100644 index 0000000000..c3c8ed83f4 --- /dev/null +++ b/i18n/ads-language-pack-de/translations/extensions/dacpac.i18n.json @@ -0,0 +1,78 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "dacFx.settings": "Dacpac", + "dacFx.defaultSaveLocation": "Vollständiger Pfad zu dem Ordner, in dem DACPAC- und BACPAC-Dateien standardmäßig gespeichert werden" + }, + "dist/localizedConstants": { + "dacFx.targetServer": "Zielserver", + "dacFx.sourceServer": "Quellserver", + "dacFx.sourceDatabase": "Quelldatenbank", + "dacFx.targetDatabase": "Zieldatenbank", + "dacfx.fileLocation": "Dateispeicherort", + "dacfx.selectFile": "Datei auswählen", + "dacfx.summaryTableTitle": "Zusammenfassung der Einstellungen", + "dacfx.version": "Version", + "dacfx.setting": "Einstellung", + "dacfx.value": "Wert", + "dacFx.databaseName": "Datenbankname", + "dacFxDeploy.openFile": "Öffnen", + "dacFx.upgradeExistingDatabase": "Vorhandene Datenbank aktualisieren", + "dacFx.newDatabase": "Neue Datenbank", + "dacfx.dataLossTextWithCount": "{0} der aufgeführten Bereitstellungsaktionen können zu einem Datenverlust führen. Stellen Sie sicher, dass eine Sicherung oder eine Momentaufnahme vorhanden ist, falls Probleme mit der Bereitstellung auftreten.", + "dacFx.proceedDataLoss": "Vorgang trotz möglicher Datenverluste fortsetzen", + "dacfx.noDataLoss": "Die aufgeführten Bereitstellungsaktionen führen zu keinem Datenverlust.", + "dacfx.dataLossText": "Die Bereitstellungsaktionen können zu einem Datenverlust führen. Stellen Sie sicher, dass eine Sicherung oder eine Momentaufnahme vorhanden ist, falls Probleme mit der Bereitstellung auftreten.", + "dacfx.operation": "Vorgang", + "dacfx.operationTooltip": "Vorgang (Erstellen, Ändern, Löschen), der während der Bereitstellung ausgeführt wird", + "dacfx.type": "Typ", + "dacfx.typeTooltip": "Typ des von der Bereitstellung betroffenen Objekts", + "dacfx.object": "Objekt", + "dacfx.objecTooltip": "Name des von der Bereitstellung betroffenen Objekts", + "dacfx.dataLoss": "Datenverlust", + "dacfx.dataLossTooltip": "Vorgänge, die zu Datenverlusten führen können, werden mit einem Warnhinweis gekennzeichnet.", + "dacfx.save": "Speichern", + "dacFx.versionText": "Version (Verwenden Sie x.x.x.x, wobei x für eine Zahl steht)", + "dacFx.deployDescription": "DACPAC-Datei einer Datenschichtanwendung für eine SQL Server-Instanz bereitstellen [DACPAC bereitstellen]", + "dacFx.extractDescription": "Datenschichtanwendung aus einer SQL Server-Instanz in eine DACPAC-Datei extrahieren [DACPAC extrahieren]", + "dacFx.importDescription": "Datenbank aus einer BACPAC-Datei erstellen [BACPAC importieren]", + "dacFx.exportDescription": "Schema und Daten aus einer Datenbank in das logische BACPAC-Dateiformat exportieren [BACPAC exportieren]", + "dacfx.wizardTitle": "Assistent für Datenebenenanwendung", + "dacFx.selectOperationPageName": "Vorgang auswählen", + "dacFx.deployConfigPageName": "Einstellungen für DACPAC-Bereitstellung auswählen", + "dacFx.deployPlanPageName": "Bereitstellungsplan überprüfen", + "dacFx.summaryPageName": "Zusammenfassung", + "dacFx.extractConfigPageName": "Einstellungen für DACPAC-Extraktion auswählen", + "dacFx.importConfigPageName": "Einstellungen für BACPAC-Import auswählen", + "dacFx.exportConfigPageName": "Einstellungen für BACPAC-Export auswählen", + "dacFx.deployButton": "Bereitstellen", + "dacFx.extract": "Extrahieren", + "dacFx.import": "Importieren", + "dacFx.export": "Exportieren", + "dacFx.generateScriptButton": "Skript generieren", + "dacfx.scriptGeneratingMessage": "Sie können den Status der Skriptgenerierung in der Aufgabenansicht anzeigen, sobald der Assistent geschlossen ist. Das generierte Skript wird nach Abschluss des Vorgangs geöffnet.", + "dacfx.default": "Standardeinstellung", + "dacfx.deployPlanTableTitle": "Planvorgänge bereitstellen", + "dacfx.databaseNameExistsErrorMessage": "Eine Datenbank desselben Namens ist bereits in der SQL Server-Instanz vorhanden.", + "dacfx.undefinedFilenameErrorMessage": "Undefinierter Name.", + "dacfx.filenameEndingInPeriodErrorMessage": "Der Dateiname darf nicht mit einem Punkt enden.", + "dacfx.whitespaceFilenameErrorMessage": "Der Dateiname darf nicht aus Leerzeichen bestehen.", + "dacfx.invalidFileCharsErrorMessage": "Ungültige Dateizeichen", + "dacfx.reservedWindowsFilenameErrorMessage": "Dieser Dateiname ist für Windows reserviert. Wählen Sie einen anderen Namen, und versuchen Sie es noch mal.", + "dacfx.reservedValueErrorMessage": "Reservierter Dateiname. Wählen Sie einen anderen Namen aus, und versuchen Sie es noch mal.", + "dacfx.trailingWhitespaceErrorMessage": "Der Dateiname darf nicht mit einem Leerzeichen enden.", + "dacfx.tooLongFilenameErrorMessage": "Der Dateiname umfasst mehr als 255 Zeichen.", + "dacfx.deployPlanErrorMessage": "Fehler beim Generieren des Bereitstellungsplans \"{0}\".", + "dacfx.generateDeployErrorMessage": "Fehler beim Generieren des Bereitstellungsskripts: {0}", + "dacfx.operationErrorMessage": "Fehler bei {0}-Vorgang: {1}." + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-de/translations/extensions/import.i18n.json b/i18n/ads-language-pack-de/translations/extensions/import.i18n.json new file mode 100644 index 0000000000..38e10a257d --- /dev/null +++ b/i18n/ads-language-pack-de/translations/extensions/import.i18n.json @@ -0,0 +1,66 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "flatfileimport.configuration.title": "Flatfile-Importkonfiguration", + "flatfileimport.logDebugInfo": "[Optional] Protokollieren Sie die Debugausgabe in der Konsole (Ansicht > Ausgabe), und wählen Sie dann in der Dropdownliste den geeigneten Ausgabekanal aus." + }, + "out/services/serviceClient": { + "serviceStarted": "\"{0}\" wurde gestartet.", + "serviceStarting": "\"{0}\" wird gestartet.", + "flatFileImport.serviceStartFailed": "Fehler beim Starten von {0}: {1}", + "installingServiceDetailed": "\"{0}\" wird in \"{1}\" installiert.", + "installingService": "Der Dienst {0} wird installiert", + "serviceInstalled": "\"{0}\" wurde installiert.", + "downloadingService": "\"{0}\" wird heruntergeladen.", + "downloadingServiceSize": "({0} KB)", + "downloadingServiceStatus": "\"{0}\" wird heruntergeladen.", + "downloadingServiceComplete": "Das Herunterladen von {0} wurde abgeschlossen", + "entryExtractedChannelMsg": "{0} extrahiert ({1}/{2})" + }, + "out/common/constants": { + "import.serviceCrashButton": "Feedback senden", + "serviceCrashMessage": "Die Dienstkomponente konnte nicht gestartet werden.", + "flatFileImport.serverDropdownTitle": "Server, auf dem sich die Datenbank befindet", + "flatFileImport.databaseDropdownTitle": "Datenbank, in der die Tabelle erstellt wird", + "flatFile.InvalidFileLocation": "Ungültiger Dateispeicherort. Versuchen Sie es mit einer anderen Eingabedatei.", + "flatFileImport.browseFiles": "Durchsuchen", + "flatFileImport.openFile": "Öffnen", + "flatFileImport.fileTextboxTitle": "Speicherort der zu importierenden Datei", + "flatFileImport.tableTextboxTitle": "Name der neuen Tabelle", + "flatFileImport.schemaTextboxTitle": "Tabellenschema", + "flatFileImport.importData": "Daten importieren", + "flatFileImport.next": "Weiter", + "flatFileImport.columnName": "Spaltenname", + "flatFileImport.dataType": "Datentyp", + "flatFileImport.primaryKey": "Primärschlüssel", + "flatFileImport.allowNulls": "NULL-Werte zulassen", + "flatFileImport.prosePreviewMessage": "Mit diesem Vorgang wurde die Struktur der Eingabedatei analysiert, um die nachstehende Vorschau für die ersten 50 Zeilen zu generieren.", + "flatFileImport.prosePreviewMessageFail": "Der Vorgang war nicht erfolgreich. Versuchen Sie es mit einer anderen Eingabedatei.", + "flatFileImport.refresh": "Aktualisieren", + "flatFileImport.importInformation": "Informationen importieren", + "flatFileImport.importStatus": "Importstatus", + "flatFileImport.serverName": "Servername", + "flatFileImport.databaseName": "Datenbankname", + "flatFileImport.tableName": "Tabellenname", + "flatFileImport.tableSchema": "Tabellenschema", + "flatFileImport.fileImport": "Zu importierende Datei", + "flatFileImport.success.norows": "✔ Sie haben die Daten erfolgreich in eine Tabelle eingefügt.", + "import.needConnection": "Stellen Sie eine Verbindung mit einem Server her, bevor Sie diesen Assistenten verwenden.", + "import.needSQLConnection": "Die SQL-Server-Importerweiterung unterstützt diesen Verbindungstyp nicht.", + "flatFileImport.wizardName": "Assistent zum Importieren von Flatfiles", + "flatFileImport.page1Name": "Eingabedatei angeben", + "flatFileImport.page2Name": "Datenvorschau", + "flatFileImport.page3Name": "Spalten ändern", + "flatFileImport.page4Name": "Zusammenfassung", + "flatFileImport.importNewFile": "Neue Datei importieren" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-de/translations/extensions/notebook.i18n.json b/i18n/ads-language-pack-de/translations/extensions/notebook.i18n.json index 7f3b491625..27b1c3b753 100644 --- a/i18n/ads-language-pack-de/translations/extensions/notebook.i18n.json +++ b/i18n/ads-language-pack-de/translations/extensions/notebook.i18n.json @@ -14,6 +14,8 @@ "notebook.configuration.title": "Notebook-Konfiguration", "notebook.pythonPath.description": "Lokaler Pfad zur Python-Installation, die von Notebooks verwendet wird.", "notebook.useExistingPython.description": "Lokaler Pfad zu einer bereits vorhandenen Python-Installation, die von Notebooks verwendet wird.", + "notebook.dontPromptPythonUpdate.description": "Zeigen Sie keine Aufforderungen zum Aktualisieren von Python an.", + "notebook.jupyterServerShutdownTimeout.description": "Die Zeit ( in Minuten), die abgewartet werden soll, bevor ein Server heruntergefahren wird, nachdem alle Notizbücher geschlossen wurden. (Geben Sie 0 ein, um nicht herunterzufahren)", "notebook.overrideEditorTheming.description": "Hiermit setzen Sie die Editor-Standardeinstellungen im Notebook-Editor außer Kraft. Zu den Einstellungen gehören Hintergrundfarbe, Farbe der aktuellen Zeile und Rahmen.", "notebook.maxTableRows.description": "Maximale Anzahl von Zeilen, die pro Tabelle im Notebook-Editor zurückgegeben werden", "notebook.trustedBooks.description": "In diesen Büchern enthaltene Notebooks werden automatisch als vertrauenswürdig eingestuft.", @@ -21,6 +23,7 @@ "notebook.collapseBookItems.description": "Buchelemente auf Stammebene im Notebook-Viewlet reduzieren", "notebook.remoteBookDownloadTimeout.description": "Zeitlimit für Download von GitHub-Büchern in Millisekunden", "notebook.pinnedNotebooks.description": "Notebooks, die vom Benutzer für den aktuellen Arbeitsbereich angeheftet wurden", + "notebook.allowRoot.description": "Allow Jupyter server to run as root user", "notebook.command.new": "Neues Notebook", "notebook.command.open": "Notebook öffnen", "notebook.analyzeJupyterNotebook": "In Notebook analysieren", @@ -43,18 +46,21 @@ "title.managePackages": "Pakete verwalten", "title.SQL19PreviewBook": "Leitfaden zu SQL Server 2019", "books-preview-category": "Jupyter-Books", - "title.saveJupyterBook": "Book speichern", - "title.trustBook": "Buch als vertrauenswürdig einstufen", - "title.searchJupyterBook": "Book durchsuchen", + "title.saveJupyterBook": "Jupyter Book speichern", + "title.trustBook": "Jupyter Book als vertrauenswürdig einstufen", + "title.searchJupyterBook": "Jupyter Book durchsuchen", "title.SavedBooks": "Notebooks", - "title.ProvidedBooks": "Bereitgestellte Bücher", + "title.ProvidedBooks": "Bereitgestellte Jupyter Books", "title.PinnedBooks": "Angeheftete Notebooks", "title.PreviewLocalizedBook": "Lokalisierten SQL Server 2019-Leitfaden abrufen", "title.openJupyterBook": "Jupyter-Buch öffnen", "title.closeJupyterBook": "Jupyter-Buch schließen", - "title.closeJupyterNotebook": "Jupyter Notebook schließen", + "title.closeNotebook": "Notebook schließen", + "title.removeNotebook": "Notebook entfernen", + "title.addNotebook": "Notebook hinzufügen", + "title.addMarkdown": "Markdowndatei hinzufügen", "title.revealInBooksViewlet": "In Büchern offenlegen", - "title.createJupyterBook": "Buch erstellen (Vorschau)", + "title.createJupyterBook": "Jupyter Book erstellen", "title.openNotebookFolder": "Notebooks in Ordner öffnen", "title.openRemoteJupyterBook": "Jupyter-Remotebuch hinzufügen", "title.pinNotebook": "Notebook anheften", @@ -77,74 +83,84 @@ "providerNotValidError": "Für Spark-Kernel werden nur MSSQL-Anbieter unterstützt.", "allFiles": "Alle Dateien", "labelSelectFolder": "Ordner auswählen", - "labelBookFolder": "Buch auswählen", + "labelBookFolder": "Jupyter Book auswählen", "confirmReplace": "Der Ordner ist bereits vorhanden. Möchten Sie diesen Ordner löschen und ersetzen?", "openNotebookCommand": "Notebook öffnen", "openMarkdownCommand": "Markdown öffnen", "openExternalLinkCommand": "Externen Link öffnen", - "msgBookTrusted": "Das Buch gilt im Arbeitsbereich jetzt als vertrauenswürdig.", - "msgBookAlreadyTrusted": "Das Buch gilt in diesem Arbeitsbereich bereits als vertrauenswürdig.", - "msgBookUntrusted": "Das Buch gilt in diesem Arbeitsbereich nicht mehr als vertrauenswürdig.", - "msgBookAlreadyUntrusted": "Das Buch gilt in diesem Arbeitsbereich bereits als nicht vertrauenswürdig.", - "msgBookPinned": "Das Buch \"{0}\" ist jetzt im Arbeitsbereich angeheftet.", - "msgBookUnpinned": "Das Buch \"{0}\" ist in diesem Arbeitsbereich nicht mehr angeheftet.", - "bookInitializeFailed": "Bei der Suche im angegebenen Buch wurde keine Inhaltsverzeichnisdatei gefunden.", - "noBooksSelected": "Im Viewlet sind zurzeit keine Bücher ausgewählt.", - "labelBookSection": "Buchabschnitt auswählen", + "msgBookTrusted": "Das Jupyter Book gilt jetzt im Arbeitsbereich als vertrauenswürdig.", + "msgBookAlreadyTrusted": "Dieses Jupyter Book gilt in diesem Arbeitsbereich bereits als vertrauenswürdig.", + "msgBookUntrusted": "Das Jupyter Book gilt in diesem Arbeitsbereich nicht mehr als vertrauenswürdig.", + "msgBookAlreadyUntrusted": "Das Jupyter Book gilt in diesem Arbeitsbereich bereits als nicht vertrauenswürdig.", + "msgBookPinned": "Das Jupyter Book \"{0}\" ist jetzt im Arbeitsbereich angeheftet.", + "msgBookUnpinned": "Das Jupyter Book \"{0}\" ist in diesem Arbeitsbereich nicht mehr angeheftet.", + "bookInitializeFailed": "Bei der Suche im angegebenen Jupyter Book wurde keine Inhaltsverzeichnisdatei gefunden.", + "noBooksSelected": "Im Viewlet sind zurzeit keine Jupyter Books ausgewählt.", + "labelBookSection": "Jupyter Book-Abschnitt auswählen", "labelAddToLevel": "Dieser Ebene hinzufügen", "missingFileError": "Fehlende Datei: \"{0}\" aus \"{1}\"", "InvalidError.tocFile": "Ungültige Inhaltsverzeichnisdatei.", "Invalid toc.yml": "Fehler: \"{0}\" weist eine falsche Datei \"toc.yml\" auf.", "configFileError": "Konfigurationsdatei fehlt.", - "openBookError": "Fehler beim Öffnen von Book \"{0}\": {1}", - "readBookError": "Fehler beim Lesen von Book \"{0}\": {1}", + "openBookError": "Fehler beim Öffnen von Jupyter Book \"{0}\": {1}", + "readBookError": "Fehler beim Lesen von Jupyter Book \"{0}\": {1}", "openNotebookError": "Fehler beim Öffnen des Notebooks \"{0}\": {1}", "openMarkdownError": "Fehler beim Öffnen von Markdown \"{0}\": {1}", "openUntitledNotebookError": "Fehler beim Öffnen des Notebooks \"{0}\" ohne Titel: {1}", "openExternalLinkError": "Fehler beim Öffnen von Link {0}: {1}", - "closeBookError": "Fehler beim Schließen des Buchs \"{0}\": {1}", + "closeBookError": "Fehler beim Schließen von Jupyter Book \"{0}\": {1}", "duplicateFileError": "Die Datei \"{0}\" ist bereits im Zielordner \"{1}\" vorhanden. \r\n Die Datei wurde in \"{2}\" umbenannt, um Datenverlust zu verhindern.", - "editBookError": "Fehler beim Bearbeiten des Buchs \"{0}\": {1}", - "selectBookError": "Fehler beim Auswählen eines Buchs oder eines Abschnitts zur Bearbeitung: {0}", + "editBookError": "Fehler beim Bearbeiten von Jupyter Book \"{0}\": {1}", + "selectBookError": "Fehler beim Auswählen eines Jupyter Books oder eines Abschnitts zur Bearbeitung: {0}", + "sectionNotFound": "Der Abschnitt \"{0}\" wurde in \"{1}\" nicht gefunden.", "url": "URL", "repoUrl": "Repository-URL", "location": "Speicherort", - "addRemoteBook": "Remotebuch hinzufügen", + "addRemoteBook": "Jupyter-Remotebuch hinzufügen", "onGitHub": "GitHub", "onsharedFile": "Freigegebene Datei", "releases": "Releases", - "book": "Buch", + "book": "Jupyter Book", "version": "Version", "language": "Sprache", - "booksNotFound": "Unter dem angegebenen Link sind zurzeit keine Bücher verfügbar.", + "booksNotFound": "Unter dem angegebenen Link sind zurzeit keine Jupyter Books verfügbar.", "urlGithubError": "Die angegebene URL ist keine GitHub-Release-URL.", "search": "Suchen", "add": "Hinzufügen", "close": "Schließen", "invalidTextPlaceholder": "-", - "msgRemoteBookDownloadProgress": "Das Remotebuch wird heruntergeladen.", - "msgRemoteBookDownloadComplete": "Der Download des Remotebuchs ist abgeschlossen.", - "msgRemoteBookDownloadError": "Fehler beim Herunterladen des Remotebuchs.", - "msgRemoteBookUnpackingError": "Fehler beim Dekomprimieren des Remotebuchs.", - "msgRemoteBookDirectoryError": "Fehler beim Erstellen des Remotebuchverzeichnisses.", - "msgTaskName": "Remotebuch wird heruntergeladen.", + "msgRemoteBookDownloadProgress": "Remoteinstanz von Jupyter Book wird heruntergeladen.", + "msgRemoteBookDownloadComplete": "Remoteinstanz von Jupyter Book wurde vollständig heruntergeladen.", + "msgRemoteBookDownloadError": "Fehler beim Herunterladen der Remoteinstanz von Jupyter Book.", + "msgRemoteBookUnpackingError": "Fehler beim Dekomprimieren der Jupyter Book-Remoteinstanz.", + "msgRemoteBookDirectoryError": "Fehler beim Erstellen des Jupyter Book-Remoteverzeichnisses.", + "msgTaskName": "Remoteinstanz von Jupyter Book wird heruntergeladen.", "msgResourceNotFound": "Die Ressource wurde nicht gefunden.", - "msgBookNotFound": "Bücher nicht gefunden.", + "msgBookNotFound": "Jupyter Books nicht gefunden.", "msgReleaseNotFound": "Releases nicht gefunden.", - "msgUndefinedAssetError": "Das ausgewählte Book ist ungültig.", + "msgUndefinedAssetError": "Das ausgewählte Jupyter Book ist ungültig.", "httpRequestError": "Fehler bei der HTTP-Anforderung: {0} {1}", "msgDownloadLocation": "Download in \"{0}\"", - "newGroup": "Neue Gruppe", - "groupDescription": "Gruppen werden zum Organisieren von Notebooks verwendet.", - "locationBrowser": "Speicherorte durchsuchen...", - "selectContentFolder": "Inhaltsordner auswählen", + "newBook": "Neue Jupyter Book-Instanz (Vorschau)", + "bookDescription": "Jupyter Book-Instanzen werden zum Organisieren von Notebooks verwendet.", + "learnMore": "Weitere Informationen.", + "contentFolder": "Inhaltsordner", "browse": "Durchsuchen", "create": "Erstellen", "name": "Name", "saveLocation": "Speicherort", - "contentFolder": "Inhaltsordner (optional)", + "contentFolderOptional": "Inhaltsordner (optional)", "msgContentFolderError": "Der Pfad für den Inhaltsordner ist nicht vorhanden.", - "msgSaveFolderError": "Der Speicherortpfad ist nicht vorhanden." + "msgSaveFolderError": "Der Speicherortpfad ist nicht vorhanden.", + "msgCreateBookWarningMsg": "Fehler beim Zugriff auf: {0}", + "newNotebook": "Neues Notebook (Vorschau)", + "newMarkdown": "Neuer Markdown (Vorschau)", + "fileExtension": "Dateierweiterung", + "confirmOverwrite": "Die Datei ist bereits vorhanden. Möchten Sie diese Datei überschreiben?", + "title": "Titel", + "fileName": "Dateiname", + "msgInvalidSaveFolder": "Der Pfad zum Speicherort ist ungültig.", + "msgDuplicadFileName": "Die Datei \"{0}\" ist im Zielordner bereits vorhanden." }, "dist/jupyter/jupyterServerInstallation": { "msgInstallPkgProgress": "Notebook-Abhängigkeiten werden installiert.", @@ -159,10 +175,16 @@ "msgInstallPkgFinish": "Die Installation von Notebook-Abhängigkeiten ist abgeschlossen.", "msgPythonRunningError": "Eine vorhandene Python-Installation kann nicht überschrieben werden, während Python ausgeführt wird. Schließen Sie alle aktiven Notebooks, bevor Sie fortfahren.", "msgWaitingForInstall": "Aktuell wird eine weitere Python-Installation ausgeführt. Es wird auf den Abschluss des Vorgangs gewartet.", + "msgShutdownNotebookSessions": "Aktive Python-Notebooksitzungen werden heruntergefahren, um sie zu aktualisieren. Möchten Sie jetzt fortfahren?", + "msgPythonVersionUpdatePrompt": "Python {0} ist jetzt in Azure Data Studio verfügbar. Die aktuelle Python-Version (3.6.6) wird ab Dezember 2021 nicht mehr unterstützt. Möchten Sie jetzt auf Python {0} aktualisieren?", + "msgPythonVersionUpdateWarning": "Python {0} wird installiert und ersetzt Python 3.6.6. Einige Pakete sind möglicherweise nicht mehr mit der neuen Version kompatibel oder müssen neu installiert werden. Ein Notizbuch wird erstellt, damit Sie alle PIP-Pakete neu installieren können. Möchten Sie das Update jetzt fortsetzen?", "msgDependenciesInstallationFailed": "Fehler beim Installieren von Notebook-Abhängigkeiten: {0}", "msgDownloadPython": "Lokales Python für die Plattform \"{0}\" wird nach \"{1}\" heruntergeladen.", "msgPackageRetrievalFailed": "Fehler beim Abrufen der Liste installierter Pakete: {0}", - "msgGetPythonUserDirFailed": "Fehler beim Abrufen des Python-Benutzerpfads: {0}" + "msgGetPythonUserDirFailed": "Fehler beim Abrufen des Python-Benutzerpfads: {0}", + "yes": "Ja", + "no": "Nein", + "dontAskAgain": "Nicht mehr fragen" }, "dist/dialog/configurePython/configurePythonWizard": { "configurePython.okButtonText": "Installieren", @@ -270,7 +292,7 @@ }, "dist/protocol/notebookUriHandler": { "notebook.unsupportedAction": "Die Aktion \"{0}\" wird für diesen Handler nicht unterstützt.", - "unsupportedScheme": "Der Link \"{0}\" kann nicht geöffnet werden, weil nur HTTP- und HTTPS-Links unterstützt werden.", + "unsupportedScheme": "Der Link \"{0}\" kann nicht geöffnet werden, weil nur HTTP-, HTTPS und Dateilinks unterstützt werden.", "notebook.confirmOpen": "\"{0}\" herunterladen und öffnen?", "notebook.fileNotFound": "Die angegebene Datei wurde nicht gefunden.", "notebook.fileDownloadError": "Fehler bei der Anforderung zum Öffnen der Datei: {0} {1}" diff --git a/i18n/ads-language-pack-de/translations/extensions/profiler.i18n.json b/i18n/ads-language-pack-de/translations/extensions/profiler.i18n.json new file mode 100644 index 0000000000..b4bc5379b9 --- /dev/null +++ b/i18n/ads-language-pack-de/translations/extensions/profiler.i18n.json @@ -0,0 +1,23 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/profilerCreateSessionDialog": { + "createSessionDialog.cancel": "Abbrechen", + "createSessionDialog.create": "Starten", + "createSessionDialog.title": "Neue Profilersitzung starten", + "createSessionDialog.templatesInvalid": "Ungültige Vorlagenliste. Das Dialogfeld kann nicht geöffnet werden.", + "createSessionDialog.dialogOwnerInvalid": "Ungültiger Besitzer für Dialogfeld. Das Dialogfeld kann nicht geöffnet werden.", + "createSessionDialog.invalidProviderType": "Ungültiger Anbietertyp. Das Dialogfeld kann nicht geöffnet werden.", + "createSessionDialog.selectTemplates": "Sitzungsvorlage auswählen:", + "createSessionDialog.enterSessionName": "Sitzungsnamen eingeben:", + "createSessionDialog.createSessionFailed": "Fehler beim Erstellen einer Sitzung." + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-de/translations/extensions/resource-deployment.i18n.json b/i18n/ads-language-pack-de/translations/extensions/resource-deployment.i18n.json index b04b0181e4..776d2a23b4 100644 --- a/i18n/ads-language-pack-de/translations/extensions/resource-deployment.i18n.json +++ b/i18n/ads-language-pack-de/translations/extensions/resource-deployment.i18n.json @@ -103,6 +103,10 @@ "azdataEulaNotAccepted": "Die Bereitstellung kann nicht fortgesetzt werden. Die Lizenzbedingungen für die Azure Data CLI wurden noch nicht akzeptiert. Akzeptieren Sie die Lizenzbedingungen, um die Features zu aktivieren, für die die Azure Data CLI erforderlich ist.", "azdataEulaDeclined": "Die Bereitstellung kann nicht fortgesetzt werden. Die Lizenzbedingungen für die Azure Data CLI wurden abgelehnt. Sie können entweder die Lizenzbedingungen akzeptieren, um den Vorgang fortzusetzen, oder den Vorgang abbrechen.", "deploymentDialog.RecheckEulaButton": "Lizenzbedingungen akzeptieren und auswählen", + "resourceDeployment.extensionRequiredPrompt": "Die Erweiterung \"{0}\" ist für die Bereitstellung dieser Ressource erforderlich. Möchten Sie sie jetzt installieren?", + "resourceDeployment.install": "Installieren", + "resourceDeployment.installingExtension": "Die Erweiterung \"{0}\" wird installiert...", + "resourceDeployment.unknownExtension": "Unbekannte Erweiterung \"{0}\".", "resourceTypePickerDialog.title": "Bereitstellungsoptionen auswählen", "resourceTypePickerDialog.resourceSearchPlaceholder": "Ressourcen filtern...", "resourceTypePickerDialog.tagsListViewTitle": "Kategorien", @@ -264,7 +268,6 @@ "notebookType": "Notebook-Typ" }, "dist/main": { - "resourceDeployment.FailedToLoadExtension": "Fehler beim Laden der Erweiterung: {0}. In der Ressourcentypdefinition in \"package.json\" wurde ein Fehler festgestellt. Details finden Sie in der Debugkonsole.", "resourceDeployment.UnknownResourceType": "Der Ressourcentyp \"{0}\" ist nicht definiert." }, "dist/services/notebookService": { @@ -562,8 +565,8 @@ }, "dist/ui/toolsAndEulaSettingsPage": { "notebookWizard.toolsAndEulaPageTitle": "Voraussetzungen für die Bereitstellung", - "deploymentDialog.FailedEulaValidation": "Um fortzufahren, müssen Sie die Lizenzbedingungen akzeptieren.", "deploymentDialog.FailedToolsInstallation": "Einige Tools wurden noch nicht ermittelt. Stellen Sie sicher, dass sie installiert wurden, ausgeführt werden und ermittelbar sind.", + "deploymentDialog.FailedEulaValidation": "Um fortzufahren, müssen Sie die Lizenzbedingungen akzeptieren.", "deploymentDialog.loadingRequiredToolsCompleted": "Informationen zu erforderlichen Tools wurden vollständig geladen.", "deploymentDialog.loadingRequiredTools": "Informationen zu erforderlichen Tools werden geladen.", "resourceDeployment.AgreementTitle": "Nutzungsbedingungen akzeptieren", @@ -605,18 +608,9 @@ "dist/services/tools/azdataTool": { "resourceDeployment.AzdataDescription": "Azure Data-Befehlszeilenschnittstelle", "resourceDeployment.AzdataDisplayName": "Azure Data CLI", + "deploy.azdataExtMissing": "Die Azure Data CLI-Erweiterung muss installiert sein, damit diese Ressource bereitgestellt werden kann. Installieren Sie sie über den Erweiterungskatalog, und versuchen Sie es noch mal.", "deployCluster.GetToolVersionErrorInformation": "Fehler beim Abrufen der Versionsinformationen. Weitere Informationen finden Sie im Ausgabekanal \"{0}\".", - "deployCluster.GetToolVersionError": "Fehler beim Abrufen der Versionsinformationen.{0}Ungültige Ausgabe empfangen, Versionsbefehlsausgabe abrufen: {1} ", - "resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "Zuvor heruntergeladene Datei \"Azdata.msi\" wird ggf. gelöscht…", - "resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "\"Azdata.msi\" wird heruntergeladen, und die azdata-CLI wird installiert…", - "resourceDeployment.Azdata.DisplayingInstallationLog": "Installationsprotokoll wird angezeigt…", - "resourceDeployment.Azdata.TappingBrewRepository": "Für die azdata-CLI werden Ressourcen aus dem Brew-Repository abgerufen…", - "resourceDeployment.Azdata.UpdatingBrewRepository": "Das Brew-Repository für die azdata-CLI-Installation wird aktualisiert…", - "resourceDeployment.Azdata.InstallingAzdata": "azdata wird installiert…", - "resourceDeployment.Azdata.AptGetUpdate": "Repositoryinformationen werden aktualisiert…", - "resourceDeployment.Azdata.AptGetPackages": "Die für die azdata-Installation erforderlichen Pakete werden abgerufen…", - "resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "Der Signaturschlüssel für azdata wird heruntergeladen und installiert…", - "resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "Die azdata-Repositoryinformationen werden hinzugefügt…" + "deployCluster.GetToolVersionError": "Fehler beim Abrufen der Versionsinformationen.{0}Ungültige Ausgabe empfangen, Versionsbefehlsausgabe abrufen: {1} " }, "dist/services/tools/azdataToolOld": { "resourceDeployment.AzdataDescription": "Azure Data-Befehlszeilenschnittstelle", @@ -636,4 +630,4 @@ "deploymentDialog.deploymentOptions": "Bereitstellungsoptionen" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-de/translations/extensions/schema-compare.i18n.json b/i18n/ads-language-pack-de/translations/extensions/schema-compare.i18n.json new file mode 100644 index 0000000000..bab8a94e90 --- /dev/null +++ b/i18n/ads-language-pack-de/translations/extensions/schema-compare.i18n.json @@ -0,0 +1,319 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "displayName": "SQL Server-Schemavergleich", + "description": "Der SQL Server-Schemavergleich für Azure Data Studio unterstützt den Vergleich der Schemas von Datenbanken und DACPAC-Dateien.", + "schemaCompare.start": "Schemavergleich" + }, + "dist/localizedConstants": { + "schemaCompareDialog.ok": "OK", + "schemaCompareDialog.cancel": "Abbrechen", + "schemaCompareDialog.SourceTitle": "Quelle", + "schemaCompareDialog.TargetTitle": "Ziel", + "schemaCompareDialog.fileTextBoxLabel": "Datei", + "schemaCompare.dacpacRadioButtonLabel": "Datei der Datenschichtanwendung (DACPAC)", + "schemaCompare.databaseButtonLabel": "Datenbank", + "schemaCompare.radioButtonsLabel": "Typ", + "schemaCompareDialog.serverDropdownTitle": "Server", + "schemaCompareDialog.databaseDropdownTitle": "Datenbank", + "schemaCompare.dialogTitle": "Schemavergleich", + "schemaCompareDialog.differentSourceMessage": "Es wurde ein anderes Quellschema ausgewählt. Möchten Sie einen Vergleich durchführen?", + "schemaCompareDialog.differentTargetMessage": "Es wurde ein anderes Zielschema ausgewählt. Möchten Sie einen Vergleich durchführen?", + "schemaCompareDialog.differentSourceTargetMessage": "Es wurden verschiedene Quell- und Zielschemas ausgewählt. Möchten Sie einen Vergleich durchführen?", + "schemaCompareDialog.Yes": "Ja", + "schemaCompareDialog.No": "Nein", + "schemaCompareDialog.sourceTextBox": "Quelldatei", + "schemaCompareDialog.targetTextBox": "Zieldatei", + "schemaCompareDialog.sourceDatabaseDropdown": "Quelldatenbank", + "schemaCompareDialog.targetDatabaseDropdown": "Zieldatenbank", + "schemaCompareDialog.sourceServerDropdown": "Quellserver", + "schemaCompareDialog.targetServerDropdown": "Zielserver", + "schemaCompareDialog.defaultUser": "Standardeinstellung", + "schemaCompare.openFile": "Öffnen", + "schemaCompare.selectSourceFile": "Quelldatei auswählen", + "schemaCompare.selectTargetFile": "Zieldatei auswählen", + "SchemaCompareOptionsDialog.Reset": "Zurücksetzen", + "schemaCompareOptions.RecompareMessage": "Die Optionen wurden geändert. Möchten Sie den Vergleich wiederholen und neu anzeigen?", + "SchemaCompare.SchemaCompareOptionsDialogLabel": "Optionen für Schemavergleich", + "SchemaCompare.GeneralOptionsLabel": "Allgemeine Optionen", + "SchemaCompare.ObjectTypesOptionsLabel": "Objekttypen einschließen", + "schemaCompare.CompareDetailsTitle": "Details vergleichen", + "schemaCompare.ApplyConfirmation": "Möchten Sie das Ziel aktualisieren?", + "schemaCompare.RecompareToRefresh": "Klicken Sie auf \"Vergleichen\", um den Vergleich zu aktualisieren.", + "schemaCompare.generateScriptEnabledButton": "Skript zum Bereitstellen von Änderungen am Ziel generieren", + "schemaCompare.generateScriptNoChanges": "Keine Änderungen am Skript", + "schemaCompare.applyButtonEnabledTitle": "Änderungen auf das Ziel anwenden", + "schemaCompare.applyNoChanges": "Keine Änderungen zur Anwendung vorhanden.", + "schemaCompare.includeExcludeInfoMessage": "Beachten Sie, dass Vorgänge zum Einschließen/Ausschließen einen Moment dauern können, während betroffene Abhängigkeiten berechnet werden.", + "schemaCompare.deleteAction": "Löschen", + "schemaCompare.changeAction": "Ändern", + "schemaCompare.addAction": "Hinzufügen", + "schemaCompare.differencesTableTitle": "Vergleich zwischen Quelle und Ziel", + "schemaCompare.waitText": "Der Vergleich wird gestartet. Dies kann einen Moment dauern.", + "schemaCompare.startText": "Um zwei Schemas zu vergleichen, wählen Sie zunächst ein Quellschema und ein Zielschema aus. Klicken Sie anschließend auf \"Vergleichen\".", + "schemaCompare.noDifferences": "Es wurden keine Schemaunterschiede gefunden.", + "schemaCompare.typeColumn": "Typ", + "schemaCompare.sourceNameColumn": "Quellname", + "schemaCompare.includeColumnName": "Einschließen", + "schemaCompare.actionColumn": "Aktion", + "schemaCompare.targetNameColumn": "Zielname", + "schemaCompare.generateScriptButtonDisabledTitle": "\"Skript generieren\" ist aktiviert, wenn das Ziel eine Datenbank ist.", + "schemaCompare.applyButtonDisabledTitle": "\"Anwenden\" ist aktiviert, wenn das Ziel eine Datenbank ist.", + "schemaCompare.cannotExcludeMessageWithDependent": "\"{0}\" kann nicht ausgeschlossen werden. Eingeschlossene abhängige Elemente vorhanden: {1}", + "schemaCompare.cannotIncludeMessageWithDependent": "\"{0}\" kann nicht eingeschlossen werden. Ausgeschlossene abhängige Elemente vorhanden: {1}", + "schemaCompare.cannotExcludeMessage": "\"{0}\" kann nicht ausgeschlossen werden. Eingeschlossene abhängige Elemente vorhanden.", + "schemaCompare.cannotIncludeMessage": "\"{0}\" kann nicht eingeschlossen werden. Ausgeschlossene abhängige Elemente vorhanden.", + "schemaCompare.compareButton": "Vergleichen", + "schemaCompare.cancelCompareButton": "Beenden", + "schemaCompare.generateScriptButton": "Skript generieren", + "schemaCompare.optionsButton": "Optionen", + "schemaCompare.updateButton": "Anwenden", + "schemaCompare.switchDirectionButton": "Richtung wechseln", + "schemaCompare.switchButtonTitle": "Quelle und Ziel wechseln", + "schemaCompare.sourceButtonTitle": "Quelle auswählen", + "schemaCompare.targetButtonTitle": "Ziel auswählen", + "schemaCompare.openScmpButton": "SCMP-Datei öffnen", + "schemaCompare.openScmpButtonTitle": "Quelle und Ziel sowie die in einer SCMP-Datei gespeicherten Optionen laden", + "schemaCompare.saveScmpButton": "SCMP-Datei speichern", + "schemaCompare.saveScmpButtonTitle": "Quelle und Ziel, Optionen und ausgeschlossene Elemente speichern", + "schemaCompare.saveFile": "Speichern", + "schemaCompare.GetConnectionString": "Möchten Sie eine Verbindung mit \"{0}\" herstellen?", + "schemaCompare.selectConnection": "Verbindung auswählen", + "SchemaCompare.IgnoreTableOptions": "Tabellenoptionen ignorieren", + "SchemaCompare.IgnoreSemicolonBetweenStatements": "Semikolon zwischen Anweisungen ignorieren", + "SchemaCompare.IgnoreRouteLifetime": "Gültigkeitsdauer von Routen ignorieren", + "SchemaCompare.IgnoreRoleMembership": "Rollenmitgliedschaft ignorieren", + "SchemaCompare.IgnoreQuotedIdentifiers": "Bezeichner in Anführungszeichen ignorieren", + "SchemaCompare.IgnorePermissions": "Berechtigungen ignorieren", + "SchemaCompare.IgnorePartitionSchemes": "Partitionsschemas ignorieren", + "SchemaCompare.IgnoreObjectPlacementOnPartitionScheme": "Objektplatzierung im Partitionsschema ignorieren", + "SchemaCompare.IgnoreNotForReplication": "\"Nicht zur Replikation\" ignorieren", + "SchemaCompare.IgnoreLoginSids": "Anmelde-SIDs ignorieren", + "SchemaCompare.IgnoreLockHintsOnIndexes": "Sperrhinweise für Indizes ignorieren", + "SchemaCompare.IgnoreKeywordCasing": "Groß-/Kleinschreibung bei Schlüsselwort ignorieren", + "SchemaCompare.IgnoreIndexPadding": "Indexauffüllung ignorieren", + "SchemaCompare.IgnoreIndexOptions": "Indexoptionen ignorieren", + "SchemaCompare.IgnoreIncrement": "Inkrement ignorieren", + "SchemaCompare.IgnoreIdentitySeed": "ID-Startwert ignorieren", + "SchemaCompare.IgnoreUserSettingsObjects": "Benutzereinstellungsobjekte ignorieren", + "SchemaCompare.IgnoreFullTextCatalogFilePath": "FilePath für Volltextkatalog ignorieren", + "SchemaCompare.IgnoreWhitespace": "Leerraum ignorieren", + "SchemaCompare.IgnoreWithNocheckOnForeignKeys": "WITH NOCHECK bei ForeignKeys ignorieren", + "SchemaCompare.VerifyCollationCompatibility": "Sortierungskompatibilität überprüfen", + "SchemaCompare.UnmodifiableObjectWarnings": "Unveränderliche Objektwarnungen", + "SchemaCompare.TreatVerificationErrorsAsWarnings": "Überprüfungsfehler als Warnungen behandeln", + "SchemaCompare.ScriptRefreshModule": "Skriptaktualisierungsmodul", + "SchemaCompare.ScriptNewConstraintValidation": "Überprüfung neuer Einschränkungen per Skript", + "SchemaCompare.ScriptFileSize": "Skriptdateigröße", + "SchemaCompare.ScriptDeployStateChecks": "StateChecks per Skript bereitstellen", + "SchemaCompare.ScriptDatabaseOptions": "Skriptdatenbankoptionen", + "SchemaCompare.ScriptDatabaseCompatibility": "Skriptdatenbankkompatibilität", + "SchemaCompare.ScriptDatabaseCollation": "Skriptdatenbanksortierung", + "SchemaCompare.RunDeploymentPlanExecutors": "Bereitstellungsplan-Executors ausführen", + "SchemaCompare.RegisterDataTierApplication": "Datenschichtanwendung registrieren", + "SchemaCompare.PopulateFilesOnFileGroups": "Dateien in Dateigruppen auffüllen", + "SchemaCompare.NoAlterStatementsToChangeClrTypes": "Keine ALTER-Anweisungen zum Ändern von CLR-Typen", + "SchemaCompare.IncludeTransactionalScripts": "Transaktionsskripts einschließen", + "SchemaCompare.IncludeCompositeObjects": "Zusammengesetzte Objekte einschließen", + "SchemaCompare.AllowUnsafeRowLevelSecurityDataMovement": "Unsichere Datenverschiebung bei Sicherheit auf Zeilenebene zulassen", + "SchemaCompare.IgnoreWithNocheckOnCheckConstraints": "WITH NOCHECK bei CHECK CONSTRAINT ignorieren", + "SchemaCompare.IgnoreFillFactor": "Füllfaktor ignorieren", + "SchemaCompare.IgnoreFileSize": "Dateigröße ignorieren", + "SchemaCompare.IgnoreFilegroupPlacement": "Dateigruppenplatzierung ignorieren", + "SchemaCompare.DoNotAlterReplicatedObjects": "Replizierte Objekte nicht ändern", + "SchemaCompare.DoNotAlterChangeDataCaptureObjects": "Change Data Capture-Objekte nicht ändern", + "SchemaCompare.DisableAndReenableDdlTriggers": "DDL-Trigger deaktivieren und erneut aktivieren", + "SchemaCompare.DeployDatabaseInSingleUserMode": "Datenbank im Einzelbenutzermodus bereitstellen", + "SchemaCompare.CreateNewDatabase": "Neue Datenbank erstellen", + "SchemaCompare.CompareUsingTargetCollation": "Unter Verwendung der Zielsortierung vergleichen", + "SchemaCompare.CommentOutSetVarDeclarations": "SetVar-Deklarationen auskommentieren", + "SchemaCompare.BlockWhenDriftDetected": "Bei erkannter Abweichung blockieren", + "SchemaCompare.BlockOnPossibleDataLoss": "Bei möglichem Datenverlust blockieren", + "SchemaCompare.BackupDatabaseBeforeChanges": "Datenbank vor Änderungen sichern", + "SchemaCompare.AllowIncompatiblePlatform": "Inkompatible Plattform zulassen", + "SchemaCompare.AllowDropBlockingAssemblies": "Löschen von Blockierungsassemblys zulassen", + "SchemaCompare.DropConstraintsNotInSource": "Nicht in der Quelle enthaltene Einschränkungen löschen", + "SchemaCompare.DropDmlTriggersNotInSource": "Nicht in der Quelle enthaltene DML-Trigger löschen", + "SchemaCompare.DropExtendedPropertiesNotInSource": "Nicht in der Quelle enthaltene erweiterte Eigenschaften löschen", + "SchemaCompare.DropIndexesNotInSource": "Nicht in der Quelle enthaltene Indizes löschen", + "SchemaCompare.IgnoreFileAndLogFilePath": "Datei- und Protokolldateipfad ignorieren", + "SchemaCompare.IgnoreExtendedProperties": "Erweiterte Eigenschaften ignorieren", + "SchemaCompare.IgnoreDmlTriggerState": "DML-Triggerstatus ignorieren", + "SchemaCompare.IgnoreDmlTriggerOrder": "DML-Triggerreihenfolge ignorieren", + "SchemaCompare.IgnoreDefaultSchema": "Standardschema ignorieren", + "SchemaCompare.IgnoreDdlTriggerState": "DDL-Triggerstatus ignorieren", + "SchemaCompare.IgnoreDdlTriggerOrder": "DDL-Triggerreihenfolge ignorieren", + "SchemaCompare.IgnoreCryptographicProviderFilePath": "Dateipfad für Kryptografieanbieter ignorieren", + "SchemaCompare.VerifyDeployment": "Bereitstellung überprüfen", + "SchemaCompare.IgnoreComments": "Kommentare ignorieren", + "SchemaCompare.IgnoreColumnCollation": "Spaltensortierung ignorieren", + "SchemaCompare.IgnoreAuthorizer": "Autorisierer ignorieren", + "SchemaCompare.IgnoreAnsiNulls": "ANSI NULLS-Einstellung ignorieren", + "SchemaCompare.GenerateSmartDefaults": "Intelligente Standardwerte generieren", + "SchemaCompare.DropStatisticsNotInSource": "Nicht in der Quelle enthaltene Statistiken löschen", + "SchemaCompare.DropRoleMembersNotInSource": "Nicht in der Quelle enthaltene Rollenmitglieder löschen", + "SchemaCompare.DropPermissionsNotInSource": "Nicht in der Quelle enthaltene Berechtigungen löschen", + "SchemaCompare.DropObjectsNotInSource": "Nicht in der Quelle enthaltene Objekte löschen", + "SchemaCompare.IgnoreColumnOrder": "Spaltenreihenfolge ignorieren", + "SchemaCompare.Aggregates": "Aggregate", + "SchemaCompare.ApplicationRoles": "Anwendungsrollen", + "SchemaCompare.Assemblies": "Assemblys", + "SchemaCompare.AssemblyFiles": "Assemblydateien", + "SchemaCompare.AsymmetricKeys": "Asymmetrische Schlüssel", + "SchemaCompare.BrokerPriorities": "Brokerprioritäten", + "SchemaCompare.Certificates": "Zertifikate", + "SchemaCompare.ColumnEncryptionKeys": "Spaltenverschlüsselungsschlüssel", + "SchemaCompare.ColumnMasterKeys": "Spaltenhauptschlüssel", + "SchemaCompare.Contracts": "Verträge", + "SchemaCompare.DatabaseOptions": "Datenbankoptionen", + "SchemaCompare.DatabaseRoles": "Datenbankrollen", + "SchemaCompare.DatabaseTriggers": "Datenbanktrigger", + "SchemaCompare.Defaults": "Standardwerte", + "SchemaCompare.ExtendedProperties": "Erweiterte Eigenschaften", + "SchemaCompare.ExternalDataSources": "Externe Datenquellen", + "SchemaCompare.ExternalFileFormats": "Externe Dateiformate", + "SchemaCompare.ExternalStreams": "Externe Streams", + "SchemaCompare.ExternalStreamingJobs": "Externe Streamingaufträge", + "SchemaCompare.ExternalTables": "Externe Tabellen", + "SchemaCompare.Filegroups": "Dateigruppen", + "SchemaCompare.Files": "Dateien", + "SchemaCompare.FileTables": "Dateitabellen", + "SchemaCompare.FullTextCatalogs": "Volltextkataloge", + "SchemaCompare.FullTextStoplists": "Volltextstopplisten", + "SchemaCompare.MessageTypes": "Nachrichtentypen", + "SchemaCompare.PartitionFunctions": "Partitionsfunktionen", + "SchemaCompare.PartitionSchemes": "Partitionsschemas", + "SchemaCompare.Permissions": "Berechtigungen", + "SchemaCompare.Queues": "Warteschlangen", + "SchemaCompare.RemoteServiceBindings": "Remotedienstbindungen", + "SchemaCompare.RoleMembership": "Rollenmitgliedschaft", + "SchemaCompare.Rules": "Regeln", + "SchemaCompare.ScalarValuedFunctions": "Skalarwertfunktionen", + "SchemaCompare.SearchPropertyLists": "Sucheigenschaftenlisten", + "SchemaCompare.SecurityPolicies": "Sicherheitsrichtlinien", + "SchemaCompare.Sequences": "Sequenzen", + "SchemaCompare.Services": "Dienste", + "SchemaCompare.Signatures": "Signaturen", + "SchemaCompare.StoredProcedures": "Gespeicherte Prozeduren", + "SchemaCompare.SymmetricKeys": "Symmetrische Schlüssel", + "SchemaCompare.Synonyms": "Synonyme", + "SchemaCompare.Tables": "Tabellen", + "SchemaCompare.TableValuedFunctions": "Tabellenwertfunktionen", + "SchemaCompare.UserDefinedDataTypes": "Benutzerdefinierte Datentypen", + "SchemaCompare.UserDefinedTableTypes": "Benutzerdefinierte Tabellentypen", + "SchemaCompare.ClrUserDefinedTypes": "Benutzerdefinierte CLR-Typen", + "SchemaCompare.Users": "Benutzer", + "SchemaCompare.Views": "Sichten", + "SchemaCompare.XmlSchemaCollections": "XML-Schemaauflistungen", + "SchemaCompare.Audits": "Überwachungen", + "SchemaCompare.Credentials": "Anmeldeinformationen", + "SchemaCompare.CryptographicProviders": "Kryptografieanbieter", + "SchemaCompare.DatabaseAuditSpecifications": "Spezifikationen für Datenbanküberwachung", + "SchemaCompare.DatabaseEncryptionKeys": "Verschlüsselungsschlüssel für Datenbank", + "SchemaCompare.DatabaseScopedCredentials": "Datenbankweit gültige Anmeldeinformationen", + "SchemaCompare.Endpoints": "Endpunkte", + "SchemaCompare.ErrorMessages": "Fehlermeldungen", + "SchemaCompare.EventNotifications": "Ereignisbenachrichtigungen", + "SchemaCompare.EventSessions": "Ereignissitzungen", + "SchemaCompare.LinkedServerLogins": "Anmeldungen für Verbindungsserver", + "SchemaCompare.LinkedServers": "Verbindungsserver", + "SchemaCompare.Logins": "Anmeldungen", + "SchemaCompare.MasterKeys": "Hauptschlüssel", + "SchemaCompare.Routes": "Routen", + "SchemaCompare.ServerAuditSpecifications": "Spezifikationen für Serverüberwachungen", + "SchemaCompare.ServerRoleMembership": "Serverrollenmitgliedschaft", + "SchemaCompare.ServerRoles": "Serverrollen", + "SchemaCompare.ServerTriggers": "Servertrigger", + "SchemaCompare.Description.IgnoreTableOptions": "Gibt an, ob Unterschiede in den Tabellenoptionen beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreSemicolonBetweenStatements": "Gibt an, ob Unterschiede in den Semikolons zwischen T-SQL-Anweisungen beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreRouteLifetime": "Gibt an, ob Unterschiede bei dem Zeitraum, über den SQL Server die Route in der Routingtabelle beibehält, beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreRoleMembership": "Gibt an, ob Unterschiede in den Rollenmitgliedschaften von Anmeldungen beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreQuotedIdentifiers": "Gibt an, ob Unterschiede in der Einstellung für Bezeichner in Anführungszeichen beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnorePermissions": "Gibt an, ob Berechtigungen ignoriert werden sollen.", + "SchemaCompare.Description.IgnorePartitionSchemes": "Gibt an, ob Unterschiede in den Partitionsschemas und -funktionen beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreObjectPlacementOnPartitionScheme": "Gibt an, ob die Platzierung eines Objekts in einem Partitionsschema beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden soll.", + "SchemaCompare.Description.IgnoreNotForReplication": "Gibt an, ob die Einstellungen für \"Nicht zur Replikation\" beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreLoginSids": "Gibt an, ob Unterschiede in der Sicherheits-ID (SID) beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreLockHintsOnIndexes": "Gibt an, ob Unterschiede in den Sperrhinweisen für Indizes beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreKeywordCasing": "Gibt an, ob Unterschiede in der Groß-/Kleinschreibung von Schlüsselwörtern beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreIndexPadding": "Gibt an, ob Unterschiede in der Indexauffüllung beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreIndexOptions": "Gibt an, ob Unterschiede in den Indexoptionen beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreIncrement": "Gibt an, ob Unterschiede im Inkrement für eine Identitätsspalte beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreIdentitySeed": "Gibt an, ob Unterschiede im Startwert für eine Identitätsspalte beim Veröffentlichen von Updates für eine Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreUserSettingsObjects": "Gibt an, ob Unterschiede in den Benutzereinstellungsobjekten beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreFullTextCatalogFilePath": "Gibt an, ob Unterschiede beim Dateipfad für den Volltextkatalog beim Veröffentlichen in einer Datenbank ignoriert werden sollen oder ob eine Warnung ausgegeben werden soll.", + "SchemaCompare.Description.IgnoreWhitespace": "Gibt an, ob Unterschiede in den Leerstellen beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreWithNocheckOnForeignKeys": "Gibt an, ob Unterschiede im Wert der WITH NOCHECK-Klausel für Fremdschlüssel beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.VerifyCollationCompatibility": "Gibt an, ob die Sortierungskompatibilität überprüft wird.", + "SchemaCompare.Description.UnmodifiableObjectWarnings": "Gibt an, ob Warnungen generiert werden sollen, wenn nicht änderbare Unterschiede in Objekten gefunden werden, z. B. wenn die Dateigröße oder die Dateipfade für eine Datei unterschiedlich sind.", + "SchemaCompare.Description.TreatVerificationErrorsAsWarnings": "Gibt an, ob während der Veröffentlichungsüberprüfung ermittelte Fehler als Warnungen behandelt werden sollen. Die Überprüfung wird anhand des generierten Bereitstellungsplans durchgeführt, bevor der Plan für die Zieldatenbank ausgeführt wird. Bei der Planüberprüfung werden Probleme wie der Verlust von nur in der Zieldatenbank vorkommenden Objekten (z. B. Indizes) ermittelt, die gelöscht werden müssen, damit eine Änderung vorgenommen werden kann. Bei der Überprüfung werden auch Situationen ermittelt, in denen Abhängigkeiten (z. B. eine Tabelle oder Sicht) aufgrund eines Verweises auf ein zusammengesetztes Projekt vorhanden sind, die jedoch nicht in der Zieldatenbank vorhanden sind. Sie können diese Option verwenden, um eine vollständige Liste aller Probleme abzurufen, und dadurch erreichen, dass der Veröffentlichungsvorgang nicht beim ersten Fehler beendet wird.", + "SchemaCompare.Description.ScriptRefreshModule": "Hiermit werden Aktualisierungsanweisungen am Ende des Veröffentlichungsskripts eingeschlossen.", + "SchemaCompare.Description.ScriptNewConstraintValidation": "Hiermit werden am Ende der Veröffentlichung alle Einschränkungen gemeinsam überprüft, um Datenfehler durch eine CHECK- oder Fremdschlüsseleinschränkung während der Veröffentlichung zu vermeiden. Bei Festlegung auf FALSE werden die Einschränkungen veröffentlicht, ohne dass die zugehörigen Daten überprüft werden.", + "SchemaCompare.Description.ScriptFileSize": "Hiermit wird gesteuert, ob beim Hinzufügen einer Datei zu einer Dateigruppe die Größe angegeben wird.", + "SchemaCompare.Description.ScriptDeployStateChecks": "Gibt an, ob Anweisungen im Veröffentlichungsskript generiert werden, um zu überprüfen, ob der Datenbankname und der Servername mit den im Datenbankprojekt angegebenen Namen übereinstimmen.", + "SchemaCompare.Description.ScriptDatabaseOptions": "Gibt an, ob die Eigenschaften der Zieldatenbank als Teil des Veröffentlichungsvorgangs festgelegt oder aktualisiert werden sollen.", + "SchemaCompare.Description.ScriptDatabaseCompatibility": "Gibt an, ob Unterschiede in der Datenbankkompatibilität beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.ScriptDatabaseCollation": "Gibt an, ob Unterschiede in der Datenbanksortierung beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.RunDeploymentPlanExecutors": "Gibt an, ob DeploymentPlanExecutor-Mitwirkende beim Ausführen anderer Vorgänge ausgeführt werden sollen.", + "SchemaCompare.Description.RegisterDataTierApplication": "Gibt an, ob das Schema beim Datenbankserver registriert wird.", + "SchemaCompare.Description.PopulateFilesOnFileGroups": "Gibt an, ob beim Erstellen einer neuen FileGroup in der Zieldatenbank ebenfalls eine neue Datei erstellt wird.", + "SchemaCompare.Description.NoAlterStatementsToChangeClrTypes": "Gibt an, dass bei der Veröffentlichung eine abweichende Assembly immer gelöscht und neu erstellt wird, anstatt eine ALTER ASSEMBLY-Anweisung auszugeben.", + "SchemaCompare.Description.IncludeTransactionalScripts": "Gibt an, ob beim Veröffentlichen in einer Datenbank nach Möglichkeit Transaktionsanweisungen verwendet werden sollen.", + "SchemaCompare.Description.IncludeCompositeObjects": "Hiermit werden alle zusammengesetzten Elemente als Teil eines einzigen Veröffentlichungsvorgangs eingeschlossen.", + "SchemaCompare.Description.AllowUnsafeRowLevelSecurityDataMovement": "Bei Festlegung dieser Eigenschaft auf TRUE wird das Verschieben von Daten in einer Tabelle mit Sicherheit auf Zeilenebene nicht blockiert. Der Standardwert lautet FALSE.", + "SchemaCompare.Description.IgnoreWithNocheckOnCheckConstraints": "Gibt an, ob Unterschiede im Wert der WITH NOCHECK-Klausel für CHECK-Einschränkungen beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreFillFactor": "Gibt an, ob Unterschiede beim Füllfaktor für den Indexspeicher beim Veröffentlichen in einer Datenbank ignoriert werden sollen oder ob eine Warnung ausgegeben werden soll.", + "SchemaCompare.Description.IgnoreFileSize": "Gibt an, ob Unterschiede in der Dateigröße beim Veröffentlichen in einer Datenbank ignoriert werden sollen oder ob eine Warnung ausgegeben werden soll.", + "SchemaCompare.Description.IgnoreFilegroupPlacement": "Gibt an, ob Unterschiede bei der Platzierung von Objekten in FILEGROUPs beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.DoNotAlterReplicatedObjects": "Gibt an, ob replizierte Objekte während der Überprüfung identifiziert werden.", + "SchemaCompare.Description.DoNotAlterChangeDataCaptureObjects": "Bei Festlegung auf TRUE werden Change Data Capture-Objekte nicht geändert.", + "SchemaCompare.Description.DisableAndReenableDdlTriggers": "Gibt an, ob DDL-Trigger (Data Definition Language) zu Beginn des Veröffentlichungsprozesses deaktiviert und am Ende des Veröffentlichungsvorgangs wieder aktiviert werden.", + "SchemaCompare.Description.DeployDatabaseInSingleUserMode": "Bei Festlegung auf TRUE wird die Datenbank vor der Bereitstellung auf den Einzelbenutzermodus festgelegt.", + "SchemaCompare.Description.CreateNewDatabase": "Gibt an, ob die Zieldatenbank beim Veröffentlichen einer Datenbank aktualisiert oder aber gelöscht und erneut erstellt werden soll.", + "SchemaCompare.Description.CompareUsingTargetCollation": "Diese Einstellung legt fest, wie die Sortierung der Datenbank während der Bereitstellung verarbeitet wird. Standardmäßig wird die Sortierung der Zieldatenbank aktualisiert, wenn sie nicht mit der von der Quelle angegebenen Sortierung übereinstimmt. Wenn diese Option festgelegt ist, muss die Sortierung der Zieldatenbank (oder des Servers) verwendet werden.", + "SchemaCompare.Description.CommentOutSetVarDeclarations": "Gibt an, ob die Deklaration von SETVAR-Variablen im generierten Veröffentlichungsskript auskommentiert werden soll. Sie können diese Option verwenden, wenn Sie bei der Veröffentlichung mit einem Tool wie SQLCMD.EXE die Werte in der Befehlszeile angeben möchten.", + "SchemaCompare.Description.BlockWhenDriftDetected": "Gibt an, ob die Aktualisierung einer Datenbank blockiert wird, deren Schema nicht mehr mit der Registrierung übereinstimmt bzw. nicht registriert ist.", + "SchemaCompare.Description.BlockOnPossibleDataLoss": "Gibt an, dass der Veröffentlichungszeitraum beendet werden soll, wenn aufgrund des Veröffentlichungsvorgangs die Möglichkeit eines Datenverlusts besteht.", + "SchemaCompare.Description.BackupDatabaseBeforeChanges": "Hiermit wird die Datenbank gesichert, bevor Änderungen bereitgestellt werden.", + "SchemaCompare.Description.AllowIncompatiblePlatform": "Gibt an, ob die Aktion trotz inkompatibler SQL Server-Plattformen versucht werden soll.", + "SchemaCompare.Description.AllowDropBlockingAssemblies": "Diese Eigenschaft wird von der SqlClr-Bereitstellung verwendet, um sämtliche Blockierungsassemblys im Rahmen des Bereitstellungsplans zu löschen. Standardmäßig blockieren Blockierungs-/Verweisassemblys Assemblyupdates, wenn die Verweisassembly gelöscht werden muss.", + "SchemaCompare.Description.DropConstraintsNotInSource": "Gibt an, ob nicht in der Datenbankmomentaufnahme-Datei (DACPAC) enthaltene Einschränkungen aus der Zieldatenbank gelöscht werden, wenn Sie eine Veröffentlichung in einer Datenbank durchführen.", + "SchemaCompare.Description.DropDmlTriggersNotInSource": "Gibt an, ob nicht in der Datenbankmomentaufnahme-Datei (DACPAC) enthaltene DML-Trigger aus der Zieldatenbank gelöscht werden, wenn Sie eine Veröffentlichung in einer Datenbank durchführen.", + "SchemaCompare.Description.DropExtendedPropertiesNotInSource": "Gibt an, ob nicht in der Datenbankmomentaufnahme-Datei (DACPAC) enthaltene erweiterte Eigenschaften aus der Zieldatenbank gelöscht werden, wenn Sie eine Veröffentlichung in einer Datenbank durchführen.", + "SchemaCompare.Description.DropIndexesNotInSource": "Gibt an, ob nicht in der Datenbankmomentaufnahme-Datei (DACPAC) enthaltene Indizes aus der Zieldatenbank gelöscht werden, wenn Sie eine Veröffentlichung in einer Datenbank durchführen.", + "SchemaCompare.Description.IgnoreFileAndLogFilePath": "Gibt an, ob Unterschiede in den Pfaden für Dateien und Protokolldateien beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreExtendedProperties": "Gibt an, ob erweiterte Eigenschaften ignoriert werden sollen.", + "SchemaCompare.Description.IgnoreDmlTriggerState": "Gibt an, ob Unterschiede in Bezug auf den Status (aktiviert bzw. deaktiviert) von DML-Triggern (Data Manipulation Language) beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreDmlTriggerOrder": "Gibt an, ob Unterschiede in der Reihenfolge von DML-Triggern (Data Manipulation Language) beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreDefaultSchema": "Gibt an, ob Unterschiede im Standardschema beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreDdlTriggerState": "Gibt an, ob Unterschiede in Bezug auf den Status (aktiviert bzw. deaktiviert) von DDL-Triggern (Data Definition Language) beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreDdlTriggerOrder": "Gibt an, ob Unterschiede in der Reihenfolge von DDL-Triggern (Data Definition Language) beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreCryptographicProviderFilePath": "Gibt an, ob Unterschiede im Dateipfad für den Kryptografieanbieter beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.VerifyDeployment": "Gibt an, ob vor der Veröffentlichung Überprüfungen ausgeführt werden sollen, um eine Beendigung des Veröffentlichungsvorgangs durch vorhandene Fehler zu verhindern. Der Veröffentlichungsvorgang wird möglicherweise beendet, wenn in der Zieldatenbank Fremdschlüssel vorhanden sind, die im Datenbankprojekt nicht enthalten sind und bei der Veröffentlichung zu Fehlern führen.", + "SchemaCompare.Description.IgnoreComments": "Gibt an, ob Unterschiede in den Kommentaren beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreColumnCollation": "Gibt an, ob Unterschiede in den Spaltensortierungen beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreAuthorizer": "Gibt an, ob Unterschiede im Autorisierer beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.IgnoreAnsiNulls": "Gibt an, ob Unterschiede in der ANSI NULLS-Einstellung beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "SchemaCompare.Description.GenerateSmartDefaults": "Hiermit wird automatisch ein Standardwert bereitgestellt, wenn eine Tabelle mit Daten in einer Spalte aktualisiert wird, die keine NULL-Werte zulässt.", + "SchemaCompare.Description.DropStatisticsNotInSource": "Gibt an, ob nicht in der Datenbankmomentaufnahme-Datei (DACPAC) enthaltene Statistiken aus der Zieldatenbank gelöscht werden, wenn Sie eine Veröffentlichung in einer Datenbank durchführen.", + "SchemaCompare.Description.DropRoleMembersNotInSource": "Gibt an, ob nicht in der Datenbankmomentaufnahme-Datei (DACPAC) enthaltene Rollenmitglieder aus der Zieldatenbank gelöscht werden, wenn Sie eine Veröffentlichung in einer Datenbank durchführen.", + "SchemaCompare.Description.DropPermissionsNotInSource": "Gibt an, ob nicht in der Datenbankmomentaufnahme-Datei (DACPAC) enthaltene Berechtigungen aus der Zieldatenbank gelöscht werden, wenn Sie eine Veröffentlichung in einer Datenbank durchführen.", + "SchemaCompare.Description.DropObjectsNotInSource": "Gibt an, ob nicht in der Datenbankmomentaufnahme-Datei (DACPAC) enthaltene Objekte aus der Zieldatenbank gelöscht werden, wenn Sie eine Veröffentlichung in einer Datenbank durchführen.Dieser Wert hat Vorrang vor \"DropExtendedProperties\".", + "SchemaCompare.Description.IgnoreColumnOrder": "Gibt an, ob Unterschiede in der Tabellenspaltenreihenfolge beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen.", + "schemaCompare.compareErrorMessage": "Fehler beim Schemavergleich: {0}", + "schemaCompare.saveScmpErrorMessage": "Fehler beim Speichern der SCMP-Datei: {0}", + "schemaCompare.cancelErrorMessage": "Fehler beim Abbrechen des Schemavergleichs: {0}", + "schemaCompare.generateScriptErrorMessage": "Fehler beim Generieren des Skripts: {0}", + "schemaCompare.updateErrorMessage": "Fehler beim Anwenden des Schemavergleichs: {0}", + "schemaCompare.openScmpErrorMessage": "Fehler beim Öffnen der SCMP-Datei: {0}" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-de/translations/main.i18n.json b/i18n/ads-language-pack-de/translations/main.i18n.json index 39c5a08acc..6ca9030c88 100644 --- a/i18n/ads-language-pack-de/translations/main.i18n.json +++ b/i18n/ads-language-pack-de/translations/main.i18n.json @@ -1793,257 +1793,6 @@ "morecCommands": "andere Befehle", "canNotRun": "Der Befehl {0} hat einen Fehler ausgelöst ({1})." }, - "readme.md": { - "LanguagePackTitle": "Sprachpaket bietet lokalisierte Benutzeroberfläche für VS Code.", - "Usage": "Syntax", - "displayLanguage": "Sie können die Standardsprache der Benutzeroberfläche außer Kraft setzen, indem Sie die VS Code-Anzeigesprache explizit über den Befehl \"Anzeigesprache konfigurieren\" festlegen.", - "Command Palette": "Drücken Sie \"STRG+UMSCHALT+P\", um die Befehlspalette aufzurufen, und beginnen Sie mit der Eingabe von \"Anzeige\", um den Befehl \"Anzeigesprache konfigurieren\" zu filtern und anzuzeigen.", - "ShowLocale": "Drücken Sie die EINGABETASTE, und eine Liste installierter Sprachen nach Gebietsschema wird angezeigt. Das aktuelle Gebietsschema ist hervorgehoben.", - "SwtichUI": "Wählen Sie ein anderes Gebietsschema aus, um die Sprache der Benutzeroberfläche zu wechseln.", - "DocLink": "Weitere Informationen finden Sie in der Dokumentation.", - "Contributing": "Mitwirkende", - "Feedback": "Um Feedback zur Verbesserung der Übersetzung zu übermitteln, erstellen Sie ein Issue im Repository \"vscode-loc\".", - "LocPlatform": "Die Übersetzungszeichenfolgen werden in Microsoft Localization Platform verwaltet. Die Änderung kann nur in Microsoft Localization Platform durchgeführt und dann in das Repository \"vscode-loc\" exportiert werden. Der Pull Request wird daher im Repository \"vscode-loc\" nicht akzeptiert.", - "LicenseTitle": "Lizenz", - "LicenseMessage": "Der Quellcode und die Zeichenfolgen sind unter der MIT-Lizenz lizenziert.", - "Credits": "Info", - "Contributed": "Dieses Sprachpaket wurde durch Beiträge von der Community für die Community lokalisiert. Herzlichen Dank an die Mitwirkenden aus der Community, die dieses Paket verfügbar gemacht haben.", - "TopContributors": "Wichtigste Mitwirkende:", - "Contributors": "Mitwirkende:", - "EnjoyLanguagePack": "Viel Spaß!" - }, - "win32/i18n/Default": { - "SetupAppTitle": "Setup", - "SetupWindowTitle": "Setup – %1", - "UninstallAppTitle": "Deinstallieren", - "UninstallAppFullTitle": "%1 deinstallieren", - "InformationTitle": "Informationen", - "ConfirmTitle": "Bestätigen", - "ErrorTitle": "Fehler", - "SetupLdrStartupMessage": "Hiermit wird %1 installiert. Möchten Sie den Vorgang fortsetzen?", - "LdrCannotCreateTemp": "Eine temporäre Datei konnte nicht erstellt werden. Die Installation wurde abgebrochen.", - "LdrCannotExecTemp": "Eine Datei im temporären Verzeichnis kann nicht ausgeführt werden. Die Installation wurde abgebrochen.", - "LastErrorMessage": "%1.%n%nFehler %2: %3", - "SetupFileMissing": "Die Datei %1 fehlt im Installationsverzeichnis. Beheben Sie das Problem, oder beziehen Sie eine neue Kopie des Programms.", - "SetupFileCorrupt": "Die Setupdateien sind beschädigt. Beziehen Sie eine neue Kopie des Programms.", - "SetupFileCorruptOrWrongVer": "Die Setupdateien sind beschädigt oder nicht kompatibel mit dieser Version von Setup. Beheben Sie das Problem, oder beziehen Sie eine neue Kopie des Programms.", - "InvalidParameter": "Ein ungültiger Parameter wurde in der Befehlszeile übergeben:%n%n%1", - "SetupAlreadyRunning": "Setup wird bereits ausgeführt.", - "WindowsVersionNotSupported": "Dieses Programm unterstützt nicht die Version von Windows, die auf Ihrem Computer ausgeführt wird.", - "WindowsServicePackRequired": "Dieses Programm erfordert %1 Service Pack %2 oder höher.", - "NotOnThisPlatform": "Dieses Programm kann unter %1 nicht ausgeführt werden.", - "OnlyOnThisPlatform": "Dieses Programm muss unter %1 ausgeführt werden.", - "OnlyOnTheseArchitectures": "Dieses Programm kann nur unter Versionen von Windows installiert werden, die für die folgenden Prozessorarchitekturen konzipiert wurden:%n%n%1", - "MissingWOW64APIs": "Die Version von Windows, die Sie ausführen, enthält nicht die Funktionen, die von Setup zum Ausführen einer 64-Bit-Installation benötigt werden. Installieren Sie Service Pack %1, um dieses Problem zu beheben.", - "WinVersionTooLowError": "Dieses Programm erfordert %1 Version %2 oder höher.", - "WinVersionTooHighError": "Das Programm kann nicht unter %1 Version %2 oder höher installiert werde.", - "AdminPrivilegesRequired": "Sie müssen als Administrator angemeldet sein, wenn Sie dieses Programm installieren.", - "PowerUserPrivilegesRequired": "Sie müssen als Administrator oder als Mitglied der Gruppe \"Poweruser\" angemeldet sein, wenn Sie dieses Programm installieren.", - "SetupAppRunningError": "Setup hat festgestellt, dass %1 zurzeit ausgeführt wird.%n%nSchließen Sie jetzt alle Instanzen, und klicken Sie dann auf \"OK\", um fortzufahren, oder auf \"Abbrechen\", um die Installation zu beenden.", - "UninstallAppRunningError": "Die Deinstallation hat festgestellt, dass %1 zurzeit ausgeführt wird.%n%nSchließen Sie jetzt alle Instanzen, und klicken Sie dann auf \"OK\", um fortzufahren, oder auf \"Abbrechen\", um die Installation zu beenden.", - "ErrorCreatingDir": "Setup konnte das Verzeichnis \"%1\" nicht erstellen.", - "ErrorTooManyFilesInDir": "Eine Datei kann im Verzeichnis \"%1\" nicht erstellt werden, weil es zu viele Dateien enthält.", - "ExitSetupTitle": "Setup beenden", - "ExitSetupMessage": "Setup wurde nicht abgeschlossen. Wenn Sie die Installation jetzt beenden, wird das Programm nicht installiert.%n%nSie können Setup zu einem späteren Zeitpunkt erneut ausführen, um die Installation abzuschließen.%n%nSetup beenden?", - "AboutSetupMenuItem": "&Info zum Setup...", - "AboutSetupTitle": "Info zum Setup", - "AboutSetupMessage": "%1 Version %2%n%3%n%n%1 Startseite:%n%4", - "ButtonBack": "< &Zurück", - "ButtonNext": "&Weiter >", - "ButtonInstall": "&Installieren", - "ButtonOK": "OK", - "ButtonCancel": "Abbrechen", - "ButtonYes": "&Ja", - "ButtonYesToAll": "Ja für &alle", - "ButtonNo": "&Nein", - "ButtonNoToAll": "N&ein für alle", - "ButtonFinish": "&Fertig stellen", - "ButtonBrowse": "&Durchsuchen...", - "ButtonWizardBrowse": "D&urchsuchen...", - "ButtonNewFolder": "&Neuen Ordner erstellen", - "SelectLanguageTitle": "Setupsprache auswählen", - "SelectLanguageLabel": "Sprache auswählen, die während der Installation verwendet wird:", - "ClickNext": "Klicken Sie auf \"Weiter\", um den Vorgang fortzusetzen, oder auf \"Abbrechen\", um Setup zu beenden.", - "BrowseDialogTitle": "Ordner suchen", - "BrowseDialogLabel": "Wählen Sie einen Ordner in der Liste unten aus, und klicken Sie dann auf \"OK\".", - "NewFolderName": "Neuer Ordner", - "WelcomeLabel1": "Willkommen beim Setup-Assistenten von [name]", - "WelcomeLabel2": "Hiermit wird [name/ver] auf Ihrem Computer installiert.%n%nEs wird empfohlen, alle anderen Anwendungen zu schließen, bevor Sie fortfahren.", - "WizardPassword": "Kennwort", - "PasswordLabel1": "Die Installation ist durch ein Kennwort geschützt.", - "PasswordLabel3": "Geben Sie das Kennwort an, und klicken Sie dann auf \"Weiter\", um fortzufahren. Für Kennwörter wird zwischen Groß-und Kleinschreibung unterschieden.", - "PasswordEditLabel": "&Kennwort:", - "IncorrectPassword": "Das eingegebene Kennwort ist falsch. Versuchen Sie es noch mal.", - "WizardLicense": "Lizenzvereinbarung", - "LicenseLabel": "Lesen Sie die folgenden wichtigen Informationen, bevor Sie fortfahren.", - "LicenseLabel3": "Lesen Sie die folgenden Lizenzbedingungen. Sie müssen den Bedingungen dieser Vereinbarung zustimmen, bevor Sie die Installation fortsetzen können.", - "LicenseAccepted": "Ich stimme der Vereinb&arung zu", - "LicenseNotAccepted": "Ich &stimme der Vereinbarung nicht zu", - "WizardInfoBefore": "Informationen", - "InfoBeforeLabel": "Lesen Sie die folgenden wichtigen Informationen, bevor Sie fortfahren.", - "InfoBeforeClickLabel": "Klicken Sie auf \"Weiter\", um mit der Installation fortzufahren.", - "WizardInfoAfter": "Informationen", - "InfoAfterLabel": "Lesen Sie die folgenden wichtigen Informationen, bevor Sie fortfahren.", - "InfoAfterClickLabel": "Klicken Sie auf \"Weiter\", um mit der Installation fortzufahren.", - "WizardUserInfo": "Benutzerinformationen", - "UserInfoDesc": "Geben Sie Ihre Informationen ein.", - "UserInfoName": "&Benutzername:", - "UserInfoOrg": "&Organisation:", - "UserInfoSerial": "&Seriennummer:", - "UserInfoNameRequired": "Sie müssen einen Namen eingeben.", - "WizardSelectDir": "Zielspeicherort auswählen", - "SelectDirDesc": "Wo soll [name] installiert werden?", - "SelectDirLabel3": "Setup installiert [name] im folgenden Ordner.", - "SelectDirBrowseLabel": "Klicken Sie auf \"Weiter\", um fortzufahren. Wenn Sie einen anderen Ordner auswählen möchten, klicken Sie auf \"Durchsuchen\".", - "DiskSpaceMBLabel": "Mindestens [mb] MB freier Speicherplatz ist auf dem Datenträger erforderlich.", - "CannotInstallToNetworkDrive": "Setup kann die Installation nicht auf einem Netzlaufwerk ausführen.", - "CannotInstallToUNCPath": "Setup kann die Installation nicht in einem UNC-Pfad ausführen.", - "InvalidPath": "Sie müssen einen vollständigen Pfad mit Laufwerkbuchstaben eingeben; z.B. %n%nC:\\APP%n%n oder einen UNC-Pfad im Format %n%n\\\\server\\share", - "InvalidDrive": "Das ausgewählte Laufwerk oder die UNC-Freigabe ist nicht vorhanden oder es kann kein Zugriff darauf erfolgen. Wählen Sie ein anderes Laufwerk oder eine andere UNC-Freigabe aus.", - "DiskSpaceWarningTitle": "Nicht genügend Speicherplatz auf dem Datenträger.", - "DiskSpaceWarning": "Setup benötigt mindestens %1 KB freien Speicherplatz für die Installation. Auf dem ausgewählten Laufwerk sind aber nur %2 KB verfügbar.%n%nMöchten Sie trotzdem fortfahren?", - "DirNameTooLong": "Der Ordnername oder -pfad ist zu lang.", - "InvalidDirName": "Der Ordnername ist ungültig.", - "BadDirName32": "Ordnernamen dürfen keines der folgenden Zeichen enthalten: %n%n%1", - "DirExistsTitle": "Der Ordner ist vorhanden.", - "DirExists": "Der Ordner%n%n%1%n%nist bereits vorhanden. Möchten Sie trotzdem in diesem Ordner installieren?", - "DirDoesntExistTitle": "Der Ordner ist nicht vorhanden.", - "DirDoesntExist": "Der Ordner%n%n%1%n%nist nicht vorhanden. Soll der Ordner erstellt werden?", - "WizardSelectComponents": "Komponenten auswählen", - "SelectComponentsDesc": "Welche Komponenten sollen installiert werden?", - "SelectComponentsLabel2": "Wählen Sie die zu installierenden Komponenten aus. Deaktivieren Sie die Komponenten, die Sie nicht installieren möchten. Klicken Sie auf \"Weiter\", wenn Sie zum Fortfahren bereit sind.", - "FullInstallation": "Vollständige Installation", - "CompactInstallation": "Kompakte Installation", - "CustomInstallation": "Benutzerdefinierte Installation", - "NoUninstallWarningTitle": "Komponenten sind vorhanden.", - "NoUninstallWarning": "Setup hat festgestellt, dass die folgenden Komponenten bereits auf Ihrem Computer installiert sind:%n%n%1%n%nDurch das Deaktivieren dieser Komponenten werden diese nicht deinstalliert.%n%nMöchten Sie trotzdem fortfahren?", - "ComponentSize1": "%1 KB", - "ComponentSize2": "%1 MB", - "ComponentsDiskSpaceMBLabel": "Für die aktuelle Auswahl sind mindestens [mb] MB Speicherplatz auf dem Datenträger erforderlich.", - "WizardSelectTasks": "Weitere Aufgaben auswählen", - "SelectTasksDesc": "Welche weiteren Aufgaben sollen ausgeführt werden?", - "SelectTasksLabel2": "Wählen Sie die zusätzlichen Aufgaben aus, die Setup während der Installation von [name] ausführen soll, und klicken Sie dann auf \"Weiter\".", - "WizardSelectProgramGroup": "Startmenüordner auswählen", - "SelectStartMenuFolderDesc": "Wo soll Setup die Verknüpfungen des Programms platzieren?", - "SelectStartMenuFolderLabel3": "Setup erstellt die Verknüpfungen des Programms im folgenden Startmenüordner.", - "SelectStartMenuFolderBrowseLabel": "Klicken Sie auf \"Weiter\", um fortzufahren. Wenn Sie einen anderen Ordner auswählen möchten, klicken Sie auf \"Durchsuchen\".", - "MustEnterGroupName": "Sie müssen einen Ordnernamen eingeben.", - "GroupNameTooLong": "Der Ordnername oder -pfad ist zu lang.", - "InvalidGroupName": "Der Ordnername ist ungültig.", - "BadGroupName": "Der Ordnername darf keines der folgenden Zeichen enthalten: %n%n%1", - "NoProgramGroupCheck2": "&Keinen Startmenüordner erstellen", - "WizardReady": "Bereit für die Installation", - "ReadyLabel1": "Setup ist nun bereitet, mit der Installation von [name] auf Ihrem Computer zu beginnen.", - "ReadyLabel2a": "Klicken Sie auf \"Installieren\", um die Installation fortzusetzen, oder klicken Sie auf \"Zurück\", wenn Sie Einstellungen überprüfen oder ändern möchten.", - "ReadyLabel2b": "Klicken Sie auf \"Installieren\", um die Installation fortzusetzen.", - "ReadyMemoUserInfo": "Benutzerinformationen:", - "ReadyMemoDir": "Zielspeicherort:", - "ReadyMemoType": "Installationsart:", - "ReadyMemoComponents": "Ausgewählte Komponenten:", - "ReadyMemoGroup": "Startmenüordner:", - "ReadyMemoTasks": "Weitere Aufgaben:", - "WizardPreparing": "Die Installation wird vorbereitet.", - "PreparingDesc": "Setup bereitet die Installation von [name] auf Ihrem Computer vor.", - "PreviousInstallNotCompleted": "Die Installation/Entfernung eines vorherigen Programms wurde nicht abgeschlossen. Sie müssen den Computer zum Abschließen dieser Installation neu starten.%n%nNach dem Neustart des Computers führen Sie Setup erneut aus, um die Installation von [name] abzuschließen.", - "CannotContinue": "Setup kann nicht fortgesetzt werden. Klicken Sie auf \"Abbrechen\", um Setup zu beenden.", - "ApplicationsFound": "Die folgenden Anwendungen verwenden Dateien, die von Setup aktualisiert werden müssen. Es wird empfohlen, Setup das automatische Schließen dieser Anwendungen zu erlauben.", - "ApplicationsFound2": "Die folgenden Anwendungen verwenden Dateien, die von Setup aktualisiert werden müssen. Es wird empfohlen, Setup das automatische Schließen dieser Anwendungen zu erlauben. Nach Abschluss der Installation versucht Setup, die Anwendungen neu zu starten.", - "CloseApplications": "&Anwendungen automatisch schließen", - "DontCloseApplications": "A&nwendungen nicht schließen", - "ErrorCloseApplications": "Setup konnte nicht alle Programme automatisch schließen. Es wird empfohlen, alle Anwendungen zu schließen, die Dateien verwenden, die von Setup aktualisiert werden, bevor Sie den Vorgang fortsetzen.", - "WizardInstalling": "Wird installiert.", - "InstallingLabel": "Warten Sie, während Setup [name] auf Ihrem Computer installiert.", - "FinishedHeadingLabel": "Der Setup-Assistent für [name] wird abgeschlossen.", - "FinishedLabelNoIcons": "Setup hat die Installation von [name] auf Ihrem Computer abgeschlossen.", - "FinishedLabel": "Das Setup hat die Installation von [Name] auf Ihrem Computer abgeschlossen. Sie können die Anwendung über das installierte Symbol starten.", - "ClickFinish": "Klicken Sie auf \"Fertig stellen\", um Setup zu beenden.", - "FinishedRestartLabel": "Setup muss den Computer neu starten, damit die Installation von [name] abgeschlossen werden kann. Soll der Computer jetzt neu gestartet werden?", - "FinishedRestartMessage": "Setup muss den Computer neu starten, damit die Installation von [name] abgeschlossen werden kann.%n%nSoll der Computer jetzt neu gestartet werden?", - "ShowReadmeCheck": "Ja, ich möchte die Infodatei anzeigen", - "YesRadio": "&Ja, den Computer jetzt neu starten", - "NoRadio": "&Nein, ich starte den Computer später neu", - "RunEntryExec": "%1 ausführen", - "RunEntryShellExec": "%1 anzeigen", - "ChangeDiskTitle": "Setup benötigt den nächsten Datenträger.", - "SelectDiskLabel2": "Legen Sie den Datenträger %1 ein, und klicken Sie auf \"OK\".%n%nWenn sich die Dateien auf diesem Datenträger in einem anderen als dem unten angezeigten Ordner befinden, geben Sie den richtigen Pfad ein, oder klicken Sie auf \"Durchsuchen\".", - "PathLabel": "&Pfad:", - "FileNotInDir2": "Die Datei \"%1\" wurde in \"%2\" nicht gefunden. Legen Sie den richtigen Datenträger ein, oder wählen Sie einen anderen Ordner aus.", - "SelectDirectoryLabel": "Geben Sie den Speicherort des nächsten Datenträgers an.", - "SetupAborted": "Setup wurde nicht abgeschlossen.%n%nBeheben Sie das Problem, und führen Sie Setup erneut aus.", - "EntryAbortRetryIgnore": "Klicken Sie auf \"Wiederholen\", um es erneut zu versuchen, auf \"Ignorieren\", um den Vorgang trotzdem fortzusetzen, oder auf \"Abbrechen\", um die Installation abzubrechen.", - "StatusClosingApplications": "Anwendungen werden geschlossen...", - "StatusCreateDirs": "Verzeichnisse werden erstellt...", - "StatusExtractFiles": "Dateien werden extrahiert...", - "StatusCreateIcons": "Verknüpfungen werden erstellt...", - "StatusCreateIniEntries": "INI-Einträge werden erstellt...", - "StatusCreateRegistryEntries": "Registrierungseinträge werden erstellt...", - "StatusRegisterFiles": "Dateien werden registriert...", - "StatusSavingUninstall": "Die Deinstallationsinformationen werden gespeichert...", - "StatusRunProgram": "Die Installation wird abgeschlossen...", - "StatusRestartingApplications": "Anwendung werden erneut gestartet...", - "StatusRollback": "Rollback der Änderungen...", - "ErrorInternal2": "Interner Fehler: %1", - "ErrorFunctionFailedNoCode": "Fehler von %1.", - "ErrorFunctionFailed": "Fehler von %1. Code %2", - "ErrorFunctionFailedWithMessage": "Fehler von %1. Code %2.%n%3", - "ErrorExecutingProgram": "Die Datei kann nicht ausgeführt werden:%n%1", - "ErrorRegOpenKey": "Fehler beim Öffnen des Registrierungsschlüssels:%n%1\\%2", - "ErrorRegCreateKey": "Fehler beim Erstellen des Registrierungsschlüssels:%n%1\\%2", - "ErrorRegWriteKey": "Fehler beim Schreiben in den Registrierungsschlüssel:%n%1\\%2", - "ErrorIniEntry": "Fehler beim Erstellen des INI-Eintrags in der Datei \"%1\".", - "FileAbortRetryIgnore": "Klicken Sie auf \"Wiederholen\", um es erneut zu versuchen, auf \"Ignorieren\", um diese Datei zu überspringen (nicht empfohlen), oder auf \"Abbrechen\", um die Installation abzubrechen.", - "FileAbortRetryIgnore2": "Klicken Sie auf \"Wiederholen\", um es erneut zu versuchen, auf \"Ignorieren\", um den Vorgang trotzdem fortzusetzen (nicht empfohlen), oder auf \"Abbrechen\", um die Installation abzubrechen.", - "SourceIsCorrupted": "Die Quelldatei ist fehlerhaft.", - "SourceDoesntExist": "Die Quelldatei \"%1\" ist nicht vorhanden.", - "ExistingFileReadOnly": "Die vorhandene Datei ist als schreibgeschützt markiert.%n%nKlicken Sie auf \"Wiederholen\", um das Schreibschutzattribut zu entfernen und es erneut zu versuchen, auf \"Ignorieren\", um diese Datei zu überspringen, oder auf \"Abbrechen\", um die Installation abzubrechen.", - "ErrorReadingExistingDest": "Fehler beim Versuch, die vorhandene Datei zu lesen:", - "FileExists": "Die Datei ist bereits vorhanden.%n%nSoll Sie von Setup überschrieben werden?", - "ExistingFileNewer": "Die vorhandene Datei ist neuer als die Datei, die Setup installieren möchte. Es wird empfohlen, die vorhandene Datei beizubehalten.%n%nMöchten Sie die vorhandene Datei beibehalten?", - "ErrorChangingAttr": "Fehler beim Versuch, die Attribute der vorhandenen Datei zu ändern:", - "ErrorCreatingTemp": "Fehler beim Versuch, eine Datei im Zielverzeichnis zu erstellen:", - "ErrorReadingSource": "Fehler beim Versuch, die Quelldatei zu lesen:", - "ErrorCopying": "Fehler beim Versuch, eine Datei zu kopieren:", - "ErrorReplacingExistingFile": "Fehler beim Versuch, die vorhandene Datei zu ersetzen:", - "ErrorRestartReplace": "Fehler von \"RestartReplace\":", - "ErrorRenamingTemp": "Fehler beim Versuch, eine Datei im Zielverzeichnis umzubenennen:", - "ErrorRegisterServer": "Die DLL-/OCX-Datei kann nicht registriert werden: %1", - "ErrorRegSvr32Failed": "Fehler von RegSvr32 mit dem Exitcode %1.", - "ErrorRegisterTypeLib": "Die Typbibliothek kann nicht registriert werden: %1", - "ErrorOpeningReadme": "Fehler beim Versuch, die Infodatei zu öffnen.", - "ErrorRestartingComputer": "Setup konnte den Computer nicht neu starten. Führen Sie den Neustart manuell aus.", - "UninstallNotFound": "Die Datei \"%1\" ist nicht vorhanden. Die Deinstallation kann nicht ausgeführt werden.", - "UninstallOpenError": "Die Datei \"%1\" konnte nicht geöffnet werden. Die Deinstallation kann nicht ausgeführt werden.", - "UninstallUnsupportedVer": "Die Deinstallationsprotokolldatei \"%1\" liegt in einem Format vor, das von dieser Version des Deinstallationsprogramms nicht erkannt wird. Die Deinstallation kann nicht ausgeführt werden.", - "UninstallUnknownEntry": "Unbekannter Eintrag (%1) im Deinstallationsprotokoll.", - "ConfirmUninstall": "Sind Sie sicher, dass Sie %1 vollständig löschen möchten? Erweiterungen und Einstellungen werden nicht gelöscht.", - "UninstallOnlyOnWin64": "Diese Installation kann nur unter 64-Bit-Windows deinstalliert werden.", - "OnlyAdminCanUninstall": "Diese Installation kann nur von einem Benutzer mit Administratorberechtigungen deinstalliert werden.", - "UninstallStatusLabel": "Warten Sie, während %1 von Ihrem Computer entfernt wird.", - "UninstalledAll": "%1 wurde erfolgreich von Ihrem Computer entfernt.", - "UninstalledMost": "Die Deinstallation von %1 wurde abgeschlossen.%n%nEinige Elemente konnten nicht entfernt werden. Diese können manuell entfernt werden.", - "UninstalledAndNeedsRestart": "Ihr Computer muss neu gestartet werden, damit die Deinstallation von %1 abgeschlossen werden kann.%n%nSoll der Computer jetzt neu gestartet werden?", - "UninstallDataCorrupted": "Die Datei \"%1\" ist beschädigt. Kann nicht deinstalliert werden", - "ConfirmDeleteSharedFileTitle": "Freigegebene Datei entfernen?", - "ConfirmDeleteSharedFile2": "Das System zeigt an, dass die folgende freigegebene Datei nicht mehr von Programmen verwendet wird. Soll die Deinstallation diese freigegebene Datei entfernen?%n%nWenn Programme diese Datei noch verwenden und die Datei entfernt wird, funktionieren diese Programme ggf. nicht mehr ordnungsgemäß. Wenn Sie nicht sicher sind, wählen Sie \"Nein\" aus. Sie können die Datei problemlos im System belassen.", - "SharedFileNameLabel": "Dateiname:", - "SharedFileLocationLabel": "Speicherort:", - "WizardUninstalling": "Deinstallationsstatus", - "StatusUninstalling": "%1 wird deinstalliert...", - "ShutdownBlockReasonInstallingApp": "%1 wird installiert.", - "ShutdownBlockReasonUninstallingApp": "%1 wird deinstalliert.", - "NameAndVersion": "%1 Version %2", - "AdditionalIcons": "Zusätzliche Symbole:", - "CreateDesktopIcon": "Desktopsymbol &erstellen", - "CreateQuickLaunchIcon": "Schnellstartsymbol &erstellen", - "ProgramOnTheWeb": "%1 im Web", - "UninstallProgram": "%1 deinstallieren", - "LaunchProgram": "%1 starten", - "AssocFileExtension": "%1 der &Dateierweiterung \"%2\" zuordnen", - "AssocingFileExtension": "%1 wird der Dateierweiterung \"%2\" zugeordnet...", - "AutoStartProgramGroupDescription": "Start:", - "AutoStartProgram": "%1 automatisch starten", - "AddonHostProgramNotFound": "%1 wurde im von Ihnen ausgewählten Ordner nicht gefunden.%n%nMöchten Sie trotzdem fortfahren?" - }, "vscode/vscode/": { "FinishedLabel": "Das Setup hat die Installation von [Name] auf Ihrem Computer abgeschlossen. Sie können die Anwendung über die installierten Verknüpfungen starten.", "ConfirmUninstall": "Möchten Sie \"%1\" und alle zugehörigen Komponenten vollständig entfernen?", @@ -9260,924 +9009,343 @@ "vs/workbench/services/workspaces/browser/workspaceTrustEditorInput": { "workspaceTrustEditorInputName": "Arbeitsbereichsvertrauensstellung" }, - "sql/platform/clipboard/browser/clipboardService": { - "imageCopyingNotSupported": "Das Kopieren von Images wird nicht unterstützt." - }, - "sql/workbench/update/electron-browser/releaseNotes": { - "gettingStarted": "Erste Schritte", - "showReleaseNotes": "\"Erste Schritte\" anzeigen", - "miGettingStarted": "Erste &&Schritte" - }, - "sql/workbench/contrib/queryHistory/electron-browser/queryHistory": { - "queryHistoryConfigurationTitle": "Abfrageverlauf", - "queryHistoryCaptureEnabled": "Gibt an, ob die Erfassung des Abfrageverlaufs aktiviert ist. Bei Festlegung auf FALSE werden ausgeführte Abfragen nicht erfasst.", - "viewCategory": "Sicht", - "miViewQueryHistory": "&&Abfrageverlauf", - "queryHistory": "Abfrageverlauf" - }, - "sql/workbench/contrib/commandLine/electron-browser/commandLine": { - "connectingLabel": "Verbindung wird hergestellt: {0}", - "runningCommandLabel": "Befehl wird ausgeführt: {0}", - "openingNewQueryLabel": "Neue Abfrage wird geöffnet: {0}", - "warnServerRequired": "Keine Verbindung möglich, weil keine Serverinformationen bereitgestellt wurden.", - "errConnectUrl": "Die URL konnte aufgrund eines Fehlers nicht geöffnet werden: {0}", - "connectServerDetail": "Hiermit wird eine Verbindung mit dem Server \"{0}\" hergestellt.", - "confirmConnect": "Möchten Sie die Verbindung herstellen?", - "open": "&&Öffnen", - "connectingQueryLabel": "Abfragedatei wird verbunden" - }, - "sql/workbench/services/tasks/common/tasksService": { - "InProgressWarning": "Mindestens eine Aufgabe wird zurzeit ausgeführt. Möchten Sie den Vorgang abbrechen?", - "taskService.yes": "Ja", - "taskService.no": "Nein" - }, - "sql/workbench/contrib/welcome/gettingStarted/browser/abstractEnablePreviewFeatures": { - "enablePreviewFeatures.notice": "Vorschaufeatures verbessern die Benutzerfreundlichkeit von Azure Data Studio, indem sie Ihnen Vollzugriff auf neue Features und Verbesserungen ermöglichen. Weitere Informationen zu Vorschaufeatures finden Sie [hier]({0}). Möchten Sie Vorschaufeatures aktivieren?", - "enablePreviewFeatures.yes": "Ja (empfohlen)", - "enablePreviewFeatures.no": "Nein", - "enablePreviewFeatures.never": "Nein, nicht mehr anzeigen" - }, - "sql/workbench/contrib/queryHistory/browser/queryHistoryActions": { - "toggleQueryHistory": "Abfrageverlauf umschalten", - "queryHistory.delete": "Löschen", - "queryHistory.clearLabel": "Gesamten Verlauf löschen", - "queryHistory.openQuery": "Abfrage öffnen", - "queryHistory.runQuery": "Abfrage ausführen", - "queryHistory.toggleCaptureLabel": "Erfassung des Abfrageverlaufs umschalten", - "queryHistory.disableCapture": "Erfassung des Abfrageverlaufs anhalten", - "queryHistory.enableCapture": "Erfassung des Abfrageverlaufs starten" - }, - "sql/workbench/contrib/queryHistory/browser/queryHistoryView": { - "noQueriesMessage": "Keine Abfragen zur Anzeige vorhanden.", - "queryHistory.regTreeAriaLabel": "Abfrageverlauf" - }, - "sql/workbench/services/errorMessage/browser/errorMessageService": { - "error": "Fehler", - "warning": "Warnung", - "info": "Info", - "ignore": "Ignorieren" - }, - "sql/platform/serialization/common/serializationService": { - "saveAsNotSupported": "Das Speichern von Ergebnissen in einem anderen Format ist für diesen Datenanbieter deaktiviert.", - "noSerializationProvider": "Daten können nicht serialisiert werden, weil kein Anbieter registriert wurde.", - "unknownSerializationError": "Unbekannter Fehler bei der Serialisierung." - }, - "sql/workbench/services/admin/common/adminService": { - "adminService.providerIdNotValidError": "Für eine Interaktion mit dem Verwaltungsdienst ist eine Verbindung erforderlich.", - "adminService.noHandlerRegistered": "Kein Handler registriert." - }, - "sql/workbench/services/fileBrowser/browser/fileBrowserDialogController": { - "filebrowser.selectFile": "Datei auswählen" - }, - "sql/workbench/services/assessment/common/assessmentService": { - "asmt.providerIdNotValidError": "Für die Interaktion mit dem Bewertungsdienst ist eine Verbindung erforderlich.", - "asmt.noHandlerRegistered": "Kein Handler registriert." - }, - "sql/workbench/contrib/query/common/resultsGrid.contribution": { - "resultsGridConfigurationTitle": "Ergebnisraster und Meldungen", - "fontFamily": "Steuert die Schriftfamilie.", - "fontWeight": "Steuert die Schriftbreite.", - "fontSize": "Legt die Schriftgröße in Pixeln fest.", - "letterSpacing": "Legt den Abstand der Buchstaben in Pixeln fest.", - "rowHeight": "Legt die Zeilenhöhe in Pixeln fest.", - "cellPadding": "Legt den Zellenabstand in Pixeln fest.", - "autoSizeColumns": "Hiermit wird die Spaltenbreite der ersten Ergebnisse automatisch angepasst. Diese Einstellung kann bei einer großen Anzahl von Spalten oder großen Zellen zu Leistungsproblemen führen.", - "maxColumnWidth": "Die maximale Breite in Pixeln für Spalten mit automatischer Größe" - }, - "sql/workbench/contrib/dataExplorer/browser/dataExplorer.contribution": { - "dataExplorer.view": "Sicht", - "databaseConnections": "Datenbankverbindungen", - "datasource.connections": "Datenquellenverbindungen", - "datasource.connectionGroups": "Datenquellengruppen", - "startupConfig": "Startkonfiguration", - "startup.alwaysShowServersView": "Bei Festlegung auf TRUE wird beim Start von Azure Data Studio standardmäßig die Serveransicht angezeigt. Bei Festlegung auf FALSE wird die zuletzt geöffnete Ansicht angezeigt." - }, - "sql/workbench/contrib/dataExplorer/browser/nodeActions.common.contribution": { - "disconnect": "Trennen", - "refresh": "Aktualisieren" - }, - "sql/workbench/browser/actions.contribution": { - "previewFeatures.configTitle": "Vorschaufeatures", - "previewFeatures.configEnable": "Nicht veröffentlichte Vorschaufeatures aktivieren", - "showConnectDialogOnStartup": "Beim Start Verbindungsdialogfeld anzeigen", - "enableObsoleteApiUsageNotificationTitle": "Benachrichtigung zu veralteter API", - "enableObsoleteApiUsageNotification": "Benachrichtigung bei Verwendung veralteter APIs aktivieren/deaktivieren" - }, - "sql/workbench/contrib/accounts/browser/accounts.contribution": { - "status.problems": "Probleme" - }, - "sql/workbench/contrib/tasks/browser/tasks.contribution": { - "inProgressTasksChangesBadge": "{0} Aufgaben werden ausgeführt", - "viewCategory": "Sicht", - "tasks": "Aufgaben", - "miViewTasks": "&&Aufgaben" - }, - "sql/workbench/contrib/connection/browser/connection.contribution": { - "sql.maxRecentConnectionsDescription": "Die maximale Anzahl der zuletzt verwendeten Verbindungen in der Verbindungsliste.", - "sql.defaultEngineDescription": "Die zu verwendende Standard-SQL-Engine. Diese Einstellung legt den Standardsprachanbieter in SQL-Dateien und die Standardeinstellungen für neue Verbindungen fest.", - "connection.parseClipboardForConnectionStringDescription": "Hiermit wird versucht, die Inhalte der Zwischenablage zu analysieren, wenn das Verbindungsdialogfeld geöffnet ist oder ein Element eingefügt wird." - }, - "sql/workbench/contrib/objectExplorer/common/serverGroup.contribution": { - "serverGroup.colors": "Farbpalette für die Servergruppe, die im Objekt-Explorer-Viewlet verwendet wird.", - "serverGroup.autoExpand": "Servergruppen im Objekt-Explorer-Viewlet automatisch erweitern", - "serverTree.useAsyncServerTree": "(Vorschau) Verwenden Sie die neue asynchrone Serverstruktur für die Serveransicht und das Verbindungsdialogfeld. Sie bietet Unterstützung für neue Features wie die dynamische Knotenfilterung." - }, - "sql/workbench/contrib/accounts/browser/accountManagement.contribution": { - "carbon.extension.contributes.account.id": "Bezeichner des Kontotyps", - "carbon.extension.contributes.account.icon": "(Optional) Symbol zur Darstellung des Kontos in der Benutzeroberfläche. Es handelt sich entweder um einen Dateipfad oder um eine designfähige Konfiguration.", - "carbon.extension.contributes.account.icon.light": "Symbolpfad, wenn ein helles Design verwendet wird", - "carbon.extension.contributes.account.icon.dark": "Symbolpfad, wenn ein dunkles Design verwendet wird", - "carbon.extension.contributes.account": "Stellt Symbole für den Kontoanbieter zur Verfügung." - }, - "sql/workbench/contrib/editData/browser/editData.contribution": { - "showEditDataSqlPaneOnStartup": "SQL-Bereich zum Bearbeiten von Daten beim Start anzeigen" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/barChart.contribution": { - "yAxisMin": "Minimalwert der Y-Achse", - "yAxisMax": "Maximalwert der Y-Achse", - "barchart.yAxisLabel": "Bezeichnung für die Y-Achse", - "xAxisMin": "Minimalwert der X-Achse", - "xAxisMax": "Maximalwert der X-Achse", - "barchart.xAxisLabel": "Bezeichnung für die X-Achse" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewer.contribution": { - "resourceViewer": "Ressourcen-Viewer" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/lineChart.contribution": { - "dataTypeDescription": "Zeigt die Dateneigenschaft eines Datensatzes für ein Diagramm an." - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/countInsight.contribution": { - "countInsightDescription": "Zeigt für jede Spalte in einem Resultset den Wert in Zeile 0 als Zählwert gefolgt vom Spaltennamen an. Unterstützt beispielsweise \"1 Healthy\" oder \"3 Unhealthy\", wobei \"Healthy\" dem Spaltennamen und 1 dem Wert in Zeile 1/Zelle 1 entspricht." - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/tableInsight.contribution": { - "tableInsightDescription": "Stellt die Ergebnisse in einer einfachen Tabelle dar." - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/imageInsight.contribution": { - "imageInsightDescription": "Zeigt ein Bild an, beispielsweise ein Bild, das durch eine R-Abfrage unter Verwendung von ggplot2 zurückgegeben wurde.", - "imageFormatDescription": "Welches Format wird erwartet – JPEG, PNG oder ein anderes Format?", - "encodingDescription": "Erfolgt eine Codierung im Hexadezimal-, Base64- oder einem anderen Format?" - }, - "sql/workbench/contrib/dashboard/browser/dashboard.contribution": { - "manage": "Verwalten", - "dashboard.editor.label": "Dashboard" - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardWebviewContainer.contribution": { - "dashboard.container.webview": "Die Webansicht, die auf dieser Registerkarte angezeigt wird." - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardControlHostContainer.contribution": { - "dashboard.container.controlhost": "Der Steuerelementhost, der auf dieser Registerkarte angezeigt wird." - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardWidgetContainer.contribution": { - "dashboard.container.widgets": "Die Liste der Widgets, die auf dieser Registerkarte angezeigt werden.", - "widgetContainer.invalidInputs": "Die Liste der Widgets, die im Widgetcontainer für die Erweiterung erwartet werden." - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardGridContainer.contribution": { - "dashboard.container.gridtab.items": "Die Liste der Widgets oder Webansichten, die auf dieser Registerkarte angezeigt werden.", - "gridContainer.invalidInputs": "Widgets oder Webansichten werden im Widgetcontainer für die Erweiterung erwartet." - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardContainer.contribution": { - "azdata.extension.contributes.dashboard.container.id": "Eindeutiger Bezeichner für diesen Container.", - "azdata.extension.contributes.dashboard.container.container": "Der Container, der auf der Registerkarte angezeigt wird.", - "azdata.extension.contributes.containers": "Stellt einen einzelnen oder mehrere Dashboardcontainer zur Verfügung, die Benutzer zu ihrem Dashboard hinzufügen können.", - "dashboardContainer.contribution.noIdError": "Im Dashboardcontainer für die Erweiterung wurde keine ID angegeben.", - "dashboardContainer.contribution.noContainerError": "Für die Erweiterung wurde kein Container im Dashboardcontainer angegeben.", - "dashboardContainer.contribution.moreThanOneDashboardContainersError": "Es muss genau 1 Dashboardcontainer pro Bereich definiert sein.", - "dashboardTab.contribution.unKnownContainerType": "Im Dashboardcontainer für die Erweiterung wurde ein unbekannter Containertyp definiert." - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardNavSection.contribution": { - "dashboard.container.left-nav-bar.id": "Eindeutiger Bezeichner für diesen Navigationsbereich. Wird bei allen Anforderungen an die Erweiterung übergeben.", - "dashboard.container.left-nav-bar.icon": "(Optional) Symbol zur Darstellung dieses Navigationsbereichs in der Benutzeroberfläche. Erfordert einen Dateipfad oder eine Konfiguration, der ein Design zugeordnet werden kann.", - "dashboard.container.left-nav-bar.icon.light": "Symbolpfad, wenn ein helles Design verwendet wird", - "dashboard.container.left-nav-bar.icon.dark": "Symbolpfad, wenn ein dunkles Design verwendet wird", - "dashboard.container.left-nav-bar.title": "Der Titel des Navigationsbereichs, der dem Benutzer angezeigt werden soll.", - "dashboard.container.left-nav-bar.container": "Der Container, der in diesem Navigationsbereich angezeigt wird.", - "dashboard.container.left-nav-bar": "Die Liste der Dashboardcontainer, die in diesem Navigationsabschnitt angezeigt wird.", - "navSection.missingTitle.error": "Für die Erweiterung wurde kein Titel im Navigationsbereich angegeben.", - "navSection.missingContainer.error": "Für die Anwendung wurde kein Container im Navigationsbereich angegeben.", - "navSection.moreThanOneDashboardContainersError": "Es muss genau 1 Dashboardcontainer pro Bereich definiert sein.", - "navSection.invalidContainer.error": "NAV_SECTION in NAV_SECTION ist ein ungültiger Container für die Erweiterung." - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardModelViewContainer.contribution": { - "dashboard.container.modelview": "Die modellgestützte Ansicht, die auf dieser Registerkarte angezeigt wird." - }, - "sql/workbench/contrib/backup/browser/backup.contribution": { - "backup": "Sicherung" - }, - "sql/workbench/contrib/restore/browser/restore.contribution": { - "restore": "Wiederherstellen", - "backup": "Wiederherstellen" - }, - "sql/workbench/contrib/azure/browser/azure.contribution": { - "azure.openInAzurePortal.title": "In Azure-Portal öffnen" - }, - "sql/workbench/common/editor/query/queryEditorInput": { - "disconnected": "Getrennt" - }, - "sql/workbench/services/objectExplorer/browser/objectExplorerViewTreeShim": { - "noProviderFound": "Erweiterung nicht möglich, weil der erforderliche Verbindungsanbieter \"{0}\" nicht gefunden wurde.", - "loginCanceled": "Vom Benutzer abgebrochen", - "firewallCanceled": "Firewalldialogfeld abgebrochen" - }, - "sql/workbench/services/jobManagement/common/jobManagementService": { - "providerIdNotValidError": "Für die Interaktion mit \"JobManagementService\" ist eine Verbindung erforderlich.", - "noHandlerRegistered": "Kein Handler registriert." - }, - "sql/workbench/services/fileBrowser/common/fileBrowserService": { - "fileBrowserErrorMessage": "Fehler beim Laden des Dateibrowsers.", - "fileBrowserErrorDialogTitle": "Fehler beim Dateibrowser" - }, - "sql/workbench/contrib/connection/common/connectionProviderExtension": { - "schema.providerId": "Allgemeine ID für den Anbieter", - "schema.displayName": "Anzeigename für den Anbieter", - "schema.notebookKernelAlias": "Notebook-Kernelalias für den Anbieter", - "schema.iconPath": "Symbolpfad für den Servertyp", - "schema.connectionOptions": "Verbindungsoptionen" - }, - "sql/workbench/contrib/dashboard/browser/core/dashboardTab.contribution": { - "azdata.extension.contributes.dashboard.tab.id": "Eindeutiger Bezeichner für diese Registerkarte. Wird bei allen Anforderungen an die Erweiterung übergeben.", - "azdata.extension.contributes.dashboard.tab.title": "Titel der Registerkarte, die dem Benutzer angezeigt wird.", - "azdata.extension.contributes.dashboard.tab.description": "Beschreibung dieser Registerkarte, die dem Benutzer angezeigt werden.", - "azdata.extension.contributes.tab.when": "Eine Bedingung, die TRUE lauten muss, damit dieses Element angezeigt wird.", - "azdata.extension.contributes.tab.provider": "Definiert die Verbindungstypen, mit denen diese Registerkarte kompatibel ist. Der Standardwert lautet \"MSSQL\", wenn kein anderer Wert festgelegt wird.", - "azdata.extension.contributes.dashboard.tab.container": "Der Container, der auf dieser Registerkarte angezeigt wird.", - "azdata.extension.contributes.dashboard.tab.alwaysShow": "Legt fest, ob diese Registerkarte immer angezeigt werden soll oder nur dann, wenn der Benutzer sie hinzufügt.", - "azdata.extension.contributes.dashboard.tab.isHomeTab": "Legt fest, ob diese Registerkarte als Startseite für einen Verbindungstyp verwendet werden soll.", - "azdata.extension.contributes.dashboard.tab.group": "Der eindeutige Bezeichner der Gruppe, zu der diese Registerkarte gehört. Wert für Startgruppe: Start.", - "dazdata.extension.contributes.dashboard.tab.icon": "(Optional) Symbol zur Darstellung dieser Registerkarte in der Benutzeroberfläche. Erfordert einen Dateipfad oder eine Konfiguration, der ein Design zugeordnet werden kann.", - "azdata.extension.contributes.dashboard.tab.icon.light": "Symbolpfad, wenn ein helles Design verwendet wird", - "azdata.extension.contributes.dashboard.tab.icon.dark": "Symbolpfad, wenn ein dunkles Design verwendet wird", - "azdata.extension.contributes.tabs": "Stellt eine einzelne oder mehrere Registerkarten zur Verfügung, die Benutzer zu ihrem Dashboard hinzufügen können.", - "dashboardTab.contribution.noTitleError": "Für die Erweiterung wurde kein Titel angegeben.", - "dashboardTab.contribution.noDescriptionWarning": "Es wurde keine Beschreibung zur Anzeige angegeben.", - "dashboardTab.contribution.noContainerError": "Für die Erweiterung wurde kein Container angegeben.", - "dashboardTab.contribution.moreThanOneDashboardContainersError": "Pro Bereich muss genau 1 Dashboardcontainer definiert werden.", - "azdata.extension.contributes.dashboard.tabGroup.id": "Eindeutiger Bezeichner für diese Registerkartengruppe.", - "azdata.extension.contributes.dashboard.tabGroup.title": "Titel der Registerkartengruppe.", - "azdata.extension.contributes.tabGroups": "Stellt eine einzelne oder mehrere Registerkartengruppen zur Verfügung, die Benutzer ihrem Dashboard hinzufügen können.", - "dashboardTabGroup.contribution.noIdError": "Für die Registerkartengruppe wurde keine ID angegeben.", - "dashboardTabGroup.contribution.noTitleError": "Für die Registerkartengruppe wurde kein Titel angegeben.", - "administrationTabGroup": "Verwaltung", - "monitoringTabGroup": "Überwachung", - "performanceTabGroup": "Leistung", - "securityTabGroup": "Sicherheit", - "troubleshootingTabGroup": "Problembehandlung", - "settingsTabGroup": "Einstellungen", - "databasesTabDescription": "Registerkarte \"Datenbanken\"", - "databasesTabTitle": "Datenbanken" - }, - "sql/workbench/contrib/queryHistory/browser/queryHistoryRenderer": { - "succeeded": "Erfolgreich", - "failed": "Fehlerhaft" - }, - "sql/workbench/services/connection/browser/connectionDialogService": { - "connectionError": "Verbindungsfehler", - "kerberosErrorStart": "Fehler bei Verbindung aufgrund eines Kerberos-Fehlers.", - "kerberosHelpLink": "Hilfe zum Konfigurieren von Kerberos finden Sie hier: {0}", - "kerberosKinit": "Wenn Sie zuvor eine Verbindung hergestellt haben, müssen Sie \"kinit\" möglicherweise erneut ausführen." - }, - "sql/workbench/services/accountManagement/browser/accountManagementService": { - "accountManagementService.close": "Schließen", - "loggingIn": "Konto wird hinzugefügt...", - "refreshFailed": "Die Kontoaktualisierung wurde durch den Benutzer abgebrochen." - }, - "sql/workbench/contrib/query/browser/query.contribution": { - "queryResultsEditor.name": "Abfrageergebnisse", - "queryEditor.name": "Abfrage-Editor", - "newQuery": "Neue Abfrage", - "queryEditorConfigurationTitle": "Abfrage-Editor", - "queryEditor.results.saveAsCsv.includeHeaders": "Bei Festlegung auf TRUE werden beim Speichern der Ergebnisse als CSV auch die Spaltenüberschriften einbezogen.", - "queryEditor.results.saveAsCsv.delimiter": "Benutzerdefiniertes Trennzeichen zwischen Werten, das beim Speichern der Ergebnisse als CSV verwendet wird", - "queryEditor.results.saveAsCsv.lineSeperator": "Zeichen für die Trennung von Zeilen, das beim Speichern der Ergebnisse als CSV verwendet wird", - "queryEditor.results.saveAsCsv.textIdentifier": "Zeichen für das Umschließen von Textfeldern, das beim Speichern der Ergebnisse als CSV verwendet wird", - "queryEditor.results.saveAsCsv.encoding": "Dateicodierung, die beim Speichern der Ergebnisse als CSV verwendet wird", - "queryEditor.results.saveAsXml.formatted": "Bei Festlegung auf TRUE wird die XML-Ausgabe formatiert, wenn die Ergebnisse im XML-Format gespeichert werden.", - "queryEditor.results.saveAsXml.encoding": "Beim Speichern der Ergebnisse im XML-Format verwendete Dateicodierung", - "queryEditor.results.streaming": "Hiermit wird das Streamen der Ergebnisse aktiviert. Diese Option weist einige geringfügige Darstellungsprobleme auf.", - "queryEditor.results.copyIncludeHeaders": "Konfigurationsoptionen für das Kopieren von Ergebnissen aus der Ergebnisansicht", - "queryEditor.results.copyRemoveNewLine": "Konfigurationsoptionen für das Kopieren mehrzeiliger Ergebnisse aus der Ergebnisansicht", - "queryEditor.results.optimizedTable": "(Experimentell) Verwenden Sie eine optimierte Tabelle in der Ergebnisausgabe. Möglicherweise fehlen einige Funktionen oder befinden sich in Bearbeitung.", - "queryEditor.messages.showBatchTime": "Gibt an, ob die Ausführungszeit für einzelne Batches angezeigt werden soll.", - "queryEditor.messages.wordwrap": "Meldungen zu Zeilenumbrüchen", - "queryEditor.chart.defaultChartType": "Dieser Diagrammtyp wird standardmäßig verwendet, wenn der Diagramm-Viewer von Abfrageergebnissen aus geöffnet wird.", - "queryEditor.tabColorMode.off": "Das Einfärben von Registerkarten wird deaktiviert.", - "queryEditor.tabColorMode.border": "Der obere Rand der einzelnen Editor-Registerkarten wird entsprechend der jeweiligen Servergruppe eingefärbt.", - "queryEditor.tabColorMode.fill": "Die Hintergrundfarbe der Editor-Registerkarten entspricht der jeweiligen Servergruppe.", - "queryEditor.tabColorMode": "Steuert die Farbe von Registerkarten basierend auf der Servergruppe der aktiven Verbindung.", - "queryEditor.showConnectionInfoInTitle": "Legt fest, ob die Verbindungsinformationen für eine Registerkarte im Titel angezeigt werden.", - "queryEditor.promptToSaveGeneratedFiles": "Aufforderung zum Speichern generierter SQL-Dateien", - "queryShortcutDescription": "Legen Sie die Tastenzuordnung \"workbench.action.query.shortcut{0}\" fest, um den Verknüpfungstext als Prozeduraufruf auszuführen. Im Abfrage-Editor ausgewählter Text wird als Parameter übergeben." - }, - "sql/workbench/contrib/profiler/browser/profiler.contribution": { - "profiler.settings.viewTemplates": "Gibt Ansichtsvorlagen an.", - "profiler.settings.sessionTemplates": "Gibt Sitzungsvorlagen an.", - "profiler.settings.Filters": "Profilerfilter" - }, - "sql/workbench/contrib/scripting/browser/scripting.contribution": { - "scriptAsCreate": "Skripterstellung als CREATE", - "scriptAsDelete": "Skripterstellung als DROP", - "scriptAsSelect": "Oberste 1000 auswählen", - "scriptAsExecute": "Skripterstellung als EXECUTE", - "scriptAsAlter": "Skripterstellung als ALTER", - "editData": "Daten bearbeiten", - "scriptSelect": "Oberste 1000 auswählen", - "scriptKustoSelect": "10 zurückgeben", - "scriptCreate": "Skripterstellung als CREATE", - "scriptExecute": "Skripterstellung als EXECUTE", - "scriptAlter": "Skripterstellung als ALTER", - "scriptDelete": "Skripterstellung als DROP", - "refreshNode": "Aktualisieren" - }, - "sql/workbench/services/query/common/queryModelService": { - "commitEditFailed": "Fehler bei Zeilencommit: ", - "runQueryBatchStartMessage": "Ausführung der Abfrage gestartet um ", - "runQueryStringBatchStartMessage": "Die Ausführung der Abfrage \"{0}\" wurde gestartet.", - "runQueryBatchStartLine": "Zeile {0}", - "msgCancelQueryFailed": "Fehler beim Abbrechen der Abfrage: {0}", - "updateCellFailed": "Fehler beim Aktualisieren der Zelle: " - }, - "sql/workbench/services/notebook/browser/notebookServiceImpl": { - "notebookUriNotDefined": "Bei der Erstellung eines Notebook-Managers wurde kein URI übergeben.", - "notebookServiceNoProvider": "Der Notebook-Anbieter ist nicht vorhanden." - }, - "sql/workbench/contrib/notebook/browser/notebook.contribution": { - "notebookEditor.name": "Notebook-Editor", - "newNotebook": "Neues Notebook", - "newQuery": "Neues Notebook", - "workbench.action.setWorkspaceAndOpen": "Arbeitsbereich festlegen und öffnen", - "notebook.sqlStopOnError": "SQL-Kernel: Notebook-Ausführung bei Fehler in Zelle beenden", - "notebook.showAllKernels": "(Vorschau) Zeigen Sie alle Kernel für den aktuellen Notebook-Anbieter an.", - "notebook.allowADSCommands": "Hiermit wird Notebooks das Ausführen von Azure Data Studio-Befehlen ermöglicht.", - "notebook.enableDoubleClickEdit": "Hiermit wird ein Doppelklick zum Bearbeiten von Textzellen in Notebooks aktiviert.", - "notebook.setRichTextViewByDefault": "Rich-Text-Ansichtsmodus für Textzellen standardmäßig festlegen", - "notebook.saveConnectionName": "(Vorschau) Speichern Sie den Verbindungsnamen in den Notebook-Metadaten.", - "notebook.markdownPreviewLineHeight": "Hiermit wird die in der Notebook-Markdownvorschau verwendete Zeilenhöhe gesteuert. Diese Zahl ist relativ zum Schriftgrad.", - "notebookExplorer.view": "Ansicht", - "searchConfigurationTitle": "Notebooks suchen", - "exclude": "Konfigurieren Sie Globmuster für das Ausschließen von Dateien und Ordnern aus Volltextsuchen und Quick Open. Alle Globmuster werden von der Einstellung #files.exclude# geerbt. Weitere Informationen zu Globmustern finden Sie [hier](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).", - "exclude.boolean": "Das Globmuster, mit dem Dateipfade verglichen werden sollen. Legen Sie diesen Wert auf \"true\" oder \"false\" fest, um das Muster zu aktivieren bzw. zu deaktivieren.", - "exclude.when": "Zusätzliche Überprüfung der gleichgeordneten Elemente einer entsprechenden Datei. Verwenden Sie \"$(basename)\" als Variable für den entsprechenden Dateinamen.", - "useRipgrep": "Diese Einstellung ist veraltet und greift jetzt auf \"search.usePCRE2\" zurück.", - "useRipgrepDeprecated": "Veraltet. Verwenden Sie \"search.usePCRE2\" für die erweiterte Unterstützung von RegEx-Features.", - "search.maintainFileSearchCache": "Wenn diese Option aktiviert ist, bleibt der SearchService-Prozess aktiv, anstatt nach einer Stunde Inaktivität beendet zu werden. Dadurch wird der Cache für Dateisuchen im Arbeitsspeicher beibehalten.", - "useIgnoreFiles": "Steuert, ob bei der Dateisuche GITIGNORE- und IGNORE-Dateien verwendet werden.", - "useGlobalIgnoreFiles": "Steuert, ob bei der Dateisuche globale GITIGNORE- und IGNORE-Dateien verwendet werden.", - "search.quickOpen.includeSymbols": "Konfiguriert, ob Ergebnisse aus einer globalen Symbolsuche in die Dateiergebnisse für Quick Open eingeschlossen werden sollen.", - "search.quickOpen.includeHistory": "Gibt an, ob Ergebnisse aus zuletzt geöffneten Dateien in den Dateiergebnissen für Quick Open aufgeführt werden.", - "filterSortOrder.default": "Verlaufseinträge werden anhand des verwendeten Filterwerts nach Relevanz sortiert. Relevantere Einträge werden zuerst angezeigt.", - "filterSortOrder.recency": "Verlaufseinträge werden absteigend nach Datum sortiert. Zuletzt geöffnete Einträge werden zuerst angezeigt.", - "filterSortOrder": "Legt die Sortierreihenfolge des Editor-Verlaufs beim Filtern in Quick Open fest.", - "search.followSymlinks": "Steuert, ob Symlinks während der Suche gefolgt werden.", - "search.smartCase": "Sucht ohne Berücksichtigung von Groß-/Kleinschreibung, wenn das Muster kleingeschrieben ist, andernfalls wird mit Berücksichtigung von Groß-/Kleinschreibung gesucht.", - "search.globalFindClipboard": "Steuert, ob die Suchansicht die freigegebene Suchzwischenablage unter macOS lesen oder verändern soll.", - "search.location": "Steuert, ob die Suche als Ansicht in der Seitenleiste oder als Panel angezeigt wird, damit horizontal mehr Platz verfügbar ist.", - "search.location.deprecationMessage": "Diese Einstellung ist veraltet. Verwenden Sie stattdessen das Kontextmenü der Suchansicht.", - "search.collapseResults.auto": "Dateien mit weniger als 10 Ergebnissen werden erweitert. Andere bleiben reduziert.", - "search.collapseAllResults": "Steuert, ob die Suchergebnisse zu- oder aufgeklappt werden.", - "search.useReplacePreview": "Steuert, ob die Vorschau für das Ersetzen geöffnet werden soll, wenn eine Übereinstimmung ausgewählt oder ersetzt wird.", - "search.showLineNumbers": "Steuert, ob Zeilennummern für Suchergebnisse angezeigt werden.", - "search.usePCRE2": "Gibt an, ob die PCRE2-RegEx-Engine bei der Textsuche verwendet werden soll. Dadurch wird die Verwendung einiger erweiterter RegEx-Features wie Lookahead und Rückverweise ermöglicht. Allerdings werden nicht alle PCRE2-Features unterstützt, sondern nur solche, die auch von JavaScript unterstützt werden.", - "usePCRE2Deprecated": "Veraltet. PCRE2 wird beim Einsatz von Features für reguläre Ausdrücke, die nur von PCRE2 unterstützt werden, automatisch verwendet.", - "search.actionsPositionAuto": "Hiermit wird die Aktionsleiste auf der rechten Seite positioniert, wenn die Suchansicht schmal ist, und gleich hinter dem Inhalt, wenn die Suchansicht breit ist.", - "search.actionsPositionRight": "Hiermit wird die Aktionsleiste immer auf der rechten Seite positioniert.", - "search.actionsPosition": "Steuert die Positionierung der Aktionsleiste auf Zeilen in der Suchansicht.", - "search.searchOnType": "Alle Dateien während der Eingabe durchsuchen", - "search.seedWithNearestWord": "Aktivieren Sie das Starten der Suche mit dem Wort, das dem Cursor am nächsten liegt, wenn der aktive Editor keine Auswahl aufweist.", - "search.seedOnFocus": "Hiermit wird die Suchabfrage für den Arbeitsbereich auf den ausgewählten Editor-Text aktualisiert, wenn die Suchansicht den Fokus hat. Dies geschieht entweder per Klick oder durch Auslösen des Befehls \"workbench.views.search.focus\".", - "search.searchOnTypeDebouncePeriod": "Wenn #search.searchOnType aktiviert ist, wird dadurch das Timeout in Millisekunden zwischen einem eingegebenen Zeichen und dem Start der Suche festgelegt. Diese Einstellung keine Auswirkung, wenn search.searchOnType deaktiviert ist.", - "search.searchEditor.doubleClickBehaviour.selectWord": "Durch Doppelklicken wird das Wort unter dem Cursor ausgewählt.", - "search.searchEditor.doubleClickBehaviour.goToLocation": "Durch Doppelklicken wird das Ergebnis in der aktiven Editor-Gruppe geöffnet.", - "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Durch Doppelklicken wird das Ergebnis in der Editorgruppe an der Seite geöffnet, wodurch ein Ergebnis erstellt wird, wenn noch keines vorhanden ist.", - "search.searchEditor.doubleClickBehaviour": "Konfiguriert den Effekt des Doppelklickens auf ein Ergebnis in einem Such-Editor.", - "searchSortOrder.default": "Ergebnisse werden nach Ordner- und Dateinamen in alphabetischer Reihenfolge sortiert.", - "searchSortOrder.filesOnly": "Die Ergebnisse werden nach Dateinamen in alphabetischer Reihenfolge sortiert. Die Ordnerreihenfolge wird ignoriert.", - "searchSortOrder.type": "Die Ergebnisse werden nach Dateiendungen in alphabetischer Reihenfolge sortiert.", - "searchSortOrder.modified": "Die Ergebnisse werden nach dem Datum der letzten Dateiänderung in absteigender Reihenfolge sortiert.", - "searchSortOrder.countDescending": "Ergebnisse werden nach Anzahl pro Datei und in absteigender Reihenfolge sortiert.", - "searchSortOrder.countAscending": "Die Ergebnisse werden nach Anzahl pro Datei in aufsteigender Reihenfolge sortiert.", - "search.sortOrder": "Steuert die Sortierreihenfolge der Suchergebnisse." - }, - "sql/workbench/contrib/query/browser/queryActions": { - "newQueryTask.newQuery": "Neue Abfrage", - "runQueryLabel": "Ausführen", - "cancelQueryLabel": "Abbrechen", - "estimatedQueryPlan": "Erklärung", - "actualQueryPlan": "Tatsächlich", - "disconnectDatabaseLabel": "Trennen", - "changeConnectionDatabaseLabel": "Verbindung ändern", - "connectDatabaseLabel": "Verbinden", - "enablesqlcmdLabel": "SQLCMD aktivieren", - "disablesqlcmdLabel": "SQLCMD deaktivieren", - "selectDatabase": "Datenbank auswählen", - "changeDatabase.failed": "Fehler beim Ändern der Datenbank.", - "changeDatabase.failedWithError": "Fehler beim Ändern der Datenbank: {0}", - "queryEditor.exportSqlAsNotebook": "Als Notebook exportieren" - }, - "sql/workbench/services/errorMessage/browser/errorMessageDialog": { - "errorMessageDialog.ok": "OK", - "errorMessageDialog.close": "Schließen", - "errorMessageDialog.action": "Aktion", - "copyDetails": "Details kopieren" - }, - "sql/workbench/services/serverGroup/common/serverGroupViewModel": { - "serverGroup.addServerGroup": "Servergruppe hinzufügen", - "serverGroup.editServerGroup": "Servergruppe bearbeiten" - }, - "sql/workbench/common/editor/query/queryResultsInput": { - "extensionsInputName": "Erweiterung" - }, - "sql/workbench/services/objectExplorer/browser/objectExplorerService": { - "OeSessionFailedError": "Fehler beim Erstellen der Objekt-Explorer-Sitzung.", - "nodeExpansionError": "Mehrere Fehler:" - }, - "sql/workbench/services/resourceProvider/browser/firewallRuleDialogController": { - "firewallDialog.addAccountErrorTitle": "Fehler beim Hinzufügen des Kontos", - "firewallRuleError": "Fehler bei Firewallregel" - }, - "sql/workbench/api/browser/mainThreadExtensionManagement": { - "workbench.generalObsoleteApiNotification": "Einige der geladenen Erweiterungen verwenden veraltete APIs. Ausführliche Informationen finden Sie auf der Registerkarte \"Konsole\" des Fensters \"Entwicklertools\".", - "dontShowAgain": "Nicht mehr anzeigen" - }, - "sql/workbench/contrib/dataExplorer/browser/dataExplorerExtensionPoint": { - "vscode.extension.contributes.view.id": "Bezeichner der Sicht. Hiermit können Sie einen Datenanbieter über die API \"vscode.window.registerTreeDataProviderForView\" registrieren. Dient auch zum Aktivieren Ihrer Erweiterung, indem Sie das Ereignis \"onView:${id}\" für \"activationEvents\" registrieren.", - "vscode.extension.contributes.view.name": "Der lesbare Name der Sicht. Dieser wird angezeigt.", - "vscode.extension.contributes.view.when": "Eine Bedingung, die TRUE lauten muss, damit diese Sicht angezeigt wird.", - "extension.contributes.dataExplorer": "Stellt Sichten für den Editor zur Verfügung.", - "extension.dataExplorer": "Stellt Sichten für den Data Explorer-Container in der Aktivitätsleiste zur Verfügung.", - "dataExplorer.contributed": "Stellt Sichten für den Container mit bereitgestellten Sichten zur Verfügung.", - "duplicateView1": "Es können nicht mehrere Sichten mit derselben ID ({0}) im Container \"{1}\" mit Sichten registriert werden.", - "duplicateView2": "Im Container \"{1}\" mit Sichten ist bereits eine Sicht mit der ID {0} registriert.", - "requirearray": "Sichten müssen als Array vorliegen.", - "requirestring": "Die Eigenschaft \"{0}\" ist erforderlich und muss vom Typ \"string\" sein.", - "optstring": "Die Eigenschaft \"{0}\" kann ausgelassen werden oder muss vom Typ \"string\" sein." - }, - "sql/workbench/contrib/configuration/common/configurationUpgrader": { - "workbench.configuration.upgradeUser": "\"{0}\" wurde in Ihren Benutzereinstellungen durch \"{1}\" ersetzt.", - "workbench.configuration.upgradeWorkspace": "\"{0}\" wurde in Ihren Arbeitsbereichseinstellungen durch \"{1}\" ersetzt." - }, - "sql/workbench/browser/actions": { - "manage": "Verwalten", - "showDetails": "Details anzeigen", - "configureDashboardLearnMore": "Weitere Informationen", - "clearSavedAccounts": "Alle gespeicherten Konten löschen" - }, - "sql/workbench/contrib/tasks/browser/tasksActions": { - "toggleTasks": "Aufgaben umschalten" - }, - "sql/workbench/contrib/connection/browser/connectionStatus": { - "status.connection.status": "Verbindungsstatus" - }, - "sql/workbench/contrib/connection/common/connectionTreeProviderExentionPoint": { - "connectionTreeProvider.schema.name": "Sichtbarer Benutzername für den Strukturanbieter", - "connectionTreeProvider.schema.id": "Die ID für den Anbieter muss mit der ID übereinstimmen, die zur Registrierung des Strukturdatenanbieters verwendet wurde, und mit \"connectionDialog/\" beginnen." - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.contribution": { - "chartInsightDescription": "Zeigt die Ergebnisse einer Abfrage als Diagramm im Dashboard an.", - "colorMapDescription": "Ordnet den Spaltennamen einer Farbe zu. Fügen Sie z. B. \"'column1': red\" hinzu, damit in dieser Spalte die Farbe Rot verwendet wird.", - "legendDescription": "Hiermit wird die bevorzugte Position und Sichtbarkeit der Diagrammlegende angegeben. Darin werden die Spaltennamen aus der Abfrage der Bezeichnung der einzelnen Diagrammeinträge zugeordnet.", - "labelFirstColumnDescription": "Wenn \"dataDirection\" auf \"horizontal\" festgelegt ist, werden die Werte aus der ersten Spalten als Legende verwendet.", - "columnsAsLabels": "Wenn \"dataDirection\" auf \"vertical\" festgelegt ist, werden für die Legende die Spaltennamen verwendet.", - "dataDirectionDescription": "Legt fest, ob die Daten aus einer Spalte (vertikal) oder eine Zeile (horizontal) gelesen werden. Für Zeitreihen wird diese Einstellung ignoriert, da die Richtung vertikal sein muss.", - "showTopNData": "Wenn \"showTopNData\" festgelegt ist, werden nur die ersten n Daten im Diagramm angezeigt." - }, - "sql/platform/dashboard/browser/insightRegistry": { - "schema.dashboardWidgets.InsightsRegistry": "In den Dashboards verwendetes Widget" - }, - "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { - "resourceViewer.showActions": "Aktionen anzeigen", - "resourceViewerInput.resourceViewer": "Ressourcen-Viewer" - }, - "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { - "extension.contributes.resourceView.resource.id": "Bezeichner der Ressource.", - "extension.contributes.resourceView.resource.name": "Der lesbare Name der Sicht. Dieser wird angezeigt.", - "extension.contributes.resourceView.resource.icon": "Pfad zum Ressourcensymbol.", - "extension.contributes.resourceViewResources": "Trägt die Ressource zur Ressourcenansicht bei.", - "requirestring": "Die Eigenschaft \"{0}\" ist erforderlich und muss vom Typ \"string\" sein.", - "optstring": "Die Eigenschaft \"{0}\" kann ausgelassen werden oder muss vom Typ \"string\" sein." - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { - "resourceViewer.ariaLabel": "Ressourcen-Viewer-Struktur" - }, - "sql/platform/dashboard/browser/widgetRegistry": { - "schema.dashboardWidgets.all": "In den Dashboards verwendetes Widget", - "schema.dashboardWidgets.database": "In den Dashboards verwendetes Widget", - "schema.dashboardWidgets.server": "In den Dashboards verwendetes Widget" - }, - "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { - "azdata.extension.contributes.widget.when": "Eine Bedingung, die TRUE lauten muss, damit dieses Element angezeigt wird.", - "azdata.extension.contributes.widget.hideHeader": "Gibt an, ob die Kopfzeile des Widgets ausgeblendet werden soll. Standardwert: FALSE.", - "dashboardpage.tabName": "Der Titel des Containers", - "dashboardpage.rowNumber": "Die Zeile der Komponente im Raster", - "dashboardpage.rowSpan": "Die RowSpan-Eigenschaft der Komponente im Raster. Der Standardwert ist 1. Verwenden Sie \"*\", um die Anzahl von Zeilen im Raster festzulegen.", - "dashboardpage.colNumber": "Die Spalte der Komponente im Raster", - "dashboardpage.colspan": "Der ColSpan-Wert der Komponente im Raster. Der Standardwert ist 1. Verwenden Sie \"*\", um die Anzahl von Spalten im Raster festzulegen.", - "azdata.extension.contributes.dashboardPage.tab.id": "Eindeutiger Bezeichner für diese Registerkarte. Wird bei allen Anforderungen an die Erweiterung übergeben.", - "dashboardTabError": "Die Registerkarte \"Erweiterung\" ist unbekannt oder nicht installiert." - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { - "dashboardDatabaseProperties": "Eigenschaftswidget aktivieren oder deaktivieren", - "dashboard.databaseproperties": "Anzuzeigende Eigenschaftswerte", - "dashboard.databaseproperties.displayName": "Anzeigename der Eigenschaft", - "dashboard.databaseproperties.value": "Wert im Objekt mit Datenbankinformationen", - "dashboard.databaseproperties.ignore": "Spezifische zu ignorierende Werte angeben", - "recoveryModel": "Wiederherstellungsmodell", - "lastDatabaseBackup": "Letzte Datenbanksicherung", - "lastLogBackup": "Letzte Protokollsicherung", - "compatibilityLevel": "Kompatibilitätsgrad", - "owner": "Besitzer", - "dashboardDatabase": "Hiermit wird die Dashboardseite für die Datenbank angepasst.", - "objectsWidgetTitle": "Suchen", - "dashboardDatabaseTabs": "Hiermit werden die Dashboardregisterkarten für die Datenbank angepasst." - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { - "dashboardServerProperties": "Eigenschaftswidget aktivieren oder deaktivieren", - "dashboard.serverproperties": "Anzuzeigende Eigenschaftswerte", - "dashboard.serverproperties.displayName": "Anzeigename der Eigenschaft", - "dashboard.serverproperties.value": "Wert im Objekt mit Serverinformationen", - "version": "Version", - "edition": "Edition", - "computerName": "Computername", - "osVersion": "Betriebssystemversion", - "explorerWidgetsTitle": "Suchen", - "dashboardServer": "Hiermit wird die Dashboardseite des Servers angepasst.", - "dashboardServerTabs": "Hiermit werden die Dashboardregisterkarten des Servers angepasst." - }, - "sql/workbench/contrib/dashboard/browser/dashboardActions": { - "ManageAction": "Verwalten" - }, - "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { - "opticon": "Die Eigenschaft \"icon\" kann ausgelassen werden oder muss eine Zeichenfolge oder ein Literal wie \"{dark, light}\" sein." - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { - "insightWidgetDescription": "Fügt ein Widget hinzu, das einen Server oder eine Datenbank abfragen und die Ergebnisse in unterschiedlicher Form anzeigen kann – als Diagramm, summierte Anzahl und mehr.", - "insightIdDescription": "Eindeutiger Bezeichner, der zum Zwischenspeichern der Erkenntnisergebnisse verwendet wird", - "insightQueryDescription": "Auszuführende SQL-Abfrage. Es sollte genau 1 Resultset zurückgegeben werden.", - "insightQueryFileDescription": "[Optional] Pfad zu einer Datei, die eine Abfrage enthält. Verwenden Sie diese Einstellung, wenn \"query\" nicht festgelegt ist.", - "insightAutoRefreshIntervalDescription": "[Optional] Intervall für die automatische Aktualisierung in Minuten. Ist kein Wert festgelegt, wird keine automatische Aktualisierung durchgeführt.", - "actionTypes": "Zu verwendende Aktionen", - "actionDatabaseDescription": "Zieldatenbank für die Aktion. Kann das Format \"${ columnName }\" verwenden, um einen datengesteuerten Spaltennamen zu nutzen.", - "actionServerDescription": "Zielserver für die Aktion. Kann das Format \"${ columnName }\" verwenden, um einen datengesteuerten Spaltennamen zu nutzen.", - "actionUserDescription": "Zielbenutzer für die Aktion. Kann das Format \"${ columnName }\" verwenden, um einen datengesteuerten Spaltennamen zu nutzen.", - "carbon.extension.contributes.insightType.id": "Bezeichner für Erkenntnisse", - "carbon.extension.contributes.insights": "Stellt Erkenntnisse in der Dashboardpalette zur Verfügung." - }, - "sql/workbench/contrib/backup/browser/backupActions": { - "backupAction.backup": "Sicherung", - "backup.isPreviewFeature": "Sie müssen die Vorschaufeatures aktivieren, um die Sicherung verwenden zu können.", - "backup.commandNotSupported": "Der Sicherungsbefehl wird für Azure SQL-Datenbank-Instanzen nicht unterstützt.", - "backup.commandNotSupportedForServer": "Der Sicherungsbefehl wird im Serverkontext nicht unterstützt. Wählen Sie eine Datenbank aus, und versuchen Sie es noch mal." - }, - "sql/workbench/contrib/restore/browser/restoreActions": { - "restoreAction.restore": "Wiederherstellen", - "restore.isPreviewFeature": "Sie müssen die Vorschaufeatures aktivieren, um die Wiederherstellung zu verwenden.", - "restore.commandNotSupported": "Der Wiederherstellungsbefehl wird für Azure SQL-Datenbank-Instanzen nicht unterstützt." - }, - "sql/workbench/contrib/extensions/browser/extensionsActions": { - "showRecommendations": "Empfehlungen anzeigen", - "Install Extensions": "Erweiterungen installieren", - "openExtensionAuthoringDocs": "Erweiterung erstellen..." - }, - "sql/workbench/browser/editData/editDataInput": { - "connectionFailure": "Fehler beim Verbinden der Datenbearbeitungssitzung." - }, - "sql/workbench/browser/modal/optionsDialog": { - "optionsDialog.ok": "OK", - "optionsDialog.cancel": "Abbrechen" - }, - "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { - "newDashboardTab.openDashboardExtensions": "Dashboarderweiterungen öffnen", - "newDashboardTab.ok": "OK", - "newDashboardTab.cancel": "Abbrechen", - "newdashboardTabDialog.noExtensionLabel": "Aktuell sind keine Dashboarderweiterungen installiert. Wechseln Sie zum Erweiterungs-Manager, um die empfohlenen Erweiterungen zu erkunden." - }, - "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { - "filebrowser.filepath": "Ausgewählter Pfad", - "fileFilter": "Dateien vom Typ", - "fileBrowser.ok": "OK", - "fileBrowser.discard": "Verwerfen" - }, - "sql/workbench/services/insights/browser/insightsDialogController": { - "insightsInputError": "Es wurde kein Verbindungsprofil an das Flyout mit Erkenntnissen übergeben.", - "insightsError": "Erkenntnisfehler", - "insightsFileError": "Fehler beim Lesen der Abfragedatei: ", - "insightsConfigError": "Fehler beim Analysieren der Konfiguration für Erkenntnisse. Das Abfragearray/die Abfragezeichenfolge oder die Abfragedatei wurde nicht gefunden." - }, - "sql/workbench/services/accountManagement/browser/accountPickerImpl": { - "azureAccount": "Azure-Konto", - "azureTenant": "Azure-Mandant" - }, - "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { - "showDataExplorer": "Verbindungen anzeigen", - "dataExplorer.servers": "Server", - "dataexplorer.name": "Verbindungen" - }, - "sql/workbench/contrib/tasks/browser/tasksView": { - "noTaskMessage": "Kein Aufgabenverlauf zur Anzeige vorhanden.", - "taskHistory.regTreeAriaLabel": "Aufgabenverlauf", - "taskError": "Aufgabenfehler" - }, - "sql/workbench/services/connection/browser/connectionActions": { - "ClearRecentlyUsedLabel": "Liste löschen", - "ClearedRecentConnections": "Die Liste der zuletzt verwendeten Verbindungen wurde gelöscht.", - "connectionAction.yes": "Ja", - "connectionAction.no": "Nein", - "clearRecentConnectionMessage": "Möchten Sie alle Verbindungen aus der Liste löschen?", - "connectionDialog.yes": "Ja", - "connectionDialog.no": "Nein", - "delete": "Löschen", - "connectionAction.GetCurrentConnectionString": "Aktuelle Verbindungszeichenfolge abrufen", - "connectionAction.connectionString": "Die Verbindungszeichenfolge ist nicht verfügbar.", - "connectionAction.noConnection": "Keine aktive Verbindung verfügbar." - }, - "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { - "connectionTree.refresh": "Aktualisieren", - "connectionTree.editConnection": "Verbindung bearbeiten", - "DisconnectAction": "Trennen", - "connectionTree.addConnection": "Neue Verbindung", - "connectionTree.addServerGroup": "Neue Servergruppe", - "connectionTree.editServerGroup": "Servergruppe bearbeiten", - "activeConnections": "Aktive Verbindungen anzeigen", - "showAllConnections": "Alle Verbindungen anzeigen", - "recentConnections": "Letzte Verbindungen", - "deleteConnection": "Verbindung löschen", - "deleteConnectionGroup": "Gruppe löschen" - }, - "sql/workbench/contrib/editData/browser/editDataActions": { - "editData.run": "Ausführen", - "disposeEditFailure": "Fehler beim Verwerfen der Bearbeitung: ", - "editData.stop": "Beenden", - "editData.showSql": "SQL-Bereich anzeigen", - "editData.closeSql": "SQL-Bereich schließen" - }, - "sql/workbench/browser/editor/profiler/profilerInput": { - "profilerInput.profiler": "Profiler", - "profilerInput.notConnected": "Nicht verbunden", - "profiler.sessionStopped": "Die XEvent Profiler-Sitzung wurde auf dem Server \"{0}\" unerwartet beendet.", - "profiler.sessionCreationError": "Fehler beim Starten der neuen Sitzung.", - "profiler.eventsLost": "Die XEvent Profiler-Sitzung für \"{0}\" hat Ereignisse verloren." - }, - "sql/workbench/browser/modelComponents/loadingComponent.component": { + "readme.md": { + "LanguagePackTitle": "Sprachpaket bietet lokalisierte Benutzeroberfläche für VS Code.", + "Usage": "Syntax", + "displayLanguage": "Sie können die Standardsprache der Benutzeroberfläche außer Kraft setzen, indem Sie die VS Code-Anzeigesprache explizit über den Befehl \"Anzeigesprache konfigurieren\" festlegen.", + "Command Palette": "Drücken Sie \"STRG+UMSCHALT+P\", um die Befehlspalette aufzurufen, und beginnen Sie mit der Eingabe von \"Anzeige\", um den Befehl \"Anzeigesprache konfigurieren\" zu filtern und anzuzeigen.", + "ShowLocale": "Drücken Sie die EINGABETASTE, und eine Liste installierter Sprachen nach Gebietsschema wird angezeigt. Das aktuelle Gebietsschema ist hervorgehoben.", + "SwtichUI": "Wählen Sie ein anderes Gebietsschema aus, um die Sprache der Benutzeroberfläche zu wechseln.", + "DocLink": "Weitere Informationen finden Sie in der Dokumentation.", + "Contributing": "Mitwirkende", + "Feedback": "Um Feedback zur Verbesserung der Übersetzung zu übermitteln, erstellen Sie ein Issue im Repository \"vscode-loc\".", + "LocPlatform": "Die Übersetzungszeichenfolgen werden in Microsoft Localization Platform verwaltet. Die Änderung kann nur in Microsoft Localization Platform durchgeführt und dann in das Repository \"vscode-loc\" exportiert werden. Der Pull Request wird daher im Repository \"vscode-loc\" nicht akzeptiert.", + "LicenseTitle": "Lizenz", + "LicenseMessage": "Der Quellcode und die Zeichenfolgen sind unter der MIT-Lizenz lizenziert.", + "Credits": "Info", + "Contributed": "Dieses Sprachpaket wurde durch Beiträge von der Community für die Community lokalisiert. Herzlichen Dank an die Mitwirkenden aus der Community, die dieses Paket verfügbar gemacht haben.", + "TopContributors": "Wichtigste Mitwirkende:", + "Contributors": "Mitwirkende:", + "EnjoyLanguagePack": "Viel Spaß!" + }, + "win32/i18n/Default": { + "SetupAppTitle": "Setup", + "SetupWindowTitle": "Setup – %1", + "UninstallAppTitle": "Deinstallieren", + "UninstallAppFullTitle": "%1 deinstallieren", + "InformationTitle": "Informationen", + "ConfirmTitle": "Bestätigen", + "ErrorTitle": "Fehler", + "SetupLdrStartupMessage": "Hiermit wird %1 installiert. Möchten Sie den Vorgang fortsetzen?", + "LdrCannotCreateTemp": "Eine temporäre Datei konnte nicht erstellt werden. Die Installation wurde abgebrochen.", + "LdrCannotExecTemp": "Eine Datei im temporären Verzeichnis kann nicht ausgeführt werden. Die Installation wurde abgebrochen.", + "LastErrorMessage": "%1.%n%nFehler %2: %3", + "SetupFileMissing": "Die Datei %1 fehlt im Installationsverzeichnis. Beheben Sie das Problem, oder beziehen Sie eine neue Kopie des Programms.", + "SetupFileCorrupt": "Die Setupdateien sind beschädigt. Beziehen Sie eine neue Kopie des Programms.", + "SetupFileCorruptOrWrongVer": "Die Setupdateien sind beschädigt oder nicht kompatibel mit dieser Version von Setup. Beheben Sie das Problem, oder beziehen Sie eine neue Kopie des Programms.", + "InvalidParameter": "Ein ungültiger Parameter wurde in der Befehlszeile übergeben:%n%n%1", + "SetupAlreadyRunning": "Setup wird bereits ausgeführt.", + "WindowsVersionNotSupported": "Dieses Programm unterstützt nicht die Version von Windows, die auf Ihrem Computer ausgeführt wird.", + "WindowsServicePackRequired": "Dieses Programm erfordert %1 Service Pack %2 oder höher.", + "NotOnThisPlatform": "Dieses Programm kann unter %1 nicht ausgeführt werden.", + "OnlyOnThisPlatform": "Dieses Programm muss unter %1 ausgeführt werden.", + "OnlyOnTheseArchitectures": "Dieses Programm kann nur unter Versionen von Windows installiert werden, die für die folgenden Prozessorarchitekturen konzipiert wurden:%n%n%1", + "MissingWOW64APIs": "Die Version von Windows, die Sie ausführen, enthält nicht die Funktionen, die von Setup zum Ausführen einer 64-Bit-Installation benötigt werden. Installieren Sie Service Pack %1, um dieses Problem zu beheben.", + "WinVersionTooLowError": "Dieses Programm erfordert %1 Version %2 oder höher.", + "WinVersionTooHighError": "Das Programm kann nicht unter %1 Version %2 oder höher installiert werde.", + "AdminPrivilegesRequired": "Sie müssen als Administrator angemeldet sein, wenn Sie dieses Programm installieren.", + "PowerUserPrivilegesRequired": "Sie müssen als Administrator oder als Mitglied der Gruppe \"Poweruser\" angemeldet sein, wenn Sie dieses Programm installieren.", + "SetupAppRunningError": "Setup hat festgestellt, dass %1 zurzeit ausgeführt wird.%n%nSchließen Sie jetzt alle Instanzen, und klicken Sie dann auf \"OK\", um fortzufahren, oder auf \"Abbrechen\", um die Installation zu beenden.", + "UninstallAppRunningError": "Die Deinstallation hat festgestellt, dass %1 zurzeit ausgeführt wird.%n%nSchließen Sie jetzt alle Instanzen, und klicken Sie dann auf \"OK\", um fortzufahren, oder auf \"Abbrechen\", um die Installation zu beenden.", + "ErrorCreatingDir": "Setup konnte das Verzeichnis \"%1\" nicht erstellen.", + "ErrorTooManyFilesInDir": "Eine Datei kann im Verzeichnis \"%1\" nicht erstellt werden, weil es zu viele Dateien enthält.", + "ExitSetupTitle": "Setup beenden", + "ExitSetupMessage": "Setup wurde nicht abgeschlossen. Wenn Sie die Installation jetzt beenden, wird das Programm nicht installiert.%n%nSie können Setup zu einem späteren Zeitpunkt erneut ausführen, um die Installation abzuschließen.%n%nSetup beenden?", + "AboutSetupMenuItem": "&Info zum Setup...", + "AboutSetupTitle": "Info zum Setup", + "AboutSetupMessage": "%1 Version %2%n%3%n%n%1 Startseite:%n%4", + "ButtonBack": "< &Zurück", + "ButtonNext": "&Weiter >", + "ButtonInstall": "&Installieren", + "ButtonOK": "OK", + "ButtonCancel": "Abbrechen", + "ButtonYes": "&Ja", + "ButtonYesToAll": "Ja für &alle", + "ButtonNo": "&Nein", + "ButtonNoToAll": "N&ein für alle", + "ButtonFinish": "&Fertig stellen", + "ButtonBrowse": "&Durchsuchen...", + "ButtonWizardBrowse": "D&urchsuchen...", + "ButtonNewFolder": "&Neuen Ordner erstellen", + "SelectLanguageTitle": "Setupsprache auswählen", + "SelectLanguageLabel": "Sprache auswählen, die während der Installation verwendet wird:", + "ClickNext": "Klicken Sie auf \"Weiter\", um den Vorgang fortzusetzen, oder auf \"Abbrechen\", um Setup zu beenden.", + "BrowseDialogTitle": "Ordner suchen", + "BrowseDialogLabel": "Wählen Sie einen Ordner in der Liste unten aus, und klicken Sie dann auf \"OK\".", + "NewFolderName": "Neuer Ordner", + "WelcomeLabel1": "Willkommen beim Setup-Assistenten von [name]", + "WelcomeLabel2": "Hiermit wird [name/ver] auf Ihrem Computer installiert.%n%nEs wird empfohlen, alle anderen Anwendungen zu schließen, bevor Sie fortfahren.", + "WizardPassword": "Kennwort", + "PasswordLabel1": "Die Installation ist durch ein Kennwort geschützt.", + "PasswordLabel3": "Geben Sie das Kennwort an, und klicken Sie dann auf \"Weiter\", um fortzufahren. Für Kennwörter wird zwischen Groß-und Kleinschreibung unterschieden.", + "PasswordEditLabel": "&Kennwort:", + "IncorrectPassword": "Das eingegebene Kennwort ist falsch. Versuchen Sie es noch mal.", + "WizardLicense": "Lizenzvereinbarung", + "LicenseLabel": "Lesen Sie die folgenden wichtigen Informationen, bevor Sie fortfahren.", + "LicenseLabel3": "Lesen Sie die folgenden Lizenzbedingungen. Sie müssen den Bedingungen dieser Vereinbarung zustimmen, bevor Sie die Installation fortsetzen können.", + "LicenseAccepted": "Ich stimme der Vereinb&arung zu", + "LicenseNotAccepted": "Ich &stimme der Vereinbarung nicht zu", + "WizardInfoBefore": "Informationen", + "InfoBeforeLabel": "Lesen Sie die folgenden wichtigen Informationen, bevor Sie fortfahren.", + "InfoBeforeClickLabel": "Klicken Sie auf \"Weiter\", um mit der Installation fortzufahren.", + "WizardInfoAfter": "Informationen", + "InfoAfterLabel": "Lesen Sie die folgenden wichtigen Informationen, bevor Sie fortfahren.", + "InfoAfterClickLabel": "Klicken Sie auf \"Weiter\", um mit der Installation fortzufahren.", + "WizardUserInfo": "Benutzerinformationen", + "UserInfoDesc": "Geben Sie Ihre Informationen ein.", + "UserInfoName": "&Benutzername:", + "UserInfoOrg": "&Organisation:", + "UserInfoSerial": "&Seriennummer:", + "UserInfoNameRequired": "Sie müssen einen Namen eingeben.", + "WizardSelectDir": "Zielspeicherort auswählen", + "SelectDirDesc": "Wo soll [name] installiert werden?", + "SelectDirLabel3": "Setup installiert [name] im folgenden Ordner.", + "SelectDirBrowseLabel": "Klicken Sie auf \"Weiter\", um fortzufahren. Wenn Sie einen anderen Ordner auswählen möchten, klicken Sie auf \"Durchsuchen\".", + "DiskSpaceMBLabel": "Mindestens [mb] MB freier Speicherplatz ist auf dem Datenträger erforderlich.", + "CannotInstallToNetworkDrive": "Setup kann die Installation nicht auf einem Netzlaufwerk ausführen.", + "CannotInstallToUNCPath": "Setup kann die Installation nicht in einem UNC-Pfad ausführen.", + "InvalidPath": "Sie müssen einen vollständigen Pfad mit Laufwerkbuchstaben eingeben; z.B. %n%nC:\\APP%n%n oder einen UNC-Pfad im Format %n%n\\\\server\\share", + "InvalidDrive": "Das ausgewählte Laufwerk oder die UNC-Freigabe ist nicht vorhanden oder es kann kein Zugriff darauf erfolgen. Wählen Sie ein anderes Laufwerk oder eine andere UNC-Freigabe aus.", + "DiskSpaceWarningTitle": "Nicht genügend Speicherplatz auf dem Datenträger.", + "DiskSpaceWarning": "Setup benötigt mindestens %1 KB freien Speicherplatz für die Installation. Auf dem ausgewählten Laufwerk sind aber nur %2 KB verfügbar.%n%nMöchten Sie trotzdem fortfahren?", + "DirNameTooLong": "Der Ordnername oder -pfad ist zu lang.", + "InvalidDirName": "Der Ordnername ist ungültig.", + "BadDirName32": "Ordnernamen dürfen keines der folgenden Zeichen enthalten: %n%n%1", + "DirExistsTitle": "Der Ordner ist vorhanden.", + "DirExists": "Der Ordner%n%n%1%n%nist bereits vorhanden. Möchten Sie trotzdem in diesem Ordner installieren?", + "DirDoesntExistTitle": "Der Ordner ist nicht vorhanden.", + "DirDoesntExist": "Der Ordner%n%n%1%n%nist nicht vorhanden. Soll der Ordner erstellt werden?", + "WizardSelectComponents": "Komponenten auswählen", + "SelectComponentsDesc": "Welche Komponenten sollen installiert werden?", + "SelectComponentsLabel2": "Wählen Sie die zu installierenden Komponenten aus. Deaktivieren Sie die Komponenten, die Sie nicht installieren möchten. Klicken Sie auf \"Weiter\", wenn Sie zum Fortfahren bereit sind.", + "FullInstallation": "Vollständige Installation", + "CompactInstallation": "Kompakte Installation", + "CustomInstallation": "Benutzerdefinierte Installation", + "NoUninstallWarningTitle": "Komponenten sind vorhanden.", + "NoUninstallWarning": "Setup hat festgestellt, dass die folgenden Komponenten bereits auf Ihrem Computer installiert sind:%n%n%1%n%nDurch das Deaktivieren dieser Komponenten werden diese nicht deinstalliert.%n%nMöchten Sie trotzdem fortfahren?", + "ComponentSize1": "%1 KB", + "ComponentSize2": "%1 MB", + "ComponentsDiskSpaceMBLabel": "Für die aktuelle Auswahl sind mindestens [mb] MB Speicherplatz auf dem Datenträger erforderlich.", + "WizardSelectTasks": "Weitere Aufgaben auswählen", + "SelectTasksDesc": "Welche weiteren Aufgaben sollen ausgeführt werden?", + "SelectTasksLabel2": "Wählen Sie die zusätzlichen Aufgaben aus, die Setup während der Installation von [name] ausführen soll, und klicken Sie dann auf \"Weiter\".", + "WizardSelectProgramGroup": "Startmenüordner auswählen", + "SelectStartMenuFolderDesc": "Wo soll Setup die Verknüpfungen des Programms platzieren?", + "SelectStartMenuFolderLabel3": "Setup erstellt die Verknüpfungen des Programms im folgenden Startmenüordner.", + "SelectStartMenuFolderBrowseLabel": "Klicken Sie auf \"Weiter\", um fortzufahren. Wenn Sie einen anderen Ordner auswählen möchten, klicken Sie auf \"Durchsuchen\".", + "MustEnterGroupName": "Sie müssen einen Ordnernamen eingeben.", + "GroupNameTooLong": "Der Ordnername oder -pfad ist zu lang.", + "InvalidGroupName": "Der Ordnername ist ungültig.", + "BadGroupName": "Der Ordnername darf keines der folgenden Zeichen enthalten: %n%n%1", + "NoProgramGroupCheck2": "&Keinen Startmenüordner erstellen", + "WizardReady": "Bereit für die Installation", + "ReadyLabel1": "Setup ist nun bereitet, mit der Installation von [name] auf Ihrem Computer zu beginnen.", + "ReadyLabel2a": "Klicken Sie auf \"Installieren\", um die Installation fortzusetzen, oder klicken Sie auf \"Zurück\", wenn Sie Einstellungen überprüfen oder ändern möchten.", + "ReadyLabel2b": "Klicken Sie auf \"Installieren\", um die Installation fortzusetzen.", + "ReadyMemoUserInfo": "Benutzerinformationen:", + "ReadyMemoDir": "Zielspeicherort:", + "ReadyMemoType": "Installationsart:", + "ReadyMemoComponents": "Ausgewählte Komponenten:", + "ReadyMemoGroup": "Startmenüordner:", + "ReadyMemoTasks": "Weitere Aufgaben:", + "WizardPreparing": "Die Installation wird vorbereitet.", + "PreparingDesc": "Setup bereitet die Installation von [name] auf Ihrem Computer vor.", + "PreviousInstallNotCompleted": "Die Installation/Entfernung eines vorherigen Programms wurde nicht abgeschlossen. Sie müssen den Computer zum Abschließen dieser Installation neu starten.%n%nNach dem Neustart des Computers führen Sie Setup erneut aus, um die Installation von [name] abzuschließen.", + "CannotContinue": "Setup kann nicht fortgesetzt werden. Klicken Sie auf \"Abbrechen\", um Setup zu beenden.", + "ApplicationsFound": "Die folgenden Anwendungen verwenden Dateien, die von Setup aktualisiert werden müssen. Es wird empfohlen, Setup das automatische Schließen dieser Anwendungen zu erlauben.", + "ApplicationsFound2": "Die folgenden Anwendungen verwenden Dateien, die von Setup aktualisiert werden müssen. Es wird empfohlen, Setup das automatische Schließen dieser Anwendungen zu erlauben. Nach Abschluss der Installation versucht Setup, die Anwendungen neu zu starten.", + "CloseApplications": "&Anwendungen automatisch schließen", + "DontCloseApplications": "A&nwendungen nicht schließen", + "ErrorCloseApplications": "Setup konnte nicht alle Programme automatisch schließen. Es wird empfohlen, alle Anwendungen zu schließen, die Dateien verwenden, die von Setup aktualisiert werden, bevor Sie den Vorgang fortsetzen.", + "WizardInstalling": "Wird installiert.", + "InstallingLabel": "Warten Sie, während Setup [name] auf Ihrem Computer installiert.", + "FinishedHeadingLabel": "Der Setup-Assistent für [name] wird abgeschlossen.", + "FinishedLabelNoIcons": "Setup hat die Installation von [name] auf Ihrem Computer abgeschlossen.", + "FinishedLabel": "Das Setup hat die Installation von [Name] auf Ihrem Computer abgeschlossen. Sie können die Anwendung über das installierte Symbol starten.", + "ClickFinish": "Klicken Sie auf \"Fertig stellen\", um Setup zu beenden.", + "FinishedRestartLabel": "Setup muss den Computer neu starten, damit die Installation von [name] abgeschlossen werden kann. Soll der Computer jetzt neu gestartet werden?", + "FinishedRestartMessage": "Setup muss den Computer neu starten, damit die Installation von [name] abgeschlossen werden kann.%n%nSoll der Computer jetzt neu gestartet werden?", + "ShowReadmeCheck": "Ja, ich möchte die Infodatei anzeigen", + "YesRadio": "&Ja, den Computer jetzt neu starten", + "NoRadio": "&Nein, ich starte den Computer später neu", + "RunEntryExec": "%1 ausführen", + "RunEntryShellExec": "%1 anzeigen", + "ChangeDiskTitle": "Setup benötigt den nächsten Datenträger.", + "SelectDiskLabel2": "Legen Sie den Datenträger %1 ein, und klicken Sie auf \"OK\".%n%nWenn sich die Dateien auf diesem Datenträger in einem anderen als dem unten angezeigten Ordner befinden, geben Sie den richtigen Pfad ein, oder klicken Sie auf \"Durchsuchen\".", + "PathLabel": "&Pfad:", + "FileNotInDir2": "Die Datei \"%1\" wurde in \"%2\" nicht gefunden. Legen Sie den richtigen Datenträger ein, oder wählen Sie einen anderen Ordner aus.", + "SelectDirectoryLabel": "Geben Sie den Speicherort des nächsten Datenträgers an.", + "SetupAborted": "Setup wurde nicht abgeschlossen.%n%nBeheben Sie das Problem, und führen Sie Setup erneut aus.", + "EntryAbortRetryIgnore": "Klicken Sie auf \"Wiederholen\", um es erneut zu versuchen, auf \"Ignorieren\", um den Vorgang trotzdem fortzusetzen, oder auf \"Abbrechen\", um die Installation abzubrechen.", + "StatusClosingApplications": "Anwendungen werden geschlossen...", + "StatusCreateDirs": "Verzeichnisse werden erstellt...", + "StatusExtractFiles": "Dateien werden extrahiert...", + "StatusCreateIcons": "Verknüpfungen werden erstellt...", + "StatusCreateIniEntries": "INI-Einträge werden erstellt...", + "StatusCreateRegistryEntries": "Registrierungseinträge werden erstellt...", + "StatusRegisterFiles": "Dateien werden registriert...", + "StatusSavingUninstall": "Die Deinstallationsinformationen werden gespeichert...", + "StatusRunProgram": "Die Installation wird abgeschlossen...", + "StatusRestartingApplications": "Anwendung werden erneut gestartet...", + "StatusRollback": "Rollback der Änderungen...", + "ErrorInternal2": "Interner Fehler: %1", + "ErrorFunctionFailedNoCode": "Fehler von %1.", + "ErrorFunctionFailed": "Fehler von %1. Code %2", + "ErrorFunctionFailedWithMessage": "Fehler von %1. Code %2.%n%3", + "ErrorExecutingProgram": "Die Datei kann nicht ausgeführt werden:%n%1", + "ErrorRegOpenKey": "Fehler beim Öffnen des Registrierungsschlüssels:%n%1\\%2", + "ErrorRegCreateKey": "Fehler beim Erstellen des Registrierungsschlüssels:%n%1\\%2", + "ErrorRegWriteKey": "Fehler beim Schreiben in den Registrierungsschlüssel:%n%1\\%2", + "ErrorIniEntry": "Fehler beim Erstellen des INI-Eintrags in der Datei \"%1\".", + "FileAbortRetryIgnore": "Klicken Sie auf \"Wiederholen\", um es erneut zu versuchen, auf \"Ignorieren\", um diese Datei zu überspringen (nicht empfohlen), oder auf \"Abbrechen\", um die Installation abzubrechen.", + "FileAbortRetryIgnore2": "Klicken Sie auf \"Wiederholen\", um es erneut zu versuchen, auf \"Ignorieren\", um den Vorgang trotzdem fortzusetzen (nicht empfohlen), oder auf \"Abbrechen\", um die Installation abzubrechen.", + "SourceIsCorrupted": "Die Quelldatei ist fehlerhaft.", + "SourceDoesntExist": "Die Quelldatei \"%1\" ist nicht vorhanden.", + "ExistingFileReadOnly": "Die vorhandene Datei ist als schreibgeschützt markiert.%n%nKlicken Sie auf \"Wiederholen\", um das Schreibschutzattribut zu entfernen und es erneut zu versuchen, auf \"Ignorieren\", um diese Datei zu überspringen, oder auf \"Abbrechen\", um die Installation abzubrechen.", + "ErrorReadingExistingDest": "Fehler beim Versuch, die vorhandene Datei zu lesen:", + "FileExists": "Die Datei ist bereits vorhanden.%n%nSoll Sie von Setup überschrieben werden?", + "ExistingFileNewer": "Die vorhandene Datei ist neuer als die Datei, die Setup installieren möchte. Es wird empfohlen, die vorhandene Datei beizubehalten.%n%nMöchten Sie die vorhandene Datei beibehalten?", + "ErrorChangingAttr": "Fehler beim Versuch, die Attribute der vorhandenen Datei zu ändern:", + "ErrorCreatingTemp": "Fehler beim Versuch, eine Datei im Zielverzeichnis zu erstellen:", + "ErrorReadingSource": "Fehler beim Versuch, die Quelldatei zu lesen:", + "ErrorCopying": "Fehler beim Versuch, eine Datei zu kopieren:", + "ErrorReplacingExistingFile": "Fehler beim Versuch, die vorhandene Datei zu ersetzen:", + "ErrorRestartReplace": "Fehler von \"RestartReplace\":", + "ErrorRenamingTemp": "Fehler beim Versuch, eine Datei im Zielverzeichnis umzubenennen:", + "ErrorRegisterServer": "Die DLL-/OCX-Datei kann nicht registriert werden: %1", + "ErrorRegSvr32Failed": "Fehler von RegSvr32 mit dem Exitcode %1.", + "ErrorRegisterTypeLib": "Die Typbibliothek kann nicht registriert werden: %1", + "ErrorOpeningReadme": "Fehler beim Versuch, die Infodatei zu öffnen.", + "ErrorRestartingComputer": "Setup konnte den Computer nicht neu starten. Führen Sie den Neustart manuell aus.", + "UninstallNotFound": "Die Datei \"%1\" ist nicht vorhanden. Die Deinstallation kann nicht ausgeführt werden.", + "UninstallOpenError": "Die Datei \"%1\" konnte nicht geöffnet werden. Die Deinstallation kann nicht ausgeführt werden.", + "UninstallUnsupportedVer": "Die Deinstallationsprotokolldatei \"%1\" liegt in einem Format vor, das von dieser Version des Deinstallationsprogramms nicht erkannt wird. Die Deinstallation kann nicht ausgeführt werden.", + "UninstallUnknownEntry": "Unbekannter Eintrag (%1) im Deinstallationsprotokoll.", + "ConfirmUninstall": "Sind Sie sicher, dass Sie %1 vollständig löschen möchten? Erweiterungen und Einstellungen werden nicht gelöscht.", + "UninstallOnlyOnWin64": "Diese Installation kann nur unter 64-Bit-Windows deinstalliert werden.", + "OnlyAdminCanUninstall": "Diese Installation kann nur von einem Benutzer mit Administratorberechtigungen deinstalliert werden.", + "UninstallStatusLabel": "Warten Sie, während %1 von Ihrem Computer entfernt wird.", + "UninstalledAll": "%1 wurde erfolgreich von Ihrem Computer entfernt.", + "UninstalledMost": "Die Deinstallation von %1 wurde abgeschlossen.%n%nEinige Elemente konnten nicht entfernt werden. Diese können manuell entfernt werden.", + "UninstalledAndNeedsRestart": "Ihr Computer muss neu gestartet werden, damit die Deinstallation von %1 abgeschlossen werden kann.%n%nSoll der Computer jetzt neu gestartet werden?", + "UninstallDataCorrupted": "Die Datei \"%1\" ist beschädigt. Kann nicht deinstalliert werden", + "ConfirmDeleteSharedFileTitle": "Freigegebene Datei entfernen?", + "ConfirmDeleteSharedFile2": "Das System zeigt an, dass die folgende freigegebene Datei nicht mehr von Programmen verwendet wird. Soll die Deinstallation diese freigegebene Datei entfernen?%n%nWenn Programme diese Datei noch verwenden und die Datei entfernt wird, funktionieren diese Programme ggf. nicht mehr ordnungsgemäß. Wenn Sie nicht sicher sind, wählen Sie \"Nein\" aus. Sie können die Datei problemlos im System belassen.", + "SharedFileNameLabel": "Dateiname:", + "SharedFileLocationLabel": "Speicherort:", + "WizardUninstalling": "Deinstallationsstatus", + "StatusUninstalling": "%1 wird deinstalliert...", + "ShutdownBlockReasonInstallingApp": "%1 wird installiert.", + "ShutdownBlockReasonUninstallingApp": "%1 wird deinstalliert.", + "NameAndVersion": "%1 Version %2", + "AdditionalIcons": "Zusätzliche Symbole:", + "CreateDesktopIcon": "Desktopsymbol &erstellen", + "CreateQuickLaunchIcon": "Schnellstartsymbol &erstellen", + "ProgramOnTheWeb": "%1 im Web", + "UninstallProgram": "%1 deinstallieren", + "LaunchProgram": "%1 starten", + "AssocFileExtension": "%1 der &Dateierweiterung \"%2\" zuordnen", + "AssocingFileExtension": "%1 wird der Dateierweiterung \"%2\" zugeordnet...", + "AutoStartProgramGroupDescription": "Start:", + "AutoStartProgram": "%1 automatisch starten", + "AddonHostProgramNotFound": "%1 wurde im von Ihnen ausgewählten Ordner nicht gefunden.%n%nMöchten Sie trotzdem fortfahren?" + }, + "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { "loadingMessage": "Wird geladen", "loadingCompletedMessage": "Ladevorgang abgeschlossen" }, - "sql/workbench/services/serverGroup/browser/serverGroupDialog": { - "ServerGroupsDialogTitle": "Servergruppen", - "serverGroup.ok": "OK", - "serverGroup.cancel": "Abbrechen", - "connectionGroupName": "Name der Servergruppe", - "MissingGroupNameError": "Der Gruppenname ist erforderlich.", - "groupDescription": "Gruppenbeschreibung", - "groupColor": "Gruppenfarbe" + "sql/base/browser/ui/panel/panel.component": { + "hideTextLabel": "Beschriftungen ausblenden", + "showTextLabel": "Beschriftungen anzeigen" }, - "sql/workbench/services/accountManagement/browser/accountDialogController": { - "accountDialog.addAccountErrorTitle": "Fehler beim Hinzufügen des Kontos" - }, - "sql/workbench/services/insights/browser/insightsDialogView": { - "insights.item": "Element", - "insights.value": "Wert", - "insightsDetailView.name": "Details zu Erkenntnissen", - "property": "Eigenschaft", - "value": "Wert", - "InsightsDialogTitle": "Erkenntnisse", - "insights.dialog.items": "Elemente", - "insights.dialog.itemDetails": "Details zum Element" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { - "oauthFlyoutIsAlreadyOpen": "Starten einer automatischen OAuth-Authentifizierung nicht möglich. Es wird bereits eine automatische OAuth-Authentifizierung ausgeführt." - }, - "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { - "eventSort": "Nach Ereignis sortieren", - "nameColumn": "Nach Spalte sortieren", - "profilerColumnDialog.profiler": "Profiler", - "profilerColumnDialog.ok": "OK", - "profilerColumnDialog.cancel": "Abbrechen" - }, - "sql/workbench/services/profiler/browser/profilerFilterDialog": { - "profilerFilterDialog.clear": "Alle löschen", - "profilerFilterDialog.apply": "Anwenden", - "profilerFilterDialog.ok": "OK", - "profilerFilterDialog.cancel": "Abbrechen", - "profilerFilterDialog.title": "Filter", - "profilerFilterDialog.remove": "Diese Klausel entfernen", - "profilerFilterDialog.saveFilter": "Filter speichern", - "profilerFilterDialog.loadFilter": "Filter laden", - "profilerFilterDialog.addClauseText": "Klausel hinzufügen", - "profilerFilterDialog.fieldColumn": "Feld", - "profilerFilterDialog.operatorColumn": "Operator", - "profilerFilterDialog.valueColumn": "Wert", - "profilerFilterDialog.isNullOperator": "Ist NULL", - "profilerFilterDialog.isNotNullOperator": "Ist nicht NULL", - "profilerFilterDialog.containsOperator": "Enthält", - "profilerFilterDialog.notContainsOperator": "Enthält nicht", - "profilerFilterDialog.startsWithOperator": "Beginnt mit", - "profilerFilterDialog.notStartsWithOperator": "Beginnt nicht mit" - }, - "sql/workbench/contrib/editData/browser/gridActions": { - "saveAsCsv": "Als CSV speichern", - "saveAsJson": "Als JSON speichern", - "saveAsExcel": "Als Excel speichern", - "saveAsXml": "Als XML speichern", - "copySelection": "Kopieren", - "copyWithHeaders": "Mit Headern kopieren", - "selectAll": "Alle auswählen" - }, - "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { - "dashboard.properties.property": "Definiert eine Eigenschaft, die im Dashboard angezeigt werden soll", - "dashboard.properties.property.displayName": "Gibt an, welcher Wert soll als Beschriftung für die Eigenschaft verwendet werden soll.", - "dashboard.properties.property.value": "Gibt an, auf welchen Wert im Objekt zugegriffen werden soll, um den Wert zu ermitteln.", - "dashboard.properties.property.ignore": "Geben Sie Werte an, die ignoriert werden sollen.", - "dashboard.properties.property.default": "Standardwert, der angezeigt werden soll, wenn der Wert ignoriert wird oder kein Wert angegeben ist", - "dashboard.properties.flavor": "Eine Variante für das Definieren von Dashboardeigenschaften", - "dashboard.properties.flavor.id": "ID der Variante", - "dashboard.properties.flavor.condition": "Bedingung für die Verwendung dieser Variante", - "dashboard.properties.flavor.condition.field": "Feld für Vergleich", - "dashboard.properties.flavor.condition.operator": "Hiermit wird angegeben, welcher Operator für den Vergleich verwendet werden soll.", - "dashboard.properties.flavor.condition.value": "Wert, mit dem das Feld verglichen werden soll", - "dashboard.properties.databaseProperties": "Eigenschaften, die für die Datenbankseite angezeigt werden sollen", - "dashboard.properties.serverProperties": "Eigenschaften, die für die Serverseite angezeigt werden sollen", - "carbon.extension.dashboard": "Hiermit wird definiert, dass dieser Anbieter das Dashboard unterstützt.", - "dashboard.id": "Anbieter-ID (z. B. MSSQL)", - "dashboard.properties": "Eigenschaftswerte, die im Dashboard angezeigt werden sollen" - }, - "sql/workbench/browser/modelComponents/inputbox.component": { - "invalidValueError": "Ungültiger Wert.", - "period": "{0}. {1}" - }, - "sql/workbench/browser/modelComponents/dropdown.component": { - "loadingMessage": "Wird geladen", - "loadingCompletedMessage": "Ladevorgang abgeschlossen" - }, - "sql/workbench/browser/modelComponents/declarativeTable.component": { - "blankValue": "Leer", - "checkAllColumnLabel": "Alle Kontrollkästchen in folgender Spalte aktivieren: {0}" - }, - "sql/workbench/api/common/extHostModelViewTree": { - "treeView.notRegistered": "Es wurde keine Strukturansicht mit der ID \"{0}\" registriert." - }, - "sql/workbench/services/editData/common/editQueryRunner": { - "query.initEditExecutionFailed": "Fehler beim Initialisieren der Datenbearbeitungssitzung: " - }, - "sql/workbench/services/notebook/common/notebookRegistry": { - "carbon.extension.contributes.notebook.provider": "Bezeichner des Notebook-Anbieters.", - "carbon.extension.contributes.notebook.fileExtensions": "Gibt an, welche Dateierweiterungen für diesen Notebook-Anbieter registriert werden sollen.", - "carbon.extension.contributes.notebook.standardKernels": "Gibt an, welche Kernel für diesen Notebook-Anbieter als Standard festgelegt werden sollen.", - "vscode.extension.contributes.notebook.providers": "Stellt Notebook-Anbieter zur Verfügung.", - "carbon.extension.contributes.notebook.magic": "Name des Magic-Befehls für die Zelle, z. B. \"%%sql\".", - "carbon.extension.contributes.notebook.language": "Die zu verwendende Zellensprache, wenn dieser Zellen-Magic-Befehl in der Zelle enthalten ist.", - "carbon.extension.contributes.notebook.executionTarget": "Optionales Ausführungsziel, das von diesem Magic-Befehl angegeben wird, z. B. Spark oder SQL", - "carbon.extension.contributes.notebook.kernels": "Optionaler Kernelsatz, auf den dies zutrifft, z. B. python3, pyspark, sql", - "vscode.extension.contributes.notebook.languagemagics": "Stellt die Notebook-Sprache zur Verfügung." - }, - "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { - "runActiveCell": "Zur Verwendung der F5-Tastenkombination muss eine Codezelle ausgewählt sein. Wählen Sie eine Codezelle für die Ausführung aus.", - "clearResultActiveCell": "Zum Löschen des Ergebnisses muss eine Zelle ausgewählt sein. Wählen Sie eine Codezelle für die Ausführung aus." - }, - "sql/workbench/services/notebook/browser/interfaces": { - "sqlKernel": "SQL" - }, - "sql/workbench/contrib/editData/browser/editDataEditor": { - "maxRowTaskbar": "Max. Zeilen:" - }, - "sql/workbench/contrib/profiler/browser/profilerEditor": { - "profiler.viewSelectAccessibleName": "Ansicht auswählen", - "profiler.sessionSelectAccessibleName": "Sitzung auswählen", - "profiler.sessionSelectLabel": "Sitzung auswählen:", - "profiler.viewSelectLabel": "Ansicht auswählen:", - "text": "Text", - "label": "Beschriftung", - "profilerEditor.value": "Wert", - "details": "Details" - }, - "sql/workbench/contrib/query/browser/statusBarItems": { - "status.query.timeElapsed": "Verstrichene Zeit", - "status.query.rowCount": "Zeilenanzahl", - "rowCount": "{0} Zeilen", - "query.status.executing": "Abfrage wird ausgeführt...", - "status.query.status": "Ausführungsstatus", - "status.query.selection-summary": "Zusammenfassung der Auswahl", - "status.query.summaryText": "Durchschnitt: {0}, Anzahl: {1}, Summe: {2}" - }, - "sql/workbench/contrib/query/browser/flavorStatus": { - "chooseSqlLang": "SQL-Sprache auswählen", - "changeProvider": "SQL-Sprachanbieter ändern", - "status.query.flavor": "SQL-Sprachvariante", - "changeSqlProvider": "SQL-Engine-Anbieter ändern", - "alreadyConnected": "Es besteht eine Verbindung über die Engine \"{0}\". Um die Verbindung zu ändern, trennen oder wechseln Sie die Verbindung.", - "noEditor": "Momentan ist kein Text-Editor aktiv.", - "pickSqlProvider": "Sprachanbieter auswählen" - }, - "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { - "plotlyError": "Fehler beim Anzeigen des Plotly-Graphen: {0}" - }, - "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { - "noRendererFound": "Für die Ausgabe wurde kein {0}-Renderer gefunden. Folgende MIME-Typen sind enthalten: {1}", - "safe": "(sicher) " - }, - "sql/workbench/browser/scriptingActions": { - "scriptSelect": "Oberste 1000 auswählen", - "scriptKustoSelect": "10 zurückgeben", - "scriptExecute": "Skripterstellung als EXECUTE", - "scriptAlter": "Skripterstellung als ALTER", - "editData": "Daten bearbeiten", - "scriptCreate": "Skripterstellung als CREATE", - "scriptDelete": "Skripterstellung als DROP" - }, - "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { - "providerRequired": "An diese Klasse muss ein NotebookProvider mit gültiger providerId übergeben werden." - }, - "sql/workbench/api/common/extHostNotebook": { - "providerRequired": "An diese Klasse muss ein NotebookProvider mit gültiger providerId übergeben werden.", - "errNoProvider": "Kein Notebook-Anbieter gefunden.", - "errNoManager": "Kein Manager gefunden.", - "noServerManager": "Der Notebook-Manager für das Notebook \"{0}\" umfasst keinen Server-Manager. Es können keine Aktionen ausgeführt werden.", - "noContentManager": "Der Notebook-Manager für das Notebook \"{0}\" umfasst keinen Inhalts-Manager. Es können keine Aktionen ausgeführt werden.", - "noSessionManager": "Der Notebook-Manager für das Notebook \"{0}\" umfasst keinen Sitzungs-Manager. Es können keine Aktionen ausgeführt werden." - }, - "sql/workbench/services/connection/browser/connectionManagementService": { - "connection.noAzureAccount": "Fehler beim Abrufen des Azure-Kontotokens für die Verbindung.", - "connectionNotAcceptedError": "Verbindung nicht akzeptiert.", - "connectionService.yes": "Ja", - "connectionService.no": "Nein", - "cancelConnectionConfirmation": "Möchten Sie diese Verbindung abbrechen?" - }, - "sql/workbench/contrib/webview/browser/webViewDialog": { - "webViewDialog.ok": "OK", - "webViewDialog.close": "Schließen" - }, - "sql/workbench/contrib/notebook/browser/notebookActions": { - "loading": "Kernel werden geladen...", - "changing": "Kernel wird geändert...", - "AttachTo": "Anfügen an ", - "Kernel": "Kernel ", - "loadingContexts": "Kontexte werden geladen...", - "changeConnection": "Verbindung ändern", - "selectConnection": "Verbindung auswählen", - "localhost": "localhost", - "noKernel": "Kein Kernel", - "clearResults": "Ergebnisse löschen", - "trustLabel": "Vertrauenswürdig", - "untrustLabel": "Nicht vertrauenswürdig", - "collapseAllCells": "Zellen reduzieren", - "expandAllCells": "Zellen erweitern", - "noContextAvailable": "Keine", - "newNotebookAction": "Neues Notebook", - "notebook.findNext": "Nächste Zeichenfolge suchen", - "notebook.findPrevious": "Vorhergehende Zeichenfolge suchen" - }, - "sql/workbench/contrib/queryPlan/browser/queryPlan": { - "queryPlanTitle": "Abfrageplan" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { - "resourceViewer.refresh": "Aktualisieren" - }, - "sql/workbench/services/dialog/browser/dialogPane": { - "wizardPageNumberDisplayText": "Schritt {0}" - }, - "sql/base/parts/editableDropdown/browser/dropdown": { - "editableDropdown.errorValidate": "Muss eine Option aus der Liste sein", - "selectBox": "Auswahlfeld" + "sql/base/browser/ui/panel/tabActions": { + "closeTab": "Schließen" }, "sql/base/browser/ui/selectBox/selectBox": { "alertErrorMessage": "Fehler: {0}", "alertWarningMessage": "Warnung: {0}", "alertInfoMessage": "Info: {0}" }, - "sql/workbench/services/connection/browser/connectionDialogWidget": { - "connection": "Verbindung", - "connecting": "Verbindung wird hergestellt", - "connectType": "Verbindungstyp", - "recentConnectionTitle": "Letzte Verbindungen", - "savedConnectionTitle": "Gespeicherte Verbindungen", - "connectionDetailsTitle": "Verbindungsdetails", - "connectionDialog.connect": "Verbinden", - "connectionDialog.cancel": "Abbrechen", - "connectionDialog.recentConnections": "Letzte Verbindungen", - "noRecentConnections": "Keine aktuelle Verbindung", - "connectionDialog.savedConnections": "Gespeicherte Verbindungen", - "noSavedConnections": "Keine gespeicherte Verbindung" + "sql/base/browser/ui/table/formatters": { + "tableCell.NoDataAvailable": "Keine Daten verfügbar." }, - "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { - "fileBrowser.regTreeAriaLabel": "Dateibrowserstruktur" + "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { + "selectDeselectAll": "Alles auswählen/Gesamte Auswahl aufheben" }, - "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { - "from": "Von", - "to": "An", - "createNewFirewallRule": "Neue Firewallregel erstellen", - "firewall.ok": "OK", - "firewall.cancel": "Abbrechen", - "firewallRuleDialogDescription": "Ihre Client-IP-Adresse hat keinen Zugriff auf den Server. Melden Sie sich bei einem Azure-Konto an, und erstellen Sie eine neue Firewallregel für die Aktivierung des Zugriffs.", - "firewallRuleHelpDescription": "Weitere Informationen zu Firewalleinstellungen", - "filewallRule": "Firewallregel", - "addIPAddressLabel": "Meine Client-IP-Adresse hinzufügen ", - "addIpRangeLabel": "Meinen Subnetz-IP-Adressbereich hinzufügen" + "sql/base/browser/ui/table/plugins/headerFilter.plugin": { + "headerFilter.showFilter": "Filter anzeigen", + "table.selectAll": "Alle auswählen", + "table.searchPlaceHolder": "Suchen", + "tableFilter.visibleCount": "{0} Ergebnisse", + "tableFilter.selectedCount": "{0} ausgewählt", + "table.sortAscending": "Aufsteigend sortieren", + "table.sortDescending": "Absteigend sortieren", + "headerFilter.ok": "OK", + "headerFilter.clear": "Löschen", + "headerFilter.cancel": "Abbrechen", + "table.filterOptions": "Filteroptionen" }, - "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { - "allFiles": "Alle Dateien" + "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { + "loadingSpinner.loading": "Wird geladen" }, - "sql/workbench/services/insights/common/insightsUtils": { - "insightsDidNotFindResolvedFile": "Die Abfragedatei wurde in keinem der folgenden Pfade gefunden:\r\n{0}" + "sql/base/browser/ui/table/plugins/rowDetailView": { + "rowDetailView.loadError": "Fehler wird geladen..." }, - "sql/workbench/services/accountManagement/browser/accountListRenderer": { - "refreshCredentials": "Die Anmeldeinformationen für dieses Konto müssen aktualisiert werden." + "sql/base/browser/ui/taskbar/overflowActionbar": { + "toggleMore": "Weitere ein-/ausblenden" + }, + "sql/base/common/locConstants": { + "azuredatastudio": "Azure Data Studio", + "default": "Automatische Prüfung auf Aktualisierungen aktivieren. Azure Data Studio prüft automatisch und regelmäßig auf Aktualisierungen.", + "enableWindowsBackgroundUpdates": "Aktivieren Sie diese Option, um neue Azure Data Studio-Versionen im Hintergrund unter Windows herunterzuladen und zu installieren.", + "showReleaseNotes": "Versionshinweise nach einem Update anzeigen. Die Versionshinweise werden in einem neuen Webbrowserfenster geöffnet.", + "dashboard.toolbar": "Das Aktionsmenü für die Dashboard-Symbolleiste", + "notebook.cellTitle": "Titelmenü der Notizbuchzelle", + "notebook.title": "Titelmenü des Notizbuchs", + "notebook.toolbar": "Symbolleistenmenü des Notizbuchs", + "dataExplorer.action": "Das Aktionsmenü für den Container-Titel der Dataexplorer-Ansicht", + "dataExplorer.context": "Kontextmenü des Dataexplorer-Elements", + "objectExplorer.context": "Kontextmenü des Objekt-Explorer-Elements", + "connectionDialogBrowseTree.context": "Kontextmenü zum Durchsuchen der Struktur des Verbindungsdialogfelds", + "dataGrid.context": "Kontextmenü des Datenrasterelements", + "extensionsPolicy": "Legt die Sicherheitsrichtlinie für das Herunterladen von Erweiterungen fest.", + "InstallVSIXAction.allowNone": "Die Erweiterungsrichtlinie lässt die Installation von Erweiterungen nicht zu. Ändern Sie Ihre Erweiterungsrichtlinie und versuchen Sie es noch mal.", + "InstallVSIXAction.successReload": "Die Installation der Erweiterung \"{0}\" aus VSIX wurde abgeschlossen. Laden Sie Azure Data Studio neu, um sie zu aktivieren.", + "postUninstallTooltip": "Laden Sie Azure Data Studio erneut, um die Deinstallation dieser Erweiterung abzuschließen.", + "postUpdateTooltip": "Laden Sie Azure Data Studio erneut, um die Aktualisierung dieser Erweiterung abzuschließen.", + "enable locally": "Laden Sie Azure Data Studio erneut, um diese Erweiterung lokal zu aktivieren.", + "postEnableTooltip": "Laden Sie Azure Data Studio erneut, um diese Erweiterung zu aktivieren.", + "postDisableTooltip": "Laden Sie Azure Data Studio erneut, um diese Erweiterung zu deaktivieren.", + "uninstallExtensionComplete": "Laden Sie Azure Data Studio erneut, um die Deinstallation der Erweiterung {0} abzuschließen.", + "enable remote": "Laden Sie Azure Data Studio erneut, um diese Erweiterung in {0} zu aktivieren.", + "installExtensionCompletedAndReloadRequired": "Die Installation der Erweiterung \"{0}\" wurde abgeschlossen. Laden Sie Azure Data Studio neu, um sie zu aktivieren.", + "ReinstallAction.successReload": "Laden Sie Azure Data Studio neu, um die Neuinstallation der Erweiterung {0} abzuschließen.", + "recommendedExtensions": "Marketplace", + "scenarioTypeUndefined": "Der Szenariotyp für Erweiterungsempfehlungen muss angegeben werden.", + "incompatible": "Die Erweiterung '{0}' mit Version '{1}' konnte nicht installiert werden, da sie nicht mit Azure Data Studio kompatibel ist.", + "newQuery": "Neue Abfrage", + "miNewQuery": "Neue &&Abfrage", + "miNewNotebook": "&&Neues Notizbuch", + "maxMemoryForLargeFilesMB": "Steuert den für Azure Data Studio verfügbaren Arbeitsspeicher nach einem Neustart bei dem Versuch, große Dateien zu öffnen. Dies hat die gleiche Auswirkung wie das Festlegen von `--max-memory=NEWSIZE` über die Befehlszeile.", + "updateLocale": "Möchten Sie die Sprache der Benutzeroberfläche von Azure Data Studio in {0} ändern und einen Neustart durchführen?", + "activateLanguagePack": "Um Azure Data Studio in {0} zu verwenden, muss Azure Data Studio neu gestartet werden.", + "watermark.newSqlFile": "Neue SQL-Datei", + "watermark.newNotebook": "Neues Notizbuch", + "miinstallVsix": "Erweiterung aus VSIX-Paket installieren" + }, + "sql/base/parts/editableDropdown/browser/dropdown": { + "editableDropdown.errorValidate": "Muss eine Option aus der Liste sein", + "selectBox": "Auswahlfeld" }, "sql/platform/accounts/common/accountActions": { "addAccount": "Konto hinzufügen", @@ -10190,354 +9358,24 @@ "refreshAccount": "Anmeldeinformationen erneut eingeben", "NoAccountToRefresh": "Es ist kein Konto zur Aktualisierung vorhanden." }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { - "showNotebookExplorer": "Notebooks anzeigen", - "notebookExplorer.searchResults": "Suchergebnisse", - "searchPathNotFoundError": "Der Suchpfad wurde nicht gefunden: {0}.", - "notebookExplorer.name": "Notebooks" + "sql/platform/clipboard/browser/clipboardService": { + "imageCopyingNotSupported": "Das Kopieren von Images wird nicht unterstützt." }, - "sql/workbench/contrib/query/browser/keyboardQueryActions": { - "focusOnCurrentQueryKeyboardAction": "Fokus auf aktuelle Abfrage", - "runQueryKeyboardAction": "Abfrage ausführen", - "runCurrentQueryKeyboardAction": "Aktuelle Abfrage ausführen", - "copyQueryWithResultsKeyboardAction": "Abfrage mit Ergebnissen kopieren", - "queryActions.queryResultsCopySuccess": "Die Abfrage und die Ergebnisse wurden erfolgreich kopiert.", - "runCurrentQueryWithActualPlanKeyboardAction": "Aktuelle Abfrage mit Istplan ausführen", - "cancelQueryKeyboardAction": "Abfrage abbrechen", - "refreshIntellisenseKeyboardAction": "IntelliSense-Cache aktualisieren", - "toggleQueryResultsKeyboardAction": "Abfrageergebnisse umschalten", - "ToggleFocusBetweenQueryEditorAndResultsAction": "Fokus zwischen Abfrage und Ergebnissen umschalten", - "queryShortcutNoEditor": "Editor-Parameter zum Ausführen einer Tastenkombination erforderlich.", - "parseSyntaxLabel": "Abfrage analysieren", - "queryActions.parseSyntaxSuccess": "Die Befehle wurden erfolgreich ausgeführt.", - "queryActions.parseSyntaxFailure": "Fehler bei Befehl:", - "queryActions.notConnected": "Stellen Sie eine Verbindung mit einem Server her." + "sql/platform/connection/common/connectionConfig": { + "invalidServerName": "Es ist bereits eine Servergruppe mit diesem Namen vorhanden." }, - "sql/workbench/contrib/tasks/browser/tasksRenderer": { - "succeeded": "Erfolgreich", - "failed": "Fehlerhaft", - "inProgress": "In Bearbeitung", - "notStarted": "Nicht gestartet", - "canceled": "Abgebrochen", - "canceling": "Wird abgebrochen" + "sql/platform/dashboard/browser/insightRegistry": { + "schema.dashboardWidgets.InsightsRegistry": "In den Dashboards verwendetes Widget" }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { - "chartErrorMessage": "Das Diagramm kann mit den angegebenen Daten nicht angezeigt werden." + "sql/platform/dashboard/browser/widgetRegistry": { + "schema.dashboardWidgets.all": "In den Dashboards verwendetes Widget", + "schema.dashboardWidgets.database": "In den Dashboards verwendetes Widget", + "schema.dashboardWidgets.server": "In den Dashboards verwendetes Widget" }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { - "resourceViewerTable.openError": "Fehler beim Öffnen des Links: {0}", - "resourceViewerTable.commandError": "Fehler beim Ausführen des Befehls \"{0}\": {1}" - }, - "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { - "copyFailed": "Fehler beim Kopieren: {0}", - "notebook.showChart": "Diagramm anzeigen", - "notebook.showTable": "Tabelle anzeigen" - }, - "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { - "doubleClickEdit": "Zum Bearbeiten doppelklicken", - "addContent": "Hier Inhalte hinzufügen... " - }, - "sql/workbench/contrib/scripting/browser/scriptingActions": { - "refreshError": "Fehler beim Aktualisieren des Knotens \"{0}\": {1}" - }, - "sql/workbench/api/common/extHostModelViewDialog": { - "dialogDoneLabel": "Fertig", - "dialogCancelLabel": "Abbrechen", - "generateScriptLabel": "Skript generieren", - "dialogNextLabel": "Weiter", - "dialogPreviousLabel": "Zurück", - "dashboardNotInitialized": "Registerkarten sind nicht initialisiert." - }, - "sql/workbench/browser/modal/optionsDialogHelper": { - "optionsDialog.missingRequireField": " ist erforderlich.", - "optionsDialog.invalidInput": "Ungültige Eingabe. Es wird ein numerischer Wert erwartet." - }, - "sql/workbench/services/restore/browser/restoreDialog": { - "backupFilePath": "Pfad zur Sicherungsdatei", - "targetDatabase": "Zieldatenbank", - "restoreDialog.restore": "Wiederherstellen", - "restoreDialog.restoreTitle": "Datenbank wiederherstellen", - "restoreDialog.database": "Datenbank", - "restoreDialog.backupFile": "Sicherungsdatei", - "RestoreDialogTitle": "Datenbank wiederherstellen", - "restoreDialog.cancel": "Abbrechen", - "restoreDialog.script": "Skript", - "source": "Quelle", - "restoreFrom": "Wiederherstellen aus", - "missingBackupFilePathError": "Sie müssen einen Pfad für die Sicherungsdatei angeben.", - "multipleBackupFilePath": "Geben Sie einen oder mehrere Dateipfade (durch Kommas getrennt) ein.", - "database": "Datenbank", - "destination": "Ziel", - "restoreTo": "Wiederherstellen in", - "restorePlan": "Wiederherstellungsplan", - "backupSetsToRestore": "Wiederherzustellende Sicherungssätze", - "restoreDatabaseFileAs": "Datenbankdateien wiederherstellen als", - "restoreDatabaseFileDetails": "Details zu Datenbankdateien wiederherstellen", - "logicalFileName": "Logischer Dateiname", - "fileType": "Dateityp", - "originalFileName": "Ursprünglicher Dateiname", - "restoreAs": "Wiederherstellen als", - "restoreOptions": "Wiederherstellungsoptionen", - "taillogBackup": "Sicherung des Protokollfragments", - "serverConnection": "Serververbindungen", - "generalTitle": "Allgemein", - "filesTitle": "Dateien", - "optionsTitle": "Optionen" - }, - "sql/workbench/services/insights/browser/insightDialogActions": { - "workbench.action.insights.copySelection": "Zelle kopieren" - }, - "sql/workbench/services/dialog/common/dialogTypes": { - "dialogModalDoneButtonLabel": "Fertig", - "dialogModalCancelButtonLabel": "Abbrechen" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { - "copyAndOpen": "Kopieren und öffnen", - "oauthDialog.cancel": "Abbrechen", - "userCode": "Benutzercode", - "website": "Website" - }, - "sql/workbench/browser/modelComponents/componentBase": { - "invalidIndex": "Der Index \"{0}\" ist ungültig." - }, - "sql/workbench/services/connection/browser/cmsConnectionWidget": { - "serverDescription": "Serverbeschreibung (optional)" - }, - "sql/workbench/services/connection/browser/advancedPropertiesController": { - "connectionAdvancedProperties": "Erweiterte Eigenschaften", - "advancedProperties.discard": "Verwerfen" - }, - "sql/workbench/services/notebook/common/localContentManager": { - "nbformatNotRecognized": "nbformat v{0}.{1} nicht erkannt.", - "nbNotSupported": "Diese Datei weist kein gültiges Notebook-Format auf.", - "unknownCellType": "Unbekannter Zellentyp \"{0}\".", - "unrecognizedOutput": "Der Ausgabetyp \"{0}\" wurde nicht erkannt.", - "invalidMimeData": "Als Daten für \"{0}\" wird eine Zeichenfolge oder ein Array aus Zeichenfolgen erwartet.", - "unrecognizedOutputType": "Der Ausgabetyp \"{0}\" wurde nicht erkannt." - }, - "sql/workbench/contrib/welcome/page/browser/welcomePage": { - "welcomePage": "Willkommen", - "welcomePage.adminPack": "SQL-Administratorpaket", - "welcomePage.showAdminPack": "SQL-Administratorpaket", - "welcomePage.adminPackDescription": "Das Administratorpaket für SQL Server ist eine Sammlung gängiger Erweiterungen für die Datenbankverwaltung, die Sie beim Verwalten von SQL Server unterstützen.", - "welcomePage.powershell": "PowerShell", - "welcomePage.powershellDescription": "Hiermit werden PowerShell-Skripts mithilfe des umfangreichen Abfrage-Editors von Azure Data Studio geschrieben und ausgeführt.", - "welcomePage.dataVirtualization": "Datenvirtualisierung", - "welcomePage.dataVirtualizationDescription": "Hiermit werden Daten mit SQL Server 2019 virtualisiert und externe Tabellen mithilfe interaktiver Assistenten erstellt.", - "welcomePage.PostgreSQL": "PostgreSQL", - "welcomePage.PostgreSQLDescription": "Mit Azure Data Studio können Sie PostgreSQL-Datenbanken verbinden, abfragen und verwalten.", - "welcomePage.extensionPackAlreadyInstalled": "Unterstützung für {0} ist bereits installiert.", - "welcomePage.willReloadAfterInstallingExtensionPack": "Nach dem Installieren zusätzlicher Unterstützung für {0} wird das Fenster neu geladen.", - "welcomePage.installingExtensionPack": "Zusätzliche Unterstützung für {0} wird installiert...", - "welcomePage.extensionPackNotFound": "Unterstützung für {0} mit der ID {1} wurde nicht gefunden.", - "welcomePage.newConnection": "Neue Verbindung", - "welcomePage.newQuery": "Neue Abfrage", - "welcomePage.newNotebook": "Neues Notebook", - "welcomePage.deployServer": "Server bereitstellen", - "welcome.title": "Willkommen", - "welcomePage.new": "Neu", - "welcomePage.open": "Öffnen…", - "welcomePage.openFile": "Datei öffnen…", - "welcomePage.openFolder": "Ordner öffnen…", - "welcomePage.startTour": "Tour starten", - "closeTourBar": "Leiste für Schnelleinführung schließen", - "WelcomePage.TakeATour": "Möchten Sie eine kurze Einführung in Azure Data Studio erhalten?", - "WelcomePage.welcome": "Willkommen!", - "welcomePage.openFolderWithPath": "Ordner {0} mit Pfad {1} öffnen", - "welcomePage.install": "Installieren", - "welcomePage.installKeymap": "Tastenzuordnung {0} öffnen", - "welcomePage.installExtensionPack": "Zusätzliche Unterstützung für {0} installieren", - "welcomePage.installed": "Installiert", - "welcomePage.installedKeymap": "Die Tastaturzuordnung {0} ist bereits installiert.", - "welcomePage.installedExtensionPack": "Unterstützung für {0} ist bereits installiert.", - "ok": "OK", - "details": "Details", - "welcomePage.background": "Hintergrundfarbe für die Startseite." - }, - "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { - "profilerTextEditorAriaLabel": "Profiler-Editor für Ereignistext (schreibgeschützt)" - }, - "sql/workbench/services/query/common/resultSerializer": { - "msgSaveFailed": "Fehler beim Speichern der Ergebnisse. ", - "resultsSerializer.saveAsFileTitle": "Ergebnisdatei auswählen", - "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (durch Trennzeichen getrennte Datei)", - "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", - "resultsSerializer.saveAsFileExtensionExcelTitle": "Excel-Arbeitsmappe", - "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", - "resultsSerializer.saveAsFileExtensionTXTTitle": "Nur-Text", - "savingFile": "Datei wird gespeichert...", - "msgSaveSucceeded": "Ergebnisse wurden erfolgreich in \"{0}\" gespeichert.", - "openFile": "Datei öffnen" - }, - "sql/base/browser/ui/panel/panel.component": { - "hideTextLabel": "Beschriftungen ausblenden", - "showTextLabel": "Beschriftungen anzeigen" - }, - "sql/workbench/browser/modelComponents/queryTextEditor": { - "queryTextEditorAriaLabel": "Modellansichts-Code-Editor für Ansichtsmodell." - }, - "sql/workbench/browser/modal/modal": { - "infoAltText": "Information", - "warningAltText": "Warnung", - "errorAltText": "Fehler", - "showMessageDetails": "Details anzeigen", - "copyMessage": "Kopieren", - "closeMessage": "Schließen", - "modal.back": "Zurück", - "hideMessageDetails": "Details ausblenden" - }, - "sql/workbench/services/accountManagement/browser/accountDialog": { - "accountExplorer.name": "Konten", - "linkedAccounts": "Verknüpfte Konten", - "accountDialog.close": "Schließen", - "accountDialog.noAccountLabel": "Es ist kein verknüpftes Konto vorhanden. Fügen Sie ein Konto hinzu.", - "accountDialog.addConnection": "Konto hinzufügen", - "accountDialog.noCloudsRegistered": "Es sind keine Clouds aktiviert. Wechseln Sie zu \"Einstellungen\", durchsuchen Sie die Azure-Kontokonfiguration, und aktivieren Sie mindestens eine Cloud.", - "accountDialog.didNotPickAuthProvider": "Sie haben keinen Authentifizierungsanbieter ausgewählt. Versuchen Sie es noch mal." - }, - "sql/workbench/services/query/common/queryRunner": { - "query.ExecutionFailedError": "Die Ausführung war aufgrund eines unerwarteten Fehlers nicht möglich: {0}\t{1}", - "query.message.executionTime": "Ausführungszeit gesamt: {0}", - "query.message.startQueryWithRange": "Die Abfrageausführung wurde in Zeile {0} gestartet.", - "query.message.startQuery": "Die Ausführung von Batch \"{0}\" wurde gestartet.", - "elapsedBatchTime": "Batchausführungszeit: {0}", - "copyFailed": "Fehler beim Kopieren: {0}" - }, - "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { - "welcomePage.azdata": "Azure Data Studio", - "welcomePage.start": "Starten", - "welcomePage.newConnection": "Neue Verbindung", - "welcomePage.newQuery": "Neue Abfrage", - "welcomePage.newNotebook": "Neues Notebook", - "welcomePage.openFileMac": "Datei öffnen", - "welcomePage.openFileLinuxPC": "Datei öffnen", - "welcomePage.deploy": "Bereitstellen", - "welcomePage.newDeployment": "Neue Bereitstellung…", - "welcomePage.recent": "Zuletzt verwendet", - "welcomePage.moreRecent": "Mehr...", - "welcomePage.noRecentFolders": "Keine kürzlich verwendeten Ordner", - "welcomePage.help": "Hilfe", - "welcomePage.gettingStarted": "Erste Schritte", - "welcomePage.productDocumentation": "Dokumentation", - "welcomePage.reportIssue": "Problem melden oder Feature anfragen", - "welcomePage.gitHubRepository": "GitHub-Repository", - "welcomePage.releaseNotes": "Versionshinweise", - "welcomePage.showOnStartup": "Beim Start Willkommensseite anzeigen", - "welcomePage.customize": "Anpassen", - "welcomePage.extensions": "Erweiterungen", - "welcomePage.extensionDescription": "Laden Sie die von Ihnen benötigten Erweiterungen herunter, z. B. die SQL Server-Verwaltungsprogramme und mehr.", - "welcomePage.keyboardShortcut": "Tastenkombinationen", - "welcomePage.keyboardShortcutDescription": "Bevorzugte Befehle finden und anpassen", - "welcomePage.colorTheme": "Farbdesign", - "welcomePage.colorThemeDescription": "Passen Sie das Aussehen von Editor und Code an Ihre Wünsche an.", - "welcomePage.learn": "Informationen", - "welcomePage.showCommands": "Alle Befehle suchen und ausführen", - "welcomePage.showCommandsDescription": "Über die Befehlspalette ({0}) können Sie schnell auf Befehle zugreifen und nach Befehlen suchen.", - "welcomePage.azdataBlog": "Neuerungen in der aktuellen Version erkunden", - "welcomePage.azdataBlogDescription": "Monatliche Vorstellung neuer Features in Blogbeiträgen", - "welcomePage.followTwitter": "Folgen Sie uns auf Twitter", - "welcomePage.followTwitterDescription": "Informieren Sie sich darüber, wie die Community Azure Data Studio verwendet, und kommunizieren Sie direkt mit den Technikern." - }, - "sql/workbench/contrib/profiler/browser/profilerActions": { - "profilerAction.connect": "Verbinden", - "profilerAction.disconnect": "Trennen", - "start": "Starten", - "create": "Neue Sitzung", - "profilerAction.pauseCapture": "Anhalten", - "profilerAction.resumeCapture": "Fortsetzen", - "profilerStop.stop": "Beenden", - "profiler.clear": "Daten löschen", - "profiler.clearDataPrompt": "Möchten Sie die Daten löschen?", - "profiler.yes": "Ja", - "profiler.no": "Nein", - "profilerAction.autoscrollOn": "Automatisches Scrollen: Ein", - "profilerAction.autoscrollOff": "Automatisches Scrollen: Aus", - "profiler.toggleCollapsePanel": "Ausgeblendeten Bereich umschalten", - "profiler.editColumns": "Spalten bearbeiten", - "profiler.findNext": "Nächste Zeichenfolge suchen", - "profiler.findPrevious": "Vorhergehende Zeichenfolge suchen", - "profilerAction.newProfiler": "Profiler starten", - "profiler.filter": "Filtern...", - "profiler.clearFilter": "Filter löschen", - "profiler.clearFilterPrompt": "Möchten Sie die Filter löschen?" - }, - "sql/workbench/contrib/profiler/browser/profilerTableEditor": { - "ProfilerTableEditor.eventCountFiltered": "Ereignisse (gefiltert): {0}/{1}", - "ProfilerTableEditor.eventCount": "Ereignisse: {0}", - "status.eventCount": "Ereignisanzahl" - }, - "sql/base/browser/ui/table/formatters": { - "tableCell.NoDataAvailable": "Keine Daten verfügbar." - }, - "sql/workbench/contrib/query/browser/queryResultsView": { - "resultsTabTitle": "Ergebnisse", - "messagesTabTitle": "Meldungen" - }, - "sql/workbench/browser/scriptingUtils": { - "scriptSelectNotFound": "Beim Aufruf des ausgewählten Skripts für das Objekt wurde kein Skript zurückgegeben. ", - "selectOperationName": "Auswählen", - "createOperationName": "Erstellen", - "insertOperationName": "Einfügen", - "updateOperationName": "Aktualisieren", - "deleteOperationName": "Löschen", - "scriptNotFoundForObject": "Bei der Skripterstellung als \"{0}\" für Objekt \"{1}\" wurde kein Skript zurückgegeben.", - "scriptingFailed": "Fehler bei Skripterstellung.", - "scriptNotFound": "Bei der Skripterstellung als \"{0}\" wurde kein Skript zurückgegeben." - }, - "sql/platform/theme/common/colors": { - "tableHeaderBackground": "Hintergrundfarbe für Tabellenüberschrift", - "tableHeaderForeground": "Vordergrundfarbe für Tabellenüberschrift", - "listFocusAndSelectionBackground": "Hintergrundfarbe von Listen/Tabellen für das ausgewählte und fokussierte Element, wenn die Liste/Tabelle aktiv ist", - "tableCellOutline": "Farbe der Kontur einer Zelle.", - "disabledInputBoxBackground": "Hintergrund für deaktiviertes Eingabefeld.", - "disabledInputBoxForeground": "Vordergrund für deaktiviertes Eingabefeld.", - "buttonFocusOutline": "Konturfarbe der Schaltfläche, wenn diese den Fokus hat.", - "disabledCheckboxforeground": "Vordergrundfarbe für deaktiviertes Kontrollkästchen.", - "agentTableBackground": "Hintergrundfarbe für die SQL-Agent-Tabelle.", - "agentCellBackground": "Hintergrundfarbe für die SQL-Agent-Tabellenzellen.", - "agentTableHoverBackground": "Hintergrundfarbe für die SQL-Agent-Tabelle, wenn darauf gezeigt wird.", - "agentJobsHeadingColor": "Hintergrundfarbe für SQL-Agent-Überschriften.", - "agentCellBorderColor": "Rahmenfarbe für SQL-Agent-Tabellenzellen.", - "resultsErrorColor": "Farbe für Fehler bei Ergebnismeldungen." - }, - "sql/workbench/contrib/backup/browser/backup.component": { - "backup.backupName": "Backup-Name", - "backup.recoveryModel": "Wiederherstellungsmodell", - "backup.backupType": "Sicherungstyp", - "backup.backupDevice": "Sicherungsdateien", - "backup.algorithm": "Algorithmus", - "backup.certificateOrAsymmetricKey": "Zertifikat oder asymmetrischer Schlüssel", - "backup.media": "Medien", - "backup.mediaOption": "Sicherung im vorhandenen Mediensatz", - "backup.mediaOptionFormat": "Sicherung in einem neuen Mediensatz", - "backup.existingMediaAppend": "An vorhandenem Sicherungssatz anhängen", - "backup.existingMediaOverwrite": "Alle vorhandenen Sicherungssätze überschreiben", - "backup.newMediaSetName": "Name des neuen Mediensatzes", - "backup.newMediaSetDescription": "Beschreibung des neuen Mediensatzes", - "backup.checksumContainer": "Vor dem Schreiben auf Medium Prüfsumme berechnen", - "backup.verifyContainer": "Sicherung nach Abschluss überprüfen", - "backup.continueOnErrorContainer": "Bei Fehler fortsetzen", - "backup.expiration": "Ablauf", - "backup.setBackupRetainDays": "Aufbewahrungsdauer der Sicherung in Tagen festlegen", - "backup.copyOnly": "Kopiesicherung", - "backup.advancedConfiguration": "Erweiterte Konfiguration", - "backup.compression": "Komprimierung", - "backup.setBackupCompression": "Sicherungskomprimierung festlegen", - "backup.encryption": "Verschlüsselung", - "backup.transactionLog": "Transaktionsprotokoll", - "backup.truncateTransactionLog": "Transaktionsprotokoll abschneiden", - "backup.backupTail": "Sicherung des Protokollfragments", - "backup.reliability": "Zuverlässigkeit", - "backup.mediaNameRequired": "Der Name des Mediums muss angegeben werden.", - "backup.noEncryptorWarning": "Es ist kein Zertifikat oder asymmetrischer Schlüssel verfügbar.", - "addFile": "Datei hinzufügen", - "removeFile": "Dateien entfernen", - "backupComponent.invalidInput": "Ungültige Eingabe. Wert muss größer oder gleich 0 sein.", - "backupComponent.script": "Skript", - "backupComponent.backup": "Sicherung", - "backupComponent.cancel": "Abbrechen", - "backup.containsBackupToUrlError": "Es wird nur das Sichern in einer Datei unterstützt.", - "backup.backupFileRequired": "Der Pfad für die Sicherungsdatei muss angegeben werden." + "sql/platform/serialization/common/serializationService": { + "saveAsNotSupported": "Das Speichern von Ergebnissen in einem anderen Format ist für diesen Datenanbieter deaktiviert.", + "noSerializationProvider": "Daten können nicht serialisiert werden, weil kein Anbieter registriert wurde.", + "unknownSerializationError": "Unbekannter Fehler bei der Serialisierung." }, "sql/platform/theme/common/colorRegistry": { "tileBorder": "Die Rahmenfarbe von Kacheln.", @@ -10587,231 +9425,184 @@ "calloutDialogBodyBackground": "Texthintergrund des Legendendialogfelds.", "calloutDialogShadowColor": "Schattenfarbe des Legendendialogfelds." }, - "sql/workbench/contrib/views/browser/treeView": { - "no-dataprovider": "Es ist kein Datenanbieter registriert, der Sichtdaten bereitstellen kann.", - "refresh": "Aktualisieren", - "collapseAll": "Alle reduzieren", - "command-error": "Fehler beim Ausführen des Befehls {1}: {0}. Dies wird vermutlich durch die Erweiterung verursacht, die {1} beiträgt." + "sql/platform/theme/common/colors": { + "tableHeaderBackground": "Hintergrundfarbe für Tabellenüberschrift", + "tableHeaderForeground": "Vordergrundfarbe für Tabellenüberschrift", + "listFocusAndSelectionBackground": "Hintergrundfarbe von Listen/Tabellen für das ausgewählte und fokussierte Element, wenn die Liste/Tabelle aktiv ist", + "tableCellOutline": "Farbe der Kontur einer Zelle.", + "disabledInputBoxBackground": "Hintergrund für deaktiviertes Eingabefeld.", + "disabledInputBoxForeground": "Vordergrund für deaktiviertes Eingabefeld.", + "buttonFocusOutline": "Konturfarbe der Schaltfläche, wenn diese den Fokus hat.", + "disabledCheckboxforeground": "Vordergrundfarbe für deaktiviertes Kontrollkästchen.", + "agentTableBackground": "Hintergrundfarbe für die SQL-Agent-Tabelle.", + "agentCellBackground": "Hintergrundfarbe für die SQL-Agent-Tabellenzellen.", + "agentTableHoverBackground": "Hintergrundfarbe für die SQL-Agent-Tabelle, wenn darauf gezeigt wird.", + "agentJobsHeadingColor": "Hintergrundfarbe für SQL-Agent-Überschriften.", + "agentCellBorderColor": "Rahmenfarbe für SQL-Agent-Tabellenzellen.", + "resultsErrorColor": "Farbe für Fehler bei Ergebnismeldungen." }, - "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { - "notebook.failed": "Wählen Sie eine aktive Zelle aus, und versuchen Sie es noch mal.", - "runCell": "Zelle ausführen", - "stopCell": "Ausführung abbrechen", - "errorRunCell": "Fehler bei der letzten Ausführung. Klicken Sie, um den Vorgang zu wiederholen." + "sql/workbench/api/browser/mainThreadExtensionManagement": { + "workbench.generalObsoleteApiNotification": "Einige der geladenen Erweiterungen verwenden veraltete APIs. Ausführliche Informationen finden Sie auf der Registerkarte \"Konsole\" des Fensters \"Entwicklertools\".", + "dontShowAgain": "Nicht mehr anzeigen" }, - "sql/workbench/contrib/tasks/common/tasksAction": { - "cancelTask.cancel": "Abbrechen", - "errorMsgFromCancelTask": "Die Aufgabe konnte nicht abgebrochen werden.", - "taskAction.script": "Skript" - }, - "sql/base/browser/ui/taskbar/overflowActionbar": { - "toggleMore": "Weitere ein-/ausblenden" - }, - "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { - "loadingSpinner.loading": "Wird geladen" - }, - "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { - "homeCrumb": "Start" - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { - "dashboardNavSection.loadTabError": "Der Abschnitt \"{0}\" umfasst ungültige Inhalte. Kontaktieren Sie den Besitzer der Erweiterung." - }, - "sql/workbench/contrib/jobManagement/browser/agentView.component": { - "jobview.Jobs": "Aufträge", - "jobview.Notebooks": "Notebooks", - "jobview.Alerts": "Warnungen", - "jobview.Proxies": "Proxys", - "jobview.Operators": "Operatoren" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { - "serverPageName": "Servereigenschaften" - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { - "databasePageName": "Datenbankeigenschaften" - }, - "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { - "selectDeselectAll": "Alles auswählen/Gesamte Auswahl aufheben" - }, - "sql/base/browser/ui/table/plugins/headerFilter.plugin": { - "headerFilter.showFilter": "Filter anzeigen", - "headerFilter.ok": "OK", - "headerFilter.clear": "Löschen", - "headerFilter.cancel": "Abbrechen" - }, - "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { - "treeAriaLabel": "Letzte Verbindungen", - "serversAriaLabel": "Server", - "treeCreation.regTreeAriaLabel": "Server" - }, - "sql/workbench/services/restore/common/constants": { - "backup.filterBackupFiles": "Sicherungsdateien", - "backup.allFiles": "Alle Dateien" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { - "label.Search": "Suche: Geben Sie den Suchbegriff ein, und drücken Sie die EINGABETASTE, um zu suchen, oder ESC, um den Vorgang abzubrechen.", - "search.placeHolder": "Suchen" - }, - "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { - "dashboard.changeDatabaseFailure": "Fehler beim Ändern der Datenbank." - }, - "sql/workbench/contrib/jobManagement/browser/alertsView.component": { - "jobAlertColumns.name": "Name", - "jobAlertColumns.lastOccurrenceDate": "Letztes Vorkommen", - "jobAlertColumns.enabled": "Aktiviert", - "jobAlertColumns.delayBetweenResponses": "Verzögerung zwischen Antworten (in Sek.)", - "jobAlertColumns.categoryName": "Kategoriename" - }, - "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { - "jobOperatorsView.name": "Name", - "jobOperatorsView.emailAddress": "E-Mail-Adresse", - "jobOperatorsView.enabled": "Aktiviert" - }, - "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { - "jobProxiesView.accountName": "Kontoname", - "jobProxiesView.credentialName": "Name der Anmeldeinformationen", - "jobProxiesView.description": "Beschreibung", - "jobProxiesView.isEnabled": "Aktiviert" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { - "loadingObjects": "Objekte werden geladen.", - "loadingDatabases": "Datenbanken werden geladen.", - "loadingObjectsCompleted": "Objekte wurden vollständig geladen.", - "loadingDatabasesCompleted": "Datenbanken wurden vollständig geladen.", - "seachObjects": "Suche nach Namen des Typs (t:, v:, f: oder sp:)", - "searchDatabases": "Datenbanken suchen", - "dashboard.explorer.objectError": "Objekte können nicht geladen werden.", - "dashboard.explorer.databaseError": "Datenbanken können nicht geladen werden." - }, - "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { - "loadingProperties": "Eigenschaften werden geladen.", - "loadingPropertiesCompleted": "Eigenschaften wurden vollständig geladen.", - "dashboard.properties.error": "Die Dashboardeigenschaften können nicht geladen werden." - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { - "insightsWidgetLoadingMessage": "\"{0}\" wird geladen.", - "insightsWidgetLoadingCompletedMessage": "\"{0}\" vollständig geladen.", - "insights.autoRefreshOffState": "Automatische Aktualisierung: AUS", - "insights.lastUpdated": "Letzte Aktualisierung: {0} {1}", - "noResults": "Keine Ergebnisse zur Anzeige vorhanden." - }, - "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { - "agent.steps": "Schritte" - }, - "sql/workbench/contrib/query/browser/actions": { - "saveAsCsv": "Als CSV speichern", - "saveAsJson": "Als JSON speichern", - "saveAsExcel": "Als Excel speichern", - "saveAsXml": "Als XML speichern", - "jsonEncoding": "Die Ergebniscodierung wird beim Exportieren in JSON nicht gespeichert. Nachdem die Datei erstellt wurde, speichern Sie sie mit der gewünschten Codierung.", - "saveToFileNotSupported": "Das Speichern in einer Datei wird von der zugrunde liegenden Datenquelle nicht unterstützt.", - "copySelection": "Kopieren", - "copyWithHeaders": "Mit Headern kopieren", - "selectAll": "Alle auswählen", - "maximize": "Maximieren", - "restore": "Wiederherstellen", - "chart": "Diagramm", - "visualizer": "Schnellansicht" + "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { + "runActiveCell": "Zur Verwendung der F5-Tastenkombination muss eine Codezelle ausgewählt sein. Wählen Sie eine Codezelle für die Ausführung aus.", + "clearResultActiveCell": "Zum Löschen des Ergebnisses muss eine Zelle ausgewählt sein. Wählen Sie eine Codezelle für die Ausführung aus." }, "sql/workbench/api/common/extHostModelView": { "unknownComponentType": "Unbekannter Komponententyp. Zum Erstellen von Objekten muss \"ModelBuilder\" verwendet werden.", "invalidIndex": "Der Index \"{0}\" ist ungültig.", "unknownConfig": "Unbekannte Komponentenkonfiguration. Zum Erstellen eines Konfigurationsobjekts muss \"ModelBuilder\" verwendet werden." }, - "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { - "stepRow.stepID": "Schritt-ID", - "stepRow.stepName": "Schrittname", - "stepRow.message": "Meldung" + "sql/workbench/api/common/extHostModelViewDialog": { + "dialogDoneLabel": "Fertig", + "dialogCancelLabel": "Abbrechen", + "generateScriptLabel": "Skript generieren", + "dialogNextLabel": "Weiter", + "dialogPreviousLabel": "Zurück", + "dashboardNotInitialized": "Registerkarten sind nicht initialisiert." }, - "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { - "label.find": "Suchen", - "placeholder.find": "Suchen", - "label.previousMatchButton": "Vorherige Übereinstimmung", - "label.nextMatchButton": "Nächste Übereinstimmung", - "label.closeButton": "Schließen", - "title.matchesCountLimit": "Für Ihre Suche wurden sehr viele Ergebnisse zurückgegeben. Es werden nur die ersten 999 Übereinstimmungen hervorgehoben.", - "label.matchesLocation": "{0} von {1}", - "label.noResults": "Keine Ergebnisse" + "sql/workbench/api/common/extHostModelViewTree": { + "treeView.notRegistered": "Es wurde keine Strukturansicht mit der ID \"{0}\" registriert." }, - "sql/workbench/contrib/charts/browser/chartView": { - "horizontalBarAltName": "Horizontale Leiste", - "barAltName": "Balken", - "lineAltName": "Linie", - "pieAltName": "Kreis", - "scatterAltName": "Punkt", - "timeSeriesAltName": "Zeitreihe", - "imageAltName": "Bild", - "countAltName": "Anzahl", - "tableAltName": "Table", - "doughnutAltName": "Ring", - "charting.failedToGetRows": "Fehler beim Einfügen von Zeilen für das Dataset in das Diagramm.", - "charting.unsupportedType": "Der Diagrammtyp \"{0}\" wird nicht unterstützt." + "sql/workbench/api/common/extHostNotebook": { + "providerRequired": "An diese Klasse muss ein NotebookProvider mit gültiger providerId übergeben werden.", + "errNoProvider": "Kein Notebook-Anbieter gefunden.", + "errNoManager": "Kein Manager gefunden.", + "noServerManager": "Der Notebook-Manager für das Notebook \"{0}\" umfasst keinen Server-Manager. Es können keine Aktionen ausgeführt werden.", + "noContentManager": "Der Notebook-Manager für das Notebook \"{0}\" umfasst keinen Inhalts-Manager. Es können keine Aktionen ausgeführt werden.", + "noSessionManager": "Der Notebook-Manager für das Notebook \"{0}\" umfasst keinen Sitzungs-Manager. Es können keine Aktionen ausgeführt werden." }, - "sql/workbench/contrib/notebook/browser/cellViews/code.component": { - "parametersText": "Parameter" + "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { + "providerRequired": "An diese Klasse muss ein NotebookProvider mit gültiger providerId übergeben werden." }, - "sql/workbench/services/connection/browser/localizedConstants": { - "onDidConnectMessage": "Verbunden mit", - "onDidDisconnectMessage": "Getrennt", - "unsavedGroupLabel": "Nicht gespeicherte Verbindungen" + "sql/workbench/browser/actions": { + "manage": "Verwalten", + "showDetails": "Details anzeigen", + "configureDashboardLearnMore": "Weitere Informationen", + "clearSavedAccounts": "Alle gespeicherten Konten löschen" }, - "sql/workbench/services/connection/browser/connectionBrowseTab": { - "connectionDialog.browser": "Durchsuchen (Vorschau)", - "connectionDialog.FilterPlaceHolder": "Geben Sie hier Text ein, um die Liste zu filtern", - "connectionDialog.FilterInputTitle": "Verbindungen filtern", - "connectionDialog.ApplyingFilter": "Filter wird angewendet.", - "connectionDialog.RemovingFilter": "Filter wird entfernt.", - "connectionDialog.FilterApplied": "Filter angewendet", - "connectionDialog.FilterRemoved": "Filter entfernt", - "savedConnections": "Gespeicherte Verbindungen", - "savedConnection": "Gespeicherte Verbindungen", - "connectionBrowserTree": "Struktur des Verbindungsbrowsers" + "sql/workbench/browser/actions.contribution": { + "previewFeatures.configTitle": "Vorschaufeatures", + "previewFeatures.configEnable": "Nicht veröffentlichte Vorschaufeatures aktivieren", + "showConnectDialogOnStartup": "Beim Start Verbindungsdialogfeld anzeigen", + "enableObsoleteApiUsageNotificationTitle": "Benachrichtigung zu veralteter API", + "enableObsoleteApiUsageNotification": "Benachrichtigung bei Verwendung veralteter APIs aktivieren/deaktivieren" }, - "sql/workbench/contrib/extensions/browser/staticRecommendations": { - "defaultRecommendations": "Diese Erweiterung wird von Azure Data Studio empfohlen." + "sql/workbench/browser/editData/editDataInput": { + "connectionFailure": "Fehler beim Verbinden der Datenbearbeitungssitzung." }, - "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { - "neverShowAgain": "Nicht mehr anzeigen", - "ExtensionsRecommended": "Azure Data Studio enthält Erweiterungsempfehlungen.", - "VisualizerExtensionsRecommended": "Azure Data Studio enthält Erweiterungsempfehlungen für die Datenvisualisierung.\r\nNach der Installation können Sie das Schnellansichtssymbol auswählen, um Ihre Abfrageergebnisse zu visualisieren.", - "installAll": "Alle installieren", - "showRecommendations": "Empfehlungen anzeigen", - "scenarioTypeUndefined": "Der Szenariotyp für Erweiterungsempfehlungen muss angegeben werden." + "sql/workbench/browser/editor/profiler/profilerInput": { + "profilerInput.profiler": "Profiler", + "profilerInput.notConnected": "Nicht verbunden", + "profiler.sessionStopped": "Die XEvent Profiler-Sitzung wurde auf dem Server \"{0}\" unerwartet beendet.", + "profiler.sessionCreationError": "Fehler beim Starten der neuen Sitzung.", + "profiler.eventsLost": "Die XEvent Profiler-Sitzung für \"{0}\" hat Ereignisse verloren." }, - "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { - "welcomePage.previewBody": "Diese Featureseite befindet sich in der Vorschauphase. Durch die Vorschaufeatures werden neue Funktionen eingeführt, die demnächst als dauerhafter Bestandteil in das Produkt integriert werden. Sie sind stabil, erfordern jedoch zusätzliche Verbesserungen im Hinblick auf die Barrierefreiheit. Wir freuen uns über Ihr frühes Feedback, solange die Features noch entwickelt werden.", - "welcomePage.preview": "Vorschau", - "welcomePage.createConnection": "Verbindung erstellen", - "welcomePage.createConnectionBody": "Stellen Sie über das Verbindungsdialogfeld eine Verbindung mit einer Datenbankinstanz her.", - "welcomePage.runQuery": "Abfrage ausführen", - "welcomePage.runQueryBody": "Interagieren Sie mit Daten über einen Abfrage-Editor.", - "welcomePage.createNotebook": "Notebook erstellen", - "welcomePage.createNotebookBody": "Erstellen Sie ein neues Notebook mithilfe eines nativen Notebook-Editors.", - "welcomePage.deployServer": "Server bereitstellen", - "welcomePage.deployServerBody": "Erstellen Sie eine neue Instanz eines relationalen Datendiensts auf der Plattform Ihrer Wahl.", - "welcomePage.resources": "Ressourcen", - "welcomePage.history": "Verlauf", - "welcomePage.name": "Name", - "welcomePage.location": "Standort", - "welcomePage.moreRecent": "Mehr anzeigen", - "welcomePage.showOnStartup": "Beim Start Willkommensseite anzeigen", - "welcomePage.usefuLinks": "Nützliche Links", - "welcomePage.gettingStarted": "Erste Schritte", - "welcomePage.gettingStartedBody": "Lernen Sie die von Azure Data Studio bereitgestellten Funktionen kennen, und erfahren Sie, wie Sie diese optimal nutzen können.", - "welcomePage.documentation": "Dokumentation", - "welcomePage.documentationBody": "Im Dokumentationscenter finden Sie Schnellstarts, Anleitungen und Referenzdokumentation zu PowerShell, APIs usw.", - "welcomePage.videoDescriptionOverview": "Übersicht über Azure Data Studio", - "welcomePage.videoDescriptionIntroduction": "Einführung in Azure Data Studio-Notebooks | Verfügbare Daten", - "welcomePage.extensions": "Erweiterungen", - "welcomePage.showAll": "Alle anzeigen", - "welcomePage.learnMore": "Weitere Informationen " + "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { + "resourceViewer.showActions": "Aktionen anzeigen", + "resourceViewerInput.resourceViewer": "Ressourcen-Viewer" }, - "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { - "notebookHistory.dateCreatedTooltip": "Erstellungsdatum: ", - "notebookHistory.notebookErrorTooltip": "Notebook-Fehler: ", - "notebookHistory.ErrorTooltip": "Auftragsfehler: ", - "notebookHistory.pinnedTitle": "Angeheftet", - "notebookHistory.recentRunsTitle": "Aktuelle Ausführungen", - "notebookHistory.pastRunsTitle": "Vergangene Ausführungen" + "sql/workbench/browser/modal/modal": { + "infoAltText": "Information", + "warningAltText": "Warnung", + "errorAltText": "Fehler", + "showMessageDetails": "Details anzeigen", + "copyMessage": "Kopieren", + "closeMessage": "Schließen", + "modal.back": "Zurück", + "hideMessageDetails": "Details ausblenden" + }, + "sql/workbench/browser/modal/optionsDialog": { + "optionsDialog.ok": "OK", + "optionsDialog.cancel": "Abbrechen" + }, + "sql/workbench/browser/modal/optionsDialogHelper": { + "optionsDialog.missingRequireField": " ist erforderlich.", + "optionsDialog.invalidInput": "Ungültige Eingabe. Es wird ein numerischer Wert erwartet." + }, + "sql/workbench/browser/modelComponents/componentBase": { + "invalidIndex": "Der Index \"{0}\" ist ungültig." + }, + "sql/workbench/browser/modelComponents/declarativeTable.component": { + "blankValue": "Leer", + "checkAllColumnLabel": "Alle Kontrollkästchen in folgender Spalte aktivieren: {0}", + "declarativeTable.showActions": "Aktionen anzeigen" + }, + "sql/workbench/browser/modelComponents/dropdown.component": { + "loadingMessage": "Wird geladen", + "loadingCompletedMessage": "Ladevorgang abgeschlossen" + }, + "sql/workbench/browser/modelComponents/inputbox.component": { + "invalidValueError": "Ungültiger Wert.", + "period": "{0}. {1}" + }, + "sql/workbench/browser/modelComponents/loadingComponent.component": { + "loadingMessage": "Wird geladen", + "loadingCompletedMessage": "Ladevorgang abgeschlossen" + }, + "sql/workbench/browser/modelComponents/queryTextEditor": { + "queryTextEditorAriaLabel": "Modellansichts-Code-Editor für Ansichtsmodell." + }, + "sql/workbench/browser/modelComponents/viewBase": { + "componentTypeNotRegistered": "Die Komponente für den Typ \"{0}\" wurde nicht gefunden." + }, + "sql/workbench/browser/parts/editor/editorStatusModeSelect": { + "languageChangeUnsupported": "Das Ändern von Editor-Typen für nicht gespeicherte Dateien wird nicht unterstützt." + }, + "sql/workbench/browser/scriptingActions": { + "scriptSelect": "Oberste 1000 auswählen", + "scriptKustoSelect": "10 zurückgeben", + "scriptExecute": "Skripterstellung als EXECUTE", + "scriptAlter": "Skripterstellung als ALTER", + "editData": "Daten bearbeiten", + "scriptCreate": "Skripterstellung als CREATE", + "scriptDelete": "Skripterstellung als DROP" + }, + "sql/workbench/browser/scriptingUtils": { + "scriptSelectNotFound": "Beim Aufruf des ausgewählten Skripts für das Objekt wurde kein Skript zurückgegeben. ", + "selectOperationName": "Auswählen", + "createOperationName": "Erstellen", + "insertOperationName": "Einfügen", + "updateOperationName": "Aktualisieren", + "deleteOperationName": "Löschen", + "scriptNotFoundForObject": "Bei der Skripterstellung als \"{0}\" für Objekt \"{1}\" wurde kein Skript zurückgegeben.", + "scriptingFailed": "Fehler bei Skripterstellung.", + "scriptNotFound": "Bei der Skripterstellung als \"{0}\" wurde kein Skript zurückgegeben." + }, + "sql/workbench/common/editor/query/queryEditorInput": { + "disconnected": "Getrennt" + }, + "sql/workbench/common/editor/query/queryResultsInput": { + "extensionsInputName": "Erweiterung" + }, + "sql/workbench/common/theme": { + "verticalTabActiveBackground": "Hintergrundfarbe für aktive Registerkarten für vertikale Tabstopps", + "dashboardBorder": "Farbe für Rahmen im Dashboard", + "dashboardWidget": "Farbe des Titels des Dashboardgadgets", + "dashboardWidgetSubtext": "Farbe für Dashboard-Widget-Subtext", + "propertiesContainerPropertyValue": "Farbe für Eigenschaftswerte, die in der Eigenschaftencontainerkomponente angezeigt werden", + "propertiesContainerPropertyName": "Farbe für Eigenschaftennamen, die in der Eigenschaftencontainerkomponente angezeigt werden", + "toolbarOverflowShadow": "Schattenfarbe für Symbolleistenüberlauf" + }, + "sql/workbench/contrib/accounts/browser/accountManagement.contribution": { + "carbon.extension.contributes.account.id": "Bezeichner des Kontotyps", + "carbon.extension.contributes.account.icon": "(Optional) Symbol zur Darstellung des Kontos in der Benutzeroberfläche. Es handelt sich entweder um einen Dateipfad oder um eine designfähige Konfiguration.", + "carbon.extension.contributes.account.icon.light": "Symbolpfad, wenn ein helles Design verwendet wird", + "carbon.extension.contributes.account.icon.dark": "Symbolpfad, wenn ein dunkles Design verwendet wird", + "carbon.extension.contributes.account": "Stellt Symbole für den Kontoanbieter zur Verfügung." + }, + "sql/workbench/contrib/assessment/browser/asmtActions": { + "asmtaction.server.getitems": "Anwendbare Regeln anzeigen", + "asmtaction.database.getitems": "Anwendbare Regeln für \"{0}\" anzeigen", + "asmtaction.server.invokeitems": "Bewertung aufrufen", + "asmtaction.database.invokeitems": "Bewertung für \"{0}\" aufrufen", + "asmtaction.exportasscript": "Als Skript exportieren", + "asmtaction.showsamples": "Alle Regeln anzeigen und weitere Informationen auf GitHub erhalten", + "asmtaction.generatehtmlreport": "HTML-Bericht erstellen", + "asmtaction.openReport": "Der Bericht wurde gespeichert. Möchten Sie ihn öffnen?", + "asmtaction.label.open": "Öffnen", + "asmtaction.label.cancel": "Abbrechen" }, "sql/workbench/contrib/assessment/browser/asmtResultsView.component": { "asmt.NoResultsInitial": "Keine Elemente zur Anzeige vorhanden. Rufen Sie die Bewertung auf, um Ergebnisse zu erhalten.", @@ -10821,110 +9612,6 @@ "asmt.TargetInstanceComplient": "Die Instanz \"{0}\" entspricht vollständig den empfohlenen Methoden. Gut gemacht!", "asmt.TargetDatabaseComplient": "Die Datenbank \"{0}\" entspricht vollständig den empfohlenen Methoden. Gut gemacht!" }, - "sql/workbench/contrib/charts/browser/chartTab": { - "chartTabTitle": "Diagramm" - }, - "sql/workbench/contrib/queryPlan/browser/topOperations": { - "topOperations.operation": "Vorgang", - "topOperations.object": "Objekt", - "topOperations.estCost": "Geschätzte Kosten", - "topOperations.estSubtreeCost": "Geschätzte Kosten für Unterstruktur", - "topOperations.actualRows": "Tatsächliche Zeilen", - "topOperations.estRows": "Geschätzte Zeilen", - "topOperations.actualExecutions": "Tatsächliche Ausführungen", - "topOperations.estCPUCost": "Geschätzte CPU-Kosten", - "topOperations.estIOCost": "Geschätzte E/A-Kosten", - "topOperations.parallel": "Parallel", - "topOperations.actualRebinds": "Tatsächliche erneute Bindungen", - "topOperations.estRebinds": "Geschätzte erneute Bindungen", - "topOperations.actualRewinds": "Tatsächliche Rückläufe", - "topOperations.estRewinds": "Geschätzte Rückläufe", - "topOperations.partitioned": "Partitioniert", - "topOperationsTitle": "Wichtigste Vorgänge" - }, - "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { - "servers.noConnections": "Keine Verbindungen gefunden.", - "serverTree.addConnection": "Verbindung hinzufügen" - }, - "sql/workbench/services/connection/browser/connectionWidget": { - "connectionWidget.AddAzureAccount": "Konto hinzufügen...", - "defaultDatabaseOption": "", - "loadingDatabaseOption": "Wird geladen...", - "serverGroup": "Servergruppe", - "defaultServerGroup": "", - "addNewServerGroup": "Neue Gruppe hinzufügen...", - "noneServerGroup": "", - "connectionWidget.missingRequireField": "\"{0}\" ist erforderlich.", - "connectionWidget.fieldWillBeTrimmed": "\"{0}\" wird gekürzt.", - "rememberPassword": "Kennwort speichern", - "connection.azureAccountDropdownLabel": "Konto", - "connectionWidget.refreshAzureCredentials": "Kontoanmeldeinformationen aktualisieren", - "connection.azureTenantDropdownLabel": "Azure AD-Mandant", - "connectionName": "Name (optional)", - "advanced": "Erweitert...", - "connectionWidget.invalidAzureAccount": "Sie müssen ein Konto auswählen." - }, - "sql/workbench/contrib/backup/common/constants": { - "backup.labelDatabase": "Datenbank", - "backup.labelFilegroup": "Dateien und Dateigruppen", - "backup.labelFull": "Vollständig", - "backup.labelDifferential": "Differenziell", - "backup.labelLog": "Transaktionsprotokoll", - "backup.labelDisk": "Datenträger", - "backup.labelUrl": "URL", - "backup.defaultCompression": "Standardservereinstellung verwenden", - "backup.compressBackup": "Sicherung komprimieren", - "backup.doNotCompress": "Sicherung nicht komprimieren", - "backup.serverCertificate": "Serverzertifikat", - "backup.asymmetricKey": "Asymmetrischer Schlüssel" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { - "searchWithoutFolder": "Sie haben keinen Ordner geöffnet, der Notebooks/Bücher enthält. ", - "openNotebookFolder": "Notebooks öffnen", - "searchMaxResultsWarning": "Das Resultset enthält nur eine Teilmenge aller Übereinstimmungen. Verfeinern Sie Ihre Suche, um die Ergebnisse einzugrenzen.", - "searchInProgress": "Suche wird durchgeführt... – ", - "noResultsIncludesExcludes": "Keine Ergebnisse in \"{0}\" unter Ausschluss von \"{1}\" gefunden – ", - "noResultsIncludes": "Keine Ergebnisse in \"{0}\" gefunden – ", - "noResultsExcludes": "Keine Ergebnisse gefunden, die \"{0}\" ausschließen – ", - "noResultsFound": "Es wurden keine Ergebnisse gefunden. Überprüfen Sie die Einstellungen für konfigurierte Ausschlüsse, und überprüfen Sie Ihre gitignore-Dateien - ", - "rerunSearch.message": "Erneut suchen", - "cancelSearch.message": "Suche abbrechen", - "rerunSearchInAll.message": "Erneut in allen Dateien suchen", - "openSettings.message": "Einstellungen öffnen", - "ariaSearchResultsStatus": "Die Suche hat {0} Ergebnisse in {1} Dateien zurückgegeben.", - "ToggleCollapseAndExpandAction.label": "Zu- und Aufklappen umschalten", - "CancelSearchAction.label": "Suche abbrechen", - "ExpandAllAction.label": "Alle erweitern", - "CollapseDeepestExpandedLevelAction.label": "Alle reduzieren", - "ClearSearchResultsAction.label": "Suchergebnisse löschen" - }, - "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { - "GuidedTour.connections": "Verbindungen", - "GuidedTour.makeConnections": "Über SQL Server, Azure und weitere Plattformen können Sie Verbindungen herstellen, abfragen und verwalten.", - "GuidedTour.one": "1", - "GuidedTour.next": "Weiter", - "GuidedTour.notebooks": "Notebooks", - "GuidedTour.gettingStartedNotebooks": "Beginnen Sie an einer zentralen Stelle mit der Erstellung Ihres eigenen Notebooks oder einer Sammlung von Notebooks.", - "GuidedTour.two": "2", - "GuidedTour.extensions": "Erweiterungen", - "GuidedTour.addExtensions": "Erweitern Sie die Funktionalität von Azure Data Studio durch die Installation von Erweiterungen, die von uns/Microsoft und von der Drittanbietercommunity (von Ihnen!) entwickelt wurden.", - "GuidedTour.three": "3", - "GuidedTour.settings": "Einstellungen", - "GuidedTour.makeConnesetSettings": "Passen Sie Azure Data Studio basierend auf Ihren Einstellungen an. Sie können Einstellungen wie automatisches Speichern und Registerkartengröße konfigurieren, Ihre Tastenkombinationen personalisieren und zu einem Farbdesign Ihrer Wahl wechseln.", - "GuidedTour.four": "4", - "GuidedTour.welcomePage": "Willkommensseite", - "GuidedTour.discoverWelcomePage": "Entdecken Sie wichtige Features, zuletzt geöffneten Dateien und empfohlene Erweiterungen auf der Willkommensseite. Weitere Informationen zum Einstieg in Azure Data Studio finden Sie in den Videos und in der Dokumentation.", - "GuidedTour.five": "5", - "GuidedTour.finish": "Fertig stellen", - "guidedTour": "Einführungstour für Benutzer", - "hideGuidedTour": "Einführungstour ausblenden", - "GuidedTour.readMore": "Weitere Informationen", - "help": "Hilfe" - }, - "sql/workbench/contrib/editData/browser/editDataGridActions": { - "deleteRow": "Zeile löschen", - "revertRow": "Aktuelle Zeile zurücksetzen" - }, "sql/workbench/contrib/assessment/common/strings": { "asmt.section.api.title": "API-Informationen", "asmt.apiversion": "API-Version:", @@ -10947,171 +9634,81 @@ "asmt.column.helpLink": "Hilfelink", "asmt.sqlReport.severityMsg": "{0}: {1} Element(e)" }, - "sql/workbench/contrib/query/browser/messagePanel": { - "messagePanel": "Meldungspanel", - "copy": "Kopieren", - "copyAll": "Alle kopieren" + "sql/workbench/contrib/azure/browser/azure.contribution": { + "azure.openInAzurePortal.title": "In Azure-Portal öffnen" }, - "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { - "loadingMessage": "Wird geladen", - "loadingCompletedMessage": "Ladevorgang abgeschlossen" + "sql/workbench/contrib/backup/browser/backup.component": { + "backup.backupName": "Backup-Name", + "backup.recoveryModel": "Wiederherstellungsmodell", + "backup.backupType": "Sicherungstyp", + "backup.backupDevice": "Sicherungsdateien", + "backup.algorithm": "Algorithmus", + "backup.certificateOrAsymmetricKey": "Zertifikat oder asymmetrischer Schlüssel", + "backup.media": "Medien", + "backup.mediaOption": "Sicherung im vorhandenen Mediensatz", + "backup.mediaOptionFormat": "Sicherung in einem neuen Mediensatz", + "backup.existingMediaAppend": "An vorhandenem Sicherungssatz anhängen", + "backup.existingMediaOverwrite": "Alle vorhandenen Sicherungssätze überschreiben", + "backup.newMediaSetName": "Name des neuen Mediensatzes", + "backup.newMediaSetDescription": "Beschreibung des neuen Mediensatzes", + "backup.checksumContainer": "Vor dem Schreiben auf Medium Prüfsumme berechnen", + "backup.verifyContainer": "Sicherung nach Abschluss überprüfen", + "backup.continueOnErrorContainer": "Bei Fehler fortsetzen", + "backup.expiration": "Ablauf", + "backup.setBackupRetainDays": "Aufbewahrungsdauer der Sicherung in Tagen festlegen", + "backup.copyOnly": "Kopiesicherung", + "backup.advancedConfiguration": "Erweiterte Konfiguration", + "backup.compression": "Komprimierung", + "backup.setBackupCompression": "Sicherungskomprimierung festlegen", + "backup.encryption": "Verschlüsselung", + "backup.transactionLog": "Transaktionsprotokoll", + "backup.truncateTransactionLog": "Transaktionsprotokoll abschneiden", + "backup.backupTail": "Sicherung des Protokollfragments", + "backup.reliability": "Zuverlässigkeit", + "backup.mediaNameRequired": "Der Name des Mediums muss angegeben werden.", + "backup.noEncryptorWarning": "Es ist kein Zertifikat oder asymmetrischer Schlüssel verfügbar.", + "addFile": "Datei hinzufügen", + "removeFile": "Dateien entfernen", + "backupComponent.invalidInput": "Ungültige Eingabe. Wert muss größer oder gleich 0 sein.", + "backupComponent.script": "Skript", + "backupComponent.backup": "Sicherung", + "backupComponent.cancel": "Abbrechen", + "backup.containsBackupToUrlError": "Es wird nur das Sichern in einer Datei unterstützt.", + "backup.backupFileRequired": "Der Pfad für die Sicherungsdatei muss angegeben werden." }, - "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { - "clickOn": "Klicken Sie auf", - "plusCode": "+ Code", - "or": "oder", - "plusText": "+ Text", - "toAddCell": "zum Hinzufügen einer Code- oder Textzelle" + "sql/workbench/contrib/backup/browser/backup.contribution": { + "backup": "Sicherung" }, - "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { - "stdInLabel": "StdIn:" + "sql/workbench/contrib/backup/browser/backupActions": { + "backup.isPreviewFeature": "Sie müssen die Vorschaufeatures aktivieren, um die Sicherung verwenden zu können.", + "backup.commandNotSupportedForServer": "Der Sicherungsbefehl wird außerhalb eines Datenbankkontexts nicht unterstützt. Wählen Sie eine Datenbank aus, und versuchen Sie es noch mal.", + "backup.commandNotSupported": "Der Sicherungsbefehl wird für Azure SQL-Datenbank-Instanzen nicht unterstützt.", + "backupAction.backup": "Sicherung" }, - "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { - "expandCellContents": "Codezelleninhalt erweitern", - "collapseCellContents": "Codezelleninhalt reduzieren" + "sql/workbench/contrib/backup/common/constants": { + "backup.labelDatabase": "Datenbank", + "backup.labelFilegroup": "Dateien und Dateigruppen", + "backup.labelFull": "Vollständig", + "backup.labelDifferential": "Differenziell", + "backup.labelLog": "Transaktionsprotokoll", + "backup.labelDisk": "Datenträger", + "backup.labelUrl": "URL", + "backup.defaultCompression": "Standardservereinstellung verwenden", + "backup.compressBackup": "Sicherung komprimieren", + "backup.doNotCompress": "Sicherung nicht komprimieren", + "backup.serverCertificate": "Serverzertifikat", + "backup.asymmetricKey": "Asymmetrischer Schlüssel" }, - "sql/workbench/contrib/query/browser/gridPanel": { - "xmlShowplan": "XML-Showplan", - "resultsGrid": "Ergebnisraster" - }, - "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { - "buttonAdd": "Zelle hinzufügen", - "optionCodeCell": "Codezelle", - "optionTextCell": "Textzelle", - "buttonMoveDown": "Zelle nach unten verschieben", - "buttonMoveUp": "Zelle nach oben verschieben", - "buttonDelete": "Löschen", - "codeCellsPreview": "Zelle hinzufügen", - "codePreview": "Codezelle", - "textPreview": "Textzelle" - }, - "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { - "sqlKernelError": "SQL-Kernelfehler", - "connectionRequired": "Sie müssen eine Verbindung auswählen, um Notebook-Zellen auszuführen.", - "sqlMaxRowsDisplayed": "Die ersten {0} Zeilen werden angezeigt." - }, - "sql/workbench/contrib/jobManagement/browser/jobsView.component": { - "jobColumns.name": "Name", - "jobColumns.lastRun": "Letzte Ausführung", - "jobColumns.nextRun": "Nächste Ausführung", - "jobColumns.enabled": "Aktiviert", - "jobColumns.status": "Status", - "jobColumns.category": "Kategorie", - "jobColumns.runnable": "Ausführbar", - "jobColumns.schedule": "Zeitplan", - "jobColumns.lastRunOutcome": "Ergebnis der letzten Ausführung", - "jobColumns.previousRuns": "Vorherigen Ausführungen", - "jobsView.noSteps": "Für diesen Auftrag sind keine Schritte verfügbar.", - "jobsView.error": "Fehler: " - }, - "sql/workbench/browser/modelComponents/viewBase": { - "componentTypeNotRegistered": "Die Komponente für den Typ \"{0}\" wurde nicht gefunden." - }, - "sql/workbench/contrib/profiler/browser/profilerFindWidget": { - "label.find": "Suchen", - "placeholder.find": "Suchen", - "label.previousMatchButton": "Vorherige Übereinstimmung", - "label.nextMatchButton": "Nächste Übereinstimmung", - "label.closeButton": "Schließen", - "title.matchesCountLimit": "Für Ihre Suche wurden sehr viele Ergebnisse zurückgegeben. Es werden nur die ersten 999 Übereinstimmungen hervorgehoben.", - "label.matchesLocation": "{0} von {1}", - "label.noResults": "Keine Ergebnisse" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { - "dashboard.explorer.namePropertyDisplayValue": "Name", - "dashboard.explorer.schemaDisplayValue": "Schema", - "dashboard.explorer.objectTypeDisplayValue": "Typ" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { - "insights.runQuery": "Abfrage ausführen" - }, - "sql/workbench/contrib/notebook/browser/cellViews/output.component": { - "noMimeTypeFound": "Für die Ausgabe wurde kein {0}-Renderer gefunden. Folgende MIME-Typen sind enthalten: {1}", - "safe": "Sicher ", - "noSelectorFound": "Für Selektor \"{0}\" wurde keine Komponente gefunden.", - "componentRenderError": "Fehler beim Rendern der Komponente: {0}" - }, - "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { - "loading": "Wird geladen..." - }, - "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { - "loading": "Wird geladen..." - }, - "sql/workbench/contrib/dashboard/browser/core/actions": { - "editDashboard": "Bearbeiten", - "editDashboardExit": "Beenden", - "refreshWidget": "Aktualisieren", - "toggleMore": "Aktionen anzeigen", - "deleteWidget": "Widget löschen", - "clickToUnpin": "Zum Lösen klicken", - "clickToPin": "Zum Anheften klicken", - "addFeatureAction.openInstalledFeatures": "Installierte Features öffnen", - "collapseWidget": "Widget reduzieren", - "expandWidget": "Widget erweitern" - }, - "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { - "unknownDashboardContainerError": "\"{0}\" ist ein unbekannter Container." - }, - "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { - "notebookColumns.name": "Name", - "notebookColumns.targetDatbase": "Zieldatenbank", - "notebookColumns.lastRun": "Letzte Ausführung", - "notebookColumns.nextRun": "Nächste Ausführung", - "notebookColumns.status": "Status", - "notebookColumns.lastRunOutcome": "Ergebnis der letzten Ausführung", - "notebookColumns.previousRuns": "Vorherigen Ausführungen", - "notebooksView.noSteps": "Für diesen Auftrag sind keine Schritte verfügbar.", - "notebooksView.error": "Fehler: ", - "notebooksView.notebookError": "Notebook-Fehler: " - }, - "sql/base/browser/ui/table/plugins/rowDetailView": { - "rowDetailView.loadError": "Fehler wird geladen..." - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { - "dashboard.explorer.actions": "Aktionen anzeigen", - "explorerSearchNoMatchResultMessage": "Kein übereinstimmendes Element gefunden", - "explorerSearchSingleMatchResultMessage": "Die Suchliste wurde auf 1 Element gefiltert.", - "explorerSearchMatchResultMessage": "Die Suchliste wurde auf {0} Elemente gefiltert." - }, - "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { - "agentUtilities.failed": "Fehlerhaft", - "agentUtilities.succeeded": "Erfolgreich", - "agentUtilities.retry": "Wiederholen", - "agentUtilities.canceled": "Abgebrochen", - "agentUtilities.inProgress": "In Bearbeitung", - "agentUtilities.statusUnknown": "Status unbekannt", - "agentUtilities.executing": "Wird ausgeführt", - "agentUtilities.waitingForThread": "Warten auf Thread", - "agentUtilities.betweenRetries": "Zwischen Wiederholungen", - "agentUtilities.idle": "Im Leerlauf", - "agentUtilities.suspended": "Angehalten", - "agentUtilities.obsolete": "[Veraltet]", - "agentUtilities.yes": "Ja", - "agentUtilities.no": "Nein", - "agentUtilities.notScheduled": "Nicht geplant", - "agentUtilities.neverRun": "Nie ausführen" - }, - "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { - "buttonBold": "Fett", - "buttonItalic": "Kursiv", - "buttonUnderline": "Unterstrichen", - "buttonHighlight": "Hervorheben", - "buttonCode": "Code", - "buttonLink": "Link", - "buttonList": "Liste", - "buttonOrderedList": "Sortierte Liste", - "buttonImage": "Bild", - "buttonPreview": "Markdownvorschau umschalten – aus", - "dropdownHeading": "Überschrift", - "optionHeading1": "Überschrift 1", - "optionHeading2": "Überschrift 2", - "optionHeading3": "Überschrift 3", - "optionParagraph": "Absatz", - "callout.insertLinkHeading": "Link einfügen", - "callout.insertImageHeading": "Bild einfügen", - "richTextViewButton": "Rich-Text-Ansicht", - "splitViewButton": "Geteilte Ansicht", - "markdownViewButton": "Markdownansicht" + "sql/workbench/contrib/charts/browser/actions": { + "createInsightLabel": "Erkenntnisse generieren", + "createInsightNoEditor": "Es können keine Erkenntnisse generiert werden, weil der aktive Editor kein SQL-Editor ist.", + "myWidgetName": "My-Widget", + "configureChartLabel": "Diagramm konfigurieren", + "copyChartLabel": "Als Bild kopieren", + "chartNotFound": "Das zu speichernde Diagramm wurde nicht gefunden.", + "saveImageLabel": "Als Bild speichern", + "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", + "chartSaved": "Diagramm in Pfad gespeichert: {0}" }, "sql/workbench/contrib/charts/browser/chartOptions": { "dataDirectionLabel": "Datenrichtung", @@ -11135,45 +9732,432 @@ "encodingOption": "Codierung", "imageFormatOption": "Bildformat" }, - "sql/base/browser/ui/panel/tabActions": { - "closeTab": "Schließen" + "sql/workbench/contrib/charts/browser/chartTab": { + "chartTabTitle": "Diagramm" }, - "sql/platform/connection/common/connectionConfig": { - "invalidServerName": "Es ist bereits eine Servergruppe mit diesem Namen vorhanden." + "sql/workbench/contrib/charts/browser/chartView": { + "horizontalBarAltName": "Horizontale Leiste", + "barAltName": "Balken", + "lineAltName": "Linie", + "pieAltName": "Kreis", + "scatterAltName": "Punkt", + "timeSeriesAltName": "Zeitreihe", + "imageAltName": "Bild", + "countAltName": "Anzahl", + "tableAltName": "Table", + "doughnutAltName": "Ring", + "charting.failedToGetRows": "Fehler beim Einfügen von Zeilen für das Dataset in das Diagramm.", + "charting.unsupportedType": "Der Diagrammtyp \"{0}\" wird nicht unterstützt." + }, + "sql/workbench/contrib/charts/browser/charts.contribution": { + "builtinChartsConfigurationTitle": "Integrierte Diagramme", + "builtinCharts.maxRowCountDescription": "Die maximale Anzahl von Zeilen, die in Diagrammen angezeigt werden sollen. Warnung: Durch Erhöhen dieses Werts kann die Leistung beeinträchtigt werden." + }, + "sql/workbench/contrib/charts/browser/configureChartDialog": { + "configureChartDialog.close": "Schließen" + }, + "sql/workbench/contrib/charts/browser/graphInsight": { + "series": "Reihe \"{0}\"" + }, + "sql/workbench/contrib/charts/browser/imageInsight": { + "invalidImage": "Die Tabelle enthält kein gültiges Bild." + }, + "sql/workbench/contrib/charts/browser/utils": { + "charts.maxAllowedRowsExceeded": "Die maximale Zeilenanzahl für integrierte Diagramme wurde überschritten, nur die ersten {0} Zeilen werden verwendet. Um den Wert zu konfigurieren, öffnen Sie die Benutzereinstellungen, und suchen Sie nach \"builtinCharts.maxRowCount\".", + "charts.neverShowAgain": "Nicht mehr anzeigen" + }, + "sql/workbench/contrib/commandLine/electron-browser/commandLine": { + "connectingLabel": "Verbindung wird hergestellt: {0}", + "runningCommandLabel": "Befehl wird ausgeführt: {0}", + "openingNewQueryLabel": "Neue Abfrage wird geöffnet: {0}", + "warnServerRequired": "Keine Verbindung möglich, weil keine Serverinformationen bereitgestellt wurden.", + "errConnectUrl": "Die URL konnte aufgrund eines Fehlers nicht geöffnet werden: {0}", + "connectServerDetail": "Hiermit wird eine Verbindung mit dem Server \"{0}\" hergestellt.", + "confirmConnect": "Möchten Sie die Verbindung herstellen?", + "open": "&&Öffnen", + "connectingQueryLabel": "Abfragedatei wird verbunden" + }, + "sql/workbench/contrib/configuration/common/configurationUpgrader": { + "workbench.configuration.upgradeUser": "\"{0}\" wurde in Ihren Benutzereinstellungen durch \"{1}\" ersetzt.", + "workbench.configuration.upgradeWorkspace": "\"{0}\" wurde in Ihren Arbeitsbereichseinstellungen durch \"{1}\" ersetzt." + }, + "sql/workbench/contrib/connection/browser/connection.contribution": { + "sql.maxRecentConnectionsDescription": "Die maximale Anzahl der zuletzt verwendeten Verbindungen in der Verbindungsliste.", + "sql.defaultEngineDescription": "Die zu verwendende Standard-SQL-Engine. Diese Einstellung legt den Standardsprachanbieter in SQL-Dateien und die Standardeinstellungen für neue Verbindungen fest.", + "connection.parseClipboardForConnectionStringDescription": "Hiermit wird versucht, die Inhalte der Zwischenablage zu analysieren, wenn das Verbindungsdialogfeld geöffnet ist oder ein Element eingefügt wird." + }, + "sql/workbench/contrib/connection/browser/connectionStatus": { + "status.connection.status": "Verbindungsstatus" + }, + "sql/workbench/contrib/connection/common/connectionProviderExtension": { + "schema.providerId": "Allgemeine ID für den Anbieter", + "schema.displayName": "Anzeigename für den Anbieter", + "schema.notebookKernelAlias": "Notebook-Kernelalias für den Anbieter", + "schema.iconPath": "Symbolpfad für den Servertyp", + "schema.connectionOptions": "Verbindungsoptionen" + }, + "sql/workbench/contrib/connection/common/connectionTreeProviderExentionPoint": { + "connectionTreeProvider.schema.name": "Sichtbarer Benutzername für den Strukturanbieter", + "connectionTreeProvider.schema.id": "Die ID für den Anbieter muss mit der ID übereinstimmen, die zur Registrierung des Strukturdatenanbieters verwendet wurde, und mit \"connectionDialog/\" beginnen." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardContainer.contribution": { + "azdata.extension.contributes.dashboard.container.id": "Eindeutiger Bezeichner für diesen Container.", + "azdata.extension.contributes.dashboard.container.container": "Der Container, der auf der Registerkarte angezeigt wird.", + "azdata.extension.contributes.containers": "Stellt einen einzelnen oder mehrere Dashboardcontainer zur Verfügung, die Benutzer zu ihrem Dashboard hinzufügen können.", + "dashboardContainer.contribution.noIdError": "Im Dashboardcontainer für die Erweiterung wurde keine ID angegeben.", + "dashboardContainer.contribution.noContainerError": "Für die Erweiterung wurde kein Container im Dashboardcontainer angegeben.", + "dashboardContainer.contribution.moreThanOneDashboardContainersError": "Es muss genau 1 Dashboardcontainer pro Bereich definiert sein.", + "dashboardTab.contribution.unKnownContainerType": "Im Dashboardcontainer für die Erweiterung wurde ein unbekannter Containertyp definiert." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardControlHostContainer.contribution": { + "dashboard.container.controlhost": "Der Steuerelementhost, der auf dieser Registerkarte angezeigt wird." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { + "dashboardNavSection.loadTabError": "Der Abschnitt \"{0}\" umfasst ungültige Inhalte. Kontaktieren Sie den Besitzer der Erweiterung." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardGridContainer.contribution": { + "dashboard.container.gridtab.items": "Die Liste der Widgets oder Webansichten, die auf dieser Registerkarte angezeigt werden.", + "gridContainer.invalidInputs": "Widgets oder Webansichten werden im Widgetcontainer für die Erweiterung erwartet." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardModelViewContainer.contribution": { + "dashboard.container.modelview": "Die modellgestützte Ansicht, die auf dieser Registerkarte angezeigt wird." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardNavSection.contribution": { + "dashboard.container.left-nav-bar.id": "Eindeutiger Bezeichner für diesen Navigationsbereich. Wird bei allen Anforderungen an die Erweiterung übergeben.", + "dashboard.container.left-nav-bar.icon": "(Optional) Symbol zur Darstellung dieses Navigationsbereichs in der Benutzeroberfläche. Erfordert einen Dateipfad oder eine Konfiguration, der ein Design zugeordnet werden kann.", + "dashboard.container.left-nav-bar.icon.light": "Symbolpfad, wenn ein helles Design verwendet wird", + "dashboard.container.left-nav-bar.icon.dark": "Symbolpfad, wenn ein dunkles Design verwendet wird", + "dashboard.container.left-nav-bar.title": "Der Titel des Navigationsbereichs, der dem Benutzer angezeigt werden soll.", + "dashboard.container.left-nav-bar.container": "Der Container, der in diesem Navigationsbereich angezeigt wird.", + "dashboard.container.left-nav-bar": "Die Liste der Dashboardcontainer, die in diesem Navigationsabschnitt angezeigt wird.", + "navSection.missingTitle.error": "Für die Erweiterung wurde kein Titel im Navigationsbereich angegeben.", + "navSection.missingContainer.error": "Für die Anwendung wurde kein Container im Navigationsbereich angegeben.", + "navSection.moreThanOneDashboardContainersError": "Es muss genau 1 Dashboardcontainer pro Bereich definiert sein.", + "navSection.invalidContainer.error": "NAV_SECTION in NAV_SECTION ist ein ungültiger Container für die Erweiterung." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWebviewContainer.contribution": { + "dashboard.container.webview": "Die Webansicht, die auf dieser Registerkarte angezeigt wird." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWidgetContainer.contribution": { + "dashboard.container.widgets": "Die Liste der Widgets, die auf dieser Registerkarte angezeigt werden.", + "widgetContainer.invalidInputs": "Die Liste der Widgets, die im Widgetcontainer für die Erweiterung erwartet werden." + }, + "sql/workbench/contrib/dashboard/browser/core/actions": { + "editDashboard": "Bearbeiten", + "editDashboardExit": "Beenden", + "refreshWidget": "Aktualisieren", + "toggleMore": "Aktionen anzeigen", + "deleteWidget": "Widget löschen", + "clickToUnpin": "Zum Lösen klicken", + "clickToPin": "Zum Anheften klicken", + "addFeatureAction.openInstalledFeatures": "Installierte Features öffnen", + "collapseWidget": "Widget reduzieren", + "expandWidget": "Widget erweitern" + }, + "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { + "unknownDashboardContainerError": "\"{0}\" ist ein unbekannter Container." }, "sql/workbench/contrib/dashboard/browser/core/dashboardPage.component": { "home": "Start", "missingConnectionInfo": "Für dieses Dashboard wurden keine Verbindungsinformationen gefunden.", "dashboard.generalTabGroupHeader": "Allgemein" }, - "sql/workbench/contrib/charts/browser/actions": { - "createInsightLabel": "Erkenntnisse generieren", - "createInsightNoEditor": "Es können keine Erkenntnisse generiert werden, weil der aktive Editor kein SQL-Editor ist.", - "myWidgetName": "My-Widget", - "configureChartLabel": "Diagramm konfigurieren", - "copyChartLabel": "Als Bild kopieren", - "chartNotFound": "Das zu speichernde Diagramm wurde nicht gefunden.", - "saveImageLabel": "Als Bild speichern", - "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", - "chartSaved": "Diagramm in Pfad gespeichert: {0}" + "sql/workbench/contrib/dashboard/browser/core/dashboardTab.contribution": { + "azdata.extension.contributes.dashboard.tab.id": "Eindeutiger Bezeichner für diese Registerkarte. Wird bei allen Anforderungen an die Erweiterung übergeben.", + "azdata.extension.contributes.dashboard.tab.title": "Titel der Registerkarte, die dem Benutzer angezeigt wird.", + "azdata.extension.contributes.dashboard.tab.description": "Beschreibung dieser Registerkarte, die dem Benutzer angezeigt werden.", + "azdata.extension.contributes.tab.when": "Eine Bedingung, die TRUE lauten muss, damit dieses Element angezeigt wird.", + "azdata.extension.contributes.tab.provider": "Definiert die Verbindungstypen, mit denen diese Registerkarte kompatibel ist. Der Standardwert lautet \"MSSQL\", wenn kein anderer Wert festgelegt wird.", + "azdata.extension.contributes.dashboard.tab.container": "Der Container, der auf dieser Registerkarte angezeigt wird.", + "azdata.extension.contributes.dashboard.tab.alwaysShow": "Legt fest, ob diese Registerkarte immer angezeigt werden soll oder nur dann, wenn der Benutzer sie hinzufügt.", + "azdata.extension.contributes.dashboard.tab.isHomeTab": "Legt fest, ob diese Registerkarte als Startseite für einen Verbindungstyp verwendet werden soll.", + "azdata.extension.contributes.dashboard.tab.group": "Der eindeutige Bezeichner der Gruppe, zu der diese Registerkarte gehört. Wert für Startgruppe: Start.", + "dazdata.extension.contributes.dashboard.tab.icon": "(Optional) Symbol zur Darstellung dieser Registerkarte in der Benutzeroberfläche. Erfordert einen Dateipfad oder eine Konfiguration, der ein Design zugeordnet werden kann.", + "azdata.extension.contributes.dashboard.tab.icon.light": "Symbolpfad, wenn ein helles Design verwendet wird", + "azdata.extension.contributes.dashboard.tab.icon.dark": "Symbolpfad, wenn ein dunkles Design verwendet wird", + "azdata.extension.contributes.tabs": "Stellt eine einzelne oder mehrere Registerkarten zur Verfügung, die Benutzer zu ihrem Dashboard hinzufügen können.", + "dashboardTab.contribution.noTitleError": "Für die Erweiterung wurde kein Titel angegeben.", + "dashboardTab.contribution.noDescriptionWarning": "Es wurde keine Beschreibung zur Anzeige angegeben.", + "dashboardTab.contribution.noContainerError": "Für die Erweiterung wurde kein Container angegeben.", + "dashboardTab.contribution.moreThanOneDashboardContainersError": "Pro Bereich muss genau 1 Dashboardcontainer definiert werden.", + "azdata.extension.contributes.dashboard.tabGroup.id": "Eindeutiger Bezeichner für diese Registerkartengruppe.", + "azdata.extension.contributes.dashboard.tabGroup.title": "Titel der Registerkartengruppe.", + "azdata.extension.contributes.tabGroups": "Stellt eine einzelne oder mehrere Registerkartengruppen zur Verfügung, die Benutzer ihrem Dashboard hinzufügen können.", + "dashboardTabGroup.contribution.noIdError": "Für die Registerkartengruppe wurde keine ID angegeben.", + "dashboardTabGroup.contribution.noTitleError": "Für die Registerkartengruppe wurde kein Titel angegeben.", + "administrationTabGroup": "Verwaltung", + "monitoringTabGroup": "Überwachung", + "performanceTabGroup": "Leistung", + "securityTabGroup": "Sicherheit", + "troubleshootingTabGroup": "Problembehandlung", + "settingsTabGroup": "Einstellungen", + "databasesTabDescription": "Registerkarte \"Datenbanken\"", + "databasesTabTitle": "Datenbanken" }, - "sql/workbench/contrib/notebook/browser/notebook.component": { - "addCodeLabel": "Code hinzufügen", - "addTextLabel": "Text hinzufügen", - "createFile": "Datei erstellen", - "displayFailed": "Inhalt konnte nicht angezeigt werden: {0}", - "codeCellsPreview": "Zelle hinzufügen", - "codePreview": "Codezelle", - "textPreview": "Textzelle", - "runAllPreview": "Alle ausführen", - "addCell": "Zelle", - "code": "Code", - "text": "Text", - "runAll": "Zellen ausführen", - "previousButtonLabel": "< Zurück", - "nextButtonLabel": "Weiter >", - "cellNotFound": "Die Zelle mit dem URI \"{0}\" wurde in diesem Modell nicht gefunden.", - "cellRunFailed": "Fehler beim Ausführen von Zellen: Weitere Informationen finden Sie im Fehler in der Ausgabe der aktuell ausgewählten Zelle." + "sql/workbench/contrib/dashboard/browser/dashboard.contribution": { + "manage": "Verwalten", + "dashboard.editor.label": "Dashboard" + }, + "sql/workbench/contrib/dashboard/browser/dashboardActions": { + "ManageAction": "Verwalten" + }, + "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { + "opticon": "Die Eigenschaft \"icon\" kann ausgelassen werden oder muss eine Zeichenfolge oder ein Literal wie \"{dark, light}\" sein." + }, + "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { + "dashboard.properties.property": "Definiert eine Eigenschaft, die im Dashboard angezeigt werden soll", + "dashboard.properties.property.displayName": "Gibt an, welcher Wert soll als Beschriftung für die Eigenschaft verwendet werden soll.", + "dashboard.properties.property.value": "Gibt an, auf welchen Wert im Objekt zugegriffen werden soll, um den Wert zu ermitteln.", + "dashboard.properties.property.ignore": "Geben Sie Werte an, die ignoriert werden sollen.", + "dashboard.properties.property.default": "Standardwert, der angezeigt werden soll, wenn der Wert ignoriert wird oder kein Wert angegeben ist", + "dashboard.properties.flavor": "Eine Variante für das Definieren von Dashboardeigenschaften", + "dashboard.properties.flavor.id": "ID der Variante", + "dashboard.properties.flavor.condition": "Bedingung für die Verwendung dieser Variante", + "dashboard.properties.flavor.condition.field": "Feld für Vergleich", + "dashboard.properties.flavor.condition.operator": "Hiermit wird angegeben, welcher Operator für den Vergleich verwendet werden soll.", + "dashboard.properties.flavor.condition.value": "Wert, mit dem das Feld verglichen werden soll", + "dashboard.properties.databaseProperties": "Eigenschaften, die für die Datenbankseite angezeigt werden sollen", + "dashboard.properties.serverProperties": "Eigenschaften, die für die Serverseite angezeigt werden sollen", + "carbon.extension.dashboard": "Hiermit wird definiert, dass dieser Anbieter das Dashboard unterstützt.", + "dashboard.id": "Anbieter-ID (z. B. MSSQL)", + "dashboard.properties": "Eigenschaftswerte, die im Dashboard angezeigt werden sollen" + }, + "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { + "azdata.extension.contributes.widget.when": "Eine Bedingung, die TRUE lauten muss, damit dieses Element angezeigt wird.", + "azdata.extension.contributes.widget.hideHeader": "Gibt an, ob die Kopfzeile des Widgets ausgeblendet werden soll. Standardwert: FALSE.", + "dashboardpage.tabName": "Der Titel des Containers", + "dashboardpage.rowNumber": "Die Zeile der Komponente im Raster", + "dashboardpage.rowSpan": "Die RowSpan-Eigenschaft der Komponente im Raster. Der Standardwert ist 1. Verwenden Sie \"*\", um die Anzahl von Zeilen im Raster festzulegen.", + "dashboardpage.colNumber": "Die Spalte der Komponente im Raster", + "dashboardpage.colspan": "Der ColSpan-Wert der Komponente im Raster. Der Standardwert ist 1. Verwenden Sie \"*\", um die Anzahl von Spalten im Raster festzulegen.", + "azdata.extension.contributes.dashboardPage.tab.id": "Eindeutiger Bezeichner für diese Registerkarte. Wird bei allen Anforderungen an die Erweiterung übergeben.", + "dashboardTabError": "Die Registerkarte \"Erweiterung\" ist unbekannt oder nicht installiert." + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { + "databasePageName": "Datenbankeigenschaften" + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { + "dashboardDatabaseProperties": "Eigenschaftswidget aktivieren oder deaktivieren", + "dashboard.databaseproperties": "Anzuzeigende Eigenschaftswerte", + "dashboard.databaseproperties.displayName": "Anzeigename der Eigenschaft", + "dashboard.databaseproperties.value": "Wert im Objekt mit Datenbankinformationen", + "dashboard.databaseproperties.ignore": "Spezifische zu ignorierende Werte angeben", + "recoveryModel": "Wiederherstellungsmodell", + "lastDatabaseBackup": "Letzte Datenbanksicherung", + "lastLogBackup": "Letzte Protokollsicherung", + "compatibilityLevel": "Kompatibilitätsgrad", + "owner": "Besitzer", + "dashboardDatabase": "Hiermit wird die Dashboardseite für die Datenbank angepasst.", + "objectsWidgetTitle": "Suchen", + "dashboardDatabaseTabs": "Hiermit werden die Dashboardregisterkarten für die Datenbank angepasst." + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { + "serverPageName": "Servereigenschaften" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { + "dashboardServerProperties": "Eigenschaftswidget aktivieren oder deaktivieren", + "dashboard.serverproperties": "Anzuzeigende Eigenschaftswerte", + "dashboard.serverproperties.displayName": "Anzeigename der Eigenschaft", + "dashboard.serverproperties.value": "Wert im Objekt mit Serverinformationen", + "version": "Version", + "edition": "Edition", + "computerName": "Computername", + "osVersion": "Betriebssystemversion", + "explorerWidgetsTitle": "Suchen", + "dashboardServer": "Hiermit wird die Dashboardseite des Servers angepasst.", + "dashboardServerTabs": "Hiermit werden die Dashboardregisterkarten des Servers angepasst." + }, + "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { + "homeCrumb": "Start" + }, + "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { + "dashboard.changeDatabaseFailure": "Fehler beim Ändern der Datenbank." + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { + "dashboard.explorer.actions": "Aktionen anzeigen", + "explorerSearchNoMatchResultMessage": "Kein übereinstimmendes Element gefunden", + "explorerSearchSingleMatchResultMessage": "Die Suchliste wurde auf 1 Element gefiltert.", + "explorerSearchMatchResultMessage": "Die Suchliste wurde auf {0} Elemente gefiltert." + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { + "dashboard.explorer.namePropertyDisplayValue": "Name", + "dashboard.explorer.schemaDisplayValue": "Schema", + "dashboard.explorer.objectTypeDisplayValue": "Typ" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { + "loadingObjects": "Objekte werden geladen.", + "loadingDatabases": "Datenbanken werden geladen.", + "loadingObjectsCompleted": "Objekte wurden vollständig geladen.", + "loadingDatabasesCompleted": "Datenbanken wurden vollständig geladen.", + "seachObjects": "Suche nach Namen des Typs (t:, v:, f: oder sp:)", + "searchDatabases": "Datenbanken suchen", + "dashboard.explorer.objectError": "Objekte können nicht geladen werden.", + "dashboard.explorer.databaseError": "Datenbanken können nicht geladen werden." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { + "insights.runQuery": "Abfrage ausführen" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { + "insightsWidgetLoadingMessage": "\"{0}\" wird geladen.", + "insightsWidgetLoadingCompletedMessage": "\"{0}\" vollständig geladen.", + "insights.autoRefreshOffState": "Automatische Aktualisierung: AUS", + "insights.lastUpdated": "Letzte Aktualisierung: {0} {1}", + "noResults": "Keine Ergebnisse zur Anzeige vorhanden." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { + "insightWidgetDescription": "Fügt ein Widget hinzu, das einen Server oder eine Datenbank abfragen und die Ergebnisse in unterschiedlicher Form anzeigen kann – als Diagramm, summierte Anzahl und mehr.", + "insightIdDescription": "Eindeutiger Bezeichner, der zum Zwischenspeichern der Erkenntnisergebnisse verwendet wird", + "insightQueryDescription": "Auszuführende SQL-Abfrage. Es sollte genau 1 Resultset zurückgegeben werden.", + "insightQueryFileDescription": "[Optional] Pfad zu einer Datei, die eine Abfrage enthält. Verwenden Sie diese Einstellung, wenn \"query\" nicht festgelegt ist.", + "insightAutoRefreshIntervalDescription": "[Optional] Intervall für die automatische Aktualisierung in Minuten. Ist kein Wert festgelegt, wird keine automatische Aktualisierung durchgeführt.", + "actionTypes": "Zu verwendende Aktionen", + "actionDatabaseDescription": "Zieldatenbank für die Aktion. Kann das Format \"${ columnName }\" verwenden, um einen datengesteuerten Spaltennamen zu nutzen.", + "actionServerDescription": "Zielserver für die Aktion. Kann das Format \"${ columnName }\" verwenden, um einen datengesteuerten Spaltennamen zu nutzen.", + "actionUserDescription": "Zielbenutzer für die Aktion. Kann das Format \"${ columnName }\" verwenden, um einen datengesteuerten Spaltennamen zu nutzen.", + "carbon.extension.contributes.insightType.id": "Bezeichner für Erkenntnisse", + "carbon.extension.contributes.insights": "Stellt Erkenntnisse in der Dashboardpalette zur Verfügung." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { + "chartErrorMessage": "Das Diagramm kann mit den angegebenen Daten nicht angezeigt werden." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.contribution": { + "chartInsightDescription": "Zeigt die Ergebnisse einer Abfrage als Diagramm im Dashboard an.", + "colorMapDescription": "Ordnet den Spaltennamen einer Farbe zu. Fügen Sie z. B. \"'column1': red\" hinzu, damit in dieser Spalte die Farbe Rot verwendet wird.", + "legendDescription": "Hiermit wird die bevorzugte Position und Sichtbarkeit der Diagrammlegende angegeben. Darin werden die Spaltennamen aus der Abfrage der Bezeichnung der einzelnen Diagrammeinträge zugeordnet.", + "labelFirstColumnDescription": "Wenn \"dataDirection\" auf \"horizontal\" festgelegt ist, werden die Werte aus der ersten Spalten als Legende verwendet.", + "columnsAsLabels": "Wenn \"dataDirection\" auf \"vertical\" festgelegt ist, werden für die Legende die Spaltennamen verwendet.", + "dataDirectionDescription": "Legt fest, ob die Daten aus einer Spalte (vertikal) oder eine Zeile (horizontal) gelesen werden. Für Zeitreihen wird diese Einstellung ignoriert, da die Richtung vertikal sein muss.", + "showTopNData": "Wenn \"showTopNData\" festgelegt ist, werden nur die ersten n Daten im Diagramm angezeigt." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/barChart.contribution": { + "yAxisMin": "Minimalwert der Y-Achse", + "yAxisMax": "Maximalwert der Y-Achse", + "barchart.yAxisLabel": "Bezeichnung für die Y-Achse", + "xAxisMin": "Minimalwert der X-Achse", + "xAxisMax": "Maximalwert der X-Achse", + "barchart.xAxisLabel": "Bezeichnung für die X-Achse" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/lineChart.contribution": { + "dataTypeDescription": "Zeigt die Dateneigenschaft eines Datensatzes für ein Diagramm an." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/countInsight.contribution": { + "countInsightDescription": "Zeigt für jede Spalte in einem Resultset den Wert in Zeile 0 als Zählwert gefolgt vom Spaltennamen an. Unterstützt beispielsweise \"1 Healthy\" oder \"3 Unhealthy\", wobei \"Healthy\" dem Spaltennamen und 1 dem Wert in Zeile 1/Zelle 1 entspricht." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/imageInsight.contribution": { + "imageInsightDescription": "Zeigt ein Bild an, beispielsweise ein Bild, das durch eine R-Abfrage unter Verwendung von ggplot2 zurückgegeben wurde.", + "imageFormatDescription": "Welches Format wird erwartet – JPEG, PNG oder ein anderes Format?", + "encodingDescription": "Erfolgt eine Codierung im Hexadezimal-, Base64- oder einem anderen Format?" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/tableInsight.contribution": { + "tableInsightDescription": "Stellt die Ergebnisse in einer einfachen Tabelle dar." + }, + "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { + "loadingProperties": "Eigenschaften werden geladen.", + "loadingPropertiesCompleted": "Eigenschaften wurden vollständig geladen.", + "dashboard.properties.error": "Die Dashboardeigenschaften können nicht geladen werden." + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorer.contribution": { + "databaseConnections": "Datenbankverbindungen", + "datasource.connections": "Datenquellenverbindungen", + "datasource.connectionGroups": "Datenquellengruppen", + "connectionsSortOrder.dateAdded": "Gespeicherte Verbindungen werden nach dem Datum sortiert, an dem sie hinzugefügt wurden.", + "connectionsSortOrder.displayName": "Gespeicherte Verbindungen werden alphabetisch nach ihren Anzeigenamen sortiert.", + "datasource.connectionsSortOrder": "Steuert die Sortierreihenfolge gespeicherter Verbindungen und Verbindungsgruppen.", + "startupConfig": "Startkonfiguration", + "startup.alwaysShowServersView": "Bei Festlegung auf TRUE wird beim Start von Azure Data Studio standardmäßig die Serveransicht angezeigt. Bei Festlegung auf FALSE wird die zuletzt geöffnete Ansicht angezeigt." + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerExtensionPoint": { + "vscode.extension.contributes.view.id": "Bezeichner der Sicht. Hiermit können Sie einen Datenanbieter über die API \"vscode.window.registerTreeDataProviderForView\" registrieren. Dient auch zum Aktivieren Ihrer Erweiterung, indem Sie das Ereignis \"onView:${id}\" für \"activationEvents\" registrieren.", + "vscode.extension.contributes.view.name": "Der lesbare Name der Sicht. Dieser wird angezeigt.", + "vscode.extension.contributes.view.when": "Eine Bedingung, die TRUE lauten muss, damit diese Sicht angezeigt wird.", + "extension.contributes.dataExplorer": "Stellt Sichten für den Editor zur Verfügung.", + "extension.dataExplorer": "Stellt Sichten für den Data Explorer-Container in der Aktivitätsleiste zur Verfügung.", + "dataExplorer.contributed": "Stellt Sichten für den Container mit bereitgestellten Sichten zur Verfügung.", + "duplicateView1": "Es können nicht mehrere Sichten mit derselben ID ({0}) im Container \"{1}\" mit Sichten registriert werden.", + "duplicateView2": "Im Container \"{1}\" mit Sichten ist bereits eine Sicht mit der ID {0} registriert.", + "requirearray": "Sichten müssen als Array vorliegen.", + "requirestring": "Die Eigenschaft \"{0}\" ist erforderlich und muss vom Typ \"string\" sein.", + "optstring": "Die Eigenschaft \"{0}\" kann ausgelassen werden oder muss vom Typ \"string\" sein." + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { + "dataExplorer.servers": "Server", + "dataexplorer.name": "Verbindungen", + "showDataExplorer": "Verbindungen anzeigen" + }, + "sql/workbench/contrib/dataExplorer/browser/nodeActions.common.contribution": { + "disconnect": "Trennen", + "refresh": "Aktualisieren" + }, + "sql/workbench/contrib/editData/browser/editData.contribution": { + "showEditDataSqlPaneOnStartup": "SQL-Bereich zum Bearbeiten von Daten beim Start anzeigen" + }, + "sql/workbench/contrib/editData/browser/editDataActions": { + "editData.run": "Ausführen", + "disposeEditFailure": "Fehler beim Verwerfen der Bearbeitung: ", + "editData.stop": "Beenden", + "editData.showSql": "SQL-Bereich anzeigen", + "editData.closeSql": "SQL-Bereich schließen" + }, + "sql/workbench/contrib/editData/browser/editDataEditor": { + "maxRowTaskbar": "Max. Zeilen:" + }, + "sql/workbench/contrib/editData/browser/editDataGridActions": { + "deleteRow": "Zeile löschen", + "revertRow": "Aktuelle Zeile zurücksetzen" + }, + "sql/workbench/contrib/editData/browser/gridActions": { + "saveAsCsv": "Als CSV speichern", + "saveAsJson": "Als JSON speichern", + "saveAsExcel": "Als Excel speichern", + "saveAsXml": "Als XML speichern", + "copySelection": "Kopieren", + "copyWithHeaders": "Mit Headern kopieren", + "selectAll": "Alle auswählen" + }, + "sql/workbench/contrib/extensions/browser/contributionRenders": { + "tabs": "Dashboardregisterkarten ({0})", + "tabId": "ID", + "tabTitle": "Titel", + "tabDescription": "Beschreibung", + "insights": "Dashboarderkenntnisse ({0})", + "insightId": "ID", + "name": "Name", + "insight condition": "Zeitpunkt" + }, + "sql/workbench/contrib/extensions/browser/extensions.contribution": { + "workbench.extensions.getExtensionFromGallery.description": "Ruft Erweiterungsinformationen aus dem Katalog ab.", + "workbench.extensions.getExtensionFromGallery.arg.name": "Erweiterungs-ID", + "notFound": "Die Erweiterung '{0}' wurde nicht gefunden." + }, + "sql/workbench/contrib/extensions/browser/extensionsActions": { + "showRecommendations": "Empfehlungen anzeigen", + "Install Extensions": "Erweiterungen installieren", + "openExtensionAuthoringDocs": "Erweiterung erstellen..." + }, + "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { + "neverShowAgain": "Nicht mehr anzeigen", + "ExtensionsRecommended": "Azure Data Studio enthält Erweiterungsempfehlungen.", + "VisualizerExtensionsRecommended": "Azure Data Studio enthält Erweiterungsempfehlungen für die Datenvisualisierung.\r\nNach der Installation können Sie das Schnellansichtssymbol auswählen, um Ihre Abfrageergebnisse zu visualisieren.", + "installAll": "Alle installieren", + "showRecommendations": "Empfehlungen anzeigen", + "scenarioTypeUndefined": "Der Szenariotyp für Erweiterungsempfehlungen muss angegeben werden." + }, + "sql/workbench/contrib/extensions/browser/staticRecommendations": { + "defaultRecommendations": "Diese Erweiterung wird von Azure Data Studio empfohlen." + }, + "sql/workbench/contrib/jobManagement/browser/agentView.component": { + "jobview.Jobs": "Aufträge", + "jobview.Notebooks": "Notebooks", + "jobview.Alerts": "Warnungen", + "jobview.Proxies": "Proxys", + "jobview.Operators": "Operatoren" + }, + "sql/workbench/contrib/jobManagement/browser/alertsView.component": { + "jobAlertColumns.name": "Name", + "jobAlertColumns.lastOccurrenceDate": "Letztes Vorkommen", + "jobAlertColumns.enabled": "Aktiviert", + "jobAlertColumns.delayBetweenResponses": "Verzögerung zwischen Antworten (in Sek.)", + "jobAlertColumns.categoryName": "Kategoriename" }, "sql/workbench/contrib/jobManagement/browser/jobActions": { "jobaction.successLabel": "Erfolgreich", @@ -11227,77 +10211,58 @@ "notebookaction.renameNotebook": "Umbenennen", "notebookaction.openLatestRun": "Letzte Ausführung öffnen" }, - "sql/workbench/contrib/assessment/browser/asmtActions": { - "asmtaction.server.getitems": "Anwendbare Regeln anzeigen", - "asmtaction.database.getitems": "Anwendbare Regeln für \"{0}\" anzeigen", - "asmtaction.server.invokeitems": "Bewertung aufrufen", - "asmtaction.database.invokeitems": "Bewertung für \"{0}\" aufrufen", - "asmtaction.exportasscript": "Als Skript exportieren", - "asmtaction.showsamples": "Alle Regeln anzeigen und weitere Informationen auf GitHub erhalten", - "asmtaction.generatehtmlreport": "HTML-Bericht erstellen", - "asmtaction.openReport": "Der Bericht wurde gespeichert. Möchten Sie ihn öffnen?", - "asmtaction.label.open": "Öffnen", - "asmtaction.label.cancel": "Abbrechen" + "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { + "stepRow.stepID": "Schritt-ID", + "stepRow.stepName": "Schrittname", + "stepRow.message": "Meldung" }, - "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { - "data": "Daten", - "connection": "Verbindung", - "queryEditor": "Abfrage-Editor", - "notebook": "Notebook", - "dashboard": "Dashboard", - "profiler": "Profiler" + "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { + "agent.steps": "Schritte" }, - "sql/workbench/contrib/extensions/browser/contributionRenders": { - "tabs": "Dashboardregisterkarten ({0})", - "tabId": "ID", - "tabTitle": "Titel", - "tabDescription": "Beschreibung", - "insights": "Dashboarderkenntnisse ({0})", - "insightId": "ID", - "name": "Name", - "insight condition": "Zeitpunkt" + "sql/workbench/contrib/jobManagement/browser/jobsView.component": { + "jobColumns.name": "Name", + "jobColumns.lastRun": "Letzte Ausführung", + "jobColumns.nextRun": "Nächste Ausführung", + "jobColumns.enabled": "Aktiviert", + "jobColumns.status": "Status", + "jobColumns.category": "Kategorie", + "jobColumns.runnable": "Ausführbar", + "jobColumns.schedule": "Zeitplan", + "jobColumns.lastRunOutcome": "Ergebnis der letzten Ausführung", + "jobColumns.previousRuns": "Vorherigen Ausführungen", + "jobsView.noSteps": "Für diesen Auftrag sind keine Schritte verfügbar.", + "jobsView.error": "Fehler: " }, - "sql/workbench/contrib/charts/browser/imageInsight": { - "invalidImage": "Die Tabelle enthält kein gültiges Bild." + "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { + "notebookHistory.dateCreatedTooltip": "Erstellungsdatum: ", + "notebookHistory.notebookErrorTooltip": "Notebook-Fehler: ", + "notebookHistory.ErrorTooltip": "Auftragsfehler: ", + "notebookHistory.pinnedTitle": "Angeheftet", + "notebookHistory.recentRunsTitle": "Aktuelle Ausführungen", + "notebookHistory.pastRunsTitle": "Vergangene Ausführungen" }, - "sql/workbench/contrib/notebook/browser/cellToolbarActions": { - "moreActionsLabel": "Mehr", - "editLabel": "Bearbeiten", - "closeLabel": "Schließen", - "convertCell": "Zelle konvertieren", - "runAllAbove": "Alle Zellen oberhalb ausführen", - "runAllBelow": "Alle Zellen unterhalb ausführen", - "codeAbove": "Code oberhalb einfügen", - "codeBelow": "Code unterhalb einfügen", - "markdownAbove": "Text oberhalb einfügen", - "markdownBelow": "Text unterhalb einfügen", - "collapseCell": "Zelle reduzieren", - "expandCell": "Zelle erweitern", - "makeParameterCell": "Parameterzelle erstellen", - "RemoveParameterCell": "Parameterzelle entfernen", - "clear": "Ergebnis löschen" + "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { + "notebookColumns.name": "Name", + "notebookColumns.targetDatbase": "Zieldatenbank", + "notebookColumns.lastRun": "Letzte Ausführung", + "notebookColumns.nextRun": "Nächste Ausführung", + "notebookColumns.status": "Status", + "notebookColumns.lastRunOutcome": "Ergebnis der letzten Ausführung", + "notebookColumns.previousRuns": "Vorherigen Ausführungen", + "notebooksView.noSteps": "Für diesen Auftrag sind keine Schritte verfügbar.", + "notebooksView.error": "Fehler: ", + "notebooksView.notebookError": "Notebook-Fehler: " }, - "sql/workbench/services/notebook/browser/models/clientSession": { - "clientSession.unknownError": "Fehler beim Starten der Notebook-Sitzung.", - "ServerNotStarted": "Der Server wurde aus unbekannten Gründen nicht gestartet.", - "kernelRequiresConnection": "Der Kernel \"{0}\" wurde nicht gefunden. Es wird stattdessen der Standardkernel verwendet." + "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { + "jobOperatorsView.name": "Name", + "jobOperatorsView.emailAddress": "E-Mail-Adresse", + "jobOperatorsView.enabled": "Aktiviert" }, - "sql/workbench/contrib/charts/browser/graphInsight": { - "series": "Reihe \"{0}\"" - }, - "sql/workbench/contrib/charts/browser/configureChartDialog": { - "configureChartDialog.close": "Schließen" - }, - "sql/workbench/services/notebook/browser/models/notebookModel": { - "injectedParametersMsg": "# Eingefügte Parameter\r\n", - "kernelRequiresConnection": "Wählen Sie eine Verbindung zum Ausführen von Zellen für diesen Kernel aus.", - "deleteCellFailed": "Fehler beim Löschen der Zelle.", - "changeKernelFailedRetry": "Der Kernel konnte nicht geändert werden. Es wird der Kernel \"{0}\" verwendet. Fehler: {1}", - "changeKernelFailed": "Der Kernel konnte aufgrund des folgenden Fehlers nicht geändert werden: {0}", - "changeContextFailed": "Fehler beim Ändern des Kontexts: {0}", - "startSessionFailed": "Sitzung konnte nicht gestartet werden: {0}", - "shutdownClientSessionError": "Clientsitzungsfehler beim Schließen des Notebooks \"{0}\".", - "ProviderNoManager": "Der Notebook-Manager für den Anbieter \"{0}\" wurde nicht gefunden." + "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { + "jobProxiesView.accountName": "Kontoname", + "jobProxiesView.credentialName": "Name der Anmeldeinformationen", + "jobProxiesView.description": "Beschreibung", + "jobProxiesView.isEnabled": "Aktiviert" }, "sql/workbench/contrib/notebook/browser/calloutDialog/common/constants": { "callout.insertButton": "Einfügen", @@ -11317,6 +10282,940 @@ "linkCallout.linkAddressLabel": "Adresse", "linkCallout.linkAddressPlaceholder": "Mit vorhandener Datei oder Webseite verknüpfen" }, + "sql/workbench/contrib/notebook/browser/cellToolbarActions": { + "moreActionsLabel": "Mehr", + "editLabel": "Bearbeiten", + "closeLabel": "Schließen", + "convertCell": "Zelle konvertieren", + "runAllAbove": "Alle Zellen oberhalb ausführen", + "runAllBelow": "Alle Zellen unterhalb ausführen", + "codeAbove": "Code oberhalb einfügen", + "codeBelow": "Code unterhalb einfügen", + "markdownAbove": "Text oberhalb einfügen", + "markdownBelow": "Text unterhalb einfügen", + "collapseCell": "Zelle reduzieren", + "expandCell": "Zelle erweitern", + "makeParameterCell": "Parameterzelle erstellen", + "RemoveParameterCell": "Parameterzelle entfernen", + "clear": "Ergebnis löschen" + }, + "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { + "buttonAdd": "Zelle hinzufügen", + "optionCodeCell": "Codezelle", + "optionTextCell": "Textzelle", + "buttonMoveDown": "Zelle nach unten verschieben", + "buttonMoveUp": "Zelle nach oben verschieben", + "buttonDelete": "Löschen", + "codeCellsPreview": "Zelle hinzufügen", + "codePreview": "Codezelle", + "textPreview": "Textzelle" + }, + "sql/workbench/contrib/notebook/browser/cellViews/code.component": { + "parametersText": "Parameter" + }, + "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { + "notebook.failed": "Wählen Sie eine aktive Zelle aus, und versuchen Sie es noch mal.", + "runCell": "Zelle ausführen", + "stopCell": "Ausführung abbrechen", + "errorRunCell": "Fehler bei der letzten Ausführung. Klicken Sie, um den Vorgang zu wiederholen." + }, + "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { + "expandCellContents": "Codezelleninhalt erweitern", + "collapseCellContents": "Codezelleninhalt reduzieren" + }, + "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { + "buttonBold": "Fett", + "buttonItalic": "Kursiv", + "buttonUnderline": "Unterstrichen", + "buttonHighlight": "Hervorheben", + "buttonCode": "Code", + "buttonLink": "Link", + "buttonList": "Liste", + "buttonOrderedList": "Sortierte Liste", + "buttonImage": "Bild", + "buttonPreview": "Markdownvorschau umschalten – aus", + "dropdownHeading": "Überschrift", + "optionHeading1": "Überschrift 1", + "optionHeading2": "Überschrift 2", + "optionHeading3": "Überschrift 3", + "optionParagraph": "Absatz", + "callout.insertLinkHeading": "Link einfügen", + "callout.insertImageHeading": "Bild einfügen", + "richTextViewButton": "Rich-Text-Ansicht", + "splitViewButton": "Geteilte Ansicht", + "markdownViewButton": "Markdownansicht" + }, + "sql/workbench/contrib/notebook/browser/cellViews/output.component": { + "noMimeTypeFound": "Für die Ausgabe wurde kein {0}-Renderer gefunden. Folgende MIME-Typen sind enthalten: {1}", + "safe": "Sicher ", + "noSelectorFound": "Für Selektor \"{0}\" wurde keine Komponente gefunden.", + "componentRenderError": "Fehler beim Rendern der Komponente: {0}" + }, + "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { + "clickOn": "Klicken Sie auf", + "plusCode": "+ Code", + "or": "oder", + "plusText": "+ Text", + "toAddCell": "zum Hinzufügen einer Code- oder Textzelle", + "plusCodeAriaLabel": "Eine Codezelle hinzufügen", + "plusTextAriaLabel": "Eine Textzelle hinzufügen" + }, + "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { + "stdInLabel": "StdIn:" + }, + "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { + "doubleClickEdit": "Zum Bearbeiten doppelklicken", + "addContent": "Hier Inhalte hinzufügen... " + }, + "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { + "label.find": "Suchen", + "placeholder.find": "Suchen", + "label.previousMatchButton": "Vorherige Übereinstimmung", + "label.nextMatchButton": "Nächste Übereinstimmung", + "label.closeButton": "Schließen", + "title.matchesCountLimit": "Für Ihre Suche wurden sehr viele Ergebnisse zurückgegeben. Es werden nur die ersten 999 Übereinstimmungen hervorgehoben.", + "label.matchesLocation": "{0} von {1}", + "label.noResults": "Keine Ergebnisse" + }, + "sql/workbench/contrib/notebook/browser/notebook.component": { + "addCodeLabel": "Code hinzufügen", + "addTextLabel": "Text hinzufügen", + "createFile": "Datei erstellen", + "displayFailed": "Inhalt konnte nicht angezeigt werden: {0}", + "codeCellsPreview": "Zelle hinzufügen", + "codePreview": "Codezelle", + "textPreview": "Textzelle", + "runAllPreview": "Alle ausführen", + "addCell": "Zelle", + "code": "Code", + "text": "Text", + "runAll": "Zellen ausführen", + "previousButtonLabel": "< Zurück", + "nextButtonLabel": "Weiter >", + "cellNotFound": "Die Zelle mit dem URI \"{0}\" wurde in diesem Modell nicht gefunden.", + "cellRunFailed": "Fehler beim Ausführen von Zellen: Weitere Informationen finden Sie im Fehler in der Ausgabe der aktuell ausgewählten Zelle." + }, + "sql/workbench/contrib/notebook/browser/notebook.contribution": { + "newNotebook": "Neues Notebook", + "newQuery": "Neues Notebook", + "workbench.action.setWorkspaceAndOpen": "Arbeitsbereich festlegen und öffnen", + "notebook.sqlStopOnError": "SQL-Kernel: Notebook-Ausführung bei Fehler in Zelle beenden", + "notebook.showAllKernels": "(Vorschau) Zeigen Sie alle Kernel für den aktuellen Notebook-Anbieter an.", + "notebook.allowADSCommands": "Hiermit wird Notebooks das Ausführen von Azure Data Studio-Befehlen ermöglicht.", + "notebook.enableDoubleClickEdit": "Hiermit wird ein Doppelklick zum Bearbeiten von Textzellen in Notebooks aktiviert.", + "notebook.richTextModeDescription": "Text wird als Rich-Text (auch bekannt als WSSIWYG) angezeigt.", + "notebook.splitViewModeDescription": "Auf der linken Seite wird ein Markdown mit einer Vorschau des gerenderten Texts auf der rechten Seite angezeigt.", + "notebook.markdownModeDescription": "Der Text wird als Markdown angezeigt.", + "notebook.defaultTextEditMode": "Der Standardbearbeitungsmodus, der für Textzellen verwendet wird", + "notebook.saveConnectionName": "(Vorschau) Speichern Sie den Verbindungsnamen in den Notebook-Metadaten.", + "notebook.markdownPreviewLineHeight": "Hiermit wird die in der Notebook-Markdownvorschau verwendete Zeilenhöhe gesteuert. Diese Zahl ist relativ zum Schriftgrad.", + "notebook.showRenderedNotebookinDiffEditor": "(Vorschau) Gerendertes Notebook im Diff-Editor anzeigen.", + "notebook.maxRichTextUndoHistory": "Die maximale Anzahl von Änderungen, die im Verlauf des Rücksetzens für den Notizbuch-Rich-Text-Editor gespeichert sind.", + "searchConfigurationTitle": "Notebooks suchen", + "exclude": "Konfigurieren Sie Globmuster für das Ausschließen von Dateien und Ordnern aus Volltextsuchen und Quick Open. Alle Globmuster werden von der Einstellung #files.exclude# geerbt. Weitere Informationen zu Globmustern finden Sie [hier](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).", + "exclude.boolean": "Das Globmuster, mit dem Dateipfade verglichen werden sollen. Legen Sie diesen Wert auf \"true\" oder \"false\" fest, um das Muster zu aktivieren bzw. zu deaktivieren.", + "exclude.when": "Zusätzliche Überprüfung der gleichgeordneten Elemente einer entsprechenden Datei. Verwenden Sie \"$(basename)\" als Variable für den entsprechenden Dateinamen.", + "useRipgrep": "Diese Einstellung ist veraltet und greift jetzt auf \"search.usePCRE2\" zurück.", + "useRipgrepDeprecated": "Veraltet. Verwenden Sie \"search.usePCRE2\" für die erweiterte Unterstützung von RegEx-Features.", + "search.maintainFileSearchCache": "Wenn diese Option aktiviert ist, bleibt der SearchService-Prozess aktiv, anstatt nach einer Stunde Inaktivität beendet zu werden. Dadurch wird der Cache für Dateisuchen im Arbeitsspeicher beibehalten.", + "useIgnoreFiles": "Steuert, ob bei der Dateisuche GITIGNORE- und IGNORE-Dateien verwendet werden.", + "useGlobalIgnoreFiles": "Steuert, ob bei der Dateisuche globale GITIGNORE- und IGNORE-Dateien verwendet werden.", + "search.quickOpen.includeSymbols": "Konfiguriert, ob Ergebnisse aus einer globalen Symbolsuche in die Dateiergebnisse für Quick Open eingeschlossen werden sollen.", + "search.quickOpen.includeHistory": "Gibt an, ob Ergebnisse aus zuletzt geöffneten Dateien in den Dateiergebnissen für Quick Open aufgeführt werden.", + "filterSortOrder.default": "Verlaufseinträge werden anhand des verwendeten Filterwerts nach Relevanz sortiert. Relevantere Einträge werden zuerst angezeigt.", + "filterSortOrder.recency": "Verlaufseinträge werden absteigend nach Datum sortiert. Zuletzt geöffnete Einträge werden zuerst angezeigt.", + "filterSortOrder": "Legt die Sortierreihenfolge des Editor-Verlaufs beim Filtern in Quick Open fest.", + "search.followSymlinks": "Steuert, ob Symlinks während der Suche gefolgt werden.", + "search.smartCase": "Sucht ohne Berücksichtigung von Groß-/Kleinschreibung, wenn das Muster kleingeschrieben ist, andernfalls wird mit Berücksichtigung von Groß-/Kleinschreibung gesucht.", + "search.globalFindClipboard": "Steuert, ob die Suchansicht die freigegebene Suchzwischenablage unter macOS lesen oder verändern soll.", + "search.location": "Steuert, ob die Suche als Ansicht in der Seitenleiste oder als Panel angezeigt wird, damit horizontal mehr Platz verfügbar ist.", + "search.location.deprecationMessage": "Diese Einstellung ist veraltet. Verwenden Sie stattdessen das Kontextmenü der Suchansicht.", + "search.collapseResults.auto": "Dateien mit weniger als 10 Ergebnissen werden erweitert. Andere bleiben reduziert.", + "search.collapseAllResults": "Steuert, ob die Suchergebnisse zu- oder aufgeklappt werden.", + "search.useReplacePreview": "Steuert, ob die Vorschau für das Ersetzen geöffnet werden soll, wenn eine Übereinstimmung ausgewählt oder ersetzt wird.", + "search.showLineNumbers": "Steuert, ob Zeilennummern für Suchergebnisse angezeigt werden.", + "search.usePCRE2": "Gibt an, ob die PCRE2-RegEx-Engine bei der Textsuche verwendet werden soll. Dadurch wird die Verwendung einiger erweiterter RegEx-Features wie Lookahead und Rückverweise ermöglicht. Allerdings werden nicht alle PCRE2-Features unterstützt, sondern nur solche, die auch von JavaScript unterstützt werden.", + "usePCRE2Deprecated": "Veraltet. PCRE2 wird beim Einsatz von Features für reguläre Ausdrücke, die nur von PCRE2 unterstützt werden, automatisch verwendet.", + "search.actionsPositionAuto": "Hiermit wird die Aktionsleiste auf der rechten Seite positioniert, wenn die Suchansicht schmal ist, und gleich hinter dem Inhalt, wenn die Suchansicht breit ist.", + "search.actionsPositionRight": "Hiermit wird die Aktionsleiste immer auf der rechten Seite positioniert.", + "search.actionsPosition": "Steuert die Positionierung der Aktionsleiste auf Zeilen in der Suchansicht.", + "search.searchOnType": "Alle Dateien während der Eingabe durchsuchen", + "search.seedWithNearestWord": "Aktivieren Sie das Starten der Suche mit dem Wort, das dem Cursor am nächsten liegt, wenn der aktive Editor keine Auswahl aufweist.", + "search.seedOnFocus": "Hiermit wird die Suchabfrage für den Arbeitsbereich auf den ausgewählten Editor-Text aktualisiert, wenn die Suchansicht den Fokus hat. Dies geschieht entweder per Klick oder durch Auslösen des Befehls \"workbench.views.search.focus\".", + "search.searchOnTypeDebouncePeriod": "Wenn #search.searchOnType aktiviert ist, wird dadurch das Timeout in Millisekunden zwischen einem eingegebenen Zeichen und dem Start der Suche festgelegt. Diese Einstellung keine Auswirkung, wenn search.searchOnType deaktiviert ist.", + "search.searchEditor.doubleClickBehaviour.selectWord": "Durch Doppelklicken wird das Wort unter dem Cursor ausgewählt.", + "search.searchEditor.doubleClickBehaviour.goToLocation": "Durch Doppelklicken wird das Ergebnis in der aktiven Editor-Gruppe geöffnet.", + "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Durch Doppelklicken wird das Ergebnis in der Editorgruppe an der Seite geöffnet, wodurch ein Ergebnis erstellt wird, wenn noch keines vorhanden ist.", + "search.searchEditor.doubleClickBehaviour": "Konfiguriert den Effekt des Doppelklickens auf ein Ergebnis in einem Such-Editor.", + "searchSortOrder.default": "Ergebnisse werden nach Ordner- und Dateinamen in alphabetischer Reihenfolge sortiert.", + "searchSortOrder.filesOnly": "Die Ergebnisse werden nach Dateinamen in alphabetischer Reihenfolge sortiert. Die Ordnerreihenfolge wird ignoriert.", + "searchSortOrder.type": "Die Ergebnisse werden nach Dateiendungen in alphabetischer Reihenfolge sortiert.", + "searchSortOrder.modified": "Die Ergebnisse werden nach dem Datum der letzten Dateiänderung in absteigender Reihenfolge sortiert.", + "searchSortOrder.countDescending": "Ergebnisse werden nach Anzahl pro Datei und in absteigender Reihenfolge sortiert.", + "searchSortOrder.countAscending": "Die Ergebnisse werden nach Anzahl pro Datei in aufsteigender Reihenfolge sortiert.", + "search.sortOrder": "Steuert die Sortierreihenfolge der Suchergebnisse." + }, + "sql/workbench/contrib/notebook/browser/notebookActions": { + "loading": "Kernel werden geladen...", + "changing": "Kernel wird geändert...", + "AttachTo": "Anfügen an ", + "Kernel": "Kernel ", + "loadingContexts": "Kontexte werden geladen...", + "changeConnection": "Verbindung ändern", + "selectConnection": "Verbindung auswählen", + "localhost": "localhost", + "noKernel": "Kein Kernel", + "kernelNotSupported": "Dieses Notizbuch kann nicht mit Parametern ausgeführt werden, da der Kernel nicht unterstützt wird. Verwenden Sie die unterstützten Kernel und das unterstützte Format. [Weitere Informationen] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "noParametersCell": "Dieses Notebook kann erst mit Parametern ausgeführt werden, wenn eine Parameterzelle hinzugefügt wird. [Weitere Informationen](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "noParametersInCell": "Dieses Notizbuch kann erst mit Parametern ausgeführt werden, wenn der Parameterzelle Parameter hinzugefügt wurden. [Weitere Informationen](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "clearResults": "Ergebnisse löschen", + "trustLabel": "Vertrauenswürdig", + "untrustLabel": "Nicht vertrauenswürdig", + "collapseAllCells": "Zellen reduzieren", + "expandAllCells": "Zellen erweitern", + "runParameters": "Mit Parametern ausführen", + "noContextAvailable": "Keine", + "newNotebookAction": "Neues Notebook", + "notebook.findNext": "Nächste Zeichenfolge suchen", + "notebook.findPrevious": "Vorhergehende Zeichenfolge suchen" + }, + "sql/workbench/contrib/notebook/browser/notebookEditor": { + "notebookEditor.name": "Notebook Editor" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { + "notebookExplorer.searchResults": "Suchergebnisse", + "searchPathNotFoundError": "Der Suchpfad wurde nicht gefunden: {0}.", + "notebookExplorer.name": "Notebooks" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { + "searchWithoutFolder": "Sie haben keinen Ordner geöffnet, der Notebooks/Bücher enthält. ", + "openNotebookFolder": "Notebooks öffnen", + "searchMaxResultsWarning": "Das Resultset enthält nur eine Teilmenge aller Übereinstimmungen. Verfeinern Sie Ihre Suche, um die Ergebnisse einzugrenzen.", + "searchInProgress": "Suche wird durchgeführt... – ", + "noResultsIncludesExcludes": "Keine Ergebnisse in \"{0}\" unter Ausschluss von \"{1}\" gefunden – ", + "noResultsIncludes": "Keine Ergebnisse in \"{0}\" gefunden – ", + "noResultsExcludes": "Keine Ergebnisse gefunden, die \"{0}\" ausschließen – ", + "noResultsFound": "Es wurden keine Ergebnisse gefunden. Überprüfen Sie die Einstellungen für konfigurierte Ausschlüsse, und überprüfen Sie Ihre gitignore-Dateien - ", + "rerunSearch.message": "Erneut suchen", + "rerunSearchInAll.message": "Erneut in allen Dateien suchen", + "openSettings.message": "Einstellungen öffnen", + "ariaSearchResultsStatus": "Die Suche hat {0} Ergebnisse in {1} Dateien zurückgegeben.", + "ToggleCollapseAndExpandAction.label": "Zu- und Aufklappen umschalten", + "CancelSearchAction.label": "Suche abbrechen", + "ExpandAllAction.label": "Alle erweitern", + "CollapseDeepestExpandedLevelAction.label": "Alle reduzieren", + "ClearSearchResultsAction.label": "Suchergebnisse löschen" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { + "label.Search": "Suche: Geben Sie den Suchbegriff ein, und drücken Sie die EINGABETASTE, um zu suchen, oder ESC, um den Vorgang abzubrechen.", + "search.placeHolder": "Suchen" + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViews.component": { + "cellNotFound": "Die Zelle mit dem URI \"{0}\" wurde in diesem Modell nicht gefunden.", + "cellRunFailed": "Fehler beim Ausführen von Zellen: Weitere Informationen finden Sie im Fehler in der Ausgabe der aktuell ausgewählten Zelle." + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsCodeCell.component": { + "viewsCodeCell.emptyCellText": "Führen Sie diese Zelle aus, um Ausgaben anzuzeigen." + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsGrid.component": { + "emptyText": "Diese Ansicht ist leer. Fügen Sie dieser Ansicht eine Zelle hinzu, indem Sie auf die Schaltfläche „Zellen einfügen“ klicken." + }, + "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { + "copyFailed": "Fehler beim Kopieren: {0}", + "notebook.showChart": "Diagramm anzeigen", + "notebook.showTable": "Tabelle anzeigen" + }, + "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { + "noRendererFound": "Für die Ausgabe wurde kein {0}-Renderer gefunden. Folgende MIME-Typen sind enthalten: {1}", + "safe": "(sicher) " + }, + "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { + "plotlyError": "Fehler beim Anzeigen des Plotly-Graphen: {0}" + }, + "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { + "servers.noConnections": "Keine Verbindungen gefunden.", + "serverTree.addConnection": "Verbindung hinzufügen" + }, + "sql/workbench/contrib/objectExplorer/common/serverGroup.contribution": { + "serverGroup.colors": "Farbpalette für die Servergruppe, die im Objekt-Explorer-Viewlet verwendet wird.", + "serverGroup.autoExpand": "Servergruppen im Objekt-Explorer-Viewlet automatisch erweitern", + "serverTree.useAsyncServerTree": "(Vorschau) Verwenden Sie die neue asynchrone Serverstruktur für die Serveransicht und das Verbindungsdialogfeld. Sie bietet Unterstützung für neue Features wie die dynamische Knotenfilterung." + }, + "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { + "data": "Daten", + "connection": "Verbindung", + "queryEditor": "Abfrage-Editor", + "notebook": "Notebook", + "dashboard": "Dashboard", + "profiler": "Profiler", + "builtinCharts": "Integrierte Diagramme" + }, + "sql/workbench/contrib/profiler/browser/profiler.contribution": { + "profiler.settings.viewTemplates": "Gibt Ansichtsvorlagen an.", + "profiler.settings.sessionTemplates": "Gibt Sitzungsvorlagen an.", + "profiler.settings.Filters": "Profilerfilter" + }, + "sql/workbench/contrib/profiler/browser/profilerActions": { + "profilerAction.connect": "Verbinden", + "profilerAction.disconnect": "Trennen", + "start": "Starten", + "create": "Neue Sitzung", + "profilerAction.pauseCapture": "Anhalten", + "profilerAction.resumeCapture": "Fortsetzen", + "profilerStop.stop": "Beenden", + "profiler.clear": "Daten löschen", + "profiler.clearDataPrompt": "Möchten Sie die Daten löschen?", + "profiler.yes": "Ja", + "profiler.no": "Nein", + "profilerAction.autoscrollOn": "Automatisches Scrollen: Ein", + "profilerAction.autoscrollOff": "Automatisches Scrollen: Aus", + "profiler.toggleCollapsePanel": "Ausgeblendeten Bereich umschalten", + "profiler.editColumns": "Spalten bearbeiten", + "profiler.findNext": "Nächste Zeichenfolge suchen", + "profiler.findPrevious": "Vorhergehende Zeichenfolge suchen", + "profilerAction.newProfiler": "Profiler starten", + "profiler.filter": "Filtern...", + "profiler.clearFilter": "Filter löschen", + "profiler.clearFilterPrompt": "Möchten Sie die Filter löschen?" + }, + "sql/workbench/contrib/profiler/browser/profilerEditor": { + "profiler.viewSelectAccessibleName": "Ansicht auswählen", + "profiler.sessionSelectAccessibleName": "Sitzung auswählen", + "profiler.sessionSelectLabel": "Sitzung auswählen:", + "profiler.viewSelectLabel": "Ansicht auswählen:", + "text": "Text", + "label": "Beschriftung", + "profilerEditor.value": "Wert", + "details": "Details" + }, + "sql/workbench/contrib/profiler/browser/profilerFindWidget": { + "label.find": "Suchen", + "placeholder.find": "Suchen", + "label.previousMatchButton": "Vorherige Übereinstimmung", + "label.nextMatchButton": "Nächste Übereinstimmung", + "label.closeButton": "Schließen", + "title.matchesCountLimit": "Für Ihre Suche wurden sehr viele Ergebnisse zurückgegeben. Es werden nur die ersten 999 Übereinstimmungen hervorgehoben.", + "label.matchesLocation": "{0} von {1}", + "label.noResults": "Keine Ergebnisse" + }, + "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { + "profilerTextEditorAriaLabel": "Profiler-Editor für Ereignistext (schreibgeschützt)" + }, + "sql/workbench/contrib/profiler/browser/profilerTableEditor": { + "ProfilerTableEditor.eventCountFiltered": "Ereignisse (gefiltert): {0}/{1}", + "ProfilerTableEditor.eventCount": "Ereignisse: {0}", + "status.eventCount": "Ereignisanzahl" + }, + "sql/workbench/contrib/query/browser/actions": { + "saveAsCsv": "Als CSV speichern", + "saveAsJson": "Als JSON speichern", + "saveAsExcel": "Als Excel speichern", + "saveAsXml": "Als XML speichern", + "jsonEncoding": "Die Ergebniscodierung wird beim Exportieren in JSON nicht gespeichert. Nachdem die Datei erstellt wurde, speichern Sie sie mit der gewünschten Codierung.", + "saveToFileNotSupported": "Das Speichern in einer Datei wird von der zugrunde liegenden Datenquelle nicht unterstützt.", + "copySelection": "Kopieren", + "copyWithHeaders": "Mit Headern kopieren", + "selectAll": "Alle auswählen", + "maximize": "Maximieren", + "restore": "Wiederherstellen", + "chart": "Diagramm", + "visualizer": "Schnellansicht" + }, + "sql/workbench/contrib/query/browser/flavorStatus": { + "chooseSqlLang": "SQL-Sprache auswählen", + "changeProvider": "SQL-Sprachanbieter ändern", + "status.query.flavor": "SQL-Sprachvariante", + "changeSqlProvider": "SQL-Engine-Anbieter ändern", + "alreadyConnected": "Es besteht eine Verbindung über die Engine \"{0}\". Um die Verbindung zu ändern, trennen oder wechseln Sie die Verbindung.", + "noEditor": "Momentan ist kein Text-Editor aktiv.", + "pickSqlProvider": "Sprachanbieter auswählen" + }, + "sql/workbench/contrib/query/browser/gridPanel": { + "xmlShowplan": "XML-Showplan", + "resultsGrid": "Ergebnisraster", + "resultsGrid.maxRowCountExceeded": "Die maximale Zeilenanzahl für das Filtern/ Sortieren wurde überschritten. Um sie zu aktualisieren, können Sie zu \"Benutzereinstellungen\" wechseln und die Einstellung \"queryEditor.results.inMemoryDataProcessingThreshold\" ändern." + }, + "sql/workbench/contrib/query/browser/keyboardQueryActions": { + "focusOnCurrentQueryKeyboardAction": "Fokus auf aktuelle Abfrage", + "runQueryKeyboardAction": "Abfrage ausführen", + "runCurrentQueryKeyboardAction": "Aktuelle Abfrage ausführen", + "copyQueryWithResultsKeyboardAction": "Abfrage mit Ergebnissen kopieren", + "queryActions.queryResultsCopySuccess": "Die Abfrage und die Ergebnisse wurden erfolgreich kopiert.", + "runCurrentQueryWithActualPlanKeyboardAction": "Aktuelle Abfrage mit Istplan ausführen", + "cancelQueryKeyboardAction": "Abfrage abbrechen", + "refreshIntellisenseKeyboardAction": "IntelliSense-Cache aktualisieren", + "toggleQueryResultsKeyboardAction": "Abfrageergebnisse umschalten", + "ToggleFocusBetweenQueryEditorAndResultsAction": "Fokus zwischen Abfrage und Ergebnissen umschalten", + "queryShortcutNoEditor": "Editor-Parameter zum Ausführen einer Tastenkombination erforderlich.", + "parseSyntaxLabel": "Abfrage analysieren", + "queryActions.parseSyntaxSuccess": "Die Befehle wurden erfolgreich ausgeführt.", + "queryActions.parseSyntaxFailure": "Fehler bei Befehl:", + "queryActions.notConnected": "Stellen Sie eine Verbindung mit einem Server her." + }, + "sql/workbench/contrib/query/browser/messagePanel": { + "messagePanel": "Meldungspanel", + "copy": "Kopieren", + "copyAll": "Alle kopieren" + }, + "sql/workbench/contrib/query/browser/query.contribution": { + "queryResultsEditor.name": "Abfrageergebnisse", + "newQuery": "Neue Abfrage", + "queryEditorConfigurationTitle": "Abfrage-Editor", + "queryEditor.results.saveAsCsv.includeHeaders": "Bei Festlegung auf TRUE werden beim Speichern der Ergebnisse als CSV auch die Spaltenüberschriften einbezogen.", + "queryEditor.results.saveAsCsv.delimiter": "Benutzerdefiniertes Trennzeichen zwischen Werten, das beim Speichern der Ergebnisse als CSV verwendet wird", + "queryEditor.results.saveAsCsv.lineSeperator": "Zeichen für die Trennung von Zeilen, das beim Speichern der Ergebnisse als CSV verwendet wird", + "queryEditor.results.saveAsCsv.textIdentifier": "Zeichen für das Umschließen von Textfeldern, das beim Speichern der Ergebnisse als CSV verwendet wird", + "queryEditor.results.saveAsCsv.encoding": "Dateicodierung, die beim Speichern der Ergebnisse als CSV verwendet wird", + "queryEditor.results.saveAsXml.formatted": "Bei Festlegung auf TRUE wird die XML-Ausgabe formatiert, wenn die Ergebnisse im XML-Format gespeichert werden.", + "queryEditor.results.saveAsXml.encoding": "Beim Speichern der Ergebnisse im XML-Format verwendete Dateicodierung", + "queryEditor.results.streaming": "Hiermit wird das Streamen der Ergebnisse aktiviert. Diese Option weist einige geringfügige Darstellungsprobleme auf.", + "queryEditor.results.copyIncludeHeaders": "Konfigurationsoptionen für das Kopieren von Ergebnissen aus der Ergebnisansicht", + "queryEditor.results.copyRemoveNewLine": "Konfigurationsoptionen für das Kopieren mehrzeiliger Ergebnisse aus der Ergebnisansicht", + "queryEditor.results.optimizedTable": "(Experimentell) Verwenden Sie eine optimierte Tabelle in der Ergebnisausgabe. Möglicherweise fehlen einige Funktionen oder befinden sich in Bearbeitung.", + "queryEditor.inMemoryDataProcessingThreshold": "Steuert die maximale Anzahl von Zeilen, die im Arbeitsspeicher gefiltert und sortiert werden dürfen. Wenn die Zahl überschritten wird, werden die Sortier- und Filterfunktionen deaktiviert. Warnung: die Erhöhung dieser Anzahl kann sich auf die Leistung auswirken.", + "queryEditor.results.openAfterSave": "Gibt an, ob die Datei in Azure Data Studio geöffnet werden soll, nachdem das Ergebnis gespeichert wurde.", + "queryEditor.messages.showBatchTime": "Gibt an, ob die Ausführungszeit für einzelne Batches angezeigt werden soll.", + "queryEditor.messages.wordwrap": "Meldungen zu Zeilenumbrüchen", + "queryEditor.chart.defaultChartType": "Dieser Diagrammtyp wird standardmäßig verwendet, wenn der Diagramm-Viewer von Abfrageergebnissen aus geöffnet wird.", + "queryEditor.tabColorMode.off": "Das Einfärben von Registerkarten wird deaktiviert.", + "queryEditor.tabColorMode.border": "Der obere Rand der einzelnen Editor-Registerkarten wird entsprechend der jeweiligen Servergruppe eingefärbt.", + "queryEditor.tabColorMode.fill": "Die Hintergrundfarbe der Editor-Registerkarten entspricht der jeweiligen Servergruppe.", + "queryEditor.tabColorMode": "Steuert die Farbe von Registerkarten basierend auf der Servergruppe der aktiven Verbindung.", + "queryEditor.showConnectionInfoInTitle": "Legt fest, ob die Verbindungsinformationen für eine Registerkarte im Titel angezeigt werden.", + "queryEditor.promptToSaveGeneratedFiles": "Aufforderung zum Speichern generierter SQL-Dateien", + "queryShortcutDescription": "Legen Sie \"workbench.action.query.shortcut{0}\" für die Tastenzuordnung fest, um den Verknüpfungstext als Prozeduraufruf oder Abfrageausführung auszuführen. Der ausgewählte Text im Abfrage-Editor wird am Ende der Abfrage als Parameter übergeben, oder Sie können mit \"{arg}\" darauf verweisen." + }, + "sql/workbench/contrib/query/browser/queryActions": { + "newQueryTask.newQuery": "Neue Abfrage", + "runQueryLabel": "Ausführen", + "cancelQueryLabel": "Abbrechen", + "estimatedQueryPlan": "Erklärung", + "actualQueryPlan": "Tatsächlich", + "disconnectDatabaseLabel": "Trennen", + "changeConnectionDatabaseLabel": "Verbindung ändern", + "connectDatabaseLabel": "Verbinden", + "enablesqlcmdLabel": "SQLCMD aktivieren", + "disablesqlcmdLabel": "SQLCMD deaktivieren", + "selectDatabase": "Datenbank auswählen", + "changeDatabase.failed": "Fehler beim Ändern der Datenbank.", + "changeDatabase.failedWithError": "Fehler beim Ändern der Datenbank: {0}", + "queryEditor.exportSqlAsNotebook": "Als Notebook exportieren" + }, + "sql/workbench/contrib/query/browser/queryEditor": { + "queryEditor.name": "Query Editor" + }, + "sql/workbench/contrib/query/browser/queryResultsView": { + "resultsTabTitle": "Ergebnisse", + "messagesTabTitle": "Meldungen" + }, + "sql/workbench/contrib/query/browser/statusBarItems": { + "status.query.timeElapsed": "Verstrichene Zeit", + "status.query.rowCount": "Zeilenanzahl", + "rowCount": "{0} Zeilen", + "query.status.executing": "Abfrage wird ausgeführt...", + "status.query.status": "Ausführungsstatus", + "status.query.selection-summary": "Zusammenfassung der Auswahl", + "status.query.summaryText": "Durchschnitt: {0}, Anzahl: {1}, Summe: {2}" + }, + "sql/workbench/contrib/query/common/resultsGrid.contribution": { + "resultsGridConfigurationTitle": "Ergebnisraster und Meldungen", + "fontFamily": "Steuert die Schriftfamilie.", + "fontWeight": "Steuert die Schriftbreite.", + "fontSize": "Legt die Schriftgröße in Pixeln fest.", + "letterSpacing": "Legt den Abstand der Buchstaben in Pixeln fest.", + "rowHeight": "Legt die Zeilenhöhe in Pixeln fest.", + "cellPadding": "Legt den Zellenabstand in Pixeln fest.", + "autoSizeColumns": "Hiermit wird die Spaltenbreite der ersten Ergebnisse automatisch angepasst. Diese Einstellung kann bei einer großen Anzahl von Spalten oder großen Zellen zu Leistungsproblemen führen.", + "maxColumnWidth": "Die maximale Breite in Pixeln für Spalten mit automatischer Größe" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryActions": { + "toggleQueryHistory": "Abfrageverlauf umschalten", + "queryHistory.delete": "Löschen", + "queryHistory.clearLabel": "Gesamten Verlauf löschen", + "queryHistory.openQuery": "Abfrage öffnen", + "queryHistory.runQuery": "Abfrage ausführen", + "queryHistory.toggleCaptureLabel": "Erfassung des Abfrageverlaufs umschalten", + "queryHistory.disableCapture": "Erfassung des Abfrageverlaufs anhalten", + "queryHistory.enableCapture": "Erfassung des Abfrageverlaufs starten" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryRenderer": { + "succeeded": "Erfolgreich", + "failed": "Fehlerhaft" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryView": { + "noQueriesMessage": "Keine Abfragen zur Anzeige vorhanden.", + "queryHistory.regTreeAriaLabel": "Abfrageverlauf" + }, + "sql/workbench/contrib/queryHistory/electron-browser/queryHistory": { + "queryHistoryConfigurationTitle": "Abfrageverlauf", + "queryHistoryCaptureEnabled": "Gibt an, ob die Erfassung des Abfrageverlaufs aktiviert ist. Bei Festlegung auf FALSE werden ausgeführte Abfragen nicht erfasst.", + "queryHistory.clearLabel": "Gesamten Verlauf löschen", + "queryHistory.disableCapture": "Erfassung des Abfrageverlaufs anhalten", + "queryHistory.enableCapture": "Erfassung des Abfrageverlaufs starten", + "viewCategory": "Sicht", + "miViewQueryHistory": "&&Abfrageverlauf", + "queryHistory": "Abfrageverlauf" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlan": { + "queryPlanTitle": "Abfrageplan" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlanEditor": { + "queryPlanEditor": "Query Plan Editor" + }, + "sql/workbench/contrib/queryPlan/browser/topOperations": { + "topOperations.operation": "Vorgang", + "topOperations.object": "Objekt", + "topOperations.estCost": "Geschätzte Kosten", + "topOperations.estSubtreeCost": "Geschätzte Kosten für Unterstruktur", + "topOperations.actualRows": "Tatsächliche Zeilen", + "topOperations.estRows": "Geschätzte Zeilen", + "topOperations.actualExecutions": "Tatsächliche Ausführungen", + "topOperations.estCPUCost": "Geschätzte CPU-Kosten", + "topOperations.estIOCost": "Geschätzte E/A-Kosten", + "topOperations.parallel": "Parallel", + "topOperations.actualRebinds": "Tatsächliche erneute Bindungen", + "topOperations.estRebinds": "Geschätzte erneute Bindungen", + "topOperations.actualRewinds": "Tatsächliche Rückläufe", + "topOperations.estRewinds": "Geschätzte Rückläufe", + "topOperations.partitioned": "Partitioniert", + "topOperationsTitle": "Wichtigste Vorgänge" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewer.contribution": { + "resourceViewer": "Ressourcen-Viewer" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { + "resourceViewer.refresh": "Aktualisieren" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { + "resourceViewerTable.openError": "Fehler beim Öffnen des Links: {0}", + "resourceViewerTable.commandError": "Fehler beim Ausführen des Befehls \"{0}\": {1}" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { + "resourceViewer.ariaLabel": "Ressourcen-Viewer-Struktur" + }, + "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { + "extension.contributes.resourceView.resource.id": "Bezeichner der Ressource.", + "extension.contributes.resourceView.resource.name": "Der lesbare Name der Sicht. Dieser wird angezeigt.", + "extension.contributes.resourceView.resource.icon": "Pfad zum Ressourcensymbol.", + "extension.contributes.resourceViewResources": "Trägt die Ressource zur Ressourcenansicht bei.", + "requirestring": "Die Eigenschaft \"{0}\" ist erforderlich und muss vom Typ \"string\" sein.", + "optstring": "Die Eigenschaft \"{0}\" kann ausgelassen werden oder muss vom Typ \"string\" sein." + }, + "sql/workbench/contrib/restore/browser/restore.contribution": { + "restore": "Wiederherstellen", + "backup": "Wiederherstellen" + }, + "sql/workbench/contrib/restore/browser/restoreActions": { + "restore.isPreviewFeature": "Sie müssen die Vorschaufeatures aktivieren, um die Wiederherstellung zu verwenden.", + "restore.commandNotSupportedOutsideContext": "Der Wiederherstellungsbefehl wird außerhalb eines Serverkontexts nicht unterstützt. Wählen Sie einen Server oder eine Datenbank aus, und versuchen Sie es noch mal.", + "restore.commandNotSupported": "Der Wiederherstellungsbefehl wird für Azure SQL-Datenbank-Instanzen nicht unterstützt.", + "restoreAction.restore": "Wiederherstellen" + }, + "sql/workbench/contrib/scripting/browser/scripting.contribution": { + "scriptAsCreate": "Skripterstellung als CREATE", + "scriptAsDelete": "Skripterstellung als DROP", + "scriptAsSelect": "Oberste 1000 auswählen", + "scriptAsExecute": "Skripterstellung als EXECUTE", + "scriptAsAlter": "Skripterstellung als ALTER", + "editData": "Daten bearbeiten", + "scriptSelect": "Oberste 1000 auswählen", + "scriptKustoSelect": "10 zurückgeben", + "scriptCreate": "Skripterstellung als CREATE", + "scriptExecute": "Skripterstellung als EXECUTE", + "scriptAlter": "Skripterstellung als ALTER", + "scriptDelete": "Skripterstellung als DROP", + "refreshNode": "Aktualisieren" + }, + "sql/workbench/contrib/scripting/browser/scriptingActions": { + "refreshError": "Fehler beim Aktualisieren des Knotens \"{0}\": {1}" + }, + "sql/workbench/contrib/tasks/browser/tasks.contribution": { + "inProgressTasksChangesBadge": "{0} Aufgaben werden ausgeführt", + "viewCategory": "Sicht", + "tasks": "Aufgaben", + "miViewTasks": "&&Aufgaben" + }, + "sql/workbench/contrib/tasks/browser/tasksActions": { + "toggleTasks": "Aufgaben umschalten" + }, + "sql/workbench/contrib/tasks/browser/tasksRenderer": { + "succeeded": "Erfolgreich", + "failed": "Fehlerhaft", + "inProgress": "In Bearbeitung", + "notStarted": "Nicht gestartet", + "canceled": "Abgebrochen", + "canceling": "Wird abgebrochen" + }, + "sql/workbench/contrib/tasks/browser/tasksView": { + "noTaskMessage": "Kein Aufgabenverlauf zur Anzeige vorhanden.", + "taskHistory.regTreeAriaLabel": "Aufgabenverlauf", + "taskError": "Aufgabenfehler" + }, + "sql/workbench/contrib/tasks/common/tasksAction": { + "cancelTask.cancel": "Abbrechen", + "errorMsgFromCancelTask": "Der Task konnte nicht abgebrochen werden.", + "taskAction.script": "Skript" + }, + "sql/workbench/contrib/views/browser/treeView": { + "no-dataprovider": "Es ist kein Datenanbieter registriert, der Sichtdaten bereitstellen kann.", + "refresh": "Aktualisieren", + "collapseAll": "Alle reduzieren", + "command-error": "Fehler beim Ausführen des Befehls {1}: {0}. Dies wird vermutlich durch die Erweiterung verursacht, die {1} beiträgt." + }, + "sql/workbench/contrib/webview/browser/webViewDialog": { + "webViewDialog.ok": "OK", + "webViewDialog.close": "Schließen" + }, + "sql/workbench/contrib/welcome/gettingStarted/browser/abstractEnablePreviewFeatures": { + "enablePreviewFeatures.notice": "Vorschaufeatures verbessern die Benutzerfreundlichkeit von Azure Data Studio, indem sie Ihnen Vollzugriff auf neue Features und Verbesserungen ermöglichen. Weitere Informationen zu Vorschaufeatures finden Sie [hier]({0}). Möchten Sie Vorschaufeatures aktivieren?", + "enablePreviewFeatures.yes": "Ja (empfohlen)", + "enablePreviewFeatures.no": "Nein", + "enablePreviewFeatures.never": "Nein, nicht mehr anzeigen" + }, + "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { + "welcomePage.previewBody": "Diese Featureseite befindet sich in der Vorschauphase. Durch die Vorschaufeatures werden neue Funktionen eingeführt, die demnächst als dauerhafter Bestandteil in das Produkt integriert werden. Sie sind stabil, erfordern jedoch zusätzliche Verbesserungen im Hinblick auf die Barrierefreiheit. Wir freuen uns über Ihr frühes Feedback, solange die Features noch entwickelt werden.", + "welcomePage.preview": "Vorschau", + "welcomePage.createConnection": "Verbindung erstellen", + "welcomePage.createConnectionBody": "Stellen Sie über das Verbindungsdialogfeld eine Verbindung mit einer Datenbankinstanz her.", + "welcomePage.runQuery": "Abfrage ausführen", + "welcomePage.runQueryBody": "Interagieren Sie mit Daten über einen Abfrage-Editor.", + "welcomePage.createNotebook": "Notebook erstellen", + "welcomePage.createNotebookBody": "Erstellen Sie ein neues Notebook mithilfe eines nativen Notebook-Editors.", + "welcomePage.deployServer": "Server bereitstellen", + "welcomePage.deployServerBody": "Erstellen Sie eine neue Instanz eines relationalen Datendiensts auf der Plattform Ihrer Wahl.", + "welcomePage.resources": "Ressourcen", + "welcomePage.history": "Verlauf", + "welcomePage.name": "Name", + "welcomePage.location": "Standort", + "welcomePage.moreRecent": "Mehr anzeigen", + "welcomePage.showOnStartup": "Beim Start Willkommensseite anzeigen", + "welcomePage.usefuLinks": "Nützliche Links", + "welcomePage.gettingStarted": "Erste Schritte", + "welcomePage.gettingStartedBody": "Lernen Sie die von Azure Data Studio bereitgestellten Funktionen kennen, und erfahren Sie, wie Sie diese optimal nutzen können.", + "welcomePage.documentation": "Dokumentation", + "welcomePage.documentationBody": "Im Dokumentationscenter finden Sie Schnellstarts, Anleitungen und Referenzdokumentation zu PowerShell, APIs usw.", + "welcomePage.videos": "Videos", + "welcomePage.videoDescriptionOverview": "Übersicht über Azure Data Studio", + "welcomePage.videoDescriptionIntroduction": "Einführung in Azure Data Studio-Notebooks | Verfügbare Daten", + "welcomePage.extensions": "Erweiterungen", + "welcomePage.showAll": "Alle anzeigen", + "welcomePage.learnMore": "Weitere Informationen " + }, + "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { + "GuidedTour.connections": "Verbindungen", + "GuidedTour.makeConnections": "Über SQL Server, Azure und weitere Plattformen können Sie Verbindungen herstellen, abfragen und verwalten.", + "GuidedTour.one": "1", + "GuidedTour.next": "Weiter", + "GuidedTour.notebooks": "Notebooks", + "GuidedTour.gettingStartedNotebooks": "Beginnen Sie an einer zentralen Stelle mit der Erstellung Ihres eigenen Notebooks oder einer Sammlung von Notebooks.", + "GuidedTour.two": "2", + "GuidedTour.extensions": "Erweiterungen", + "GuidedTour.addExtensions": "Erweitern Sie die Funktionalität von Azure Data Studio durch die Installation von Erweiterungen, die von uns/Microsoft und von der Drittanbietercommunity (von Ihnen!) entwickelt wurden.", + "GuidedTour.three": "3", + "GuidedTour.settings": "Einstellungen", + "GuidedTour.makeConnesetSettings": "Passen Sie Azure Data Studio basierend auf Ihren Einstellungen an. Sie können Einstellungen wie automatisches Speichern und Registerkartengröße konfigurieren, Ihre Tastenkombinationen personalisieren und zu einem Farbdesign Ihrer Wahl wechseln.", + "GuidedTour.four": "4", + "GuidedTour.welcomePage": "Willkommensseite", + "GuidedTour.discoverWelcomePage": "Entdecken Sie wichtige Features, zuletzt geöffneten Dateien und empfohlene Erweiterungen auf der Willkommensseite. Weitere Informationen zum Einstieg in Azure Data Studio finden Sie in den Videos und in der Dokumentation.", + "GuidedTour.five": "5", + "GuidedTour.finish": "Fertig stellen", + "guidedTour": "Einführungstour für Benutzer", + "hideGuidedTour": "Einführungstour ausblenden", + "GuidedTour.readMore": "Weitere Informationen", + "help": "Hilfe" + }, + "sql/workbench/contrib/welcome/page/browser/welcomePage": { + "welcomePage": "Willkommen", + "welcomePage.adminPack": "SQL-Administratorpaket", + "welcomePage.showAdminPack": "SQL-Administratorpaket", + "welcomePage.adminPackDescription": "Das Administratorpaket für SQL Server ist eine Sammlung gängiger Erweiterungen für die Datenbankverwaltung, die Sie beim Verwalten von SQL Server unterstützen.", + "welcomePage.sqlServerAgent": "SQL Server-Agent", + "welcomePage.sqlServerProfiler": "SQL Server Profiler", + "welcomePage.sqlServerImport": "SQL Server-Import", + "welcomePage.sqlServerDacpac": "SQL Server-DACPAC", + "welcomePage.powershell": "PowerShell", + "welcomePage.powershellDescription": "Hiermit werden PowerShell-Skripts mithilfe des umfangreichen Abfrage-Editors von Azure Data Studio geschrieben und ausgeführt.", + "welcomePage.dataVirtualization": "Datenvirtualisierung", + "welcomePage.dataVirtualizationDescription": "Hiermit werden Daten mit SQL Server 2019 virtualisiert und externe Tabellen mithilfe interaktiver Assistenten erstellt.", + "welcomePage.PostgreSQL": "PostgreSQL", + "welcomePage.PostgreSQLDescription": "Mit Azure Data Studio können Sie PostgreSQL-Datenbanken verbinden, abfragen und verwalten.", + "welcomePage.extensionPackAlreadyInstalled": "Unterstützung für {0} ist bereits installiert.", + "welcomePage.willReloadAfterInstallingExtensionPack": "Nach dem Installieren zusätzlicher Unterstützung für {0} wird das Fenster neu geladen.", + "welcomePage.installingExtensionPack": "Zusätzliche Unterstützung für {0} wird installiert...", + "welcomePage.extensionPackNotFound": "Unterstützung für {0} mit der ID {1} wurde nicht gefunden.", + "welcomePage.newConnection": "Neue Verbindung", + "welcomePage.newQuery": "Neue Abfrage", + "welcomePage.newNotebook": "Neues Notebook", + "welcomePage.deployServer": "Server bereitstellen", + "welcome.title": "Willkommen", + "welcomePage.new": "Neu", + "welcomePage.open": "Öffnen…", + "welcomePage.openFile": "Datei öffnen…", + "welcomePage.openFolder": "Ordner öffnen…", + "welcomePage.startTour": "Tour starten", + "closeTourBar": "Leiste für Schnelleinführung schließen", + "WelcomePage.TakeATour": "Möchten Sie eine kurze Einführung in Azure Data Studio erhalten?", + "WelcomePage.welcome": "Willkommen!", + "welcomePage.openFolderWithPath": "Ordner {0} mit Pfad {1} öffnen", + "welcomePage.install": "Installieren", + "welcomePage.installKeymap": "Tastenzuordnung {0} öffnen", + "welcomePage.installExtensionPack": "Zusätzliche Unterstützung für {0} installieren", + "welcomePage.installed": "Installiert", + "welcomePage.installedKeymap": "Die Tastaturzuordnung {0} ist bereits installiert.", + "welcomePage.installedExtensionPack": "Unterstützung für {0} ist bereits installiert.", + "ok": "OK", + "details": "Details", + "welcomePage.background": "Hintergrundfarbe für die Startseite." + }, + "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { + "welcomePage.azdata": "Azure Data Studio", + "welcomePage.start": "Starten", + "welcomePage.newConnection": "Neue Verbindung", + "welcomePage.newQuery": "Neue Abfrage", + "welcomePage.newNotebook": "Neues Notebook", + "welcomePage.openFileMac": "Datei öffnen", + "welcomePage.openFileLinuxPC": "Datei öffnen", + "welcomePage.deploy": "Bereitstellen", + "welcomePage.newDeployment": "Neue Bereitstellung…", + "welcomePage.recent": "Zuletzt verwendet", + "welcomePage.moreRecent": "Mehr...", + "welcomePage.noRecentFolders": "Keine kürzlich verwendeten Ordner", + "welcomePage.help": "Hilfe", + "welcomePage.gettingStarted": "Erste Schritte", + "welcomePage.productDocumentation": "Dokumentation", + "welcomePage.reportIssue": "Problem melden oder Feature anfragen", + "welcomePage.gitHubRepository": "GitHub-Repository", + "welcomePage.releaseNotes": "Versionshinweise", + "welcomePage.showOnStartup": "Beim Start Willkommensseite anzeigen", + "welcomePage.customize": "Anpassen", + "welcomePage.extensions": "Erweiterungen", + "welcomePage.extensionDescription": "Laden Sie die von Ihnen benötigten Erweiterungen herunter, z. B. die SQL Server-Verwaltungsprogramme und mehr.", + "welcomePage.keyboardShortcut": "Tastenkombinationen", + "welcomePage.keyboardShortcutDescription": "Bevorzugte Befehle finden und anpassen", + "welcomePage.colorTheme": "Farbdesign", + "welcomePage.colorThemeDescription": "Passen Sie das Aussehen von Editor und Code an Ihre Wünsche an.", + "welcomePage.learn": "Informationen", + "welcomePage.showCommands": "Alle Befehle suchen und ausführen", + "welcomePage.showCommandsDescription": "Über die Befehlspalette ({0}) können Sie schnell auf Befehle zugreifen und nach Befehlen suchen.", + "welcomePage.azdataBlog": "Neuerungen in der aktuellen Version erkunden", + "welcomePage.azdataBlogDescription": "Monatliche Vorstellung neuer Features in Blogbeiträgen", + "welcomePage.followTwitter": "Folgen Sie uns auf Twitter", + "welcomePage.followTwitterDescription": "Informieren Sie sich darüber, wie die Community Azure Data Studio verwendet, und kommunizieren Sie direkt mit den Technikern." + }, + "sql/workbench/services/accountManagement/browser/accountDialog": { + "accountExplorer.name": "Konten", + "linkedAccounts": "Verknüpfte Konten", + "accountDialog.close": "Schließen", + "accountDialog.noAccountLabel": "Es ist kein verknüpftes Konto vorhanden. Fügen Sie ein Konto hinzu.", + "accountDialog.addConnection": "Konto hinzufügen", + "accountDialog.noCloudsRegistered": "Es sind keine Clouds aktiviert. Wechseln Sie zu \"Einstellungen\", durchsuchen Sie die Azure-Kontokonfiguration, und aktivieren Sie mindestens eine Cloud.", + "accountDialog.didNotPickAuthProvider": "Sie haben keinen Authentifizierungsanbieter ausgewählt. Versuchen Sie es noch mal." + }, + "sql/workbench/services/accountManagement/browser/accountDialogController": { + "accountDialog.addAccountErrorTitle": "Fehler beim Hinzufügen des Kontos" + }, + "sql/workbench/services/accountManagement/browser/accountListRenderer": { + "refreshCredentials": "Die Anmeldeinformationen für dieses Konto müssen aktualisiert werden." + }, + "sql/workbench/services/accountManagement/browser/accountManagementService": { + "accountManagementService.close": "Schließen", + "loggingIn": "Konto wird hinzugefügt...", + "refreshFailed": "Die Kontoaktualisierung wurde durch den Benutzer abgebrochen." + }, + "sql/workbench/services/accountManagement/browser/accountPickerImpl": { + "azureAccount": "Azure-Konto", + "azureTenant": "Azure-Mandant" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { + "copyAndOpen": "Kopieren und öffnen", + "oauthDialog.cancel": "Abbrechen", + "userCode": "Benutzercode", + "website": "Website" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { + "oauthFlyoutIsAlreadyOpen": "Starten einer automatischen OAuth-Authentifizierung nicht möglich. Es wird bereits eine automatische OAuth-Authentifizierung ausgeführt." + }, + "sql/workbench/services/admin/common/adminService": { + "adminService.providerIdNotValidError": "Für eine Interaktion mit dem Verwaltungsdienst ist eine Verbindung erforderlich.", + "adminService.noHandlerRegistered": "Kein Handler registriert." + }, + "sql/workbench/services/assessment/common/assessmentService": { + "asmt.providerIdNotValidError": "Für die Interaktion mit dem Bewertungsdienst ist eine Verbindung erforderlich.", + "asmt.noHandlerRegistered": "Kein Handler registriert." + }, + "sql/workbench/services/connection/browser/advancedPropertiesController": { + "connectionAdvancedProperties": "Erweiterte Eigenschaften", + "advancedProperties.discard": "Verwerfen" + }, + "sql/workbench/services/connection/browser/cmsConnectionWidget": { + "serverDescription": "Serverbeschreibung (optional)" + }, + "sql/workbench/services/connection/browser/connectionActions": { + "ClearRecentlyUsedLabel": "Liste löschen", + "ClearedRecentConnections": "Die Liste der zuletzt verwendeten Verbindungen wurde gelöscht.", + "connectionAction.yes": "Ja", + "connectionAction.no": "Nein", + "clearRecentConnectionMessage": "Möchten Sie alle Verbindungen aus der Liste löschen?", + "connectionDialog.yes": "Ja", + "connectionDialog.no": "Nein", + "delete": "Löschen", + "connectionAction.GetCurrentConnectionString": "Aktuelle Verbindungszeichenfolge abrufen", + "connectionAction.connectionString": "Die Verbindungszeichenfolge ist nicht verfügbar.", + "connectionAction.noConnection": "Keine aktive Verbindung verfügbar." + }, + "sql/workbench/services/connection/browser/connectionBrowseTab": { + "connectionDialog.browser": "Durchsuchen", + "connectionDialog.FilterPlaceHolder": "Geben Sie hier Text ein, um die Liste zu filtern", + "connectionDialog.FilterInputTitle": "Verbindungen filtern", + "connectionDialog.ApplyingFilter": "Filter wird angewendet.", + "connectionDialog.RemovingFilter": "Filter wird entfernt.", + "connectionDialog.FilterApplied": "Filter angewendet", + "connectionDialog.FilterRemoved": "Filter entfernt", + "savedConnections": "Gespeicherte Verbindungen", + "savedConnection": "Gespeicherte Verbindungen", + "connectionBrowserTree": "Struktur des Verbindungsbrowsers" + }, + "sql/workbench/services/connection/browser/connectionDialogService": { + "connectionError": "Verbindungsfehler", + "kerberosErrorStart": "Fehler bei Verbindung aufgrund eines Kerberos-Fehlers.", + "kerberosHelpLink": "Hilfe zum Konfigurieren von Kerberos finden Sie hier: {0}", + "kerberosKinit": "Wenn Sie zuvor eine Verbindung hergestellt haben, müssen Sie \"kinit\" möglicherweise erneut ausführen." + }, + "sql/workbench/services/connection/browser/connectionDialogWidget": { + "connection": "Verbindung", + "connecting": "Verbindung wird hergestellt", + "connectType": "Verbindungstyp", + "recentConnectionTitle": "Zuletzt verwendet", + "connectionDetailsTitle": "Verbindungsdetails", + "connectionDialog.connect": "Verbinden", + "connectionDialog.cancel": "Abbrechen", + "connectionDialog.recentConnections": "Letzte Verbindungen", + "noRecentConnections": "Keine aktuelle Verbindung" + }, + "sql/workbench/services/connection/browser/connectionManagementService": { + "connection.noAzureAccount": "Fehler beim Abrufen des Azure-Kontotokens für die Verbindung.", + "connectionNotAcceptedError": "Verbindung nicht akzeptiert.", + "connectionService.yes": "Ja", + "connectionService.no": "Nein", + "cancelConnectionConfirmation": "Möchten Sie diese Verbindung abbrechen?" + }, + "sql/workbench/services/connection/browser/connectionWidget": { + "connectionWidget.AddAzureAccount": "Konto hinzufügen...", + "defaultDatabaseOption": "", + "loadingDatabaseOption": "Wird geladen...", + "serverGroup": "Servergruppe", + "defaultServerGroup": "", + "addNewServerGroup": "Neue Gruppe hinzufügen...", + "noneServerGroup": "", + "connectionWidget.missingRequireField": "\"{0}\" ist erforderlich.", + "connectionWidget.fieldWillBeTrimmed": "\"{0}\" wird gekürzt.", + "rememberPassword": "Kennwort speichern", + "connection.azureAccountDropdownLabel": "Konto", + "connectionWidget.refreshAzureCredentials": "Kontoanmeldeinformationen aktualisieren", + "connection.azureTenantDropdownLabel": "Azure AD-Mandant", + "connectionName": "Name (optional)", + "advanced": "Erweitert...", + "connectionWidget.invalidAzureAccount": "Sie müssen ein Konto auswählen." + }, + "sql/workbench/services/connection/browser/localizedConstants": { + "onDidConnectMessage": "Verbunden mit", + "onDidDisconnectMessage": "Getrennt", + "unsavedGroupLabel": "Nicht gespeicherte Verbindungen" + }, + "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { + "newDashboardTab.openDashboardExtensions": "Dashboarderweiterungen öffnen", + "newDashboardTab.ok": "OK", + "newDashboardTab.cancel": "Abbrechen", + "newdashboardTabDialog.noExtensionLabel": "Aktuell sind keine Dashboarderweiterungen installiert. Wechseln Sie zum Erweiterungs-Manager, um die empfohlenen Erweiterungen zu erkunden." + }, + "sql/workbench/services/dialog/browser/dialogPane": { + "wizardPageNumberDisplayText": "Schritt {0}" + }, + "sql/workbench/services/dialog/common/dialogTypes": { + "dialogModalDoneButtonLabel": "Fertig", + "dialogModalCancelButtonLabel": "Abbrechen" + }, + "sql/workbench/services/editData/common/editQueryRunner": { + "query.initEditExecutionFailed": "Fehler beim Initialisieren der Datenbearbeitungssitzung: " + }, + "sql/workbench/services/errorMessage/browser/errorMessageDialog": { + "errorMessageDialog.ok": "OK", + "errorMessageDialog.close": "Schließen", + "errorMessageDialog.action": "Aktion", + "copyDetails": "Details kopieren" + }, + "sql/workbench/services/errorMessage/browser/errorMessageService": { + "error": "Fehler", + "warning": "Warnung", + "info": "Info", + "ignore": "Ignorieren" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { + "filebrowser.filepath": "Ausgewählter Pfad", + "fileFilter": "Dateien vom Typ", + "fileBrowser.ok": "OK", + "fileBrowser.discard": "Verwerfen" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialogController": { + "filebrowser.selectFile": "Datei auswählen" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { + "fileBrowser.regTreeAriaLabel": "Dateibrowserstruktur" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserService": { + "fileBrowserErrorMessage": "Fehler beim Laden des Dateibrowsers.", + "fileBrowserErrorDialogTitle": "Fehler beim Dateibrowser" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { + "allFiles": "Alle Dateien" + }, + "sql/workbench/services/insights/browser/insightDialogActions": { + "workbench.action.insights.copySelection": "Zelle kopieren" + }, + "sql/workbench/services/insights/browser/insightsDialogController": { + "insightsInputError": "Es wurde kein Verbindungsprofil an das Flyout mit Erkenntnissen übergeben.", + "insightsError": "Erkenntnisfehler", + "insightsFileError": "Fehler beim Lesen der Abfragedatei: ", + "insightsConfigError": "Fehler beim Analysieren der Konfiguration für Erkenntnisse. Das Abfragearray/die Abfragezeichenfolge oder die Abfragedatei wurde nicht gefunden." + }, + "sql/workbench/services/insights/browser/insightsDialogView": { + "insights.item": "Element", + "insights.value": "Wert", + "insightsDetailView.name": "Details zu Erkenntnissen", + "property": "Eigenschaft", + "value": "Wert", + "InsightsDialogTitle": "Erkenntnisse", + "insights.dialog.items": "Elemente", + "insights.dialog.itemDetails": "Details zum Element" + }, + "sql/workbench/services/insights/common/insightsUtils": { + "insightsDidNotFindResolvedFile": "Die Abfragedatei wurde in keinem der folgenden Pfade gefunden:\r\n{0}" + }, + "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { + "agentUtilities.failed": "Fehlerhaft", + "agentUtilities.succeeded": "Erfolgreich", + "agentUtilities.retry": "Wiederholen", + "agentUtilities.canceled": "Abgebrochen", + "agentUtilities.inProgress": "In Bearbeitung", + "agentUtilities.statusUnknown": "Status unbekannt", + "agentUtilities.executing": "Wird ausgeführt", + "agentUtilities.waitingForThread": "Warten auf Thread", + "agentUtilities.betweenRetries": "Zwischen Wiederholungen", + "agentUtilities.idle": "Im Leerlauf", + "agentUtilities.suspended": "Angehalten", + "agentUtilities.obsolete": "[Veraltet]", + "agentUtilities.yes": "Ja", + "agentUtilities.no": "Nein", + "agentUtilities.notScheduled": "Nicht geplant", + "agentUtilities.neverRun": "Nie ausführen" + }, + "sql/workbench/services/jobManagement/common/jobManagementService": { + "providerIdNotValidError": "Für die Interaktion mit \"JobManagementService\" ist eine Verbindung erforderlich.", + "noHandlerRegistered": "Kein Handler registriert." + }, + "sql/workbench/services/notebook/browser/interfaces": { + "sqlKernel": "SQL" + }, "sql/workbench/services/notebook/browser/models/cell": { "runCellCancelled": "Die Zellenausführung wurde abgebrochen.", "executionCanceled": "Die Abfrageausführung wurde abgebrochen.", @@ -11325,12 +11224,223 @@ "noDefaultKernel": "Für dieses Notebook ist kein Kernel verfügbar.", "commandSuccessful": "Der Befehl wurde erfolgreich ausgeführt." }, + "sql/workbench/services/notebook/browser/models/clientSession": { + "clientSession.unknownError": "Fehler beim Starten der Notebook-Sitzung.", + "ServerNotStarted": "Der Server wurde aus unbekannten Gründen nicht gestartet.", + "kernelRequiresConnection": "Der Kernel \"{0}\" wurde nicht gefunden. Es wird stattdessen der Standardkernel verwendet." + }, "sql/workbench/services/notebook/browser/models/notebookContexts": { "selectConnection": "Verbindung auswählen", "localhost": "localhost" }, - "sql/workbench/browser/parts/editor/editorStatusModeSelect": { - "languageChangeUnsupported": "Das Ändern von Editor-Typen für nicht gespeicherte Dateien wird nicht unterstützt." + "sql/workbench/services/notebook/browser/models/notebookModel": { + "injectedParametersMsg": "# Eingefügte Parameter\r\n", + "kernelRequiresConnection": "Wählen Sie eine Verbindung zum Ausführen von Zellen für diesen Kernel aus.", + "deleteCellFailed": "Fehler beim Löschen der Zelle.", + "changeKernelFailedRetry": "Der Kernel konnte nicht geändert werden. Es wird der Kernel \"{0}\" verwendet. Fehler: {1}", + "changeKernelFailed": "Der Kernel konnte aufgrund des folgenden Fehlers nicht geändert werden: {0}", + "changeContextFailed": "Fehler beim Ändern des Kontexts: {0}", + "startSessionFailed": "Sitzung konnte nicht gestartet werden: {0}", + "shutdownClientSessionError": "Clientsitzungsfehler beim Schließen des Notebooks \"{0}\".", + "ProviderNoManager": "Der Notebook-Manager für den Anbieter \"{0}\" wurde nicht gefunden." + }, + "sql/workbench/services/notebook/browser/notebookServiceImpl": { + "notebookUriNotDefined": "Bei der Erstellung eines Notebook-Managers wurde kein URI übergeben.", + "notebookServiceNoProvider": "Der Notebook-Anbieter ist nicht vorhanden." + }, + "sql/workbench/services/notebook/browser/notebookViews/notebookViewModel": { + "notebookView.nameTaken": "Eine Ansicht mit dem Namen {0} ist in diesem Notizbuch bereits vorhanden." + }, + "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { + "sqlKernelError": "SQL-Kernelfehler", + "connectionRequired": "Sie müssen eine Verbindung auswählen, um Notebook-Zellen auszuführen.", + "sqlMaxRowsDisplayed": "Die ersten {0} Zeilen werden angezeigt." + }, + "sql/workbench/services/notebook/common/contracts": { + "notebook.richTextEditMode": "Rich Text", + "notebook.splitViewEditMode": "Geteilte Ansicht", + "notebook.markdownEditMode": "Markdown" + }, + "sql/workbench/services/notebook/common/localContentManager": { + "nbformatNotRecognized": "nbformat v{0}.{1} nicht erkannt.", + "nbNotSupported": "Diese Datei weist kein gültiges Notebook-Format auf.", + "unknownCellType": "Unbekannter Zellentyp \"{0}\".", + "unrecognizedOutput": "Der Ausgabetyp \"{0}\" wurde nicht erkannt.", + "invalidMimeData": "Als Daten für \"{0}\" wird eine Zeichenfolge oder ein Array aus Zeichenfolgen erwartet.", + "unrecognizedOutputType": "Der Ausgabetyp \"{0}\" wurde nicht erkannt." + }, + "sql/workbench/services/notebook/common/notebookRegistry": { + "carbon.extension.contributes.notebook.provider": "Bezeichner des Notebook-Anbieters.", + "carbon.extension.contributes.notebook.fileExtensions": "Gibt an, welche Dateierweiterungen für diesen Notebook-Anbieter registriert werden sollen.", + "carbon.extension.contributes.notebook.standardKernels": "Gibt an, welche Kernel für diesen Notebook-Anbieter als Standard festgelegt werden sollen.", + "vscode.extension.contributes.notebook.providers": "Stellt Notebook-Anbieter zur Verfügung.", + "carbon.extension.contributes.notebook.magic": "Name des Magic-Befehls für die Zelle, z. B. \"%%sql\".", + "carbon.extension.contributes.notebook.language": "Die zu verwendende Zellensprache, wenn dieser Zellen-Magic-Befehl in der Zelle enthalten ist.", + "carbon.extension.contributes.notebook.executionTarget": "Optionales Ausführungsziel, das von diesem Magic-Befehl angegeben wird, z. B. Spark oder SQL", + "carbon.extension.contributes.notebook.kernels": "Optionaler Kernelsatz, auf den dies zutrifft, z. B. python3, pyspark, sql", + "vscode.extension.contributes.notebook.languagemagics": "Stellt die Notebook-Sprache zur Verfügung." + }, + "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { + "loading": "Wird geladen..." + }, + "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { + "connectionTree.refresh": "Aktualisieren", + "connectionTree.editConnection": "Verbindung bearbeiten", + "DisconnectAction": "Trennen", + "connectionTree.addConnection": "Neue Verbindung", + "connectionTree.addServerGroup": "Neue Servergruppe", + "connectionTree.editServerGroup": "Servergruppe bearbeiten", + "activeConnections": "Aktive Verbindungen anzeigen", + "showAllConnections": "Alle Verbindungen anzeigen", + "deleteConnection": "Verbindung löschen", + "deleteConnectionGroup": "Gruppe löschen" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerService": { + "OeSessionFailedError": "Fehler beim Erstellen der Objekt-Explorer-Sitzung.", + "nodeExpansionError": "Mehrere Fehler:" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerViewTreeShim": { + "noProviderFound": "Erweiterung nicht möglich, weil der erforderliche Verbindungsanbieter \"{0}\" nicht gefunden wurde.", + "loginCanceled": "Vom Benutzer abgebrochen", + "firewallCanceled": "Firewalldialogfeld abgebrochen" + }, + "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { + "loading": "Wird geladen..." + }, + "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { + "treeAriaLabel": "Letzte Verbindungen", + "serversAriaLabel": "Server", + "treeCreation.regTreeAriaLabel": "Server" + }, + "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { + "eventSort": "Nach Ereignis sortieren", + "nameColumn": "Nach Spalte sortieren", + "profilerColumnDialog.profiler": "Profiler", + "profilerColumnDialog.ok": "OK", + "profilerColumnDialog.cancel": "Abbrechen" + }, + "sql/workbench/services/profiler/browser/profilerFilterDialog": { + "profilerFilterDialog.clear": "Alle löschen", + "profilerFilterDialog.apply": "Anwenden", + "profilerFilterDialog.ok": "OK", + "profilerFilterDialog.cancel": "Abbrechen", + "profilerFilterDialog.title": "Filter", + "profilerFilterDialog.remove": "Diese Klausel entfernen", + "profilerFilterDialog.saveFilter": "Filter speichern", + "profilerFilterDialog.loadFilter": "Filter laden", + "profilerFilterDialog.addClauseText": "Klausel hinzufügen", + "profilerFilterDialog.fieldColumn": "Feld", + "profilerFilterDialog.operatorColumn": "Operator", + "profilerFilterDialog.valueColumn": "Wert", + "profilerFilterDialog.isNullOperator": "Ist NULL", + "profilerFilterDialog.isNotNullOperator": "Ist nicht NULL", + "profilerFilterDialog.containsOperator": "Enthält", + "profilerFilterDialog.notContainsOperator": "Enthält nicht", + "profilerFilterDialog.startsWithOperator": "Beginnt mit", + "profilerFilterDialog.notStartsWithOperator": "Beginnt nicht mit" + }, + "sql/workbench/services/query/common/queryModelService": { + "commitEditFailed": "Fehler bei Zeilencommit: ", + "runQueryBatchStartMessage": "Ausführung der Abfrage gestartet um ", + "runQueryStringBatchStartMessage": "Die Ausführung der Abfrage \"{0}\" wurde gestartet.", + "runQueryBatchStartLine": "Zeile {0}", + "msgCancelQueryFailed": "Fehler beim Abbrechen der Abfrage: {0}", + "updateCellFailed": "Fehler beim Aktualisieren der Zelle: " + }, + "sql/workbench/services/query/common/queryRunner": { + "query.ExecutionFailedError": "Die Ausführung war aufgrund eines unerwarteten Fehlers nicht möglich: {0}\t{1}", + "query.message.executionTime": "Ausführungszeit gesamt: {0}", + "query.message.startQueryWithRange": "Die Abfrageausführung wurde in Zeile {0} gestartet.", + "query.message.startQuery": "Die Ausführung von Batch \"{0}\" wurde gestartet.", + "elapsedBatchTime": "Batchausführungszeit: {0}", + "copyFailed": "Fehler beim Kopieren: {0}" + }, + "sql/workbench/services/query/common/resultSerializer": { + "msgSaveFailed": "Fehler beim Speichern der Ergebnisse. ", + "resultsSerializer.saveAsFileTitle": "Ergebnisdatei auswählen", + "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (durch Trennzeichen getrennte Datei)", + "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", + "resultsSerializer.saveAsFileExtensionExcelTitle": "Excel-Arbeitsmappe", + "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", + "resultsSerializer.saveAsFileExtensionTXTTitle": "Nur-Text", + "savingFile": "Datei wird gespeichert...", + "msgSaveSucceeded": "Ergebnisse wurden erfolgreich in \"{0}\" gespeichert.", + "openFile": "Datei öffnen" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { + "from": "Von", + "to": "An", + "createNewFirewallRule": "Neue Firewallregel erstellen", + "firewall.ok": "OK", + "firewall.cancel": "Abbrechen", + "firewallRuleDialogDescription": "Ihre Client-IP-Adresse hat keinen Zugriff auf den Server. Melden Sie sich bei einem Azure-Konto an, und erstellen Sie eine neue Firewallregel für die Aktivierung des Zugriffs.", + "firewallRuleHelpDescription": "Weitere Informationen zu Firewalleinstellungen", + "filewallRule": "Firewallregel", + "addIPAddressLabel": "Meine Client-IP-Adresse hinzufügen ", + "addIpRangeLabel": "Meinen Subnetz-IP-Adressbereich hinzufügen" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialogController": { + "firewallDialog.addAccountErrorTitle": "Fehler beim Hinzufügen des Kontos", + "firewallRuleError": "Fehler bei Firewallregel" + }, + "sql/workbench/services/restore/browser/restoreDialog": { + "backupFilePath": "Pfad zur Sicherungsdatei", + "targetDatabase": "Zieldatenbank", + "restoreDialog.restore": "Wiederherstellen", + "restoreDialog.restoreTitle": "Datenbank wiederherstellen", + "restoreDialog.database": "Datenbank", + "restoreDialog.backupFile": "Sicherungsdatei", + "RestoreDialogTitle": "Datenbank wiederherstellen", + "restoreDialog.cancel": "Abbrechen", + "restoreDialog.script": "Skript", + "source": "Quelle", + "restoreFrom": "Wiederherstellen aus", + "missingBackupFilePathError": "Sie müssen einen Pfad für die Sicherungsdatei angeben.", + "multipleBackupFilePath": "Geben Sie einen oder mehrere Dateipfade (durch Kommas getrennt) ein.", + "database": "Datenbank", + "destination": "Ziel", + "restoreTo": "Wiederherstellen in", + "restorePlan": "Wiederherstellungsplan", + "backupSetsToRestore": "Wiederherzustellende Sicherungssätze", + "restoreDatabaseFileAs": "Datenbankdateien wiederherstellen als", + "restoreDatabaseFileDetails": "Details zu Datenbankdateien wiederherstellen", + "logicalFileName": "Logischer Dateiname", + "fileType": "Dateityp", + "originalFileName": "Ursprünglicher Dateiname", + "restoreAs": "Wiederherstellen als", + "restoreOptions": "Wiederherstellungsoptionen", + "taillogBackup": "Sicherung des Protokollfragments", + "serverConnection": "Serververbindungen", + "generalTitle": "Allgemein", + "filesTitle": "Dateien", + "optionsTitle": "Optionen" + }, + "sql/workbench/services/restore/common/constants": { + "backup.filterBackupFiles": "Sicherungsdateien", + "backup.allFiles": "Alle Dateien" + }, + "sql/workbench/services/serverGroup/browser/serverGroupDialog": { + "ServerGroupsDialogTitle": "Servergruppen", + "serverGroup.ok": "OK", + "serverGroup.cancel": "Abbrechen", + "connectionGroupName": "Name der Servergruppe", + "MissingGroupNameError": "Der Gruppenname ist erforderlich.", + "groupDescription": "Gruppenbeschreibung", + "groupColor": "Gruppenfarbe" + }, + "sql/workbench/services/serverGroup/common/serverGroupViewModel": { + "serverGroup.addServerGroup": "Servergruppe hinzufügen", + "serverGroup.editServerGroup": "Servergruppe bearbeiten" + }, + "sql/workbench/services/tasks/common/tasksService": { + "InProgressWarning": "Mindestens eine Aufgabe wird zurzeit ausgeführt. Möchten Sie den Vorgang abbrechen?", + "taskService.yes": "Ja", + "taskService.no": "Nein" + }, + "sql/workbench/update/electron-browser/releaseNotes": { + "gettingStarted": "Erste Schritte", + "showReleaseNotes": "\"Erste Schritte\" anzeigen", + "miGettingStarted": "Erste &&Schritte" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-es/package.json b/i18n/ads-language-pack-es/package.json index 093dab61ed..2202c0d35b 100644 --- a/i18n/ads-language-pack-es/package.json +++ b/i18n/ads-language-pack-es/package.json @@ -2,7 +2,7 @@ "name": "ads-language-pack-es", "displayName": "Spanish Language Pack for Azure Data Studio", "description": "Language pack extension for Spanish", - "version": "1.29.0", + "version": "1.31.0", "publisher": "Microsoft", "repository": { "type": "git", @@ -11,7 +11,7 @@ "license": "SEE SOURCE EULA LICENSE IN LICENSE.txt", "engines": { "vscode": "*", - "azdata": ">=1.29.0" + "azdata": "^0.0.0" }, "icon": "languagepack.png", "categories": [ @@ -164,6 +164,14 @@ "id": "vscode.yaml", "path": "./translations/extensions/yaml.i18n.json" }, + { + "id": "Microsoft.admin-tool-ext-win", + "path": "./translations/extensions/admin-tool-ext-win.i18n.json" + }, + { + "id": "Microsoft.agent", + "path": "./translations/extensions/agent.i18n.json" + }, { "id": "Microsoft.azurecore", "path": "./translations/extensions/azurecore.i18n.json" @@ -172,6 +180,18 @@ "id": "Microsoft.big-data-cluster", "path": "./translations/extensions/big-data-cluster.i18n.json" }, + { + "id": "Microsoft.cms", + "path": "./translations/extensions/cms.i18n.json" + }, + { + "id": "Microsoft.dacpac", + "path": "./translations/extensions/dacpac.i18n.json" + }, + { + "id": "Microsoft.import", + "path": "./translations/extensions/import.i18n.json" + }, { "id": "Microsoft.sqlservernotebook", "path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json" @@ -184,9 +204,17 @@ "id": "Microsoft.notebook", "path": "./translations/extensions/notebook.i18n.json" }, + { + "id": "Microsoft.profiler", + "path": "./translations/extensions/profiler.i18n.json" + }, { "id": "Microsoft.resource-deployment", "path": "./translations/extensions/resource-deployment.i18n.json" + }, + { + "id": "Microsoft.schema-compare", + "path": "./translations/extensions/schema-compare.i18n.json" } ] } diff --git a/i18n/ads-language-pack-es/translations/extensions/admin-tool-ext-win.i18n.json b/i18n/ads-language-pack-es/translations/extensions/admin-tool-ext-win.i18n.json new file mode 100644 index 0000000000..71e0f01378 --- /dev/null +++ b/i18n/ads-language-pack-es/translations/extensions/admin-tool-ext-win.i18n.json @@ -0,0 +1,26 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "adminToolExtWin.displayName": "Extensiones de herramienta de administración de bases de datos para Windows", + "adminToolExtWin.description": "Agrega funcionalidad adicional específica de Windows a Azure Data Studio", + "adminToolExtWin.propertiesMenuItem": "Propiedades", + "adminToolExtWin.launchGswMenuItem": "Generar scripts..." + }, + "dist/main": { + "adminToolExtWin.noConnectionContextForProp": "No se proporciona ConnectionContext para handleLaunchSsmsMinPropertiesDialogCommand", + "adminToolExtWin.noOENode": "No se ha podido determinar el nodo del Explorador de objetos desde connectionContext: {0}", + "adminToolExtWin.noConnectionContextForGsw": "No se proporciona ConnectionContext para handleLaunchSsmsMinPropertiesDialogCommand", + "adminToolExtWin.noConnectionProfile": "No se proporciona connectionProfile desde connectionContext: {0}", + "adminToolExtWin.launchingDialogStatus": "Iniciando el cuadro de diálogo...", + "adminToolExtWin.ssmsMinError": "Error al llamar a SsmsMin con argumentos \"{0}\" - {1}" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-es/translations/extensions/agent.i18n.json b/i18n/ads-language-pack-es/translations/extensions/agent.i18n.json new file mode 100644 index 0000000000..c562a0833a --- /dev/null +++ b/i18n/ads-language-pack-es/translations/extensions/agent.i18n.json @@ -0,0 +1,282 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/agentDialog": { + "agentDialog.OK": "Aceptar", + "agentDialog.Cancel": "Cancelar" + }, + "dist/dialogs/jobStepDialog": { + "jobStepDialog.fileBrowserTitle": "Ubicar archivos de base de datos - ", + "jobStepDialog.ok": "Aceptar", + "jobStepDialog.cancel": "Cancelar", + "jobStepDialog.general": "General", + "jobStepDialog.advanced": "Opciones avanzadas", + "jobStepDialog.open": "Abrir...", + "jobStepDialog.parse": "Analizar", + "jobStepDialog.successParse": "El comando se analizó correctamente.", + "jobStepDialog.failParse": "Error en el comando.", + "jobStepDialog.blankStepName": "El nombre de paso no se puede dejar en blanco", + "jobStepDialog.processExitCode": "Procesar código de salida para un comando completado correctamente:", + "jobStepDialog.stepNameLabel": "Nombre del paso", + "jobStepDialog.typeLabel": "Tipo", + "jobStepDialog.runAsLabel": "Ejecutar como", + "jobStepDialog.databaseLabel": "Base de datos", + "jobStepDialog.commandLabel": "Comando", + "jobStepDialog.successAction": "Cuando la acción se realice correctamente", + "jobStepDialog.failureAction": "En caso de error", + "jobStepDialog.runAsUser": "Ejecutar como usuario", + "jobStepDialog.retryAttempts": "Número de reintentos", + "jobStepDialog.retryInterval": "Intervalo de reintentos (minutos)", + "jobStepDialog.logToTable": "Registrar en tabla", + "jobStepDialog.appendExistingTableEntry": "Agregar salida a entrada existente en la tabla", + "jobStepDialog.includeStepOutputHistory": "Incluir salida del paso en el historial", + "jobStepDialog.outputFile": "Archivo de salida", + "jobStepDialog.appendOutputToFile": "Anexar resultado a archivo existente", + "jobStepDialog.selectedPath": "Ruta seleccionada", + "jobStepDialog.filesOfType": "Archivos de tipo", + "jobStepDialog.fileName": "Nombre de archivo", + "jobStepDialog.allFiles": "Todos los archivos (*)", + "jobStepDialog.newJobStep": "Nuevo paso de trabajo", + "jobStepDialog.editJobStep": "Modificar paso de trabajo", + "jobStepDialog.TSQL": "Script de Transact-SQL(T-SQL)", + "jobStepDialog.powershell": "PowerShell", + "jobStepDialog.CmdExec": "Sistema operativo (CmdExec)", + "jobStepDialog.replicationDistribution": "Distribuidor de replicación", + "jobStepDialog.replicationMerge": "Fusión de replicación", + "jobStepDialog.replicationQueueReader": "Lector de cola de replicación", + "jobStepDialog.replicationSnapshot": "Instantánea de replicación", + "jobStepDialog.replicationTransactionLogReader": "Lector del registro de transacciones de replicación", + "jobStepDialog.analysisCommand": "Comando de SQL Server Analysis Services", + "jobStepDialog.analysisQuery": "Consulta de SQL Server Analysis Services", + "jobStepDialog.servicesPackage": "Paquete de servicio de integración de SQL Server", + "jobStepDialog.agentServiceAccount": "Cuenta de servicio de Agente SQL Server", + "jobStepDialog.nextStep": "Ir al siguiente paso", + "jobStepDialog.quitJobSuccess": "Cerrar el trabajo que notifica una realización correcta", + "jobStepDialog.quitJobFailure": "Cerrar el trabajo que notifica el error" + }, + "dist/dialogs/pickScheduleDialog": { + "pickSchedule.jobSchedules": "Programas de trabajos", + "pickSchedule.ok": "Aceptar", + "pickSchedule.cancel": "Cancelar", + "pickSchedule.availableSchedules": "Programaciones disponibles:", + "pickSchedule.scheduleName": "Nombre", + "pickSchedule.scheduleID": "Id.", + "pickSchedule.description": "Descripción" + }, + "dist/dialogs/alertDialog": { + "alertDialog.createAlert": "Crear alerta", + "alertDialog.editAlert": "Editar alerta", + "alertDialog.General": "General", + "alertDialog.Response": "Respuesta", + "alertDialog.Options": "Opciones", + "alertDialog.eventAlert": "Definición de alerta de eventos", + "alertDialog.Name": "Nombre", + "alertDialog.Type": "Tipo", + "alertDialog.Enabled": "Habilitado", + "alertDialog.DatabaseName": "Nombre de la base de datos", + "alertDialog.ErrorNumber": "Número de error", + "alertDialog.Severity": "Gravedad", + "alertDialog.RaiseAlertContains": "Generar alerta cuando el mensaje contenga", + "alertDialog.MessageText": "Texto del mensaje", + "alertDialog.Severity001": "001 - Información diversa del sistema", + "alertDialog.Severity002": "002 - Reservado", + "alertDialog.Severity003": "003 - reservado", + "alertDialog.Severity004": "004 - Reservado", + "alertDialog.Severity005": "005 - Reservado", + "alertDialog.Severity006": "006: Reservado", + "alertDialog.Severity007": "007 - Notificación: Información del estado", + "alertDialog.Severity008": "008 - Notificación: Intervención del usuario requerida", + "alertDialog.Severity009": "009 - Definido por el usuario", + "alertDialog.Severity010": "010 - Información", + "alertDialog.Severity011": "011 - No se encontró el objeto especificado de la base de datos", + "alertDialog.Severity012": "012: Sin utilizar", + "alertDialog.Severity013": "013 - Error de sintaxis en una transacción de usuario", + "alertDialog.Severity014": "014 - Permiso insuficiente", + "alertDialog.Severity015": "015 - Error de sintaxis en las instrucciones SQL", + "alertDialog.Severity016": "016 - Error de usuario del tipo varios", + "alertDialog.Severity017": "017 - Recursos insuficientes", + "alertDialog.Severity018": "018 - Error interno no crítico", + "alertDialog.Severity019": "019 - Error grave en el recurso", + "alertDialog.Severity020": "020 - Error grave en el proceso actual", + "alertDialog.Severity021": "021 - Error grave en procesos de base de datos", + "alertDialog.Severity022": "022: Error grave: Integridad de la tabla sospechosa", + "alertDialog.Severity023": "023 - Error grave: Es posible que se presente un problema de integridad de base de datos", + "alertDialog.Severity024": "024 - Error grave: Error de Hardware", + "alertDialog.Severity025": "025 - Error grave", + "alertDialog.AllDatabases": "", + "alertDialog.ExecuteJob": "Ejecutar trabajo", + "alertDialog.ExecuteJobName": "Nombre de tarea", + "alertDialog.NotifyOperators": "Notificar a los operadores", + "alertDialog.NewJob": "Nuevo trabajo", + "alertDialog.OperatorList": "Lista de operadores", + "alertDialog.OperatorName": "Operador", + "alertDialog.OperatorEmail": "Correo electrónico", + "alertDialog.OperatorPager": "Buscapersonas", + "alertDialog.NewOperator": "Nuevo operador", + "alertDialog.IncludeErrorInEmail": "Incluir texto de error de la alerta en el correo electrónico", + "alertDialog.IncludeErrorInPager": "Incluir texto de error de la alerta en el buscapersonas", + "alertDialog.AdditionalNotification": "Mensaje de notificación adicional para enviar", + "alertDialog.DelayMinutes": "Minutos de retardo", + "alertDialog.DelaySeconds": "Segundos de retardo" + }, + "dist/dialogs/operatorDialog": { + "createOperator.createOperator": "Crear operador", + "createOperator.editOperator": "Editar operador", + "createOperator.General": "General", + "createOperator.Notifications": "Notificaciones", + "createOperator.Name": "Nombre", + "createOperator.Enabled": "Habilitado", + "createOperator.EmailName": "Nombre de correo electrónico", + "createOperator.PagerEmailName": "Nombre de correo electrónico del buscapersonas", + "createOperator.PagerMondayCheckBox": "Lunes", + "createOperator.PagerTuesdayCheckBox": "Martes", + "createOperator.PagerWednesdayCheckBox": "Miércoles", + "createOperator.PagerThursdayCheckBox": "Jueves", + "createOperator.PagerFridayCheckBox": "Viernes ", + "createOperator.PagerSaturdayCheckBox": "Sábado", + "createOperator.PagerSundayCheckBox": "Domingo", + "createOperator.workdayBegin": "Inicio del día laborable", + "createOperator.workdayEnd": "Final del día laborable", + "createOperator.PagerDutySchedule": "Buscapersonas en horario de trabajo", + "createOperator.AlertListHeading": "Lista de alerta", + "createOperator.AlertNameColumnLabel": "Nombre de alerta", + "createOperator.AlertEmailColumnLabel": "Correo electrónico", + "createOperator.AlertPagerColumnLabel": "Buscapersonas" + }, + "dist/dialogs/jobDialog": { + "jobDialog.general": "General", + "jobDialog.steps": "Pasos", + "jobDialog.schedules": "Programaciones", + "jobDialog.alerts": "Alertas", + "jobDialog.notifications": "Notificaciones", + "jobDialog.blankJobNameError": "El nombre del trabajo no puede estar en blanco.", + "jobDialog.name": "Nombre", + "jobDialog.owner": "Propietario", + "jobDialog.category": "Categoría", + "jobDialog.description": "Descripción", + "jobDialog.enabled": "Habilitado", + "jobDialog.jobStepList": "Lista de paso de trabajo", + "jobDialog.step": "Paso", + "jobDialog.type": "Tipo", + "jobDialog.onSuccess": "En caso de éxito", + "jobDialog.onFailure": "En caso de error", + "jobDialog.new": "Nuevo paso", + "jobDialog.edit": "Editar paso", + "jobDialog.delete": "Eliminar paso", + "jobDialog.moveUp": "Subir un paso", + "jobDialog.moveDown": "Bajar un paso", + "jobDialog.startStepAt": "Iniciar paso", + "jobDialog.notificationsTabTop": "Acciones para realizar cuando se completa el trabajo", + "jobDialog.email": "Correo electrónico", + "jobDialog.page": "Página", + "jobDialog.eventLogCheckBoxLabel": "Escribir en el registro de eventos de la aplicación de Windows", + "jobDialog.deleteJobLabel": "Eliminar automáticamente el trabajo", + "jobDialog.schedulesaLabel": "Lista de programaciones", + "jobDialog.pickSchedule": "Elegir programación", + "jobDialog.removeSchedule": "Quitar programación", + "jobDialog.alertsList": "Lista de alertas", + "jobDialog.newAlert": "Nueva alerta", + "jobDialog.alertNameLabel": "Nombre de alerta", + "jobDialog.alertEnabledLabel": "Habilitado", + "jobDialog.alertTypeLabel": "Tipo", + "jobDialog.newJob": "Nuevo trabajo", + "jobDialog.editJob": "Editar trabajo" + }, + "dist/data/jobData": { + "jobData.whenJobCompletes": "Cuando el trabajo termina", + "jobData.whenJobFails": "Cuando el trabajo genera error", + "jobData.whenJobSucceeds": "Cuando el trabajo se completa correctamente", + "jobData.jobNameRequired": "Debe proporcionarse el nombre del trabajo", + "jobData.saveErrorMessage": "Error de actualización de trabajo \"{0}\"", + "jobData.newJobErrorMessage": "Error de creación de trabajo \"{0}\"", + "jobData.saveSucessMessage": "El trabajo \"{0}\" se actualizó correctamente", + "jobData.newJobSuccessMessage": "El trabajo \"{0}\" se creó correctamente" + }, + "dist/data/jobStepData": { + "jobStepData.saveErrorMessage": "Error de actualización en el paso \"{0}\"", + "stepData.jobNameRequired": "Debe proporcionarse el nombre del trabajo", + "stepData.stepNameRequired": "Debe proporcionarse el nombre del paso" + }, + "dist/mainController": { + "mainController.notImplemented": "Esta característica está en desarrollo. ¡Obtenga la última versión para Insiders si desea probar los cambios más recientes!", + "agent.templateUploadSuccessful": "Plantilla actualizada correctamente", + "agent.templateUploadError": "Error de actualización de plantilla", + "agent.unsavedFileSchedulingError": "Debe guardar el cuaderno antes de programarlo. Guarde y vuelva a intentar programar de nuevo.", + "agent.AddNewConnection": "Agregar nueva conexión", + "agent.selectConnection": "Seleccionar una conexión", + "agent.selectValidConnection": "Seleccione una conexión válida" + }, + "dist/data/alertData": { + "alertData.saveErrorMessage": "Error de actualización de alerta \"{0}\"", + "alertData.DefaultAlertTypString": "Alerta de evento de SQL Server", + "alertDialog.PerformanceCondition": "Alerta de condición de rendimiento de SQL Server", + "alertDialog.WmiEvent": "Alerta de evento WMI" + }, + "dist/dialogs/proxyDialog": { + "createProxy.createProxy": "Crear proxy", + "createProxy.editProxy": "Editar Proxy", + "createProxy.General": "General", + "createProxy.ProxyName": "Nombre del proxy", + "createProxy.CredentialName": "Nombre de credencial", + "createProxy.Description": "Descripción", + "createProxy.SubsystemName": "Subsistema", + "createProxy.OperatingSystem": "Sistema operativo (CmdExec)", + "createProxy.ReplicationSnapshot": "Instantánea de replicación", + "createProxy.ReplicationTransactionLog": "Lector del registro de transacciones de replicación", + "createProxy.ReplicationDistributor": "Distribuidor de replicación", + "createProxy.ReplicationMerge": "Fusión de replicación", + "createProxy.ReplicationQueueReader": "Lector de cola de replicación", + "createProxy.SSASQueryLabel": "Consulta de SQL Server Analysis Services", + "createProxy.SSASCommandLabel": "Comando de SQL Server Analysis Services", + "createProxy.SSISPackage": "Paquete de SQL Server Integration Services", + "createProxy.PowerShell": "PowerShell" + }, + "dist/data/proxyData": { + "proxyData.saveErrorMessage": "Error de la actualización de proxy \"{0}\"", + "proxyData.saveSucessMessage": "El proxy \"{0}\" se actualizó correctamente", + "proxyData.newJobSuccessMessage": "Proxy \"{0}\" creado correctamente" + }, + "dist/dialogs/notebookDialog": { + "notebookDialog.newJob": "Nuevo trabajo de cuaderno", + "notebookDialog.editJob": "Editar trabajo del cuaderno", + "notebookDialog.general": "General", + "notebookDialog.notebookSection": "Detalles del cuaderno", + "notebookDialog.templateNotebook": "Ruta de acceso del cuaderno", + "notebookDialog.targetDatabase": "Base de datos del almacenamiento", + "notebookDialog.executeDatabase": "Base de datos de ejecución", + "notebookDialog.defaultDropdownString": "Seleccionar la base de datos", + "notebookDialog.jobSection": "Detalles del trabajo", + "notebookDialog.name": "Nombre", + "notebookDialog.owner": "Propietario", + "notebookDialog.schedulesaLabel": "Lista de programaciones", + "notebookDialog.pickSchedule": "Elegir programación", + "notebookDialog.removeSchedule": "Quitar programación", + "notebookDialog.description": "Descripción", + "notebookDialog.templatePath": "Seleccione un cuaderno para programar desde el equipo.", + "notebookDialog.targetDatabaseInfo": "Seleccione una base de datos para almacenar todos los cuadernos y resultados del trabajo del cuaderno", + "notebookDialog.executionDatabaseInfo": "Seleccione una base de datos en la que se ejecutarán las consultas de cuaderno" + }, + "dist/data/notebookData": { + "notebookData.whenJobCompletes": "Cuando se complete el cuaderno", + "notebookData.whenJobFails": "Cuando se produzca un error en el cuaderno", + "notebookData.whenJobSucceeds": "Cuando el cuaderno se ejecute correctamente", + "notebookData.jobNameRequired": "Se debe proporcionar el nombre del cuaderno", + "notebookData.templatePathRequired": "Se debe proporcionar la ruta de acceso de la plantilla", + "notebookData.invalidNotebookPath": "Ruta de acceso del cuaderno no válida", + "notebookData.selectStorageDatabase": "Seleccionar base de datos de almacenamiento", + "notebookData.selectExecutionDatabase": "Seleccionar base de datos de ejecución", + "notebookData.jobExists": "Un trabajo con un nombre similar ya existe", + "notebookData.saveErrorMessage": "Error al actualizar el cuaderno \"{0}\"", + "notebookData.newJobErrorMessage": "Error al crear el cuaderno \"{0}\"", + "notebookData.saveSucessMessage": "El cuaderno \"{0}\" se actualizó correctamente", + "notebookData.newJobSuccessMessage": "El cuaderno \"{0}\" se ha creado correctamente" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-es/translations/extensions/azurecore.i18n.json b/i18n/ads-language-pack-es/translations/extensions/azurecore.i18n.json index cd148e382f..db0e03ef32 100644 --- a/i18n/ads-language-pack-es/translations/extensions/azurecore.i18n.json +++ b/i18n/ads-language-pack-es/translations/extensions/azurecore.i18n.json @@ -41,6 +41,7 @@ "dist/azureResource/utils": { "azure.resource.error": "Error: {0}", "azure.accounts.getResourceGroups.queryError": "Error al obtener los grupos de recursos para la cuenta {0} ({1}), suscripción {2} ({3}), inquilino {4}: {5}.", + "azure.accounts.getLocations.queryError": "Error al capturar ubicaciones para la cuenta {0} ({1}), suscripción {2} ({3}), inquilino {4}: {5}.", "azure.accounts.runResourceQuery.errors.invalidQuery": "Consulta no válida", "azure.accounts.getSubscriptions.queryError": "Error al obtener las suscripciones de la cuenta {0}, inquilino {1}: {2}.", "azure.accounts.getSelectedSubscriptions.queryError": "Error al recuperar las suscripciones de la cuenta {0}: {1}." @@ -141,7 +142,9 @@ "dist/azureResource/tree/flatAccountTreeNode": { "azure.resource.tree.accountTreeNode.titleLoading": "{0}: carga en curso...", "azure.resource.tree.accountTreeNode.title": "{0} ({1} de {2} suscripciones)", - "azure.resource.tree.accountTreeNode.credentialError": "No se pudieron obtener las credenciales de la cuenta {0}. Vaya al cuadro de diálogo de las cuentas y actualice la cuenta." + "azure.resource.tree.accountTreeNode.credentialError": "No se pudieron obtener las credenciales de la cuenta {0}. Vaya al cuadro de diálogo de las cuentas y actualice la cuenta.", + "azure.resource.throttleerror": "Las solicitudes de esta cuenta se han acelerado Para volver a intentarlo, seleccione un número menor de suscripciones.", + "azure.resource.tree.loadresourceerror": "Se ha producido un error al cargar los recursos de Azure: {0}" }, "dist/azureResource/tree/accountNotSignedInTreeNode": { "azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Inicie sesión en Azure..." @@ -203,6 +206,9 @@ "dist/azureResource/providers/kusto/kustoTreeDataProvider": { "azure.resource.providers.KustoContainerLabel": "Clúster de Azure Data Explorer" }, + "dist/azureResource/providers/azuremonitor/azuremonitorTreeDataProvider": { + "azure.resource.providers.AzureMonitorContainerLabel": "Azure Monitor Workspace" + }, "dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": { "azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Servidor de Azure Database for PostgreSQL" }, diff --git a/i18n/ads-language-pack-es/translations/extensions/big-data-cluster.i18n.json b/i18n/ads-language-pack-es/translations/extensions/big-data-cluster.i18n.json index a4efe7d48b..237b07b17c 100644 --- a/i18n/ads-language-pack-es/translations/extensions/big-data-cluster.i18n.json +++ b/i18n/ads-language-pack-es/translations/extensions/big-data-cluster.i18n.json @@ -201,4 +201,4 @@ "bdc.controllerTreeDataProvider.error": "Error inesperado al cargar los controladores guardados: {0}." } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-es/translations/extensions/cms.i18n.json b/i18n/ads-language-pack-es/translations/extensions/cms.i18n.json new file mode 100644 index 0000000000..a6f8a6cc2a --- /dev/null +++ b/i18n/ads-language-pack-es/translations/extensions/cms.i18n.json @@ -0,0 +1,146 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "cms.displayName": "Servidores de administración central de SQL Server", + "cms.description": "Compatibilidad con la administración de servidores de administración central de SQL Server", + "cms.title": "Servidores de administración central", + "cms.connectionProvider.displayName": "Microsoft SQL Server", + "cms.resource.explorer.title": "Servidores de administración central", + "cms.resource.refresh.title": "Actualizar", + "cms.resource.refreshServerGroup.title": "Actualizar grupo de servidores", + "cms.resource.deleteRegisteredServer.title": "Eliminar", + "cms.resource.addRegisteredServer.title": "Nuevo registro de servidores...", + "cms.resource.deleteServerGroup.title": "Eliminar", + "cms.resource.addServerGroup.title": "Nuevo grupo de servidores...", + "cms.resource.registerCmsServer.title": "Agregar servidor de administración central", + "cms.resource.deleteCmsServer.title": "Eliminar", + "cms.configuration.title": "Configuración de MSSQL", + "cms.query.displayBitAsNumber": "¿Deben mostrarse las columnas BIT como números (1 o 0)? Si es false, las columnas BIT se mostrarán como \"true\" o \"false\".", + "cms.format.alignColumnDefinitionsInColumns": "Indica si las definiciones de columna deben alinearse.", + "cms.format.datatypeCasing": "Indica si los tipos de datos deben formatearse como MAYÚSCULAS, minúsculas o nada (sin formato).", + "cms.format.keywordCasing": "Indica si las palabras clave deben formatearse como MAYÚSCULAS, minúsculas o nada (sin formato).", + "cms.format.placeCommasBeforeNextStatement": "Indica si las comas deben colocarse al principio de cada instrucción de una lista por ejemplo, \", micolumna2\" en lugar de al final, por ejemplo, \"micolumna1,\".", + "cms.format.placeSelectStatementReferencesOnNewLine": "¿Deben separarse en líneas distintas las referencias a objetos de las instrucciones select? Por ejemplo, en \"SELECT C1, C2 FROM T1\", C1 y C2 estarán en líneas separadas", + "cms.logDebugInfo": "[Opcional] Registre la salida de depuración en a la consola (Ver -> Salida) y después seleccione el canal de salida apropiado del menú desplegable", + "cms.tracingLevel": "[Opcional] El nivel de registro para servicios back-end. Azure Data Studio genera un nombre de archivo cada vez que se inicia y, si el archivo ya existe, las entradas de registros se anexan a ese archivo. Para la limpieza de archivos de registro antiguos, consulte la configuración de logRetentionMinutes y logFilesRemovalLimit. El valor predeterminado tracingLevel no registra mucho. El cambio de detalle podría dar lugar a amplios requisitos de registro y espacio en disco para los registros. Error incluye Crítico, Advertencia incluye Error, Información incluye Advertencia y Detallado incluye Información.", + "cms.logRetentionMinutes": "Número de minutos para conservar los archivos de registro para los servicios back-end. El valor predeterminado es 1 semana.", + "cms.logFilesRemovalLimit": "Número máximo de archivos antiguos para quitarse en el inicio que tienen expirado el valor mssql.logRetentionMinutes. Los archivos que no se limpien debido a esta limitación se limpiarán la próxima vez que se inicie Azure Data Studio.", + "ignorePlatformWarning": "[Opcional] No mostrar advertencias de plataformas no compatibles", + "onprem.databaseProperties.recoveryModel": "Modelo de recuperación", + "onprem.databaseProperties.lastBackupDate": "Última copia de seguridad de la base de datos", + "onprem.databaseProperties.lastLogBackupDate": "Última copia de seguridad de registros", + "onprem.databaseProperties.compatibilityLevel": "Nivel de compatibilidad", + "onprem.databaseProperties.owner": "Propietario", + "onprem.serverProperties.serverVersion": "Versión", + "onprem.serverProperties.serverEdition": "Edición", + "onprem.serverProperties.machineName": "Nombre del equipo", + "onprem.serverProperties.osVersion": "Versión del sistema operativo", + "cloud.databaseProperties.azureEdition": "Edición", + "cloud.databaseProperties.serviceLevelObjective": "Plan de tarifa", + "cloud.databaseProperties.compatibilityLevel": "Nivel de compatibilidad", + "cloud.databaseProperties.owner": "Propietario", + "cloud.serverProperties.serverVersion": "Versión", + "cloud.serverProperties.serverEdition": "Tipo", + "cms.provider.displayName": "Microsoft SQL Server", + "cms.connectionOptions.connectionName.displayName": "Nombre (opcional)", + "cms.connectionOptions.connectionName.description": "Nombre personalizado de la conexión", + "cms.connectionOptions.serverName.displayName": "Servidor", + "cms.connectionOptions.serverName.description": "Nombre de la instancia de SQL Server", + "cms.connectionOptions.serverDescription.displayName": "Descripción del servidor", + "cms.connectionOptions.serverDescription.description": "Descripción de la instancia de SQL Server", + "cms.connectionOptions.authType.displayName": "Tipo de autenticación", + "cms.connectionOptions.authType.description": "Especifica el método de autenticación con SQL Server", + "cms.connectionOptions.authType.categoryValues.sqlLogin": "Inicio de sesión SQL", + "cms.connectionOptions.authType.categoryValues.integrated": "Autenticación de Windows", + "cms.connectionOptions.authType.categoryValues.azureMFA": "Azure Active Directory: universal con compatibilidad con MFA", + "cms.connectionOptions.userName.displayName": "Nombre del usuario", + "cms.connectionOptions.userName.description": "Indica el identificador de usuario que se va a usar al conectar con el origen de datos", + "cms.connectionOptions.password.displayName": "Contraseña", + "cms.connectionOptions.password.description": "Indica la contraseña que se utilizará al conectarse al origen de datos", + "cms.connectionOptions.applicationIntent.displayName": "Intención de la aplicación", + "cms.connectionOptions.applicationIntent.description": "Declara el tipo de carga de trabajo de la aplicación al conectarse a un servidor", + "cms.connectionOptions.asynchronousProcessing.displayName": "Procesamiento asincrónico", + "cms.connectionOptions.asynchronousProcessing.description": "Cuando es true, habilita el uso de la funcionalidad asincrónica en el proveedor de datos de .NET Framework", + "cms.connectionOptions.connectTimeout.displayName": "Tiempo de espera de la conexión", + "cms.connectionOptions.connectTimeout.description": "Intervalo de tiempo (en segundos) que se debe esperar a que se establezca la conexión con el servidor antes de dejar de intentarlo y generar un error", + "cms.connectionOptions.currentLanguage.displayName": "Idioma actual", + "cms.connectionOptions.currentLanguage.description": "El nombre del registro de idioma de SQL Server", + "cms.connectionOptions.columnEncryptionSetting.displayName": "Cifrado de columnas", + "cms.connectionOptions.columnEncryptionSetting.description": "Valor de cifrado de columnas predeterminado para todos los comandos de la conexión", + "cms.connectionOptions.encrypt.displayName": "Cifrar", + "cms.connectionOptions.encrypt.description": "Cuando el valor es true, SQL Server utiliza cifrado SSL para todos los datos enviados entre el cliente y el servidor, cuando el servidor tiene instalado un certificado", + "cms.connectionOptions.persistSecurityInfo.displayName": "Información de seguridad persistente", + "cms.connectionOptions.persistSecurityInfo.description": "Si el valor es false, no se devuelve información confidencial de seguridad, como la contraseña, como parte de la conexión", + "cms.connectionOptions.trustServerCertificate.displayName": "Certificado de servidor de confianza", + "cms.connectionOptions.trustServerCertificate.description": "Cuando es true (y encrypt=true), SQL Server usa el cifrado SSL para todos los datos enviados entre el cliente y el servidor sin validar el certificado del servidor", + "cms.connectionOptions.attachedDBFileName.displayName": "Nombre del archivo de base de datos adjunto", + "cms.connectionOptions.attachedDBFileName.description": "Nombre del archivo principal, incluido el nombre completo de ruta, de una base de datos que se puede adjuntar", + "cms.connectionOptions.contextConnection.displayName": "Conexión contextual", + "cms.connectionOptions.contextConnection.description": "Cuando es true, indica que la conexión debe ser desde el contexto de SQL Server. Disponible sólo cuando se ejecuta en el proceso de SQL Server", + "cms.connectionOptions.port.displayName": "Puerto", + "cms.connectionOptions.connectRetryCount.displayName": "Recuento de reintentos de conexión", + "cms.connectionOptions.connectRetryCount.description": "Número de intentos para restaurar la conexión", + "cms.connectionOptions.connectRetryInterval.displayName": "Intervalo de reintento de conexión", + "cms.connectionOptions.connectRetryInterval.description": "Retraso entre intentos para restaurar la conexión", + "cms.connectionOptions.applicationName.displayName": "Nombre de la aplicación", + "cms.connectionOptions.applicationName.description": "El nombre de la aplicación", + "cms.connectionOptions.workstationId.displayName": "Id. de estación de trabajo", + "cms.connectionOptions.workstationId.description": "El nombre de la estación de trabajo que se conecta a SQL Server", + "cms.connectionOptions.pooling.displayName": "Agrupación", + "cms.connectionOptions.pooling.description": "Cuando el valor es true, el objeto de conexión se obtiene del grupo apropiado, o si es necesario, se crea y agrega al grupo apropiado", + "cms.connectionOptions.maxPoolSize.displayName": "Tamaño máximo del grupo", + "cms.connectionOptions.maxPoolSize.description": "El número máximo de conexiones permitidas en el grupo", + "cms.connectionOptions.minPoolSize.displayName": "Tamaño mínimo del grupo", + "cms.connectionOptions.minPoolSize.description": "El número mínimo de conexiones permitidas en el grupo", + "cms.connectionOptions.loadBalanceTimeout.displayName": "Tiempo de espera del equilibrio de carga", + "cms.connectionOptions.loadBalanceTimeout.description": "Periodo mínimo de tiempo (en segundos) que residirá esta conexión en el grupo antes de que se destruya", + "cms.connectionOptions.replication.displayName": "Replicación", + "cms.connectionOptions.replication.description": "Utilizado por SQL Server en replicación", + "cms.connectionOptions.attachDbFilename.displayName": "Adjuntar nombre de archivo de base de datos", + "cms.connectionOptions.failoverPartner.displayName": "Socio de conmutación por error", + "cms.connectionOptions.failoverPartner.description": "El nombre o la dirección de red de la instancia de SQL Server que actúa como asociado para la conmutación por error", + "cms.connectionOptions.multiSubnetFailover.displayName": "Conmutación por error de varias subredes", + "cms.connectionOptions.multipleActiveResultSets.displayName": "Conjuntos de resultados activos múltiples (MARS)", + "cms.connectionOptions.multipleActiveResultSets.description": "Cuando el valor es true, se pueden devolver varios conjuntos de resultados y leerlos desde una conexión.", + "cms.connectionOptions.packetSize.displayName": "Tamaño del paquete", + "cms.connectionOptions.packetSize.description": "Tamaño en bytes de los paquetes de red utilizados para comunicarse con una instancia de SQL Server", + "cms.connectionOptions.typeSystemVersion.displayName": "Versión de sistema de tipo", + "cms.connectionOptions.typeSystemVersion.description": "Indica qué sistema de tipo de servidor expondrá el proveedor a través de DataReader" + }, + "dist/cmsResource/tree/cmsResourceTreeNode": { + "cms.resource.cmsResourceTreeNode.noResourcesLabel": "No se han encontrado recursos" + }, + "dist/cmsResource/tree/cmsResourceEmptyTreeNode": { + "cms.resource.tree.CmsTreeNode.addCmsServerLabel": "Agregar servidor de administración central..." + }, + "dist/cmsResource/tree/treeProvider": { + "cms.resource.tree.treeProvider.loadError": "Error inesperado al cargar los servidores guardados {0}", + "cms.resource.tree.treeProvider.loadingLabel": "Cargando..." + }, + "dist/cmsResource/cmsResourceCommands": { + "cms.errors.sameCmsServerName": "El grupo de servidores de administración central ya tiene un servidor registrado con el nombre {0}", + "cms.errors.azureNotAllowed": "Los servidores de Azure SQL no se pueden usar como servidores de administración central.", + "cms.confirmDeleteServer": "¿Seguro que desea eliminar?", + "cms.yes": "Sí", + "cms.no": "No", + "cms.AddServerGroup": "Añadir grupo de servidores", + "cms.OK": "Aceptar", + "cms.Cancel": "Cancelar", + "cms.ServerGroupName": "Nombre del grupo de servidores", + "cms.ServerGroupDescription": "Descripción del grupo de servidores", + "cms.errors.sameServerGroupName": "{0} ya tiene un grupo de servidores con el nombre {1}", + "cms.confirmDeleteGroup": "¿Seguro que desea eliminar?" + }, + "dist/cmsUtils": { + "cms.errors.sameServerUnderCms": "No puede agregar un servidor registrado compartido con el mismo nombre que el servidor de configuración" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-es/translations/extensions/dacpac.i18n.json b/i18n/ads-language-pack-es/translations/extensions/dacpac.i18n.json new file mode 100644 index 0000000000..3710e18dc7 --- /dev/null +++ b/i18n/ads-language-pack-es/translations/extensions/dacpac.i18n.json @@ -0,0 +1,78 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "dacFx.settings": "Dacpac", + "dacFx.defaultSaveLocation": "Ruta de acceso completa a la carpeta donde. DACPAC y. Los archivos BACPAC se guardan de forma predeterminada" + }, + "dist/localizedConstants": { + "dacFx.targetServer": "Servidor de destino", + "dacFx.sourceServer": "Servidor de origen", + "dacFx.sourceDatabase": "Base de datos de origen", + "dacFx.targetDatabase": "Base de datos de destino", + "dacfx.fileLocation": "Ubicación del archivo", + "dacfx.selectFile": "Seleccionar archivo", + "dacfx.summaryTableTitle": "Resumen de la configuración", + "dacfx.version": "Versión", + "dacfx.setting": "Valor de configuración", + "dacfx.value": "Valor", + "dacFx.databaseName": "Nombre de la base de datos", + "dacFxDeploy.openFile": "Abrir", + "dacFx.upgradeExistingDatabase": "Actualizar base de datos existente", + "dacFx.newDatabase": "Nueva base de datos", + "dacfx.dataLossTextWithCount": "{0} de las acciones de implementación enumeradas pueden dar lugar a la pérdida de datos. Asegúrese de que tiene una copia de seguridad o una instantánea por si hay algún problema con la implementación.", + "dacFx.proceedDataLoss": "Continuar a pesar de la posible pérdida de datos", + "dacfx.noDataLoss": "Las acciones de implementación enumeradas no darán lugar a la pérdida de datos.", + "dacfx.dataLossText": "Las acciones de implementación pueden dar lugar a la pérdida de datos. Asegúrese de que tiene una copia de seguridad o una instantánea por si hay algún problema con la implementación.", + "dacfx.operation": "Operación", + "dacfx.operationTooltip": "Operación (crear, modificar, eliminar) que tendrá lugar durante la implementación", + "dacfx.type": "Tipo", + "dacfx.typeTooltip": "Tipo de objeto que se verá afectado por la implementación", + "dacfx.object": "Objeto", + "dacfx.objecTooltip": "Nombre del objeto que se verá afectado por la implementación", + "dacfx.dataLoss": "Pérdida de datos", + "dacfx.dataLossTooltip": "Las operaciones que pueden dar lugar a la pérdida de datos se marcan con un signo de advertencia", + "dacfx.save": "Guardar", + "dacFx.versionText": "Versión (use x.x.x.x, donde x es un número)", + "dacFx.deployDescription": "Implementar un archivo .dacpac de una aplicación de la capa de datos en una instancia de SQL Server [Implementar Dacpac]", + "dacFx.extractDescription": "Extraer una aplicación de la capa de datos de una instancia de SQL Server a un archivo .dacpac [Extraer Dacpac]", + "dacFx.importDescription": "Crear una base de datos a partir de un archivo .bacpac [Importar Bacpac]", + "dacFx.exportDescription": "Exportar el esquema y los datos de una base de datos al formato de archivo lógico .bacpac [Exportar Bacpac]", + "dacfx.wizardTitle": "Asistente para importar aplicaciones de capa de datos", + "dacFx.selectOperationPageName": "Seleccionar una operación", + "dacFx.deployConfigPageName": "Seleccione la configuración de implementación de Dacpac", + "dacFx.deployPlanPageName": "Revise el plan de implementación", + "dacFx.summaryPageName": "Resumen", + "dacFx.extractConfigPageName": "Seleccione la configuración de extracción de Dacpac", + "dacFx.importConfigPageName": "Seleccione la configuración de importación de Bacpac", + "dacFx.exportConfigPageName": "Seleccione la configuración de exportación de Bacpac", + "dacFx.deployButton": "Implementar", + "dacFx.extract": "Extraer", + "dacFx.import": "Importar", + "dacFx.export": "Exportar", + "dacFx.generateScriptButton": "Generar script", + "dacfx.scriptGeneratingMessage": "Puede ver el estado de la generación de scripts en la vista de tareas una vez que se cierra el asistente. El script generado se abrirá cuando se complete.", + "dacfx.default": "predeterminado", + "dacfx.deployPlanTableTitle": "Implementar operaciones de plan", + "dacfx.databaseNameExistsErrorMessage": "Ya existe una base de datos con el mismo nombre en la instancia del servidor SQL", + "dacfx.undefinedFilenameErrorMessage": "Nombre sin definir", + "dacfx.filenameEndingInPeriodErrorMessage": "El nombre del archivo no puede terminar con un punto.", + "dacfx.whitespaceFilenameErrorMessage": "El nombre de archivo no puede ser un espacio en blanco.", + "dacfx.invalidFileCharsErrorMessage": "Caracteres de archivo no válidos", + "dacfx.reservedWindowsFilenameErrorMessage": "El nombre de este archivo está reservado para Windows. Elija otro nombre e inténtelo de nuevo.", + "dacfx.reservedValueErrorMessage": "Nombre de archivo reservado. Elija otro nombre y vuelva a intentarlo", + "dacfx.trailingWhitespaceErrorMessage": "El nombre del archivo no puede terminar con un espacio en blanco", + "dacfx.tooLongFilenameErrorMessage": "El nombre de archivo tiene más de 255 caracteres", + "dacfx.deployPlanErrorMessage": "No se pudo generar el plan de implementación, \"{0}\"", + "dacfx.generateDeployErrorMessage": "No se pudo generar el plan de implementación, \"{0}\"", + "dacfx.operationErrorMessage": "Error en la operación ({0}, \"{1}\")" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-es/translations/extensions/import.i18n.json b/i18n/ads-language-pack-es/translations/extensions/import.i18n.json new file mode 100644 index 0000000000..59e21fbc61 --- /dev/null +++ b/i18n/ads-language-pack-es/translations/extensions/import.i18n.json @@ -0,0 +1,66 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "flatfileimport.configuration.title": "Configuración de importación de archivos planos", + "flatfileimport.logDebugInfo": "[Opcional] Registre la salida de depuración en a la consola (Ver -> Salida) y después seleccione el canal de salida apropiado del menú desplegable" + }, + "out/services/serviceClient": { + "serviceStarted": "{0} iniciado", + "serviceStarting": "Iniciando {0}", + "flatFileImport.serviceStartFailed": "No se pudo iniciar {0}: {1}", + "installingServiceDetailed": "Instalando {0} en {1}", + "installingService": "Instalando servicio {0}", + "serviceInstalled": "{0} instalado", + "downloadingService": "Descargando {0}", + "downloadingServiceSize": "({0} KB)", + "downloadingServiceStatus": "Descargando {0}", + "downloadingServiceComplete": "Descarga finalizada de {0}", + "entryExtractedChannelMsg": "Elementos extraídos {0} ({1} de {2})" + }, + "out/common/constants": { + "import.serviceCrashButton": "Ofrecer comentarios", + "serviceCrashMessage": "el componente de servicio no se pudo iniciar", + "flatFileImport.serverDropdownTitle": "El servidor de la base de datos está en", + "flatFileImport.databaseDropdownTitle": "Base de datos en la que se crea la tabla", + "flatFile.InvalidFileLocation": "Ubicación de archivo no válida. Inténtelo con otro archivo de entrada", + "flatFileImport.browseFiles": "Examinar", + "flatFileImport.openFile": "Abrir", + "flatFileImport.fileTextboxTitle": "Ubicación del archivo para importar", + "flatFileImport.tableTextboxTitle": "Nuevo nombre de la tabla", + "flatFileImport.schemaTextboxTitle": "Esquema de tabla", + "flatFileImport.importData": "Importar datos", + "flatFileImport.next": "Siguiente", + "flatFileImport.columnName": "Nombre de columna", + "flatFileImport.dataType": "Tipo de datos", + "flatFileImport.primaryKey": "Clave principal", + "flatFileImport.allowNulls": "Permitir valores NULL", + "flatFileImport.prosePreviewMessage": "Esta operación analizó la estructura del archivo de entrada para generar la vista previa siguiente para las primeras 50 filas.", + "flatFileImport.prosePreviewMessageFail": "Esta operación no se completó correctamente. Pruebe con un archivo de entrada diferente.", + "flatFileImport.refresh": "Actualizar", + "flatFileImport.importInformation": "Información de la importación", + "flatFileImport.importStatus": "Estado de la importación", + "flatFileImport.serverName": "Nombre del servidor", + "flatFileImport.databaseName": "Nombre de la base de datos", + "flatFileImport.tableName": "Nombre de la tabla", + "flatFileImport.tableSchema": "Esquema de tabla", + "flatFileImport.fileImport": "Archivo para importar", + "flatFileImport.success.norows": "✔ Ha insertado correctamente los datos en una tabla.", + "import.needConnection": "Por favor, conéctese a un servidor antes de utilizar a este asistente.", + "import.needSQLConnection": "La extensión de importación de SQL Server no admite este tipo de conexión", + "flatFileImport.wizardName": "Asistente de importación de archivo plano", + "flatFileImport.page1Name": "Especificar el archivo de entrada", + "flatFileImport.page2Name": "Vista previa de datos", + "flatFileImport.page3Name": "Modificar columnas", + "flatFileImport.page4Name": "Resumen", + "flatFileImport.importNewFile": "Importar nuevo archivo" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-es/translations/extensions/notebook.i18n.json b/i18n/ads-language-pack-es/translations/extensions/notebook.i18n.json index db2cca9b59..eebc17c2ab 100644 --- a/i18n/ads-language-pack-es/translations/extensions/notebook.i18n.json +++ b/i18n/ads-language-pack-es/translations/extensions/notebook.i18n.json @@ -14,6 +14,8 @@ "notebook.configuration.title": "Configuración de Notebook", "notebook.pythonPath.description": "Ruta de acceso local a la instalación de Python utilizada por Notebooks.", "notebook.useExistingPython.description": "Ruta de acceso local a una instalación de Python preexistente utilizada por Notebooks.", + "notebook.dontPromptPythonUpdate.description": "No mostrar el mensaje para actualizar Python.", + "notebook.jupyterServerShutdownTimeout.description": "La cantidad de tiempo (en minutos) que se debe esperar antes de apagar un servidor después de cerrar todos los cuadernos. (Escriba 0 para no apagar)", "notebook.overrideEditorTheming.description": "Invalide la configuración predeterminada del editor en el editor de Notebook. Los ajustes incluyen el color de fondo, el color de la línea actual y el borde", "notebook.maxTableRows.description": "Número máximo de filas devueltas por tabla en el editor de Notebook", "notebook.trustedBooks.description": "Los cuadernos incluidos en estos libros serán de confianza automáticamente.", @@ -21,6 +23,7 @@ "notebook.collapseBookItems.description": "Contraer elementos del libro en el nivel de raíz del viewlet de Notebooks", "notebook.remoteBookDownloadTimeout.description": "Tiempo de espera en milisegundos para la descarga de libros de GitHub", "notebook.pinnedNotebooks.description": "Cuadernos anclados por el usuario para el área de trabajo actual", + "notebook.allowRoot.description": "Allow Jupyter server to run as root user", "notebook.command.new": "Nuevo Notebook", "notebook.command.open": "Abrir Notebook", "notebook.analyzeJupyterNotebook": "Analizar en Notebook", @@ -43,18 +46,21 @@ "title.managePackages": "Administrar paquetes", "title.SQL19PreviewBook": "Guía de SQL Server 2019", "books-preview-category": "Jupyter Books", - "title.saveJupyterBook": "Guardar libro", - "title.trustBook": "Libro de confianza", - "title.searchJupyterBook": "Buscar libro", + "title.saveJupyterBook": "Guardar el libro de Jupyter", + "title.trustBook": "Confiar en el libro de Jupyter", + "title.searchJupyterBook": "Buscar libro de Jupyter", "title.SavedBooks": "Cuadernos", - "title.ProvidedBooks": "Libros proporcionados", + "title.ProvidedBooks": "Libros de Jupyter proporcionados", "title.PinnedBooks": "Cuadernos anclados", "title.PreviewLocalizedBook": "Obtención de la guía de SQL Server 2019 traducida", "title.openJupyterBook": "Apertura de libros de Jupyter", "title.closeJupyterBook": "Cierre del libro de Jupyter", - "title.closeJupyterNotebook": "Cierre del cuaderno de Jupyter", + "title.closeNotebook": "Cerrar bloc de notas", + "title.removeNotebook": "Quitar el bloc de notas", + "title.addNotebook": "Agregar el Bloc de notas", + "title.addMarkdown": "Agregar un archivo de Markdown", "title.revealInBooksViewlet": "Visualización en libros", - "title.createJupyterBook": "Creación de un libro (versión preliminar)", + "title.createJupyterBook": "Crear el libro de Jupyter", "title.openNotebookFolder": "Apertura de cuadernos en la carpeta", "title.openRemoteJupyterBook": "Adición de libro de Jupyter remoto", "title.pinNotebook": "Anclado de cuadernos", @@ -77,74 +83,84 @@ "providerNotValidError": "No se admiten proveedores que no sean MSSQL para los kernels de Spark.", "allFiles": "Todos los archivos", "labelSelectFolder": "Seleccionar carpeta", - "labelBookFolder": "Seleccionar libro", + "labelBookFolder": "Seleccionar libro de Jupyter", "confirmReplace": "La carpeta ya existe. ¿Seguro que desea eliminar y reemplazar esta carpeta?", "openNotebookCommand": "Abrir cuaderno", "openMarkdownCommand": "Abrir Markdown", "openExternalLinkCommand": "Abrir vínculo externo", - "msgBookTrusted": "El libro ahora es de confianza en el área de trabajo.", - "msgBookAlreadyTrusted": "El libro ya se ha marcado como que es de confianza en esta área de trabajo.", - "msgBookUntrusted": "El libro ya no es de confianza en esta área de trabajo.", - "msgBookAlreadyUntrusted": "El libro ya se ha marcado como que no es de confianza en esta área de trabajo.", - "msgBookPinned": "El libro {0} está ahora anclado en el área de trabajo.", - "msgBookUnpinned": "El libro {0} ya no está anclado en esta área de trabajo.", - "bookInitializeFailed": "No se pudo encontrar un archivo de tabla de contenido en el libro especificado.", - "noBooksSelected": "Actualmente no hay ningún libro seleccionado en viewlet.", - "labelBookSection": "Seleccionar sección de libro", + "msgBookTrusted": "El libro de Jupyter ahora es de confianza en el área de trabajo.", + "msgBookAlreadyTrusted": "El libro Jupyter ya está marcado como de confianza en esta área de trabajo.", + "msgBookUntrusted": "El libro de Jupyter ya no es de confianza en esta área de trabajo", + "msgBookAlreadyUntrusted": "El libro de Jupyter ya se ha marcado como que no es de confianza en esta área de trabajo.", + "msgBookPinned": "El libro de Jupyter {0} está ahora anclado en el área de trabajo.", + "msgBookUnpinned": "El libro de Jupyter {0} ya no está anclado en esta área de trabajo.", + "bookInitializeFailed": "No se pudo encontrar un archivo de tabla de contenido en el libro de Jupyter especificado.", + "noBooksSelected": "Actualmente no hay ningún libro de Jupyter seleccionado en viewlet.", + "labelBookSection": "Seleccionar sección del libro de Jupyter", "labelAddToLevel": "Agregar a este nivel", "missingFileError": "Falta el archivo {0} de {1}.", "InvalidError.tocFile": "Archivo de TDC no válido", "Invalid toc.yml": "Error: {0} tiene un archivo toc.yml incorrecto", "configFileError": "Falta el archivo de configuración.", - "openBookError": "Error al abrir el libro {0}: {1}", - "readBookError": "No se pudo leer el libro {0}: {1}.", + "openBookError": "No se pudo abrir {0} el libro de Jupyter: {1}", + "readBookError": "No se pudo leer el libro de {0}: {1}", "openNotebookError": "Error al abrir el cuaderno {0}: {1}", "openMarkdownError": "Error en la apertura de Markdown {0}: {1}", "openUntitledNotebookError": "Error al abrir el cuaderno sin título {0} como sin título: {1}", "openExternalLinkError": "Error al abrir el vínculo {0}: {1}", - "closeBookError": "Error al cerrar el libro {0}: {1}", + "closeBookError": "No se pudo cerrar {0} el libro de Jupyter: {1}", "duplicateFileError": "El archivo {0} ya existe en la carpeta de destino {1}. \r\n Se ha cambiado el nombre del archivo a {2} para evitar la pérdida de datos.", - "editBookError": "Error al editar el libro {0}: {1}.", - "selectBookError": "Error al seleccionar un libro o una sección para editarlo: {0}.", + "editBookError": "Error al editar el libro de Jupyter {0}: {1}", + "selectBookError": "Error al seleccionar un libro de Jupyter o una sección para editarlo: {0}.", + "sectionNotFound": "No se pudo encontrar la sección {0} en {1}.", "url": "Dirección URL", "repoUrl": "Dirección URL del repositorio", "location": "Ubicación", - "addRemoteBook": "Agregar libro remoto", + "addRemoteBook": "Adición de libro de Jupyter remoto", "onGitHub": "GitHub", "onsharedFile": "Archivo compartido", "releases": "Versiones", - "book": "Libro", + "book": "Jupyter Book", "version": "Versión", "language": "Idioma", - "booksNotFound": "Actualmente no hay ningún libro disponible en el vínculo proporcionado.", + "booksNotFound": "Actualmente no hay ningún libro de Juypyter disponible en el vínculo proporcionado", "urlGithubError": "La dirección URL proporcionada no es la URL de una versión de GitHub.", "search": "Buscar", "add": "Agregar", "close": "Cerrar", "invalidTextPlaceholder": "-", - "msgRemoteBookDownloadProgress": "La descarga del libro remoto está en curso.", - "msgRemoteBookDownloadComplete": "La descarga del libro remoto se ha completado.", - "msgRemoteBookDownloadError": "Error al descargar el libro remoto.", - "msgRemoteBookUnpackingError": "Error al descomprimir el libro remoto.", - "msgRemoteBookDirectoryError": "Error al crear el directorio de libros remotos.", - "msgTaskName": "Descarga de libro remoto en curso", + "msgRemoteBookDownloadProgress": "La descarga del libro remoto de Jupyter está en progreso", + "msgRemoteBookDownloadComplete": "La descarga del libro remoto de Jupyter se ha completado", + "msgRemoteBookDownloadError": "Error al descargar el libro de Jupyter remoto", + "msgRemoteBookUnpackingError": "Error al descomprimir el libro de Jupyter remoto", + "msgRemoteBookDirectoryError": "Error al crear el directorio de libros de Jupyter remotos", + "msgTaskName": "Descargar libro de Jupyter remoto", "msgResourceNotFound": "No se encuentra el recurso.", - "msgBookNotFound": "No se ha encontrado ningún libro.", + "msgBookNotFound": "No se ha encontrado ningún libro de Jupyter", "msgReleaseNotFound": "Versiones no encontradas", - "msgUndefinedAssetError": "El libro seleccionado no es válido.", + "msgUndefinedAssetError": "El libro de Jupyter seleccionado no es válido", "httpRequestError": "Error de la solicitud HTTP: {0} {1}", "msgDownloadLocation": "Descarga en {0} en curso", - "newGroup": "Nuevo grupo", - "groupDescription": "Los grupos se usan para organizar los cuadernos.", - "locationBrowser": "Examinar ubicaciones...", - "selectContentFolder": "Seleccionar carpeta de contenido", + "newBook": "Nuevo libro de Jupyter (versión preliminar)", + "bookDescription": "Los libros Jupyter se utilizan para organizar los bloc de notas.", + "learnMore": "Más información.", + "contentFolder": "Carpeta de contenido", "browse": "Examinar", "create": "Crear", "name": "Nombre", "saveLocation": "Guardar ubicación", - "contentFolder": "Carpeta de contenido (opcional)", + "contentFolderOptional": "Carpeta de contenido (opcional)", "msgContentFolderError": "La ruta de acceso a la carpeta de contenido no existe.", - "msgSaveFolderError": "La ruta de acceso a la ubicación de guardado no existe." + "msgSaveFolderError": "La ruta de acceso a la ubicación no existe.", + "msgCreateBookWarningMsg": "Error al intentar obtener acceso a: {0}", + "newNotebook": "Nuevo bloc de notas (versión preliminar)", + "newMarkdown": "Nuevo Markdown (versión preliminar)", + "fileExtension": "Extensión de archivo", + "confirmOverwrite": "El archivo ya existe. ¿Está seguro de que desea sobrescribirlo?", + "title": "Título", + "fileName": "Nombre de archivo", + "msgInvalidSaveFolder": "La ruta de acceso a la ubicación no es válida.", + "msgDuplicadFileName": "El archivo {0} ya existe en la carpeta de destino" }, "dist/jupyter/jupyterServerInstallation": { "msgInstallPkgProgress": "La instalación de dependencias de Notebook está en curso", @@ -159,10 +175,16 @@ "msgInstallPkgFinish": "La instalación de las dependencias de Notebook se ha completado", "msgPythonRunningError": "No se puede sobrescribir una instalación de Python existente mientras Python se está ejecutando. Cierre los cuadernos activos antes de continuar.", "msgWaitingForInstall": "Otra instalación de Python está actualmente en curso. Esperando a que se complete.", + "msgShutdownNotebookSessions": "Las sesiones del cuaderno de Python activas se cerrarán para poder actualizarse. ¿Desea continuar ahora?", + "msgPythonVersionUpdatePrompt": "Python {0} ya está disponible en Azure Data Studio. La versión actual de Python (3.6.6) dejará de recibir soporte en diciembre de 2021. ¿Le gustaría actualizar a Python {0} ahora?", + "msgPythonVersionUpdateWarning": "Se instalará Python {0} y reemplazará a Python 3.6.6. Es posible que algunos paquetes ya no sean compatibles con la nueva versión o que sea necesario volver a instalarlos. Se creará un cuaderno para ayudarle a reinstalar todos los paquetes de PIP. ¿Desea continuar con la actualización ahora?", "msgDependenciesInstallationFailed": "Error al instalar las dependencias de Notebook: {0}", "msgDownloadPython": "Descargando Python local para la plataforma: {0} a {1}", "msgPackageRetrievalFailed": "Se ha encontrado un error al intentar recuperar la lista de paquetes instalados: {0}", - "msgGetPythonUserDirFailed": "Se ha encontrado un error al obtener la ruta de acceso del usuario de Python: {0}" + "msgGetPythonUserDirFailed": "Se ha encontrado un error al obtener la ruta de acceso del usuario de Python: {0}", + "yes": "Sí", + "no": "No", + "dontAskAgain": "No volver a preguntar" }, "dist/dialog/configurePython/configurePythonWizard": { "configurePython.okButtonText": "Instalar", @@ -270,7 +292,7 @@ }, "dist/protocol/notebookUriHandler": { "notebook.unsupportedAction": "No se admite la acción {0} para este controlador", - "unsupportedScheme": "No se puede abrir el vínculo {0} porque solo se admiten los vínculos HTTP y HTTPS", + "unsupportedScheme": "No se puede abrir el vínculo {0} porque solo se admiten vínculos HTTP, HTTPS y File.", "notebook.confirmOpen": "¿Descargar y abrir \"{0}\"?", "notebook.fileNotFound": "No se pudo encontrar el archivo especificado", "notebook.fileDownloadError": "Error en la solicitud de apertura de archivo: {0} {1}" diff --git a/i18n/ads-language-pack-es/translations/extensions/profiler.i18n.json b/i18n/ads-language-pack-es/translations/extensions/profiler.i18n.json new file mode 100644 index 0000000000..4f1ef29019 --- /dev/null +++ b/i18n/ads-language-pack-es/translations/extensions/profiler.i18n.json @@ -0,0 +1,23 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/profilerCreateSessionDialog": { + "createSessionDialog.cancel": "Cancelar", + "createSessionDialog.create": "Inicio", + "createSessionDialog.title": "Iniciar nueva sesión de Profiler", + "createSessionDialog.templatesInvalid": "Lista de plantillas no válida, no se puede abrir el cuadro de diálogo", + "createSessionDialog.dialogOwnerInvalid": "Propietario de cuadro de diálogo no válido, no se puede abrir el cuadro de diálogo", + "createSessionDialog.invalidProviderType": "Tipo de proveedor no válido, no se puede abrir el cuadro de diálogo", + "createSessionDialog.selectTemplates": "Seleccione plantilla de sesión:", + "createSessionDialog.enterSessionName": "Escriba el nombre de la sesión:", + "createSessionDialog.createSessionFailed": "No se pudo crear una sesión" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-es/translations/extensions/resource-deployment.i18n.json b/i18n/ads-language-pack-es/translations/extensions/resource-deployment.i18n.json index 4c8f125796..e74e7e991b 100644 --- a/i18n/ads-language-pack-es/translations/extensions/resource-deployment.i18n.json +++ b/i18n/ads-language-pack-es/translations/extensions/resource-deployment.i18n.json @@ -103,6 +103,10 @@ "azdataEulaNotAccepted": "La implementación no puede continuar. Aún no se han aceptado los términos de licencia de la CLI de datos de Azure. Acepte el CLUF para habilitar las características que requieren la CLI de datos de Azure.", "azdataEulaDeclined": "La implementación no puede continuar. Se han rechazado los términos de licencia de la CLI de datos de Azure. Puede aceptar el CLUF para continuar o cancelar esta operación.", "deploymentDialog.RecheckEulaButton": "Aceptar CLUF y seleccionar", + "resourceDeployment.extensionRequiredPrompt": "Se requiere la extensión \"{0}\" para implementar este recurso, ¿desea instalarla ahora?", + "resourceDeployment.install": "Instalar", + "resourceDeployment.installingExtension": "Instalando la extensión \"{0}\"...", + "resourceDeployment.unknownExtension": "Extensión \"{0}\" desconocida", "resourceTypePickerDialog.title": "Seleccione las opciones de implementación", "resourceTypePickerDialog.resourceSearchPlaceholder": "Filtrar recursos...", "resourceTypePickerDialog.tagsListViewTitle": "Categorías", @@ -264,7 +268,6 @@ "notebookType": "Tipo de cuaderno" }, "dist/main": { - "resourceDeployment.FailedToLoadExtension": "No se ha podido cargar la extensión {0}. Error detectado en la definición de tipo de recurso en package.json, compruebe la consola de depuración para obtener más información.", "resourceDeployment.UnknownResourceType": "El tipo de recurso {0} no está definido" }, "dist/services/notebookService": { @@ -562,8 +565,8 @@ }, "dist/ui/toolsAndEulaSettingsPage": { "notebookWizard.toolsAndEulaPageTitle": "Requisitos previos de la implementación", - "deploymentDialog.FailedEulaValidation": "Para continuar, debe aceptar los términos del Contrato de licencia para el usuario final (CLUF).", "deploymentDialog.FailedToolsInstallation": "Hay algunas herramientas que no se han detectado. Asegúrese de que estén instaladas, se estén ejecutando y se puedan detectar.", + "deploymentDialog.FailedEulaValidation": "Para continuar, debe aceptar los términos del Contrato de licencia para el usuario final (CLUF).", "deploymentDialog.loadingRequiredToolsCompleted": "La carga de la información de las herramientas necesarias se ha completado.", "deploymentDialog.loadingRequiredTools": "Carga de la información de las herramientas necesarias en curso", "resourceDeployment.AgreementTitle": "Aceptación de las condiciones de uso", @@ -605,18 +608,9 @@ "dist/services/tools/azdataTool": { "resourceDeployment.AzdataDescription": "Interfaz de la línea de comandos de datos de Azure", "resourceDeployment.AzdataDisplayName": "CLI de datos de Azure", + "deploy.azdataExtMissing": "La extensión CLI de datos de Azure debe estar instalada para implementar este recurso. Instálela a través de la galería de extensiones y vuelva a intentarlo.", "deployCluster.GetToolVersionErrorInformation": "Error al recuperar la información de la versión. Consulte el canal de salida \"{0}\" para obtener más detalles.", - "deployCluster.GetToolVersionError": "Error al recuperar la información de la versión. {0}Se ha recibido una salida no válida; salida del comando GET de la versión: \"{1}\". ", - "resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "Se está eliminando el archivo Azdata.msi descargado anteriormente, si existe...", - "resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "Se está descargando Azdata.msi e instalando azdata-cli...", - "resourceDeployment.Azdata.DisplayingInstallationLog": "Se muestra el registro de la instalación...", - "resourceDeployment.Azdata.TappingBrewRepository": "Se está accediendo al repositorio de brew para azdata-cli...", - "resourceDeployment.Azdata.UpdatingBrewRepository": "Se está actualizando el repositorio de brew para la instalación de azdata-cli...", - "resourceDeployment.Azdata.InstallingAzdata": "Se está instalando azdata...", - "resourceDeployment.Azdata.AptGetUpdate": "Se está actualizando la información del repositorio...", - "resourceDeployment.Azdata.AptGetPackages": "Se están obteniendo los paquetes necesarios para la instalación de azdata...", - "resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "Se está descargando e instalando la clave de firma para azdata...", - "resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "Se está agregando la información del repositorio de azdata..." + "deployCluster.GetToolVersionError": "Error al recuperar la información de la versión. {0}Se ha recibido una salida no válida; salida del comando GET de la versión: \"{1}\". " }, "dist/services/tools/azdataToolOld": { "resourceDeployment.AzdataDescription": "Interfaz de la línea de comandos de datos de Azure", @@ -636,4 +630,4 @@ "deploymentDialog.deploymentOptions": "Opciones de la implementación" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-es/translations/extensions/schema-compare.i18n.json b/i18n/ads-language-pack-es/translations/extensions/schema-compare.i18n.json new file mode 100644 index 0000000000..3915ba91f1 --- /dev/null +++ b/i18n/ads-language-pack-es/translations/extensions/schema-compare.i18n.json @@ -0,0 +1,319 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "displayName": "Comparación de esquemas de SQL Server", + "description": "La comparación de esquemas de SQL Server para Azure Data Studio admite la comparación de los esquemas de bases de datos y paquetes DAC.", + "schemaCompare.start": "Comparación de esquemas" + }, + "dist/localizedConstants": { + "schemaCompareDialog.ok": "Aceptar", + "schemaCompareDialog.cancel": "Cancelar", + "schemaCompareDialog.SourceTitle": "Origen", + "schemaCompareDialog.TargetTitle": "Destino", + "schemaCompareDialog.fileTextBoxLabel": "Archivo", + "schemaCompare.dacpacRadioButtonLabel": "Archivo de aplicación de capa de datos (.dacpac)", + "schemaCompare.databaseButtonLabel": "Base de datos", + "schemaCompare.radioButtonsLabel": "Tipo", + "schemaCompareDialog.serverDropdownTitle": "Servidor", + "schemaCompareDialog.databaseDropdownTitle": "Base de datos", + "schemaCompare.dialogTitle": "Comparación de esquemas", + "schemaCompareDialog.differentSourceMessage": "Se ha seleccionado un esquema de origen diferente. ¿Comparar para ver la comparación?", + "schemaCompareDialog.differentTargetMessage": "Se ha seleccionado un esquema de destino diferente. ¿Comparar para ver la comparación?", + "schemaCompareDialog.differentSourceTargetMessage": "Se han seleccionado diferentes esquemas de origen y destino. ¿Comparar para ver la comparación?", + "schemaCompareDialog.Yes": "Sí", + "schemaCompareDialog.No": "No", + "schemaCompareDialog.sourceTextBox": "Archivo de código fuente", + "schemaCompareDialog.targetTextBox": "Archivo de destino", + "schemaCompareDialog.sourceDatabaseDropdown": "Base de datos de origen", + "schemaCompareDialog.targetDatabaseDropdown": "Base de datos de destino", + "schemaCompareDialog.sourceServerDropdown": "Servidor de origen", + "schemaCompareDialog.targetServerDropdown": "Servidor de destino", + "schemaCompareDialog.defaultUser": "predeterminado", + "schemaCompare.openFile": "Abrir", + "schemaCompare.selectSourceFile": "Seleccionar archivo de origen", + "schemaCompare.selectTargetFile": "Selección del archivo de destino", + "SchemaCompareOptionsDialog.Reset": "Restablecer", + "schemaCompareOptions.RecompareMessage": "Las opciones han cambiado. ¿Volver a comparar para ver la comparación?", + "SchemaCompare.SchemaCompareOptionsDialogLabel": "Opciones de comparación de esquemas", + "SchemaCompare.GeneralOptionsLabel": "Opciones generales", + "SchemaCompare.ObjectTypesOptionsLabel": "Incluir tipos de objeto", + "schemaCompare.CompareDetailsTitle": "Comparar detalles", + "schemaCompare.ApplyConfirmation": "¿Seguro de que desea actualizar el destino?", + "schemaCompare.RecompareToRefresh": "Presione Comparar para actualizar la comparación.", + "schemaCompare.generateScriptEnabledButton": "Generar script para implementar cambios en el destino", + "schemaCompare.generateScriptNoChanges": "No hay cambios en el script", + "schemaCompare.applyButtonEnabledTitle": "Aplicar cambios al objetivo", + "schemaCompare.applyNoChanges": "No hay cambios que aplicar", + "schemaCompare.includeExcludeInfoMessage": "Tenga en cuenta que las operaciones de inclusión o exclusión pueden tardar unos instantes en calcular las dependencias afectadas", + "schemaCompare.deleteAction": "Eliminar", + "schemaCompare.changeAction": "Cambiar", + "schemaCompare.addAction": "Agregar", + "schemaCompare.differencesTableTitle": "Comparación entre el origen y el destino", + "schemaCompare.waitText": "Iniciando comparación. Esto podría tardar un momento.", + "schemaCompare.startText": "Para comparar dos esquemas, seleccione primero un esquema de origen y un esquema de destino y, a continuación, presione Comparar.", + "schemaCompare.noDifferences": "No se encontraron diferencias de esquema.", + "schemaCompare.typeColumn": "Tipo", + "schemaCompare.sourceNameColumn": "Nombre de origen", + "schemaCompare.includeColumnName": "Incluir", + "schemaCompare.actionColumn": "Acción", + "schemaCompare.targetNameColumn": "Nombre de destino", + "schemaCompare.generateScriptButtonDisabledTitle": "La generación de script se habilita cuando el destino es una base de datos", + "schemaCompare.applyButtonDisabledTitle": "Aplicar está habilitado cuando el objetivo es una base de datos", + "schemaCompare.cannotExcludeMessageWithDependent": "No se puede excluir {0}. Existen dependientes incluidos, como {1}", + "schemaCompare.cannotIncludeMessageWithDependent": "No se puede incluir {0}. Existen dependientes excluidos, como {1}", + "schemaCompare.cannotExcludeMessage": "No se pueden excluir {0}. Existen dependientes incluidos", + "schemaCompare.cannotIncludeMessage": "No se puede incluir {0}. Existen dependientes excluidos", + "schemaCompare.compareButton": "Comparar", + "schemaCompare.cancelCompareButton": "Detener", + "schemaCompare.generateScriptButton": "Generar script", + "schemaCompare.optionsButton": "Opciones", + "schemaCompare.updateButton": "Aplicar", + "schemaCompare.switchDirectionButton": "Intercambiar dirección", + "schemaCompare.switchButtonTitle": "Intercambiar origen y destino", + "schemaCompare.sourceButtonTitle": "Seleccionar origen", + "schemaCompare.targetButtonTitle": "Seleccionar destino", + "schemaCompare.openScmpButton": "Abrir el archivo .scmp", + "schemaCompare.openScmpButtonTitle": "Cargue el origen, el destino y las opciones guardadas en un archivo .scmp", + "schemaCompare.saveScmpButton": "Guardar archivo .scmp", + "schemaCompare.saveScmpButtonTitle": "Guardar origen y destino, opciones y elementos excluidos", + "schemaCompare.saveFile": "Guardar", + "schemaCompare.GetConnectionString": "¿Quiere conectar con {0}?", + "schemaCompare.selectConnection": "Seleccionar conexión", + "SchemaCompare.IgnoreTableOptions": "Ignorar opciones de tabla", + "SchemaCompare.IgnoreSemicolonBetweenStatements": "Ignorar punto y coma entre instrucciones", + "SchemaCompare.IgnoreRouteLifetime": "Ignorar la vigencia de la ruta", + "SchemaCompare.IgnoreRoleMembership": "Ignorar la pertenencia a roles", + "SchemaCompare.IgnoreQuotedIdentifiers": "Ignorar identificadores entrecomillados", + "SchemaCompare.IgnorePermissions": "Ignorar permisos", + "SchemaCompare.IgnorePartitionSchemes": "Ignorar esquemas de partición", + "SchemaCompare.IgnoreObjectPlacementOnPartitionScheme": "Ignorar la colocación de objetos en el esquema de partición", + "SchemaCompare.IgnoreNotForReplication": "Ignorar no disponible para replicación", + "SchemaCompare.IgnoreLoginSids": "Ignorar SID de inicio de sesión", + "SchemaCompare.IgnoreLockHintsOnIndexes": "Ignorar sugerencias de bloqueo en índices", + "SchemaCompare.IgnoreKeywordCasing": "Ignorar distinción de mayúsculas y minúsculas en palabras clave", + "SchemaCompare.IgnoreIndexPadding": "Ignorar relleno de índice", + "SchemaCompare.IgnoreIndexOptions": "Ignorar opciones de índice", + "SchemaCompare.IgnoreIncrement": "Ignorar incremento", + "SchemaCompare.IgnoreIdentitySeed": "Ignorar inicialización de identidad", + "SchemaCompare.IgnoreUserSettingsObjects": "Ignorar objetos de configuración de usuario", + "SchemaCompare.IgnoreFullTextCatalogFilePath": "Ignorar ruta de acceso del archivo de catálogo de texto completo", + "SchemaCompare.IgnoreWhitespace": "Ignorar espacio en blanco", + "SchemaCompare.IgnoreWithNocheckOnForeignKeys": "Ignorar WITH NOCHECK en claves externas", + "SchemaCompare.VerifyCollationCompatibility": "Verificar la compatibilidad de la intercalación", + "SchemaCompare.UnmodifiableObjectWarnings": "Advertencias de objetos no modificables", + "SchemaCompare.TreatVerificationErrorsAsWarnings": "Tratar los errores de verificación como advertencias", + "SchemaCompare.ScriptRefreshModule": "Módulo de actualización de script", + "SchemaCompare.ScriptNewConstraintValidation": "Nueva validación de restricciones de script", + "SchemaCompare.ScriptFileSize": "Tamaño del archivo de script", + "SchemaCompare.ScriptDeployStateChecks": "Comprobaciones de estado de la implementación del script", + "SchemaCompare.ScriptDatabaseOptions": "Opciones de base de datos de script", + "SchemaCompare.ScriptDatabaseCompatibility": "Compatibilidad de bases de datos de script", + "SchemaCompare.ScriptDatabaseCollation": "Intercalación de base de datos de script", + "SchemaCompare.RunDeploymentPlanExecutors": "Ejecutar ejecutores del plan de implementación", + "SchemaCompare.RegisterDataTierApplication": "Registrar la aplicación de DataTier", + "SchemaCompare.PopulateFilesOnFileGroups": "Rellenar archivos en grupos de archivos", + "SchemaCompare.NoAlterStatementsToChangeClrTypes": "No hay instrucciones de modificación para cambiar los tipos CLR", + "SchemaCompare.IncludeTransactionalScripts": "Incluir scripts transaccionales", + "SchemaCompare.IncludeCompositeObjects": "Incluir objetos compuestos", + "SchemaCompare.AllowUnsafeRowLevelSecurityDataMovement": "Permitir el movimiento de datos de seguridad de nivel de fila no seguro", + "SchemaCompare.IgnoreWithNocheckOnCheckConstraints": "Omitir cláusula WITH NOCHECK en restricciones CHECK", + "SchemaCompare.IgnoreFillFactor": "Ignorar factor de relleno", + "SchemaCompare.IgnoreFileSize": "Ignorar tamaño de archivo", + "SchemaCompare.IgnoreFilegroupPlacement": "Ignorar la colocación del grupo de archivos", + "SchemaCompare.DoNotAlterReplicatedObjects": "No modificar objetos replicados", + "SchemaCompare.DoNotAlterChangeDataCaptureObjects": "No modificar los objetos de captura de datos modificados", + "SchemaCompare.DisableAndReenableDdlTriggers": "Deshabilitar y volver a habilitar los desencadenadores de ddl", + "SchemaCompare.DeployDatabaseInSingleUserMode": "Implementar base de datos en modo de usuario único", + "SchemaCompare.CreateNewDatabase": "Crear nueva base de datos", + "SchemaCompare.CompareUsingTargetCollation": "Comparar con la intercalación de destino", + "SchemaCompare.CommentOutSetVarDeclarations": "Convertir en comentario las declaraciones de var establecidas", + "SchemaCompare.BlockWhenDriftDetected": "Bloquear cuando se detecte una desviación", + "SchemaCompare.BlockOnPossibleDataLoss": "Bloquear ante una posible pérdida de datos", + "SchemaCompare.BackupDatabaseBeforeChanges": "Copia de seguridad de la base de datos antes de los cambios", + "SchemaCompare.AllowIncompatiblePlatform": "Permitir plataforma no compatible", + "SchemaCompare.AllowDropBlockingAssemblies": "Permitir quitar los ensamblados de bloqueo", + "SchemaCompare.DropConstraintsNotInSource": "Quitar limitaciones que no estén en el origen", + "SchemaCompare.DropDmlTriggersNotInSource": "Quitar desencadenadores DML que no estén en el origen", + "SchemaCompare.DropExtendedPropertiesNotInSource": "Quitar las propiedades extendidas que no estén en el origen", + "SchemaCompare.DropIndexesNotInSource": "Quitar los índices que no estén en el origen", + "SchemaCompare.IgnoreFileAndLogFilePath": "Ignorar archivo y ruta del archivo de registro", + "SchemaCompare.IgnoreExtendedProperties": "Ignorar propiedades extendidas", + "SchemaCompare.IgnoreDmlTriggerState": "Ignorar el estado del desencadenador de DML", + "SchemaCompare.IgnoreDmlTriggerOrder": "Ignorar el orden del desencadenador de DML", + "SchemaCompare.IgnoreDefaultSchema": "Ignorar el esquema predeterminado", + "SchemaCompare.IgnoreDdlTriggerState": "Ignorar el estado del desencadenador de DDL", + "SchemaCompare.IgnoreDdlTriggerOrder": "Ignorar el orden del desencadenador de DDL", + "SchemaCompare.IgnoreCryptographicProviderFilePath": "Ignorar ruta de archivos del proveedor de cifrado", + "SchemaCompare.VerifyDeployment": "Verificar la implementación", + "SchemaCompare.IgnoreComments": "Ignorar comentarios", + "SchemaCompare.IgnoreColumnCollation": "Ignorar intercalación de columnas", + "SchemaCompare.IgnoreAuthorizer": "Ignorar autorizador", + "SchemaCompare.IgnoreAnsiNulls": "Ignorar AnsiNulls", + "SchemaCompare.GenerateSmartDefaults": "Generar SmartDefaults", + "SchemaCompare.DropStatisticsNotInSource": "Quitar las estadísticas que no estén en origen", + "SchemaCompare.DropRoleMembersNotInSource": "Quitar miembros de rol que no estén en el origen", + "SchemaCompare.DropPermissionsNotInSource": "Quitar permisos que no estén en el origen", + "SchemaCompare.DropObjectsNotInSource": "Quitar objetos que no estén en el origen", + "SchemaCompare.IgnoreColumnOrder": "Ignorar el orden de las columnas", + "SchemaCompare.Aggregates": "Agregados", + "SchemaCompare.ApplicationRoles": "Roles de aplicación", + "SchemaCompare.Assemblies": "Ensamblados", + "SchemaCompare.AssemblyFiles": "Archivos de ensamblado", + "SchemaCompare.AsymmetricKeys": "Claves asimétricas", + "SchemaCompare.BrokerPriorities": "Prioridades de Broker", + "SchemaCompare.Certificates": "Certificados", + "SchemaCompare.ColumnEncryptionKeys": "Claves de cifrado de columna", + "SchemaCompare.ColumnMasterKeys": "Claves maestras de columna", + "SchemaCompare.Contracts": "Contratos", + "SchemaCompare.DatabaseOptions": "Opciones de base de datos", + "SchemaCompare.DatabaseRoles": "Roles de base de datos", + "SchemaCompare.DatabaseTriggers": "Desencadenadores de bases de datos", + "SchemaCompare.Defaults": "Valores predeterminados", + "SchemaCompare.ExtendedProperties": "Propiedades extendidas", + "SchemaCompare.ExternalDataSources": "Orígenes de datos externos", + "SchemaCompare.ExternalFileFormats": "Formatos de archivo externos", + "SchemaCompare.ExternalStreams": "Flujos externos", + "SchemaCompare.ExternalStreamingJobs": "Trabajos de streaming externos", + "SchemaCompare.ExternalTables": "Tablas externas", + "SchemaCompare.Filegroups": "Grupos de archivos", + "SchemaCompare.Files": "Archivos", + "SchemaCompare.FileTables": "Tablas de archivos", + "SchemaCompare.FullTextCatalogs": "Catálogos de texto completo", + "SchemaCompare.FullTextStoplists": "Listas de palabras irrelevantes de texto completo", + "SchemaCompare.MessageTypes": "Tipos de mensaje", + "SchemaCompare.PartitionFunctions": "Funciones de partición", + "SchemaCompare.PartitionSchemes": "Esquemas de partición", + "SchemaCompare.Permissions": "Permisos", + "SchemaCompare.Queues": "Colas", + "SchemaCompare.RemoteServiceBindings": "Enlaces de servicio remoto", + "SchemaCompare.RoleMembership": "Pertenencia a roles", + "SchemaCompare.Rules": "Reglas", + "SchemaCompare.ScalarValuedFunctions": "Funciones escalares con valor", + "SchemaCompare.SearchPropertyLists": "Listas de propiedades de búsqueda", + "SchemaCompare.SecurityPolicies": "Directivas de seguridad", + "SchemaCompare.Sequences": "Secuencias", + "SchemaCompare.Services": "Servicios", + "SchemaCompare.Signatures": "Firmas", + "SchemaCompare.StoredProcedures": "Procedimientos almacenados", + "SchemaCompare.SymmetricKeys": "Claves simétricas", + "SchemaCompare.Synonyms": "Sinónimos", + "SchemaCompare.Tables": "Tablas", + "SchemaCompare.TableValuedFunctions": "Funciones con valores de tabla", + "SchemaCompare.UserDefinedDataTypes": "Tipos de datos definidos por el usuario", + "SchemaCompare.UserDefinedTableTypes": "Tipos de tablas definidos por el usuario", + "SchemaCompare.ClrUserDefinedTypes": "Tipos definidos del usuario de CLR", + "SchemaCompare.Users": "Usuarios", + "SchemaCompare.Views": "Vistas", + "SchemaCompare.XmlSchemaCollections": "Colecciones de esquemas XML", + "SchemaCompare.Audits": "Auditorías", + "SchemaCompare.Credentials": "Credenciales", + "SchemaCompare.CryptographicProviders": "Proveedores de servicios criptográficos", + "SchemaCompare.DatabaseAuditSpecifications": "Especificaciones de auditoría de base de datos", + "SchemaCompare.DatabaseEncryptionKeys": "Claves de cifrado de base de datos", + "SchemaCompare.DatabaseScopedCredentials": "Credenciales de ámbito de base de datos", + "SchemaCompare.Endpoints": "Puntos de conexión", + "SchemaCompare.ErrorMessages": "Mensajes de error", + "SchemaCompare.EventNotifications": "Notificaciones de eventos", + "SchemaCompare.EventSessions": "Sesiones de eventos", + "SchemaCompare.LinkedServerLogins": "Inicios de sesión de servidor vinculado", + "SchemaCompare.LinkedServers": "Servidores vinculados", + "SchemaCompare.Logins": "Inicios de sesión", + "SchemaCompare.MasterKeys": "Claves maestras", + "SchemaCompare.Routes": "Rutas", + "SchemaCompare.ServerAuditSpecifications": "Especificaciones de auditoría de servidor", + "SchemaCompare.ServerRoleMembership": "Pertenencia a rol de servidor", + "SchemaCompare.ServerRoles": "Roles de servidor", + "SchemaCompare.ServerTriggers": "Desencadenadores de servidor", + "SchemaCompare.Description.IgnoreTableOptions": "Especifica si las diferencias en las opciones de tabla se ignorarán o se actualizarán al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreSemicolonBetweenStatements": "Especifica si las diferencias en los caracteres de punto y coma entre las instrucciones T-SQL se ignorarán o se actualizarán al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreRouteLifetime": "Especifica si las diferencias en el tiempo durante el cual SQL Server conserva la ruta en la tabla de enrutamiento se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreRoleMembership": "Especifica si las diferencias en la pertenencia a roles de inicios de sesión se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreQuotedIdentifiers": "Especifica si las diferencias en la configuración de identificadores entre comillas se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnorePermissions": "Especifica si se deben ignorar los permisos.", + "SchemaCompare.Description.IgnorePartitionSchemes": "Especifica si las diferencias en las funciones y los esquemas de particiones se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreObjectPlacementOnPartitionScheme": "Especifica si la colocación de un objeto en un esquema de partición se debe ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreNotForReplication": "Especifica si la configuración de no replicación se debe ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreLoginSids": "Especifica si las diferencias en el número de identificación de seguridad (SID) se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreLockHintsOnIndexes": "Especifica si las diferencias en las sugerencias de bloqueo en los índices se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreKeywordCasing": "Especifica si las diferencias en el uso de mayúsculas y minúsculas en palabras clave se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreIndexPadding": "Especifica si las diferencias en el relleno de índice se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreIndexOptions": "Especifica si las diferencias en las opciones de índice se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreIncrement": "Especifica si las diferencias en el incremento de una columna de identidad se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreIdentitySeed": "Especifica si las diferencias en el valor de inicialización de una columna de identidad se deben ignorar o actualizar al publicar actualizaciones en una base de datos.", + "SchemaCompare.Description.IgnoreUserSettingsObjects": "Especifica si las diferencias en los objetos de configuración de usuario se ignorarán o se actualizarán al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreFullTextCatalogFilePath": "Especifica si las diferencias en la ruta de acceso al archivo del catálogo de texto completo se deben ignorar o si debe generarse una advertencia al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreWhitespace": "Especifica si las diferencias en los espacios en blanco se ignorarán o se actualizarán al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreWithNocheckOnForeignKeys": "Especifica si las diferencias en el valor de la cláusula WITH NOCHECK para las claves externas se ignorarán o se actualizarán al publicar en una base de datos.", + "SchemaCompare.Description.VerifyCollationCompatibility": "Especifica si se comprueba la compatibilidad de la intercalación.", + "SchemaCompare.Description.UnmodifiableObjectWarnings": "Especifica si deben generarse advertencias cuando se encuentran diferencias en objetos que no se pueden modificar, como el caso en que el tamaño o las rutas de acceso son diferentes para un archivo.", + "SchemaCompare.Description.TreatVerificationErrorsAsWarnings": "Especifica si los errores detectados durante la comprobación de la publicación deben tratarse como advertencias. La comprobación se realiza sobre el plan de implementación generado antes de que se ejecute sobre la base de datos de destino. La comprobación del plan detecta problemas tales como la pérdida de objetos que solo existen en el destino (tales como índices) y que deben quitarse para realizar un cambio, así como la existencia de dependencias (como una tabla o vista) por referencia a un proyecto inexistentes en la base de datos de destino. Puede seleccionar esta opción para obtener una lista completa de todos los problemas en lugar de que la acción de publicación se detenga en el primer error.", + "SchemaCompare.Description.ScriptRefreshModule": "Incluir instrucciones de actualización al final del script de publicación.", + "SchemaCompare.Description.ScriptNewConstraintValidation": "Al final de la publicación, todas las restricciones se comprobarán como un conjunto, evitando errores de datos debidos a una restricción CHECK o de clave externa en medio de la publicación. Si se establece en False, las restricciones se publicarán sin comprobar los datos correspondientes.", + "SchemaCompare.Description.ScriptFileSize": "Controla si se especifica el tamaño al agregar un archivo a un grupo de archivos.", + "SchemaCompare.Description.ScriptDeployStateChecks": "Especifica si se generan instrucciones en el script de publicación para comprobar que los nombres de la base de datos y del servidor coinciden con los nombres especificados en el proyecto de base de datos.", + "SchemaCompare.Description.ScriptDatabaseOptions": "Especifica si las propiedades de la base de datos deben establecerse o actualizarse como parte de la acción de publicación.", + "SchemaCompare.Description.ScriptDatabaseCompatibility": "Especifica si las diferencias en la compatibilidad de la base de datos se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.ScriptDatabaseCollation": "Especifica si las diferencias en la intercalación de la base de datos se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.RunDeploymentPlanExecutors": "Especifica si los contribuyentes de DeploymentPlanExecutor deben ejecutarse cuando se ejecutan otras operaciones.", + "SchemaCompare.Description.RegisterDataTierApplication": "Especifica si el esquema se registra en el servidor de base de datos.", + "SchemaCompare.Description.PopulateFilesOnFileGroups": "Especifica si se crea también un nuevo archivo cuando se crea un nuevo grupo de archivos en la base de datos de destino.", + "SchemaCompare.Description.NoAlterStatementsToChangeClrTypes": "Especifica que la publicación siempre debe quitar y volver a crear un ensamblado si hay una diferencia en lugar de emitir una instrucción ALTER ASSEMBLY", + "SchemaCompare.Description.IncludeTransactionalScripts": "Especifica si las instrucciones transaccionales se deben usar siempre que sea posible al publicar en una base de datos.", + "SchemaCompare.Description.IncludeCompositeObjects": "Incluya todos los elementos compuestos como parte de una única operación de publicación.", + "SchemaCompare.Description.AllowUnsafeRowLevelSecurityDataMovement": "No bloquee la transmisión de datos en una tabla con seguridad de nivel de fila si esta propiedad está establecida en true. El valor predeterminado es false.", + "SchemaCompare.Description.IgnoreWithNocheckOnCheckConstraints": "Especifica si las diferencias en el valor de la cláusula WITH NOCHECK para las restricciones CHECK se ignorarán o se actualizarán al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreFillFactor": "Especifica si las diferencias en el factor de relleno del almacenamiento de índices se deben ignorar o si debe generarse una advertencia al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreFileSize": "Especifica si las diferencias en los tamaños de archivo se deben ignorar o si debe generarse una advertencia al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreFilegroupPlacement": "Especifica si las diferencias en la colocación de objetos en grupos de archivos se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.DoNotAlterReplicatedObjects": "Especifica si los objetos que se replican se identifican durante la verificación.", + "SchemaCompare.Description.DoNotAlterChangeDataCaptureObjects": "Si es true, los objetos de captura de datos modificados no se modifican.", + "SchemaCompare.Description.DisableAndReenableDdlTriggers": "Especifica si los desencadenadores del lenguaje de descripción de datos se deshabilitan al principio del proceso de publicación y se habilitan de nuevo al final de la acción de publicación.", + "SchemaCompare.Description.DeployDatabaseInSingleUserMode": "Si es true, la base de datos se establece en modo de usuario único antes de implementar.", + "SchemaCompare.Description.CreateNewDatabase": "Especifica si se debe actualizar la base de datos de destino o si se debe quitar y volver a crear cuando publique en una base de datos.", + "SchemaCompare.Description.CompareUsingTargetCollation": "Esta configuración determina cómo se controla la intercalación de la base de datos durante la implementación; de forma predeterminada, la intercalación de la base de datos de destino se actualizará si no coincide con la intercalación especificada por el origen. Cuando se establece esta opción, se debe usar la intercalación de la base de datos de destino (o el servidor).", + "SchemaCompare.Description.CommentOutSetVarDeclarations": "Especifica si la declaración de variables SETVAR se debe convertir en comentario en el script de publicación generado. Puede elegir esta opción si piensa especificar los valores en la línea de comandos cuando publique usando una herramienta como SQLCMD.EXE.", + "SchemaCompare.Description.BlockWhenDriftDetected": "Especifica si hay que bloquear la actualización de una base de datos cuyo esquema ya no coincide con su registro o no está registrado.", + "SchemaCompare.Description.BlockOnPossibleDataLoss": "Especifica que el episodio de publicación se debe terminar ante la posibilidad de que se pierdan datos como consecuencia de la operación de publicación.", + "SchemaCompare.Description.BackupDatabaseBeforeChanges": "Hace una copia de seguridad de la base de datos antes de implementar ningún cambio.", + "SchemaCompare.Description.AllowIncompatiblePlatform": "Especifica si se va a intentar la acción a pesar de que haya plataformas incompatibles de SQL Server.", + "SchemaCompare.Description.AllowDropBlockingAssemblies": "La implementación de SqlClr usa esta propiedad para que se quiten los ensamblados de bloqueo como parte del plan de implementación. De forma predeterminada, cualquier ensamblado de bloqueo o referencia bloqueará una actualización de ensamblado si se debe quitar el ensamblado de referencia.", + "SchemaCompare.Description.DropConstraintsNotInSource": "Especifica si las restricciones que no existen en el archivo de instantánea de base de datos (.dacpac) se quitarán de la base de datos de destino al publicar en una base de datos.", + "SchemaCompare.Description.DropDmlTriggersNotInSource": "Especifica si los desencadenadores DML que no existen en el archivo de instantánea de base de datos (.dacpac) se quitarán de la base de datos de destino al publicar en una base de datos.", + "SchemaCompare.Description.DropExtendedPropertiesNotInSource": "Especifica si las propiedades extendidas que no existen en el archivo de instantánea de base de datos (.dacpac) se quitarán de la base de datos de destino al publicar en una base de datos.", + "SchemaCompare.Description.DropIndexesNotInSource": "Especifica si los índices que no existen en el archivo de instantánea de base de datos (.dacpac) se quitarán de la base de datos de destino al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreFileAndLogFilePath": "Especifica si las diferencias en las rutas de acceso de los archivos y archivos de registro se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreExtendedProperties": "Especifica si se deben omitir las propiedades extendidas.", + "SchemaCompare.Description.IgnoreDmlTriggerState": "Especifica si las diferencias en el estado habilitado o deshabilitado de los desencadenadores DML se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreDmlTriggerOrder": "Especifica si las diferencias en el orden de los desencadenadores del lenguaje de manipulación de datos (DML) se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreDefaultSchema": "Especifica si las diferencias en el esquema predeterminado se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreDdlTriggerState": "Especifica si las diferencias en el estado habilitado o deshabilitado de los desencadenadores del lenguaje de definición de datos (DDL) se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreDdlTriggerOrder": "Especifica si las diferencias en el orden de los desencadenadores del lenguaje de definición de datos (DDL) se deben ignorar o actualizar al publicar en una base de datos o en un servidor.", + "SchemaCompare.Description.IgnoreCryptographicProviderFilePath": "Especifica si las diferencias en la ruta de acceso del archivo del proveedor de servicios de cifrado se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.VerifyDeployment": "Especifica si las comprobaciones deben realizarse antes de la publicación para que esta no se detenga en caso de que haya problemas que impidan realizar la publicación correctamente. Por ejemplo, la acción de publicación podría detenerse si hay claves externas en la base de datos de destino que no existen en el proyecto de base de datos, lo que causará errores durante la publicación.", + "SchemaCompare.Description.IgnoreComments": "Especifica si las diferencias en los comentarios se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreColumnCollation": "Especifica si las diferencias en las intercalaciones de columnas se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreAuthorizer": "Especifica si las diferencias en el autorizador se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.IgnoreAnsiNulls": "Especifica si las diferencias en la configuración ANSI NULLS se deben ignorar o actualizar al publicar en una base de datos.", + "SchemaCompare.Description.GenerateSmartDefaults": "Proporciona automáticamente un valor predeterminado cuando se actualiza una tabla que contiene datos con una columna que no admite valores NULL.", + "SchemaCompare.Description.DropStatisticsNotInSource": "Especifica si las estadísticas que no existen en el archivo de instantánea de base de datos (.dacpac) se quitarán de la base de datos de destino al publicar en una base de datos.", + "SchemaCompare.Description.DropRoleMembersNotInSource": "Especifica si los miembros de rol que no están definidos en el archivo de instantánea de base de datos (.dacpac) se quitarán de la base de datos de destino al publicar actualizaciones en una base de datos. color. Por ejemplo, agregue \"column1\": red para asegurarse de que esta utilice un color rojo ", - "legendDescription": "Indica la posición y visibilidad preferidas de la leyenda del gráfico. Estos son los nombres de columna de la consulta y se asignan a la etiqueta de cada entrada de gráfico", - "labelFirstColumnDescription": "Si dataDirection es horizontal, al establecerlo como verdadero se utilizarán los valores de las primeras columnas para la leyenda.", - "columnsAsLabels": "Si dataDirection es vertical, al configurarlo como verdadero se utilizarán los nombres de columna para la leyenda.", - "dataDirectionDescription": "Define si los datos se leen desde una columna (vertical) o una fila (horizontal). Para series de tiempo esto se omite, ya que la dirección debe ser vertical.", - "showTopNData": "Si se establece showTopNData, se mostrarán solo los primeros N datos en la tabla." - }, - "sql/platform/dashboard/browser/insightRegistry": { - "schema.dashboardWidgets.InsightsRegistry": "Widget utilizado en los paneles" - }, - "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { - "resourceViewer.showActions": "Mostrar acciones", - "resourceViewerInput.resourceViewer": "Visor de recursos" - }, - "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { - "extension.contributes.resourceView.resource.id": "Identificador del recurso.", - "extension.contributes.resourceView.resource.name": "Nombre de la vista en lenguaje natural. Se mostrará", - "extension.contributes.resourceView.resource.icon": "Ruta de acceso al icono del recurso.", - "extension.contributes.resourceViewResources": "Aporta recursos a la vista de recursos.", - "requirestring": "la propiedad \"{0}\" es obligatoria y debe ser de tipo \"string\"", - "optstring": "la propiedad \"{0}\" se puede omitir o debe ser de tipo \"string\"" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { - "resourceViewer.ariaLabel": "Árbol del visor de recursos" - }, - "sql/platform/dashboard/browser/widgetRegistry": { - "schema.dashboardWidgets.all": "Widget utilizado en los paneles", - "schema.dashboardWidgets.database": "Widget utilizado en los paneles", - "schema.dashboardWidgets.server": "Widget utilizado en los paneles" - }, - "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { - "azdata.extension.contributes.widget.when": "Condición que se debe cumplir para mostrar este elemento", - "azdata.extension.contributes.widget.hideHeader": "Indica se oculta el encabezado del widget; el valor predeterminado es \"false\".", - "dashboardpage.tabName": "El título del contenedor", - "dashboardpage.rowNumber": "La fila del componente en la cuadrícula", - "dashboardpage.rowSpan": "El intervalo de fila del componente en la cuadrícula. El valor predeterminado es 1. Use \"*\" para establecer el número de filas en la cuadrícula.", - "dashboardpage.colNumber": "La columna del componente en la cuadrícula", - "dashboardpage.colspan": "El colspan del componente en la cuadrícula. El valor predeterminado es 1. Use \"*\" para definir el número de columnas en la cuadrícula.", - "azdata.extension.contributes.dashboardPage.tab.id": "Identificador único para esta pestaña. Se pasará a la extensión para cualquier solicitud.", - "dashboardTabError": "La pestaña de extensión es desconocida o no está instalada." - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { - "dashboardDatabaseProperties": "Activar o desactivar el widget de propiedades", - "dashboard.databaseproperties": "Valores de la propiedad para mostrar", - "dashboard.databaseproperties.displayName": "Nombre para mostrar de la propiedad", - "dashboard.databaseproperties.value": "Valor en el objeto de la información de la base de datos", - "dashboard.databaseproperties.ignore": "Especificar valores específicos para ignorar", - "recoveryModel": "Modelo de recuperación", - "lastDatabaseBackup": "Última copia de seguridad de la base de datos", - "lastLogBackup": "Última copia de seguridad de registros", - "compatibilityLevel": "Nivel de compatibilidad", - "owner": "Propietario", - "dashboardDatabase": "Personaliza la página del panel de base de datos", - "objectsWidgetTitle": "Búsqueda", - "dashboardDatabaseTabs": "Personaliza las pestañas de consola de base de datos" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { - "dashboardServerProperties": "Activar o desactivar el widget de propiedades", - "dashboard.serverproperties": "Valores de la propiedad para mostrar", - "dashboard.serverproperties.displayName": "Nombre para mostrar de la propiedad", - "dashboard.serverproperties.value": "Valor en el objeto de información de servidor", - "version": "Versión", - "edition": "Edición", - "computerName": "Nombre del equipo", - "osVersion": "Versión del sistema operativo", - "explorerWidgetsTitle": "Búsqueda", - "dashboardServer": "Personaliza la página del panel de servidor", - "dashboardServerTabs": "Personaliza las pestañas del panel de servidor" - }, - "sql/workbench/contrib/dashboard/browser/dashboardActions": { - "ManageAction": "Administrar" - }, - "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { - "opticon": "la propiedad \"icon\" puede omitirse o debe ser una cadena o un literal como \"{dark, light}\"" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { - "insightWidgetDescription": "Añade un widget que puede consultar un servidor o base de datos y mostrar los resultados de múltiples maneras, como un gráfico o una cuenta de resumen, entre otras.", - "insightIdDescription": "Identificador único utilizado para almacenar en caché los resultados de la información.", - "insightQueryDescription": "Consulta SQL para ejecutar. Esto debería devolver exactamente un conjunto de resultados.", - "insightQueryFileDescription": "[Opcional] Ruta de acceso a un archivo que contiene una consulta. Utilícelo si \"query\" no está establecido", - "insightAutoRefreshIntervalDescription": "[Opcional] Intervalo de actualización automática en minutos, si no se establece, no habrá actualización automática", - "actionTypes": "Acciones para utilizar", - "actionDatabaseDescription": "Base de datos de destino para la acción; puede usar el formato \"${ columnName }\" para usar un nombre de columna controlado por datos.", - "actionServerDescription": "Servidor de destino para la acción; puede usar el formato \"${ columnName }\" para usar un nombre de columna controlado por datos.", - "actionUserDescription": "Usuario de destino para la acción; puede usar el formato \"${ columnName }\" para usar un nombre de columna controlado por datos.", - "carbon.extension.contributes.insightType.id": "Identificador de la información", - "carbon.extension.contributes.insights": "Aporta conocimientos a la paleta del panel." - }, - "sql/workbench/contrib/backup/browser/backupActions": { - "backupAction.backup": "Copia de seguridad", - "backup.isPreviewFeature": "Debe habilitar las características en versión preliminar para utilizar la copia de seguridad", - "backup.commandNotSupported": "No se admite el comando de copia de seguridad para bases de datos de Azure SQL.", - "backup.commandNotSupportedForServer": "No se admite el comando de copia de seguridad en el contexto del servidor. Seleccione una base de datos y vuelva a intentarlo." - }, - "sql/workbench/contrib/restore/browser/restoreActions": { - "restoreAction.restore": "Restaurar", - "restore.isPreviewFeature": "Debe habilitar las características en versión preliminar para utilizar la restauración", - "restore.commandNotSupported": "No se admite el comando de restauración para bases de datos de Azure SQL." - }, - "sql/workbench/contrib/extensions/browser/extensionsActions": { - "showRecommendations": "Mostrar recomendaciones", - "Install Extensions": "Instalar extensiones", - "openExtensionAuthoringDocs": "Crear una extensión..." - }, - "sql/workbench/browser/editData/editDataInput": { - "connectionFailure": "Error al conectar la sesión de edición de datos" - }, - "sql/workbench/browser/modal/optionsDialog": { - "optionsDialog.ok": "Aceptar", - "optionsDialog.cancel": "Cancelar" - }, - "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { - "newDashboardTab.openDashboardExtensions": "Abrir extensiones de panel", - "newDashboardTab.ok": "Aceptar", - "newDashboardTab.cancel": "Cancelar", - "newdashboardTabDialog.noExtensionLabel": "No hay extensiones de panel instaladas en este momento. Vaya al Administrador de extensiones para explorar las extensiones recomendadas." - }, - "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { - "filebrowser.filepath": "Ruta seleccionada", - "fileFilter": "Archivos de tipo", - "fileBrowser.ok": "Aceptar", - "fileBrowser.discard": "Descartar" - }, - "sql/workbench/services/insights/browser/insightsDialogController": { - "insightsInputError": "No se pasó ningún perfil de conexión al control flotante de información", - "insightsError": "Error de Insights", - "insightsFileError": "Error al leer el archivo de consulta: ", - "insightsConfigError": "Error al analizar la configuración de la conclusión; no se pudo encontrar la matriz/cadena de consulta o el archivo de consulta" - }, - "sql/workbench/services/accountManagement/browser/accountPickerImpl": { - "azureAccount": "Cuenta de Azure", - "azureTenant": "Inquilino de Azure" - }, - "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { - "showDataExplorer": "Mostrar conexiones", - "dataExplorer.servers": "Servidores", - "dataexplorer.name": "Conexiones" - }, - "sql/workbench/contrib/tasks/browser/tasksView": { - "noTaskMessage": "No hay un historial de tareas para mostrar.", - "taskHistory.regTreeAriaLabel": "Historial de tareas", - "taskError": "Error de la tarea" - }, - "sql/workbench/services/connection/browser/connectionActions": { - "ClearRecentlyUsedLabel": "Borrar lista", - "ClearedRecentConnections": "Lista de conexiones recientes borrada", - "connectionAction.yes": "Sí", - "connectionAction.no": "No", - "clearRecentConnectionMessage": "¿Está seguro que desea eliminar todas las conexiones de la lista?", - "connectionDialog.yes": "Sí", - "connectionDialog.no": "No", - "delete": "Eliminar", - "connectionAction.GetCurrentConnectionString": "Obtener la cadena de conexión actual", - "connectionAction.connectionString": "La cadena de conexión no está disponible", - "connectionAction.noConnection": "Ninguna conexión activa disponible" - }, - "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { - "connectionTree.refresh": "Actualizar", - "connectionTree.editConnection": "Editar conexión", - "DisconnectAction": "Desconectar", - "connectionTree.addConnection": "Nueva conexión", - "connectionTree.addServerGroup": "Nuevo grupo de servidores", - "connectionTree.editServerGroup": "Editar grupo de servidores", - "activeConnections": "Mostrar conexiones activas", - "showAllConnections": "Mostrar todas las conexiones", - "recentConnections": "Conexiones recientes", - "deleteConnection": "Eliminar conexión", - "deleteConnectionGroup": "Eliminar grupo" - }, - "sql/workbench/contrib/editData/browser/editDataActions": { - "editData.run": "Ejecutar", - "disposeEditFailure": "Eliminar edición con error: ", - "editData.stop": "Detener", - "editData.showSql": "Mostrar el panel de SQL", - "editData.closeSql": "Cerrar el panel de SQL" - }, - "sql/workbench/browser/editor/profiler/profilerInput": { - "profilerInput.profiler": "Profiler", - "profilerInput.notConnected": "No conectado", - "profiler.sessionStopped": "La sesión de XEvent Profiler se detuvo inesperadamente en el servidor {0}.", - "profiler.sessionCreationError": "Error al iniciar nueva sesión", - "profiler.eventsLost": "La sesión de XEvent Profiler para {0} tiene eventos perdidos." - }, - "sql/workbench/browser/modelComponents/loadingComponent.component": { - "loadingMessage": "Cargando", - "loadingCompletedMessage": "Carga completada" - }, - "sql/workbench/services/serverGroup/browser/serverGroupDialog": { - "ServerGroupsDialogTitle": "Grupos de servidores", - "serverGroup.ok": "Aceptar", - "serverGroup.cancel": "Cancelar", - "connectionGroupName": "Nombre del grupo de servidores", - "MissingGroupNameError": "Se requiere el nombre del grupo.", - "groupDescription": "Descripción del grupo", - "groupColor": "Color del grupo" - }, - "sql/workbench/services/accountManagement/browser/accountDialogController": { - "accountDialog.addAccountErrorTitle": "Error al agregar la cuenta" - }, - "sql/workbench/services/insights/browser/insightsDialogView": { - "insights.item": "Artículo", - "insights.value": "Valor", - "insightsDetailView.name": "Detalles de la conclusión", - "property": "Propiedad", - "value": "Valor", - "InsightsDialogTitle": "Conclusiones", - "insights.dialog.items": "Artículos", - "insights.dialog.itemDetails": "Detalles del artículo" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { - "oauthFlyoutIsAlreadyOpen": "No se puede iniciar OAuth automático. Ya hay un OAuth automático en curso." - }, - "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { - "eventSort": "Ordenar por evento", - "nameColumn": "Ordenar por columna", - "profilerColumnDialog.profiler": "Profiler", - "profilerColumnDialog.ok": "Aceptar", - "profilerColumnDialog.cancel": "Cancelar" - }, - "sql/workbench/services/profiler/browser/profilerFilterDialog": { - "profilerFilterDialog.clear": "Borrar todo", - "profilerFilterDialog.apply": "Aplicar", - "profilerFilterDialog.ok": "Aceptar", - "profilerFilterDialog.cancel": "Cancelar", - "profilerFilterDialog.title": "Filtros", - "profilerFilterDialog.remove": "Quitar esta cláusula", - "profilerFilterDialog.saveFilter": "Guardar filtro", - "profilerFilterDialog.loadFilter": "Cargar filtro", - "profilerFilterDialog.addClauseText": "Agregar una cláusula", - "profilerFilterDialog.fieldColumn": "Campo", - "profilerFilterDialog.operatorColumn": "Operador", - "profilerFilterDialog.valueColumn": "Valor", - "profilerFilterDialog.isNullOperator": "Es NULL", - "profilerFilterDialog.isNotNullOperator": "No es NULL", - "profilerFilterDialog.containsOperator": "Contiene", - "profilerFilterDialog.notContainsOperator": "No contiene", - "profilerFilterDialog.startsWithOperator": "Comienza por", - "profilerFilterDialog.notStartsWithOperator": "No comienza por" - }, - "sql/workbench/contrib/editData/browser/gridActions": { - "saveAsCsv": "Guardar como CSV", - "saveAsJson": "Guardar como JSON", - "saveAsExcel": "Guardar como Excel", - "saveAsXml": "Guardar como XML", - "copySelection": "Copiar", - "copyWithHeaders": "Copiar con encabezados", - "selectAll": "Seleccionar todo" - }, - "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { - "dashboard.properties.property": "Define una propiedad para mostrar en el panel", - "dashboard.properties.property.displayName": "Qué valor utilizar como etiqueta de la propiedad", - "dashboard.properties.property.value": "Valor en el objeto al que acceder para el valor", - "dashboard.properties.property.ignore": "Especificar los valores que se ignorarán", - "dashboard.properties.property.default": "Valor predeterminado para mostrar si se omite o no hay valor", - "dashboard.properties.flavor": "Estilo para definir propiedades en un panel", - "dashboard.properties.flavor.id": "Id. del estilo", - "dashboard.properties.flavor.condition": "Condición para utilizar este tipo", - "dashboard.properties.flavor.condition.field": "Campo con el que comparar", - "dashboard.properties.flavor.condition.operator": "Operador para utilizar en la comparación", - "dashboard.properties.flavor.condition.value": "Valor con el que comparar el campo", - "dashboard.properties.databaseProperties": "Propiedades para mostrar por página de base de datos", - "dashboard.properties.serverProperties": "Propiedades para mostrar por página de servidor", - "carbon.extension.dashboard": "Define que este proveedor admite el panel de información", - "dashboard.id": "Id. de proveedor (por ejemplo MSSQL)", - "dashboard.properties": "Valores de las propiedades para mostrar en el panel" - }, - "sql/workbench/browser/modelComponents/inputbox.component": { - "invalidValueError": "Valor no válido", - "period": "{0}. {1}" - }, - "sql/workbench/browser/modelComponents/dropdown.component": { + "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { "loadingMessage": "Carga en curso", "loadingCompletedMessage": "Carga completada" }, - "sql/workbench/browser/modelComponents/declarativeTable.component": { - "blankValue": "vacío", - "checkAllColumnLabel": "Marque todas las casillas de la columna: {0}" + "sql/base/browser/ui/panel/panel.component": { + "hideTextLabel": "Ocultar etiquetas de texto", + "showTextLabel": "Mostrar etiquetas de texto" }, - "sql/workbench/api/common/extHostModelViewTree": { - "treeView.notRegistered": "No se ha registrado ninguna vista del árbol con el id. \"{0}\"." - }, - "sql/workbench/services/editData/common/editQueryRunner": { - "query.initEditExecutionFailed": "Error al inicializar la sesión de edición de datos: " - }, - "sql/workbench/services/notebook/common/notebookRegistry": { - "carbon.extension.contributes.notebook.provider": "Identificador del proveedor del cuaderno.", - "carbon.extension.contributes.notebook.fileExtensions": "Extensiones de archivo que deben estar registradas en este proveedor de cuadernos", - "carbon.extension.contributes.notebook.standardKernels": "Núcleos que deben ser estándar con este proveedor de cuadernos", - "vscode.extension.contributes.notebook.providers": "Aporta proveedores de cuadernos.", - "carbon.extension.contributes.notebook.magic": "Nombre del magic de celda, como \"%%sql\".", - "carbon.extension.contributes.notebook.language": "El lenguaje de celda que se usará si este magic de celda se incluye en la celda", - "carbon.extension.contributes.notebook.executionTarget": "Objetivo de ejecución opcional indicado por este magic, por ejemplo Spark vs SQL", - "carbon.extension.contributes.notebook.kernels": "Conjunto opcional de kernels para los que esto es válido, por ejemplo python3, pyspark, sql", - "vscode.extension.contributes.notebook.languagemagics": "Aporta el lenguaje del cuaderno." - }, - "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { - "runActiveCell": "La tecla de método abreviado F5 requiere que se seleccione una celda de código. Seleccione una para ejecutar.", - "clearResultActiveCell": "Para borrar el resultado es necesario seleccionar una celda de código. Seleccione una para ejecutar." - }, - "sql/workbench/services/notebook/browser/interfaces": { - "sqlKernel": "SQL" - }, - "sql/workbench/contrib/editData/browser/editDataEditor": { - "maxRowTaskbar": "Máximo de filas:" - }, - "sql/workbench/contrib/profiler/browser/profilerEditor": { - "profiler.viewSelectAccessibleName": "Seleccionar vista", - "profiler.sessionSelectAccessibleName": "Seleccionar sesión", - "profiler.sessionSelectLabel": "Seleccionar sesión:", - "profiler.viewSelectLabel": "Seleccionar vista:", - "text": "Texto", - "label": "Etiqueta", - "profilerEditor.value": "Valor", - "details": "Detalles" - }, - "sql/workbench/contrib/query/browser/statusBarItems": { - "status.query.timeElapsed": "Tiempo transcurrido", - "status.query.rowCount": "Recuento de filas", - "rowCount": "{0} filas", - "query.status.executing": "Ejecutando consulta...", - "status.query.status": "Estado de ejecución", - "status.query.selection-summary": "Resumen de la selección", - "status.query.summaryText": "Promedio: {0}; recuento: {1}; suma: {2}" - }, - "sql/workbench/contrib/query/browser/flavorStatus": { - "chooseSqlLang": "Elegir lenguaje SQL", - "changeProvider": "Cambiar proveedor de lenguaje SQL", - "status.query.flavor": "Tipo de lenguaje SQL", - "changeSqlProvider": "Cambiar el proveedor del motor SQL", - "alreadyConnected": "Existe una conexión mediante el motor {0}. Para cambiar, por favor desconecte o cambie la conexión", - "noEditor": "Ningún editor de texto activo en este momento", - "pickSqlProvider": "Seleccionar proveedor de lenguaje" - }, - "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { - "plotlyError": "Error al mostrar el gráfico de Plotly: {0}" - }, - "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { - "noRendererFound": "No se ha encontrado ningún representador de {0} para la salida. Tiene los siguientes tipos MIME: {1}", - "safe": "(seguro) " - }, - "sql/workbench/browser/scriptingActions": { - "scriptSelect": "Seleccionar el top 1000", - "scriptKustoSelect": "Take 10", - "scriptExecute": "Script como ejecutar", - "scriptAlter": "Script como modificar", - "editData": "Editar datos", - "scriptCreate": "Script como crear", - "scriptDelete": "Script como borrar" - }, - "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { - "providerRequired": "Un NotebookProvider con providerId válido se debe pasar a este método" - }, - "sql/workbench/api/common/extHostNotebook": { - "providerRequired": "Un NotebookProvider con providerId válido se debe pasar a este método", - "errNoProvider": "no se encontró ningún proveedor de cuadernos", - "errNoManager": "No se encontró ningún administrador", - "noServerManager": "La instancia de Notebook Manager para el cuaderno {0} no tiene un administrador de servidores. No se pueden realizar operaciones en él", - "noContentManager": "La instancia de Notebook Manager para el cuaderno {0} no tiene un administrador de contenido. No se pueden realizar operaciones en él", - "noSessionManager": "La instancia de Notebook Manager para el cuaderno {0} no tiene un administrador de sesiones. No se pueden realizar operaciones en él." - }, - "sql/workbench/services/connection/browser/connectionManagementService": { - "connection.noAzureAccount": "Error al obtener el token de cuenta de Azure para conexión", - "connectionNotAcceptedError": "Conexión no aceptada", - "connectionService.yes": "Sí", - "connectionService.no": "No", - "cancelConnectionConfirmation": "¿Seguro que desea cancelar esta conexión?" - }, - "sql/workbench/contrib/webview/browser/webViewDialog": { - "webViewDialog.ok": "Aceptar", - "webViewDialog.close": "Cerrar" - }, - "sql/workbench/contrib/notebook/browser/notebookActions": { - "loading": "Cargando kernels...", - "changing": "Cambiando kernel...", - "AttachTo": "Adjuntar a ", - "Kernel": "Kernel ", - "loadingContexts": "Cargando contextos...", - "changeConnection": "Cambiar conexión", - "selectConnection": "Seleccionar conexión", - "localhost": "localhost", - "noKernel": "Sin kernel", - "clearResults": "Borrar resultados", - "trustLabel": "De confianza", - "untrustLabel": "No de confianza", - "collapseAllCells": "Contraer celdas", - "expandAllCells": "Expandir celdas", - "noContextAvailable": "Ninguno", - "newNotebookAction": "Nuevo Notebook", - "notebook.findNext": "Buscar cadena siguiente", - "notebook.findPrevious": "Buscar cadena anterior" - }, - "sql/workbench/contrib/queryPlan/browser/queryPlan": { - "queryPlanTitle": "Plan de consulta" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { - "resourceViewer.refresh": "Actualizar" - }, - "sql/workbench/services/dialog/browser/dialogPane": { - "wizardPageNumberDisplayText": "Paso {0}" - }, - "sql/base/parts/editableDropdown/browser/dropdown": { - "editableDropdown.errorValidate": "Debe ser una opción de la lista", - "selectBox": "Seleccionar cuadro" + "sql/base/browser/ui/panel/tabActions": { + "closeTab": "Cerrar" }, "sql/base/browser/ui/selectBox/selectBox": { "alertErrorMessage": "Error: {0}", "alertWarningMessage": "Advertencia: {0}", "alertInfoMessage": "Información: {0}" }, - "sql/workbench/services/connection/browser/connectionDialogWidget": { - "connection": "Conexión", - "connecting": "Conexión en curso", - "connectType": "Tipo de conexión", - "recentConnectionTitle": "Conexiones recientes", - "savedConnectionTitle": "Conexiones guardadas", - "connectionDetailsTitle": "Detalles de conexión", - "connectionDialog.connect": "Conectar", - "connectionDialog.cancel": "Cancelar", - "connectionDialog.recentConnections": "Conexiones recientes", - "noRecentConnections": "Ninguna conexión reciente", - "connectionDialog.savedConnections": "Conexiones guardadas", - "noSavedConnections": "Ninguna conexión guardada" + "sql/base/browser/ui/table/formatters": { + "tableCell.NoDataAvailable": "no hay datos disponibles" }, - "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { - "fileBrowser.regTreeAriaLabel": "Árbol explorador de archivos" + "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { + "selectDeselectAll": "Seleccionar o deseleccionar todos" }, - "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { - "from": "De", - "to": "A", - "createNewFirewallRule": "Crear nueva regla de firewall", - "firewall.ok": "Aceptar", - "firewall.cancel": "Cancelar", - "firewallRuleDialogDescription": "La dirección IP del cliente no tiene acceso al servidor. Inicie sesión en una cuenta de Azure y cree una regla de firewall para habilitar el acceso.", - "firewallRuleHelpDescription": "Más información sobre configuración de firewall", - "filewallRule": "Regla de firewall", - "addIPAddressLabel": "Agregar mi IP de cliente ", - "addIpRangeLabel": "Agregar mi rango IP de subred" + "sql/base/browser/ui/table/plugins/headerFilter.plugin": { + "headerFilter.showFilter": "Mostrar filtro", + "table.selectAll": "Seleccionar todo", + "table.searchPlaceHolder": "Buscar", + "tableFilter.visibleCount": "{0} resultados", + "tableFilter.selectedCount": "{0} seleccionado", + "table.sortAscending": "Orden ascendente", + "table.sortDescending": "Orden descendente", + "headerFilter.ok": "Aceptar", + "headerFilter.clear": "Borrar", + "headerFilter.cancel": "Cancelar", + "table.filterOptions": "Opciones de filtro" }, - "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { - "allFiles": "Todos los archivos" + "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { + "loadingSpinner.loading": "Carga en curso" }, - "sql/workbench/services/insights/common/insightsUtils": { - "insightsDidNotFindResolvedFile": "No se pudo encontrar el archivo de consulta en ninguna de las siguientes rutas:\r\n {0}" + "sql/base/browser/ui/table/plugins/rowDetailView": { + "rowDetailView.loadError": "Error de carga..." }, - "sql/workbench/services/accountManagement/browser/accountListRenderer": { - "refreshCredentials": "Debe actualizar las credenciales para esta cuenta." + "sql/base/browser/ui/taskbar/overflowActionbar": { + "toggleMore": "Alternar más" + }, + "sql/base/common/locConstants": { + "azuredatastudio": "Azure Data Studio", + "default": "Habilitar la comprobación automática de actualizaciones. Azure Data Studio comprobará las actualizaciones de manera automática y periódica.", + "enableWindowsBackgroundUpdates": "Habilitar para descargar e instalar nuevas versiones de Azure Data Studio en segundo plano en Windows", + "showReleaseNotes": "Mostrar notas de la versión después de una actualización. Las notas de la versión se abren en una nueva ventana del explorador web.", + "dashboard.toolbar": "Menú de acción de la barra de herramientas del panel", + "notebook.cellTitle": "El menú de título de la celda del cuaderno", + "notebook.title": "El menú de título del cuaderno", + "notebook.toolbar": "Menú de la barra de herramientas del cuaderno", + "dataExplorer.action": "Menú de acción del título del contenedor de la vista dataexplorer", + "dataExplorer.context": "Menú contextual del elemento dataexplorer", + "objectExplorer.context": "Menú contextual del elemento del explorador de objetos", + "connectionDialogBrowseTree.context": "Menú contextual del árbol de búsqueda del cuadro de diálogo de conexión", + "dataGrid.context": "Menú contextual del elemento de cuadrícula de datos", + "extensionsPolicy": "Establece la directiva de seguridad para descargar extensiones.", + "InstallVSIXAction.allowNone": "La directiva de extensión no permite instalar extensiones. Cambie la directiva de extensión e inténtelo de nuevo.", + "InstallVSIXAction.successReload": "Se ha completado la instalación de la extensión {0} de VSIX. Recargue Azure Data Studio para habilitarla.", + "postUninstallTooltip": "Vuelva a cargar Azure Data Studio para completar la desinstalación de esta extensión.", + "postUpdateTooltip": "Vuelva a cargar Azure Data Studio para habilitar la extensión actualizada.", + "enable locally": "Vuelva a cargar Azure Data Studio para habilitar esta extensión localmente.", + "postEnableTooltip": "Vuelva a cargar Azure Data Studio para habilitar esta extensión.", + "postDisableTooltip": "Vuelva a cargar Azure Data Studio para deshabilitar esta extensión.", + "uninstallExtensionComplete": "Vuelva a cargar Azure Data Studio para completar la desinstalación de la extensión {0}.", + "enable remote": "Vuelva a cargar Azure Data Studio para habilitar esta extensión en {0}.", + "installExtensionCompletedAndReloadRequired": "Se ha completado la instalación de la extensión {0}. Vuelva a cargar Azure Data Studio para habilitarlo.", + "ReinstallAction.successReload": "Vuelva a cargar Azure Data Studio para completar la reinstalación de la extensión {0}.", + "recommendedExtensions": "Marketplace", + "scenarioTypeUndefined": "Es necesario proporcionar el tipo de escenario para recibir recomendaciones de extensiones.", + "incompatible": "No se puede instalar la extensión \"{0}\" debido a que no es compatible con Azure Data Studio \"{1}\".", + "newQuery": "Nueva consulta", + "miNewQuery": "Nueva &&consulta", + "miNewNotebook": "&&Nuevo cuaderno", + "maxMemoryForLargeFilesMB": "Controla la memoria disponible para Azure Data Studio después de reiniciar cuando se intentan abrir archivos grandes. Tiene el mismo efecto que si se especifica \"--max-memory=NEWSIZE\" en la línea de comandos.", + "updateLocale": "¿Desea cambiar el idioma de la interfaz de usuario de Azure Data Studio a {0} y reiniciar?", + "activateLanguagePack": "Para poder usar Azure Data Studio en {0}, Azure Data Studio debe reiniciarse.", + "watermark.newSqlFile": "Nuevo archivo SQL", + "watermark.newNotebook": "Nuevo cuaderno", + "miinstallVsix": "Instalar extensión desde el paquete VSIX" + }, + "sql/base/parts/editableDropdown/browser/dropdown": { + "editableDropdown.errorValidate": "Debe ser una opción de la lista", + "selectBox": "Seleccionar cuadro" }, "sql/platform/accounts/common/accountActions": { "addAccount": "Agregar una cuenta", @@ -10190,354 +9358,24 @@ "refreshAccount": "Vuelva a introducir sus credenciales", "NoAccountToRefresh": "No hay ninguna cuenta para actualizar" }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { - "showNotebookExplorer": "Mostrar cuadernos", - "notebookExplorer.searchResults": "Resultados de la búsqueda", - "searchPathNotFoundError": "No se encuentra la ruta de búsqueda: {0}", - "notebookExplorer.name": "Cuadernos" + "sql/platform/clipboard/browser/clipboardService": { + "imageCopyingNotSupported": "No se admite la copia de imágenes" }, - "sql/workbench/contrib/query/browser/keyboardQueryActions": { - "focusOnCurrentQueryKeyboardAction": "Centrarse en la consulta actual", - "runQueryKeyboardAction": "Ejecutar consulta", - "runCurrentQueryKeyboardAction": "Ejecutar la consulta actual", - "copyQueryWithResultsKeyboardAction": "Copiar consulta con resultados", - "queryActions.queryResultsCopySuccess": "La consulta y los resultados se han copiado correctamente.", - "runCurrentQueryWithActualPlanKeyboardAction": "Ejecutar la consulta actual con el plan real", - "cancelQueryKeyboardAction": "Cancelar consulta", - "refreshIntellisenseKeyboardAction": "Actualizar caché de IntelliSense", - "toggleQueryResultsKeyboardAction": "Alternar resultados de la consulta", - "ToggleFocusBetweenQueryEditorAndResultsAction": "Alternar enfoque entre consulta y resultados", - "queryShortcutNoEditor": "El parámetro de editor es necesario para la ejecución de un acceso directo", - "parseSyntaxLabel": "Analizar consulta", - "queryActions.parseSyntaxSuccess": "Comandos completados correctamente", - "queryActions.parseSyntaxFailure": "Error del comando: ", - "queryActions.notConnected": "Conéctese a un servidor" + "sql/platform/connection/common/connectionConfig": { + "invalidServerName": "Ya existe un grupo de servidores con el mismo nombre." }, - "sql/workbench/contrib/tasks/browser/tasksRenderer": { - "succeeded": "se realizó correctamente", - "failed": "error", - "inProgress": "en curso", - "notStarted": "no iniciado", - "canceled": "cancelado", - "canceling": "cancelando" + "sql/platform/dashboard/browser/insightRegistry": { + "schema.dashboardWidgets.InsightsRegistry": "Widget utilizado en los paneles" }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { - "chartErrorMessage": "No se puede mostrar el gráfico con los datos proporcionados" + "sql/platform/dashboard/browser/widgetRegistry": { + "schema.dashboardWidgets.all": "Widget utilizado en los paneles", + "schema.dashboardWidgets.database": "Widget utilizado en los paneles", + "schema.dashboardWidgets.server": "Widget utilizado en los paneles" }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { - "resourceViewerTable.openError": "Error al abrir el vínculo: {0}.", - "resourceViewerTable.commandError": "Error al ejecutar el comando \"{0}\": {1}." - }, - "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { - "copyFailed": "Error de copia {0}", - "notebook.showChart": "Mostrar gráfico", - "notebook.showTable": "Mostrar tabla" - }, - "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { - "doubleClickEdit": "Haga doble clic para editar.", - "addContent": "Agregue contenido aquí..." - }, - "sql/workbench/contrib/scripting/browser/scriptingActions": { - "refreshError": "Error al actualizar el nodo \"{0}\"; {1}." - }, - "sql/workbench/api/common/extHostModelViewDialog": { - "dialogDoneLabel": "Listo", - "dialogCancelLabel": "Cancelar", - "generateScriptLabel": "Generar script", - "dialogNextLabel": "Siguiente", - "dialogPreviousLabel": "Anterior", - "dashboardNotInitialized": "Las pestañas no se han inicializado." - }, - "sql/workbench/browser/modal/optionsDialogHelper": { - "optionsDialog.missingRequireField": " se requiere.", - "optionsDialog.invalidInput": "Entrada no válida. Se espera un valor numérico." - }, - "sql/workbench/services/restore/browser/restoreDialog": { - "backupFilePath": "Ruta del archivo de copia de seguridad", - "targetDatabase": "Base de datos de destino", - "restoreDialog.restore": "Restaurar", - "restoreDialog.restoreTitle": "Restauración de una base de datos", - "restoreDialog.database": "Base de datos", - "restoreDialog.backupFile": "Archivo de copia de seguridad", - "RestoreDialogTitle": "Restauración de una base de datos", - "restoreDialog.cancel": "Cancelar", - "restoreDialog.script": "Script", - "source": "Origen", - "restoreFrom": "Restaurar de", - "missingBackupFilePathError": "Se requiere la ruta de acceso del archivo de copia de seguridad.", - "multipleBackupFilePath": "Especifique una o más rutas de archivo separadas por comas", - "database": "Base de datos", - "destination": "Destino", - "restoreTo": "Restaurar en", - "restorePlan": "Plan de restauración", - "backupSetsToRestore": "Grupos de copias de seguridad para restaurar", - "restoreDatabaseFileAs": "Restaurar archivos de base de datos como", - "restoreDatabaseFileDetails": "Restaurar detalles del archivo de base de datos", - "logicalFileName": "Nombre lógico del archivo", - "fileType": "Tipo de archivo", - "originalFileName": "Nombre del archivo original", - "restoreAs": "Restaurar como", - "restoreOptions": "Opciones de restauración", - "taillogBackup": "Copia del final del registro", - "serverConnection": "Conexiones del servidor", - "generalTitle": "General", - "filesTitle": "Archivos", - "optionsTitle": "Opciones" - }, - "sql/workbench/services/insights/browser/insightDialogActions": { - "workbench.action.insights.copySelection": "Copiar celda" - }, - "sql/workbench/services/dialog/common/dialogTypes": { - "dialogModalDoneButtonLabel": "Listo", - "dialogModalCancelButtonLabel": "Cancelar" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { - "copyAndOpen": "Copiar y abrir", - "oauthDialog.cancel": "Cancelar", - "userCode": "Código de usuario", - "website": "Sitio web" - }, - "sql/workbench/browser/modelComponents/componentBase": { - "invalidIndex": "El índice {0} no es válido." - }, - "sql/workbench/services/connection/browser/cmsConnectionWidget": { - "serverDescription": "Descripción del servidor (opcional)" - }, - "sql/workbench/services/connection/browser/advancedPropertiesController": { - "connectionAdvancedProperties": "Propiedades avanzadas", - "advancedProperties.discard": "Descartar" - }, - "sql/workbench/services/notebook/common/localContentManager": { - "nbformatNotRecognized": "nbformat v{0}. {1} no reconocido", - "nbNotSupported": "Este archivo no tiene un formato válido de cuaderno", - "unknownCellType": "Celda de tipo {0} desconocido", - "unrecognizedOutput": "Tipo de salida {0} no reconocido", - "invalidMimeData": "Se espera que los datos para {0} sean una cadena o una matriz de cadenas", - "unrecognizedOutputType": "Tipo de salida {0} no reconocido" - }, - "sql/workbench/contrib/welcome/page/browser/welcomePage": { - "welcomePage": "Bienvenida", - "welcomePage.adminPack": "Paquete de administración de SQL", - "welcomePage.showAdminPack": "Paquete de administración de SQL", - "welcomePage.adminPackDescription": "El paquete de administración para SQL Server es una colección de populares extensiones de administración de bases de datos para ayudarle a administrar SQL Server.", - "welcomePage.powershell": "PowerShell", - "welcomePage.powershellDescription": "Escriba y ejecute scripts de PowerShell con el editor de consultas enriquecidas de Azure Data Studio.", - "welcomePage.dataVirtualization": "Virtualización de datos", - "welcomePage.dataVirtualizationDescription": "Virtualice datos con SQL Server 2019 y cree tablas externas por medio de asistentes interactivos.", - "welcomePage.PostgreSQL": "PostgreSQL", - "welcomePage.PostgreSQLDescription": "Conéctese a bases de datos Postgre, adminístrelas y realice consultas en ellas con Azure Data Studio.", - "welcomePage.extensionPackAlreadyInstalled": "El soporte para '{0}' ya está instalado.", - "welcomePage.willReloadAfterInstallingExtensionPack": "La ventana se volverá a cargar después de instalar compatibilidad adicional con {0}.", - "welcomePage.installingExtensionPack": "Instalando compatibilidad adicional con {0}...", - "welcomePage.extensionPackNotFound": "No se pudo encontrar el soporte para {0} con id {1}.", - "welcomePage.newConnection": "Nueva conexión", - "welcomePage.newQuery": "Nueva consulta", - "welcomePage.newNotebook": "Nuevo cuaderno", - "welcomePage.deployServer": "Implementar un servidor", - "welcome.title": "Bienvenida", - "welcomePage.new": "Nuevo", - "welcomePage.open": "Abrir...", - "welcomePage.openFile": "Abrir archivo...", - "welcomePage.openFolder": "Abrir carpeta...", - "welcomePage.startTour": "Iniciar paseo", - "closeTourBar": "Cerrar barra del paseo introductorio", - "WelcomePage.TakeATour": "¿Le gustaría dar un paseo introductorio por Azure Data Studio?", - "WelcomePage.welcome": "¡Le damos la bienvenida!", - "welcomePage.openFolderWithPath": "Abrir la carpeta {0} con la ruta de acceso {1}", - "welcomePage.install": "Instalar", - "welcomePage.installKeymap": "Instalar asignación de teclas de {0}", - "welcomePage.installExtensionPack": "Instalar compatibilidad adicional con {0}", - "welcomePage.installed": "Instalado", - "welcomePage.installedKeymap": "El mapa de teclas de {0} ya está instalado", - "welcomePage.installedExtensionPack": "La compatibilidad con {0} ya está instalada", - "ok": "Aceptar", - "details": "Detalles", - "welcomePage.background": "Color de fondo para la página de bienvenida." - }, - "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { - "profilerTextEditorAriaLabel": "Editor de Profiler para el texto del evento. Solo lectura" - }, - "sql/workbench/services/query/common/resultSerializer": { - "msgSaveFailed": "Error al guardar los resultados. ", - "resultsSerializer.saveAsFileTitle": "Selección del archivo de resultados", - "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (delimitado por comas)", - "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", - "resultsSerializer.saveAsFileExtensionExcelTitle": "Libro de Excel", - "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", - "resultsSerializer.saveAsFileExtensionTXTTitle": "Texto sin formato", - "savingFile": "Se está guardando el archivo...", - "msgSaveSucceeded": "Los resultados se han guardado correctamente en {0}.", - "openFile": "Abrir archivo" - }, - "sql/base/browser/ui/panel/panel.component": { - "hideTextLabel": "Ocultar etiquetas de texto", - "showTextLabel": "Mostrar etiquetas de texto" - }, - "sql/workbench/browser/modelComponents/queryTextEditor": { - "queryTextEditorAriaLabel": "Editor de código de modelview para modelo de vista." - }, - "sql/workbench/browser/modal/modal": { - "infoAltText": "Información", - "warningAltText": "Advertencia", - "errorAltText": "Error", - "showMessageDetails": "Mostrar detalles", - "copyMessage": "Copiar", - "closeMessage": "Cerrar", - "modal.back": "Atrás", - "hideMessageDetails": "Ocultar detalles" - }, - "sql/workbench/services/accountManagement/browser/accountDialog": { - "accountExplorer.name": "Cuentas", - "linkedAccounts": "Cuentas vinculadas", - "accountDialog.close": "Cerrar", - "accountDialog.noAccountLabel": "No hay ninguna cuenta vinculada. Agregue una cuenta.", - "accountDialog.addConnection": "Agregar una cuenta", - "accountDialog.noCloudsRegistered": "No tiene ninguna nube habilitada. Vaya a la configuración, busque la configuración de la cuenta de Azure y habilite por lo menos una nube.", - "accountDialog.didNotPickAuthProvider": "No ha seleccionado ningún proveedor de autenticación. Vuelva a intentarlo." - }, - "sql/workbench/services/query/common/queryRunner": { - "query.ExecutionFailedError": "La ejecución no se completó debido a un error inesperado: {0} {1}", - "query.message.executionTime": "Tiempo total de ejecución: {0}", - "query.message.startQueryWithRange": "Comenzó a ejecutar la consulta en la línea {0}", - "query.message.startQuery": "Se ha iniciado la ejecución del proceso por lotes ({0}).", - "elapsedBatchTime": "Tiempo de ejecución por lotes: {0}", - "copyFailed": "Error de copia {0}" - }, - "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { - "welcomePage.azdata": "Azure Data Studio", - "welcomePage.start": "Inicio", - "welcomePage.newConnection": "Nueva conexión", - "welcomePage.newQuery": "Nueva consulta", - "welcomePage.newNotebook": "Nuevo cuaderno", - "welcomePage.openFileMac": "Abrir archivo", - "welcomePage.openFileLinuxPC": "Abrir archivo", - "welcomePage.deploy": "Implementar", - "welcomePage.newDeployment": "Nueva implementación...", - "welcomePage.recent": "Reciente", - "welcomePage.moreRecent": "Más...", - "welcomePage.noRecentFolders": "No hay ninguna carpeta reciente.", - "welcomePage.help": "Ayuda", - "welcomePage.gettingStarted": "Introducción", - "welcomePage.productDocumentation": "Documentación", - "welcomePage.reportIssue": "Notificar problema o solicitud de características", - "welcomePage.gitHubRepository": "Repositorio de GitHub", - "welcomePage.releaseNotes": "Notas de la versión", - "welcomePage.showOnStartup": "Mostrar página principal al inicio", - "welcomePage.customize": "Personalizar", - "welcomePage.extensions": "Extensiones", - "welcomePage.extensionDescription": "Descargue las extensiones que necesite, incluido el paquete de administración de SQL Server y mucho más", - "welcomePage.keyboardShortcut": "Métodos abreviados de teclado", - "welcomePage.keyboardShortcutDescription": "Encuentre sus comandos favoritos y personalícelos", - "welcomePage.colorTheme": "Tema de color", - "welcomePage.colorThemeDescription": "Modifique a su gusto la apariencia del editor y el código", - "welcomePage.learn": "Información", - "welcomePage.showCommands": "Encontrar y ejecutar todos los comandos", - "welcomePage.showCommandsDescription": "Acceda rápidamente a los comandos y búsquelos desde la paleta de comandos ({0})", - "welcomePage.azdataBlog": "Descubra las novedades de esta última versión", - "welcomePage.azdataBlogDescription": "Nuevas entradas del blog mensuales que muestran nuestras nuevas características", - "welcomePage.followTwitter": "Síganos en Twitter", - "welcomePage.followTwitterDescription": "Manténgase al día sobre cómo la comunidad usa Azure Data Studio y hable directamente con los ingenieros." - }, - "sql/workbench/contrib/profiler/browser/profilerActions": { - "profilerAction.connect": "Conectar", - "profilerAction.disconnect": "Desconectar", - "start": "Inicio", - "create": "Nueva sesión", - "profilerAction.pauseCapture": "Pausar", - "profilerAction.resumeCapture": "Reanudar", - "profilerStop.stop": "Detener", - "profiler.clear": "Borrar los datos", - "profiler.clearDataPrompt": "¿Está seguro de que quiere borrar los datos?", - "profiler.yes": "Sí", - "profiler.no": "No", - "profilerAction.autoscrollOn": "Desplazamiento automático: activado", - "profilerAction.autoscrollOff": "Desplazamiento automático: desactivado", - "profiler.toggleCollapsePanel": "Alternar el panel contraído", - "profiler.editColumns": "Editar columnas", - "profiler.findNext": "Buscar la cadena siguiente", - "profiler.findPrevious": "Buscar la cadena anterior", - "profilerAction.newProfiler": "Iniciar Profiler", - "profiler.filter": "Filtrar...", - "profiler.clearFilter": "Borrar filtro", - "profiler.clearFilterPrompt": "¿Está seguro de que quiere borrar los filtros?" - }, - "sql/workbench/contrib/profiler/browser/profilerTableEditor": { - "ProfilerTableEditor.eventCountFiltered": "Eventos (filtrados): {0}/{1}", - "ProfilerTableEditor.eventCount": "Eventos: {0}", - "status.eventCount": "Recuento de eventos" - }, - "sql/base/browser/ui/table/formatters": { - "tableCell.NoDataAvailable": "no hay datos disponibles" - }, - "sql/workbench/contrib/query/browser/queryResultsView": { - "resultsTabTitle": "Resultados", - "messagesTabTitle": "Mensajes" - }, - "sql/workbench/browser/scriptingUtils": { - "scriptSelectNotFound": "No se devolvió ningún script al llamar al script de selección en el objeto ", - "selectOperationName": "Seleccionar", - "createOperationName": "Crear", - "insertOperationName": "Insertar", - "updateOperationName": "Actualizar", - "deleteOperationName": "Eliminar", - "scriptNotFoundForObject": "No se devolvió ningún script al escribir como {0} en el objeto {1}", - "scriptingFailed": "Error de scripting", - "scriptNotFound": "No se devolvió ningún script al ejecutar el script como {0}" - }, - "sql/platform/theme/common/colors": { - "tableHeaderBackground": "Color de fondo de encabezado de tabla", - "tableHeaderForeground": "Color de primer plano de encabezado de tabla", - "listFocusAndSelectionBackground": "Color de fondo de lista/tabla para el elemento seleccionado y elemento de enfoque cuando la lista/tabla está activa", - "tableCellOutline": "Color del contorno de una celda.", - "disabledInputBoxBackground": "Se ha deshabilitado el fondo del cuadro de entrada.", - "disabledInputBoxForeground": "Se ha deshabilitado el primer plano del cuadro de entrada.", - "buttonFocusOutline": "Contorno del botón resaltado cuando se enfoca", - "disabledCheckboxforeground": "Se ha deshabilitado el primer plano de la casilla.", - "agentTableBackground": "Color de fondo de la tabla del Agente SQL.", - "agentCellBackground": "Color de fondo de celda de la tabla del Agente SQL.", - "agentTableHoverBackground": "Color de fondo al mantener el mouse de la tabla del Agente SQL.", - "agentJobsHeadingColor": "Color de fondo del encabezado del Agente SQL.", - "agentCellBorderColor": "Color del borde de la celda de la tabla del Agente SQL.", - "resultsErrorColor": "Color de error de mensajes de resultados." - }, - "sql/workbench/contrib/backup/browser/backup.component": { - "backup.backupName": "Nombre de copia de seguridad", - "backup.recoveryModel": "Modelo de recuperación", - "backup.backupType": "Tipo de copia de seguridad", - "backup.backupDevice": "Archivos de copia de seguridad", - "backup.algorithm": "Algoritmo", - "backup.certificateOrAsymmetricKey": "Certificado o clave asimétrica", - "backup.media": "Multimedia", - "backup.mediaOption": "Realizar la copia de seguridad sobre el conjunto de medios existente", - "backup.mediaOptionFormat": "Realizar copia de seguridad en un nuevo conjunto de medios", - "backup.existingMediaAppend": "Añadir al conjunto de copia de seguridad existente", - "backup.existingMediaOverwrite": "Sobrescribir todos los conjuntos de copia de seguridad existentes", - "backup.newMediaSetName": "Nuevo nombre de conjunto de medios", - "backup.newMediaSetDescription": "Nueva descripción del conjunto de medios", - "backup.checksumContainer": "Realizar la suma de comprobación antes de escribir en los medios", - "backup.verifyContainer": "Comprobar copia de seguridad cuando haya terminado", - "backup.continueOnErrorContainer": "Seguir en caso de error", - "backup.expiration": "Expiración", - "backup.setBackupRetainDays": "Configure los días de conservación de la copia de seguridad", - "backup.copyOnly": "Copia de seguridad de solo copia", - "backup.advancedConfiguration": "Configuración avanzada", - "backup.compression": "Compresión", - "backup.setBackupCompression": "Establecer la compresión de copia de seguridad", - "backup.encryption": "Cifrado", - "backup.transactionLog": "Registro de transacciones", - "backup.truncateTransactionLog": "Truncar el registro de transacciones", - "backup.backupTail": "Hacer copia de seguridad de la cola del registro", - "backup.reliability": "Fiabilidad", - "backup.mediaNameRequired": "El nombre del medio es obligatorio", - "backup.noEncryptorWarning": "No hay certificado o clave asimétrica disponible", - "addFile": "Agregar un archivo", - "removeFile": "Eliminar archivos", - "backupComponent.invalidInput": "Entrada no válida. El valor debe ser igual o mayor que 0.", - "backupComponent.script": "Script", - "backupComponent.backup": "Copia de seguridad", - "backupComponent.cancel": "Cancelar", - "backup.containsBackupToUrlError": "Solo se admite la copia de seguridad en un archivo", - "backup.backupFileRequired": "La ruta del archivo de copia de seguridad es obligatoria" + "sql/platform/serialization/common/serializationService": { + "saveAsNotSupported": "El guardado de resultados en diferentes formatos se ha deshabilitado para este proveedor de datos.", + "noSerializationProvider": "No se pueden serializar datos ya que no se ha registrado ningún proveedor", + "unknownSerializationError": "Error desconocido en la serialización" }, "sql/platform/theme/common/colorRegistry": { "tileBorder": "Color del borde de los iconos", @@ -10587,231 +9425,184 @@ "calloutDialogBodyBackground": "Fondo del cuerpo del cuadro de diálogo de llamada.", "calloutDialogShadowColor": "Color de sombra del cuadro de diálogo de llamada." }, - "sql/workbench/contrib/views/browser/treeView": { - "no-dataprovider": "No hay ningún proveedor de datos registrado que pueda proporcionar datos de la vista.", - "refresh": "Actualizar", - "collapseAll": "Contraer todo", - "command-error": "Error al ejecutar el comando {1}: {0}. Probablemente esté provocado por la extensión que contribuye a {1}." + "sql/platform/theme/common/colors": { + "tableHeaderBackground": "Color de fondo de encabezado de tabla", + "tableHeaderForeground": "Color de primer plano de encabezado de tabla", + "listFocusAndSelectionBackground": "Color de fondo de lista/tabla para el elemento seleccionado y elemento de enfoque cuando la lista/tabla está activa", + "tableCellOutline": "Color del contorno de una celda.", + "disabledInputBoxBackground": "Se ha deshabilitado el fondo del cuadro de entrada.", + "disabledInputBoxForeground": "Se ha deshabilitado el primer plano del cuadro de entrada.", + "buttonFocusOutline": "Contorno del botón resaltado cuando se enfoca", + "disabledCheckboxforeground": "Se ha deshabilitado el primer plano de la casilla.", + "agentTableBackground": "Color de fondo de la tabla del Agente SQL.", + "agentCellBackground": "Color de fondo de celda de la tabla del Agente SQL.", + "agentTableHoverBackground": "Color de fondo al mantener el mouse de la tabla del Agente SQL.", + "agentJobsHeadingColor": "Color de fondo del encabezado del Agente SQL.", + "agentCellBorderColor": "Color del borde de la celda de la tabla del Agente SQL.", + "resultsErrorColor": "Color de error de mensajes de resultados." }, - "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { - "notebook.failed": "Seleccione la celda activa y vuelva a intentarlo", - "runCell": "Ejecutar celda", - "stopCell": "Cancelar ejecución", - "errorRunCell": "Error en la última ejecución. Haga clic para volver a ejecutar" + "sql/workbench/api/browser/mainThreadExtensionManagement": { + "workbench.generalObsoleteApiNotification": "Algunas de las extensiones cargadas utilizan API obsoletas, consulte la información detallada en la pestaña Consola de la ventana Herramientas de desarrollo", + "dontShowAgain": "No mostrar de nuevo" }, - "sql/workbench/contrib/tasks/common/tasksAction": { - "cancelTask.cancel": "Cancelar", - "errorMsgFromCancelTask": "La tarea no se pudo cancelar.", - "taskAction.script": "Script" - }, - "sql/base/browser/ui/taskbar/overflowActionbar": { - "toggleMore": "Alternar más" - }, - "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { - "loadingSpinner.loading": "Carga en curso" - }, - "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { - "homeCrumb": "Inicio" - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { - "dashboardNavSection.loadTabError": "La sección \"{0}\" tiene contenido no válido. Póngase en contacto con el propietario de la extensión." - }, - "sql/workbench/contrib/jobManagement/browser/agentView.component": { - "jobview.Jobs": "Trabajos", - "jobview.Notebooks": "Notebooks", - "jobview.Alerts": "Alertas", - "jobview.Proxies": "Servidores proxy", - "jobview.Operators": "Operadores" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { - "serverPageName": "Propiedades del servidor" - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { - "databasePageName": "Propiedades de la base de datos" - }, - "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { - "selectDeselectAll": "Seleccionar o deseleccionar todos" - }, - "sql/base/browser/ui/table/plugins/headerFilter.plugin": { - "headerFilter.showFilter": "Mostrar filtro", - "headerFilter.ok": "Aceptar", - "headerFilter.clear": "Borrar", - "headerFilter.cancel": "Cancelar" - }, - "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { - "treeAriaLabel": "Conexiones recientes", - "serversAriaLabel": "Servidores", - "treeCreation.regTreeAriaLabel": "Servidores" - }, - "sql/workbench/services/restore/common/constants": { - "backup.filterBackupFiles": "Archivos de copia de seguridad", - "backup.allFiles": "Todos los archivos" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { - "label.Search": "Búsqueda: Escriba el término de búsqueda y presione Entrar para buscar o Esc para cancelar", - "search.placeHolder": "Buscar" - }, - "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { - "dashboard.changeDatabaseFailure": "No se pudo cambiar la base de datos" - }, - "sql/workbench/contrib/jobManagement/browser/alertsView.component": { - "jobAlertColumns.name": "Nombre", - "jobAlertColumns.lastOccurrenceDate": "Última aparición", - "jobAlertColumns.enabled": "Habilitado", - "jobAlertColumns.delayBetweenResponses": "Retraso entre las respuestas (en segundos)", - "jobAlertColumns.categoryName": "Nombre de la categoría" - }, - "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { - "jobOperatorsView.name": "Nombre", - "jobOperatorsView.emailAddress": "Dirección de correo electrónico", - "jobOperatorsView.enabled": "Habilitado" - }, - "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { - "jobProxiesView.accountName": "Nombre de la cuenta", - "jobProxiesView.credentialName": "Nombre de credencial", - "jobProxiesView.description": "Descripción", - "jobProxiesView.isEnabled": "Habilitado" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { - "loadingObjects": "Cargando de los objetos en curso", - "loadingDatabases": "Carga de las bases de datos en curso", - "loadingObjectsCompleted": "La carga de los objetos se ha completado.", - "loadingDatabasesCompleted": "La carga de las bases de datos se ha completado.", - "seachObjects": "Buscar por nombre de tipo (t:, v:, f: o sp:)", - "searchDatabases": "Buscar en las bases de datos", - "dashboard.explorer.objectError": "No se pueden cargar objetos", - "dashboard.explorer.databaseError": "No se pueden cargar las bases de datos" - }, - "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { - "loadingProperties": "Carga de las propiedades en curso", - "loadingPropertiesCompleted": "La carga de las propiedades se ha completado.", - "dashboard.properties.error": "No se pueden cargar las propiedades del panel" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { - "insightsWidgetLoadingMessage": "Carga de {0} en curso", - "insightsWidgetLoadingCompletedMessage": "Carga de {0} completada", - "insights.autoRefreshOffState": "Actualización automática: DESACTIVADA", - "insights.lastUpdated": "Última actualización: {0} {1}", - "noResults": "No hay resultados para mostrar" - }, - "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { - "agent.steps": "Pasos" - }, - "sql/workbench/contrib/query/browser/actions": { - "saveAsCsv": "Guardar como CSV", - "saveAsJson": "Guardar como JSON", - "saveAsExcel": "Guardar como Excel", - "saveAsXml": "Guardar como XML", - "jsonEncoding": "La codificación de los resultados no se guardará al realizar la exportación en JSON. Recuerde guardarlos con la codificación deseada una vez que se cree el archivo.", - "saveToFileNotSupported": "El origen de datos de respaldo no admite la opción Guardar en archivo", - "copySelection": "Copiar", - "copyWithHeaders": "Copiar con encabezados", - "selectAll": "Seleccionar todo", - "maximize": "Maximizar", - "restore": "Restaurar", - "chart": "Gráfico", - "visualizer": "Visualizador" + "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { + "runActiveCell": "La tecla de método abreviado F5 requiere que se seleccione una celda de código. Seleccione una para ejecutar.", + "clearResultActiveCell": "Para borrar el resultado es necesario seleccionar una celda de código. Seleccione una para ejecutar." }, "sql/workbench/api/common/extHostModelView": { "unknownComponentType": "Tipo de componente desconocido. Debe utilizar ModelBuilder para crear objetos", "invalidIndex": "El índice {0} no es válido.", "unknownConfig": "Configuración del componente desconocida, debe usar ModelBuilder para crear un objeto de configuración" }, - "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { - "stepRow.stepID": "Id. de paso", - "stepRow.stepName": "Nombre del paso", - "stepRow.message": "Mensaje" + "sql/workbench/api/common/extHostModelViewDialog": { + "dialogDoneLabel": "Listo", + "dialogCancelLabel": "Cancelar", + "generateScriptLabel": "Generar script", + "dialogNextLabel": "Siguiente", + "dialogPreviousLabel": "Anterior", + "dashboardNotInitialized": "Las pestañas no se han inicializado." }, - "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { - "label.find": "Buscar", - "placeholder.find": "Buscar", - "label.previousMatchButton": "Coincidencia anterior", - "label.nextMatchButton": "Coincidencia siguiente", - "label.closeButton": "Cerrar", - "title.matchesCountLimit": "La búsqueda ha devuelto un gran número de resultados, se resaltarán solo las primeras 999 coincidencias.", - "label.matchesLocation": "{0} de {1}", - "label.noResults": "No hay ningún resultado." + "sql/workbench/api/common/extHostModelViewTree": { + "treeView.notRegistered": "No se ha registrado ninguna vista del árbol con el id. \"{0}\"." }, - "sql/workbench/contrib/charts/browser/chartView": { - "horizontalBarAltName": "Barra horizontal", - "barAltName": "Barras", - "lineAltName": "Línea", - "pieAltName": "Circular", - "scatterAltName": "Dispersión", - "timeSeriesAltName": "Serie temporal", - "imageAltName": "Imagen", - "countAltName": "Recuento", - "tableAltName": "Tabla", - "doughnutAltName": "Anillo", - "charting.failedToGetRows": "No se pudieron obtener las filas para el conjunto de datos en el gráfico.", - "charting.unsupportedType": "No se admite el tipo de gráfico \"{0}\"." + "sql/workbench/api/common/extHostNotebook": { + "providerRequired": "Un NotebookProvider con providerId válido se debe pasar a este método", + "errNoProvider": "no se encontró ningún proveedor de cuadernos", + "errNoManager": "No se encontró ningún administrador", + "noServerManager": "La instancia de Notebook Manager para el cuaderno {0} no tiene un administrador de servidores. No se pueden realizar operaciones en él", + "noContentManager": "La instancia de Notebook Manager para el cuaderno {0} no tiene un administrador de contenido. No se pueden realizar operaciones en él", + "noSessionManager": "La instancia de Notebook Manager para el cuaderno {0} no tiene un administrador de sesiones. No se pueden realizar operaciones en él." }, - "sql/workbench/contrib/notebook/browser/cellViews/code.component": { - "parametersText": "Parámetros" + "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { + "providerRequired": "Un NotebookProvider con providerId válido se debe pasar a este método" }, - "sql/workbench/services/connection/browser/localizedConstants": { - "onDidConnectMessage": "Se ha conectado a", - "onDidDisconnectMessage": "Desconectado", - "unsavedGroupLabel": "Conexiones sin guardar" + "sql/workbench/browser/actions": { + "manage": "Administrar", + "showDetails": "Mostrar detalles", + "configureDashboardLearnMore": "Más información", + "clearSavedAccounts": "Borrar todas las cuentas guardadas" }, - "sql/workbench/services/connection/browser/connectionBrowseTab": { - "connectionDialog.browser": "Examinar (versión preliminar)", - "connectionDialog.FilterPlaceHolder": "Escriba aquí para filtrar la lista", - "connectionDialog.FilterInputTitle": "Filtrado de conexiones", - "connectionDialog.ApplyingFilter": "Aplicación de filtro en curso", - "connectionDialog.RemovingFilter": "Eliminación del filtro en curso", - "connectionDialog.FilterApplied": "Filtro aplicado", - "connectionDialog.FilterRemoved": "Filtro quitado", - "savedConnections": "Conexiones guardadas", - "savedConnection": "Conexiones guardadas", - "connectionBrowserTree": "Árbol del explorador de conexiones" + "sql/workbench/browser/actions.contribution": { + "previewFeatures.configTitle": "Características en versión preliminar", + "previewFeatures.configEnable": "Habilitar las características de la versión preliminar sin publicar", + "showConnectDialogOnStartup": "Mostrar diálogo de conexión al inicio", + "enableObsoleteApiUsageNotificationTitle": "Notificación de API obsoleta", + "enableObsoleteApiUsageNotification": "Activar/desactivar la notificación de uso de API obsoleta" }, - "sql/workbench/contrib/extensions/browser/staticRecommendations": { - "defaultRecommendations": "Azure Data Studio recomienda esta extensión." + "sql/workbench/browser/editData/editDataInput": { + "connectionFailure": "Error al conectar la sesión de edición de datos" }, - "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { - "neverShowAgain": "No volver a mostrar", - "ExtensionsRecommended": "Azure Data Studio cuenta con extensiones recomendadas.", - "VisualizerExtensionsRecommended": "Azure Data Studio cuenta con extensiones recomendadas para la visualización de datos.\r\nUna vez instaladas, podrá seleccionar el icono Visualizador para ver los resultados de las consultas.", - "installAll": "Instalar todo", - "showRecommendations": "Mostrar recomendaciones", - "scenarioTypeUndefined": "Es necesario proporcionar el tipo de escenario para recibir recomendaciones de extensiones." + "sql/workbench/browser/editor/profiler/profilerInput": { + "profilerInput.profiler": "Profiler", + "profilerInput.notConnected": "No conectado", + "profiler.sessionStopped": "La sesión de XEvent Profiler se detuvo inesperadamente en el servidor {0}.", + "profiler.sessionCreationError": "Error al iniciar nueva sesión", + "profiler.eventsLost": "La sesión de XEvent Profiler para {0} tiene eventos perdidos." }, - "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { - "welcomePage.previewBody": "Esta página de características está en versión preliminar. Las características en versión preliminar presentan nuevas funcionalidades que están en proceso de convertirse en parte permanente del producto. Son estables, pero necesitan mejoras de accesibilidad adicionales. Agradeceremos sus comentarios iniciales mientras están en desarrollo.", - "welcomePage.preview": "Versión preliminar", - "welcomePage.createConnection": "Crear una conexión", - "welcomePage.createConnectionBody": "Conéctese a una instancia de una base de datos por medio del cuadro de diálogo de conexión.", - "welcomePage.runQuery": "Ejecutar una consulta", - "welcomePage.runQueryBody": "Interactúe con los datos por medio de un editor de consultas.", - "welcomePage.createNotebook": "Crear un cuaderno", - "welcomePage.createNotebookBody": "Cree un nuevo cuaderno con un editor de cuadernos nativo.", - "welcomePage.deployServer": "Implementar un servidor", - "welcomePage.deployServerBody": "Cree una nueva instancia de un servicio de datos relacionales en la plataforma de su elección.", - "welcomePage.resources": "Recursos", - "welcomePage.history": "Historial", - "welcomePage.name": "Nombre", - "welcomePage.location": "Ubicación", - "welcomePage.moreRecent": "Mostrar más", - "welcomePage.showOnStartup": "Mostrar página principal al inicio", - "welcomePage.usefuLinks": "Vínculos útiles", - "welcomePage.gettingStarted": "Introducción", - "welcomePage.gettingStartedBody": "Descubra las funcionalidades que ofrece Azure Data Studio y aprenda a sacarles el máximo partido.", - "welcomePage.documentation": "Documentación", - "welcomePage.documentationBody": "Visite el centro de documentación para acceder a guías de inicio rápido y paso a paso, así como consultar referencias para PowerShell, API, etc.", - "welcomePage.videoDescriptionOverview": "Información general de Azure Data Studio", - "welcomePage.videoDescriptionIntroduction": "Introducción a los cuadernos de Azure Data Studio | Datos expuestos", - "welcomePage.extensions": "Extensiones", - "welcomePage.showAll": "Mostrar todo", - "welcomePage.learnMore": "Más información " + "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { + "resourceViewer.showActions": "Mostrar acciones", + "resourceViewerInput.resourceViewer": "Visor de recursos" }, - "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { - "notebookHistory.dateCreatedTooltip": "Fecha de creación: ", - "notebookHistory.notebookErrorTooltip": "Error del Notebook: ", - "notebookHistory.ErrorTooltip": "Error de trabajo: ", - "notebookHistory.pinnedTitle": "Anclado", - "notebookHistory.recentRunsTitle": "Ejecuciones recientes", - "notebookHistory.pastRunsTitle": "Ejecuciones pasadas" + "sql/workbench/browser/modal/modal": { + "infoAltText": "Información", + "warningAltText": "Advertencia", + "errorAltText": "Error", + "showMessageDetails": "Mostrar detalles", + "copyMessage": "Copiar", + "closeMessage": "Cerrar", + "modal.back": "Atrás", + "hideMessageDetails": "Ocultar detalles" + }, + "sql/workbench/browser/modal/optionsDialog": { + "optionsDialog.ok": "Aceptar", + "optionsDialog.cancel": "Cancelar" + }, + "sql/workbench/browser/modal/optionsDialogHelper": { + "optionsDialog.missingRequireField": " se requiere.", + "optionsDialog.invalidInput": "Entrada no válida. Se espera un valor numérico." + }, + "sql/workbench/browser/modelComponents/componentBase": { + "invalidIndex": "El índice {0} no es válido." + }, + "sql/workbench/browser/modelComponents/declarativeTable.component": { + "blankValue": "vacío", + "checkAllColumnLabel": "Marque todas las casillas de la columna: {0}", + "declarativeTable.showActions": "Mostrar acciones" + }, + "sql/workbench/browser/modelComponents/dropdown.component": { + "loadingMessage": "Carga en curso", + "loadingCompletedMessage": "Carga completada" + }, + "sql/workbench/browser/modelComponents/inputbox.component": { + "invalidValueError": "Valor no válido", + "period": "{0}. {1}" + }, + "sql/workbench/browser/modelComponents/loadingComponent.component": { + "loadingMessage": "Cargando", + "loadingCompletedMessage": "Carga completada" + }, + "sql/workbench/browser/modelComponents/queryTextEditor": { + "queryTextEditorAriaLabel": "Editor de código de modelview para modelo de vista." + }, + "sql/workbench/browser/modelComponents/viewBase": { + "componentTypeNotRegistered": "No pudo encontrar el componente para el tipo {0}" + }, + "sql/workbench/browser/parts/editor/editorStatusModeSelect": { + "languageChangeUnsupported": "No se admite el cambio de tipos de editor en archivos no guardados" + }, + "sql/workbench/browser/scriptingActions": { + "scriptSelect": "Seleccionar el top 1000", + "scriptKustoSelect": "Take 10", + "scriptExecute": "Script como ejecutar", + "scriptAlter": "Script como modificar", + "editData": "Editar datos", + "scriptCreate": "Script como crear", + "scriptDelete": "Script como borrar" + }, + "sql/workbench/browser/scriptingUtils": { + "scriptSelectNotFound": "No se devolvió ningún script al llamar al script de selección en el objeto ", + "selectOperationName": "Seleccionar", + "createOperationName": "Crear", + "insertOperationName": "Insertar", + "updateOperationName": "Actualizar", + "deleteOperationName": "Eliminar", + "scriptNotFoundForObject": "No se devolvió ningún script al escribir como {0} en el objeto {1}", + "scriptingFailed": "Error de scripting", + "scriptNotFound": "No se devolvió ningún script al ejecutar el script como {0}" + }, + "sql/workbench/common/editor/query/queryEditorInput": { + "disconnected": "desconectado" + }, + "sql/workbench/common/editor/query/queryResultsInput": { + "extensionsInputName": "Extensión" + }, + "sql/workbench/common/theme": { + "verticalTabActiveBackground": "Color de fondo de la pestaña activa para pestañas verticales", + "dashboardBorder": "Color de los bordes en el panel", + "dashboardWidget": "Color del título del widget de panel", + "dashboardWidgetSubtext": "Color del subtexto del widget de panel", + "propertiesContainerPropertyValue": "Color de los valores de propiedad que se muestran en el componente de contenedor de propiedades", + "propertiesContainerPropertyName": "Color de los nombres de la propiedad que se muestran en el componente del contenedor de propiedades", + "toolbarOverflowShadow": "Color de sombra del texto de desbordamiento de la barra de herramientas" + }, + "sql/workbench/contrib/accounts/browser/accountManagement.contribution": { + "carbon.extension.contributes.account.id": "Identificador del tipo de cuenta", + "carbon.extension.contributes.account.icon": "(Opcional) El icono que se usa para representar la cuenta en la IU. Una ruta de acceso al archivo o una configuración con temas", + "carbon.extension.contributes.account.icon.light": "Ruta del icono cuando se usa un tema ligero", + "carbon.extension.contributes.account.icon.dark": "Ruta de icono cuando se usa un tema oscuro", + "carbon.extension.contributes.account": "Aporta iconos al proveedor de la cuenta." + }, + "sql/workbench/contrib/assessment/browser/asmtActions": { + "asmtaction.server.getitems": "Ver reglas aplicables", + "asmtaction.database.getitems": "Ver reglas aplicables para {0}", + "asmtaction.server.invokeitems": "Invocar evaluación", + "asmtaction.database.invokeitems": "Invocar evaluación para {0}", + "asmtaction.exportasscript": "Exportar como script", + "asmtaction.showsamples": "Ver todas las reglas y obtener más información en GitHub", + "asmtaction.generatehtmlreport": "Crear informe en HTML", + "asmtaction.openReport": "El informe se ha guardado. ¿Quiere abrirlo?", + "asmtaction.label.open": "Abrir", + "asmtaction.label.cancel": "Cancelar" }, "sql/workbench/contrib/assessment/browser/asmtResultsView.component": { "asmt.NoResultsInitial": "No hay nada que mostrar. Invoque una evaluación para obtener resultados.", @@ -10821,110 +9612,6 @@ "asmt.TargetInstanceComplient": "La instancia de {0} es totalmente conforme con los procedimientos recomendados. ¡Buen trabajo!", "asmt.TargetDatabaseComplient": "La base de datos {0} es totalmente conforme con los procedimientos recomendados. ¡Buen trabajo!" }, - "sql/workbench/contrib/charts/browser/chartTab": { - "chartTabTitle": "Gráfico" - }, - "sql/workbench/contrib/queryPlan/browser/topOperations": { - "topOperations.operation": "Operación", - "topOperations.object": "Objeto", - "topOperations.estCost": "Costo estimado", - "topOperations.estSubtreeCost": "Coste del subárbol estimado", - "topOperations.actualRows": "Filas reales", - "topOperations.estRows": "Filas estimadas", - "topOperations.actualExecutions": "Ejecuciones reales", - "topOperations.estCPUCost": "Costo de CPU estimado", - "topOperations.estIOCost": "Costo de E/S estimado", - "topOperations.parallel": "Paralelo", - "topOperations.actualRebinds": "Reenlaces reales", - "topOperations.estRebinds": "Reenlaces estimados", - "topOperations.actualRewinds": "Rebobinados reales", - "topOperations.estRewinds": "Rebobinados estimados", - "topOperations.partitioned": "Particionado", - "topOperationsTitle": "Operaciones principales" - }, - "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { - "servers.noConnections": "No se ha encontrado una conexión.", - "serverTree.addConnection": "Agregar conexión" - }, - "sql/workbench/services/connection/browser/connectionWidget": { - "connectionWidget.AddAzureAccount": "Agregar una cuenta...", - "defaultDatabaseOption": "", - "loadingDatabaseOption": "Cargando...", - "serverGroup": "Grupo de servidores", - "defaultServerGroup": "", - "addNewServerGroup": "Agregar nuevo grupo...", - "noneServerGroup": "", - "connectionWidget.missingRequireField": "{0} es necesario.", - "connectionWidget.fieldWillBeTrimmed": "{0} se recortará.", - "rememberPassword": "Recordar contraseña", - "connection.azureAccountDropdownLabel": "Cuenta", - "connectionWidget.refreshAzureCredentials": "Actualizar credenciales de la cuenta", - "connection.azureTenantDropdownLabel": "Inquilino de Azure AD", - "connectionName": "Nombre (opcional)", - "advanced": "Avanzado...", - "connectionWidget.invalidAzureAccount": "Debe seleccionar una cuenta" - }, - "sql/workbench/contrib/backup/common/constants": { - "backup.labelDatabase": "Base de datos", - "backup.labelFilegroup": "Archivos y grupos de archivos", - "backup.labelFull": "Completa", - "backup.labelDifferential": "Diferencial", - "backup.labelLog": "Registro de transacciones", - "backup.labelDisk": "Disco", - "backup.labelUrl": "URL", - "backup.defaultCompression": "Utilizar la configuración del servidor predeterminada", - "backup.compressBackup": "Comprimir copia de seguridad", - "backup.doNotCompress": "No comprimir copia de seguridad", - "backup.serverCertificate": "Certificado de servidor", - "backup.asymmetricKey": "Clave asimétrica" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { - "searchWithoutFolder": "No ha abierto ninguna carpeta que contenga cuadernos o libros. ", - "openNotebookFolder": "Abrir cuaderno", - "searchMaxResultsWarning": "El conjunto de resultados solo contiene un subconjunto de todas las coincidencias. Sea más específico en la búsqueda para acotar los resultados.", - "searchInProgress": "Búsqueda en curso... ", - "noResultsIncludesExcludes": "No se encontraron resultados en '{0}' con exclusión de '{1}' - ", - "noResultsIncludes": "No se encontraron resultados en '{0}' - ", - "noResultsExcludes": "No se encontraron resultados con exclusión de '{0}' - ", - "noResultsFound": "No se encontraron resultados. Revise la configuración para configurar exclusiones y verificar sus archivos gitignore -", - "rerunSearch.message": "Vuelva a realizar la búsqueda.", - "cancelSearch.message": "Cancele la búsqueda.", - "rerunSearchInAll.message": "Buscar de nuevo en todos los archivos", - "openSettings.message": "Abrir configuración", - "ariaSearchResultsStatus": "La búsqueda devolvió {0} resultados en {1} archivos", - "ToggleCollapseAndExpandAction.label": "Alternar Contraer y expandir", - "CancelSearchAction.label": "Cancelar búsqueda", - "ExpandAllAction.label": "Expandir todo", - "CollapseDeepestExpandedLevelAction.label": "Contraer todo", - "ClearSearchResultsAction.label": "Borrar resultados de la búsqueda" - }, - "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { - "GuidedTour.connections": "Conexiones", - "GuidedTour.makeConnections": "Conéctese a SQL Server y Azure, realice consultas, administre las conexiones y mucho más.", - "GuidedTour.one": "1", - "GuidedTour.next": "Siguiente", - "GuidedTour.notebooks": "Cuadernos", - "GuidedTour.gettingStartedNotebooks": "Empiece a crear su propio cuaderno o colección de cuadernos en un solo lugar.", - "GuidedTour.two": "2", - "GuidedTour.extensions": "Extensiones", - "GuidedTour.addExtensions": "Amplíe la funcionalidad de Azure Data Studio mediante la instalación de extensiones desarrolladas por nosotros y Microsoft, así como por la comunidad de terceros (es decir, ¡usted!).", - "GuidedTour.three": "3", - "GuidedTour.settings": "Configuración", - "GuidedTour.makeConnesetSettings": "Personalice Azure Data Studio según sus preferencias. Puede configurar opciones como el autoguardado y el tamaño de las pestañas, personalizar los métodos abreviados de teclado y cambiar a un tema de color de su gusto.", - "GuidedTour.four": "4", - "GuidedTour.welcomePage": "Página de bienvenida", - "GuidedTour.discoverWelcomePage": "Descubra las principales características, los archivos abiertos recientemente y las extensiones recomendadas en la página de bienvenida. Para obtener más información sobre cómo empezar a trabajar con Azure Data Studio, consulte los vídeos y la documentación.", - "GuidedTour.five": "5", - "GuidedTour.finish": "Finalizar", - "guidedTour": "Paseo de bienvenida para el usuario", - "hideGuidedTour": "Ocultar paseo de presentación", - "GuidedTour.readMore": "Más información", - "help": "Ayuda" - }, - "sql/workbench/contrib/editData/browser/editDataGridActions": { - "deleteRow": "Eliminar fila", - "revertRow": "Revertir la fila actual" - }, "sql/workbench/contrib/assessment/common/strings": { "asmt.section.api.title": "Información de API", "asmt.apiversion": "Versión de API:", @@ -10947,171 +9634,81 @@ "asmt.column.helpLink": "Vínculo de ayuda", "asmt.sqlReport.severityMsg": "{0}: {1} elemento(s)" }, - "sql/workbench/contrib/query/browser/messagePanel": { - "messagePanel": "Panel de mensajes", - "copy": "Copiar", - "copyAll": "Copiar todo" + "sql/workbench/contrib/azure/browser/azure.contribution": { + "azure.openInAzurePortal.title": "Abrir en Azure Portal" }, - "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { - "loadingMessage": "Carga en curso", - "loadingCompletedMessage": "Carga completada" + "sql/workbench/contrib/backup/browser/backup.component": { + "backup.backupName": "Nombre de copia de seguridad", + "backup.recoveryModel": "Modelo de recuperación", + "backup.backupType": "Tipo de copia de seguridad", + "backup.backupDevice": "Archivos de copia de seguridad", + "backup.algorithm": "Algoritmo", + "backup.certificateOrAsymmetricKey": "Certificado o clave asimétrica", + "backup.media": "Multimedia", + "backup.mediaOption": "Realizar la copia de seguridad sobre el conjunto de medios existente", + "backup.mediaOptionFormat": "Realizar copia de seguridad en un nuevo conjunto de medios", + "backup.existingMediaAppend": "Añadir al conjunto de copia de seguridad existente", + "backup.existingMediaOverwrite": "Sobrescribir todos los conjuntos de copia de seguridad existentes", + "backup.newMediaSetName": "Nuevo nombre de conjunto de medios", + "backup.newMediaSetDescription": "Nueva descripción del conjunto de medios", + "backup.checksumContainer": "Realizar la suma de comprobación antes de escribir en los medios", + "backup.verifyContainer": "Comprobar copia de seguridad cuando haya terminado", + "backup.continueOnErrorContainer": "Seguir en caso de error", + "backup.expiration": "Expiración", + "backup.setBackupRetainDays": "Configure los días de conservación de la copia de seguridad", + "backup.copyOnly": "Copia de seguridad de solo copia", + "backup.advancedConfiguration": "Configuración avanzada", + "backup.compression": "Compresión", + "backup.setBackupCompression": "Establecer la compresión de copia de seguridad", + "backup.encryption": "Cifrado", + "backup.transactionLog": "Registro de transacciones", + "backup.truncateTransactionLog": "Truncar el registro de transacciones", + "backup.backupTail": "Hacer copia de seguridad de la cola del registro", + "backup.reliability": "Fiabilidad", + "backup.mediaNameRequired": "El nombre del medio es obligatorio", + "backup.noEncryptorWarning": "No hay certificado o clave asimétrica disponible", + "addFile": "Agregar un archivo", + "removeFile": "Eliminar archivos", + "backupComponent.invalidInput": "Entrada no válida. El valor debe ser igual o mayor que 0.", + "backupComponent.script": "Script", + "backupComponent.backup": "Copia de seguridad", + "backupComponent.cancel": "Cancelar", + "backup.containsBackupToUrlError": "Solo se admite la copia de seguridad en un archivo", + "backup.backupFileRequired": "La ruta del archivo de copia de seguridad es obligatoria" }, - "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { - "clickOn": "Haga clic en", - "plusCode": "+ Código", - "or": "o", - "plusText": "+ Texto", - "toAddCell": "para agregar una celda de código o texto" + "sql/workbench/contrib/backup/browser/backup.contribution": { + "backup": "Copia de seguridad" }, - "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { - "stdInLabel": "StdIn:" + "sql/workbench/contrib/backup/browser/backupActions": { + "backup.isPreviewFeature": "Debe habilitar las características en versión preliminar para utilizar la copia de seguridad", + "backup.commandNotSupportedForServer": "No se admite el comando de copia de seguridad en el contexto del servidor. Seleccione una base de datos y vuelva a intentarlo.", + "backup.commandNotSupported": "No se admite el comando de copia de seguridad para bases de datos de Azure SQL.", + "backupAction.backup": "Copia de seguridad" }, - "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { - "expandCellContents": "Expandir contenido de la celda de código", - "collapseCellContents": "Contraer contenido de la celda de código" + "sql/workbench/contrib/backup/common/constants": { + "backup.labelDatabase": "Base de datos", + "backup.labelFilegroup": "Archivos y grupos de archivos", + "backup.labelFull": "Completa", + "backup.labelDifferential": "Diferencial", + "backup.labelLog": "Registro de transacciones", + "backup.labelDisk": "Disco", + "backup.labelUrl": "URL", + "backup.defaultCompression": "Utilizar la configuración del servidor predeterminada", + "backup.compressBackup": "Comprimir copia de seguridad", + "backup.doNotCompress": "No comprimir copia de seguridad", + "backup.serverCertificate": "Certificado de servidor", + "backup.asymmetricKey": "Clave asimétrica" }, - "sql/workbench/contrib/query/browser/gridPanel": { - "xmlShowplan": "Plan de presentación XML", - "resultsGrid": "Cuadrícula de resultados" - }, - "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { - "buttonAdd": "Agregar celda", - "optionCodeCell": "Celda de código", - "optionTextCell": "Celda de texto", - "buttonMoveDown": "Bajar celda", - "buttonMoveUp": "Subir celda", - "buttonDelete": "Eliminar", - "codeCellsPreview": "Agregar celda", - "codePreview": "Celda de código", - "textPreview": "Celda de texto" - }, - "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { - "sqlKernelError": "Error del kernel SQL", - "connectionRequired": "Se debe elegir una conexión para ejecutar celdas de cuaderno", - "sqlMaxRowsDisplayed": "Mostrando las primeras {0} filas." - }, - "sql/workbench/contrib/jobManagement/browser/jobsView.component": { - "jobColumns.name": "Nombre", - "jobColumns.lastRun": "Última ejecución", - "jobColumns.nextRun": "Próxima ejecución", - "jobColumns.enabled": "Habilitado", - "jobColumns.status": "Estado", - "jobColumns.category": "Categoría", - "jobColumns.runnable": "Se puede ejecutar", - "jobColumns.schedule": "Programación", - "jobColumns.lastRunOutcome": "Último resultado ejecutado", - "jobColumns.previousRuns": "Ejecuciones anteriores", - "jobsView.noSteps": "No hay pasos disponibles para este trabajo.", - "jobsView.error": "Error: " - }, - "sql/workbench/browser/modelComponents/viewBase": { - "componentTypeNotRegistered": "No pudo encontrar el componente para el tipo {0}" - }, - "sql/workbench/contrib/profiler/browser/profilerFindWidget": { - "label.find": "Buscar", - "placeholder.find": "Buscar", - "label.previousMatchButton": "Coincidencia anterior", - "label.nextMatchButton": "Coincidencia siguiente", - "label.closeButton": "Cerrar", - "title.matchesCountLimit": "La búsqueda ha devuelto un gran número de resultados, se resaltarán solo las primeras 999 coincidencias.", - "label.matchesLocation": "{0} de {1}", - "label.noResults": "No hay resultados" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { - "dashboard.explorer.namePropertyDisplayValue": "Nombre", - "dashboard.explorer.schemaDisplayValue": "Esquema", - "dashboard.explorer.objectTypeDisplayValue": "Tipo" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { - "insights.runQuery": "Ejecutar consulta" - }, - "sql/workbench/contrib/notebook/browser/cellViews/output.component": { - "noMimeTypeFound": "No se ha encontrado ningún representador {0} para la salida. Tiene los siguientes tipos MIME: {1}", - "safe": "seguro ", - "noSelectorFound": "No se encontró un componente para el selector {0}", - "componentRenderError": "Error al representar el componente: {0}" - }, - "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { - "loading": "Carga en curso..." - }, - "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { - "loading": "Carga en curso..." - }, - "sql/workbench/contrib/dashboard/browser/core/actions": { - "editDashboard": "Editar", - "editDashboardExit": "Salir", - "refreshWidget": "Actualizar", - "toggleMore": "Mostrar acciones", - "deleteWidget": "Eliminar widget", - "clickToUnpin": "Haga clic para desanclar", - "clickToPin": "Haga clic para anclar", - "addFeatureAction.openInstalledFeatures": "Abrir características instaladas", - "collapseWidget": "Contraer widget", - "expandWidget": "Expandir widget" - }, - "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { - "unknownDashboardContainerError": "{0} es un contenedor desconocido." - }, - "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { - "notebookColumns.name": "Nombre", - "notebookColumns.targetDatbase": "Base de datos de destino", - "notebookColumns.lastRun": "Última ejecución", - "notebookColumns.nextRun": "Próxima ejecución", - "notebookColumns.status": "Estado", - "notebookColumns.lastRunOutcome": "Último resultado ejecutado", - "notebookColumns.previousRuns": "Ejecuciones anteriores", - "notebooksView.noSteps": "No hay pasos disponibles para este trabajo.", - "notebooksView.error": "Error: ", - "notebooksView.notebookError": "Error del Notebook: " - }, - "sql/base/browser/ui/table/plugins/rowDetailView": { - "rowDetailView.loadError": "Error de carga..." - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { - "dashboard.explorer.actions": "Mostrar acciones", - "explorerSearchNoMatchResultMessage": "No se encontraron elementos coincidentes", - "explorerSearchSingleMatchResultMessage": "La lista de la búsqueda se ha filtrado en un elemento.", - "explorerSearchMatchResultMessage": "La lista de la búsqueda se ha filtrado en {0} elementos." - }, - "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { - "agentUtilities.failed": "Error", - "agentUtilities.succeeded": "Correcto", - "agentUtilities.retry": "Reintentar", - "agentUtilities.canceled": "Cancelado", - "agentUtilities.inProgress": "En curso", - "agentUtilities.statusUnknown": "Estado desconocido", - "agentUtilities.executing": "En ejecución", - "agentUtilities.waitingForThread": "A la espera de un subproceso", - "agentUtilities.betweenRetries": "Entre reintentos", - "agentUtilities.idle": "Inactivo", - "agentUtilities.suspended": "Suspendido", - "agentUtilities.obsolete": "[Obsoleto]", - "agentUtilities.yes": "Sí", - "agentUtilities.no": "No", - "agentUtilities.notScheduled": "No programado", - "agentUtilities.neverRun": "No ejecutar nunca" - }, - "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { - "buttonBold": "Negrita", - "buttonItalic": "Cursiva", - "buttonUnderline": "Subrayado", - "buttonHighlight": "Resaltar", - "buttonCode": "Código", - "buttonLink": "Vínculo", - "buttonList": "Lista", - "buttonOrderedList": "Lista ordenada", - "buttonImage": "Imagen", - "buttonPreview": "Alternancia de la vista previa de Markdown: desactivada", - "dropdownHeading": "Encabezado", - "optionHeading1": "Encabezado 1", - "optionHeading2": "Encabezado 2", - "optionHeading3": "Encabezado 3", - "optionParagraph": "Párrafo", - "callout.insertLinkHeading": "Inserción de un vínculo", - "callout.insertImageHeading": "Inserción de una imagen", - "richTextViewButton": "Vista de texto enriquecido", - "splitViewButton": "Vista En dos paneles", - "markdownViewButton": "Vista de Markdown" + "sql/workbench/contrib/charts/browser/actions": { + "createInsightLabel": "Crear conclusión", + "createInsightNoEditor": "No se puede crear la conclusión porque el editor activo no es un Editor de SQL", + "myWidgetName": "Mi Widget", + "configureChartLabel": "Configurar gráfico", + "copyChartLabel": "Copiar como imagen", + "chartNotFound": "No se pudo encontrar el gráfico a guardar", + "saveImageLabel": "Guardar como imagen", + "resultsSerializer.saveAsFileExtensionPNGTitle": "Png", + "chartSaved": "Gráfico guardado en la ruta: {0}" }, "sql/workbench/contrib/charts/browser/chartOptions": { "dataDirectionLabel": "Dirección de datos", @@ -11135,45 +9732,432 @@ "encodingOption": "Codificación", "imageFormatOption": "Formato de imagen" }, - "sql/base/browser/ui/panel/tabActions": { - "closeTab": "Cerrar" + "sql/workbench/contrib/charts/browser/chartTab": { + "chartTabTitle": "Gráfico" }, - "sql/platform/connection/common/connectionConfig": { - "invalidServerName": "Ya existe un grupo de servidores con el mismo nombre." + "sql/workbench/contrib/charts/browser/chartView": { + "horizontalBarAltName": "Barra horizontal", + "barAltName": "Barras", + "lineAltName": "Línea", + "pieAltName": "Circular", + "scatterAltName": "Dispersión", + "timeSeriesAltName": "Serie temporal", + "imageAltName": "Imagen", + "countAltName": "Recuento", + "tableAltName": "Tabla", + "doughnutAltName": "Anillo", + "charting.failedToGetRows": "No se pudieron obtener las filas para el conjunto de datos en el gráfico.", + "charting.unsupportedType": "No se admite el tipo de gráfico \"{0}\"." + }, + "sql/workbench/contrib/charts/browser/charts.contribution": { + "builtinChartsConfigurationTitle": "Gráficos integrados", + "builtinCharts.maxRowCountDescription": "El número máximo de filas para gráficos que se mostrarán. Advertencia: incrementar esto podría afectar al rendimiento." + }, + "sql/workbench/contrib/charts/browser/configureChartDialog": { + "configureChartDialog.close": "Cerrar" + }, + "sql/workbench/contrib/charts/browser/graphInsight": { + "series": "Serie {0}" + }, + "sql/workbench/contrib/charts/browser/imageInsight": { + "invalidImage": "La tabla no contiene una imagen válida" + }, + "sql/workbench/contrib/charts/browser/utils": { + "charts.maxAllowedRowsExceeded": "Se ha superado el número máximo de filas para gráficos integrados, solo se usan las primeras {0} filas. Para configurar el valor, puede abrir la configuración de usuario y buscar: \"builtinCharts. maxRowCount\".", + "charts.neverShowAgain": "No volver a mostrar" + }, + "sql/workbench/contrib/commandLine/electron-browser/commandLine": { + "connectingLabel": "Conectando: {0}", + "runningCommandLabel": "Ejecutando comando: {0}", + "openingNewQueryLabel": "Abriendo nueva consulta: {0}", + "warnServerRequired": "No se puede conectar ya que no se proporcionó información del servidor", + "errConnectUrl": "No se pudo abrir la dirección URL debido a un error {0}", + "connectServerDetail": "Esto se conectará al servidor {0}", + "confirmConnect": "¿Seguro que desea conectarse?", + "open": "&&Abrir", + "connectingQueryLabel": "Conectando con el archivo de consulta" + }, + "sql/workbench/contrib/configuration/common/configurationUpgrader": { + "workbench.configuration.upgradeUser": "{0} se ha reemplazado por {1} en la configuración de usuario.", + "workbench.configuration.upgradeWorkspace": "{0} se ha reemplazado por {1} en la configuración del área de trabajo." + }, + "sql/workbench/contrib/connection/browser/connection.contribution": { + "sql.maxRecentConnectionsDescription": "Número máximo de conexiones usadas recientemente que se van a almacenar en la lista de conexiones.", + "sql.defaultEngineDescription": "Motor de SQL predeterminado para usar. Esto indica el proveedor de lenguaje predeterminado en los archivos .sql y los valores por defecto que se usarán al crear una nueva conexión.", + "connection.parseClipboardForConnectionStringDescription": "Intente analizar el contenido del portapapeles cuando se abre el cuadro de diálogo de conexión o se realiza un pegado." + }, + "sql/workbench/contrib/connection/browser/connectionStatus": { + "status.connection.status": "Estado de conexión" + }, + "sql/workbench/contrib/connection/common/connectionProviderExtension": { + "schema.providerId": "Identificador común para el proveedor", + "schema.displayName": "Nombre para mostrar del proveedor", + "schema.notebookKernelAlias": "Alias de kernel del cuaderno para el proveedor", + "schema.iconPath": "Ruta de acceso al icono para el tipo de servidor", + "schema.connectionOptions": "Opciones para la conexión" + }, + "sql/workbench/contrib/connection/common/connectionTreeProviderExentionPoint": { + "connectionTreeProvider.schema.name": "Nombre de usuario visible para el proveedor de árbol", + "connectionTreeProvider.schema.id": "Id. del proveedor; debe ser el mismo que al registrar el proveedor de datos del árbol y debe empezar por \"connectionDialog/\"." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardContainer.contribution": { + "azdata.extension.contributes.dashboard.container.id": "Identificador único para este contenedor.", + "azdata.extension.contributes.dashboard.container.container": "El contenedor que se mostrará en la pestaña.", + "azdata.extension.contributes.containers": "Contribuye con uno o varios contenedores de paneles para que los usuarios los agreguen a su propio panel.", + "dashboardContainer.contribution.noIdError": "No se ha especificado ningún identificador en el contenedor de paneles para la extensión.", + "dashboardContainer.contribution.noContainerError": "No se ha especificado ningún contenedor en el contenedor de paneles para la extensión.", + "dashboardContainer.contribution.moreThanOneDashboardContainersError": "Debe definirse exactamente 1 contenedor de paneles por espacio.", + "dashboardTab.contribution.unKnownContainerType": "Tipo de contenedor desconocido definido en el contenedor de paneles para la extensión." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardControlHostContainer.contribution": { + "dashboard.container.controlhost": "El control host que se mostrará en esta pestaña." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { + "dashboardNavSection.loadTabError": "La sección \"{0}\" tiene contenido no válido. Póngase en contacto con el propietario de la extensión." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardGridContainer.contribution": { + "dashboard.container.gridtab.items": "La lista de widgets o vistas web que se muestran en esta pestaña.", + "gridContainer.invalidInputs": "Se esperan widgets o vistas web en el contenedor de widgets para la extensión." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardModelViewContainer.contribution": { + "dashboard.container.modelview": "La vista respaldada por el modelo que se visualiza en esta pestaña." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardNavSection.contribution": { + "dashboard.container.left-nav-bar.id": "Identificador único para esta sección de navegación. Se pasará a la extensión de las solicitudes.", + "dashboard.container.left-nav-bar.icon": "(opcional) Icono que se utiliza para representar esta sección de navegación en la IU. Una ruta de acceso al archivo o una configuración con temas", + "dashboard.container.left-nav-bar.icon.light": "Ruta del icono cuando se usa un tema ligero", + "dashboard.container.left-nav-bar.icon.dark": "Ruta de icono cuando se usa un tema oscuro", + "dashboard.container.left-nav-bar.title": "Título de la sección de navegación para mostrar al usuario.", + "dashboard.container.left-nav-bar.container": "El contenedor que se mostrará en esta sección de navegación.", + "dashboard.container.left-nav-bar": "La lista de contenedores de paneles que se mostrará en esta sección de navegación.", + "navSection.missingTitle.error": "No hay título en la sección de navegación especificada para la extensión.", + "navSection.missingContainer.error": "No hay contenedor en la sección de navegación especificada para la extensión.", + "navSection.moreThanOneDashboardContainersError": "Debe definirse exactamente 1 contenedor de paneles por espacio.", + "navSection.invalidContainer.error": "NAV_SECTION en NAV_SECTION es un contenedor no válido para la extensión." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWebviewContainer.contribution": { + "dashboard.container.webview": "La vista web que se mostrará en esta pestaña." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWidgetContainer.contribution": { + "dashboard.container.widgets": "La lista de widgets que se muestra en esta pestaña.", + "widgetContainer.invalidInputs": "La lista de widgets que se espera dentro del contenedor de widgets para la extensión." + }, + "sql/workbench/contrib/dashboard/browser/core/actions": { + "editDashboard": "Editar", + "editDashboardExit": "Salir", + "refreshWidget": "Actualizar", + "toggleMore": "Mostrar acciones", + "deleteWidget": "Eliminar widget", + "clickToUnpin": "Haga clic para desanclar", + "clickToPin": "Haga clic para anclar", + "addFeatureAction.openInstalledFeatures": "Abrir características instaladas", + "collapseWidget": "Contraer widget", + "expandWidget": "Expandir widget" + }, + "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { + "unknownDashboardContainerError": "{0} es un contenedor desconocido." }, "sql/workbench/contrib/dashboard/browser/core/dashboardPage.component": { "home": "Inicio", "missingConnectionInfo": "No se encontró información de conexión para este panel", "dashboard.generalTabGroupHeader": "General" }, - "sql/workbench/contrib/charts/browser/actions": { - "createInsightLabel": "Crear conclusión", - "createInsightNoEditor": "No se puede crear la conclusión porque el editor activo no es un Editor de SQL", - "myWidgetName": "Mi Widget", - "configureChartLabel": "Configurar gráfico", - "copyChartLabel": "Copiar como imagen", - "chartNotFound": "No se pudo encontrar el gráfico a guardar", - "saveImageLabel": "Guardar como imagen", - "resultsSerializer.saveAsFileExtensionPNGTitle": "Png", - "chartSaved": "Gráfico guardado en la ruta: {0}" + "sql/workbench/contrib/dashboard/browser/core/dashboardTab.contribution": { + "azdata.extension.contributes.dashboard.tab.id": "Identificador único para esta pestaña. Se pasará a la extensión para cualquier solicitud.", + "azdata.extension.contributes.dashboard.tab.title": "Título de la pestaña para mostrar al usuario.", + "azdata.extension.contributes.dashboard.tab.description": "Descripción de esta pestaña que se mostrará al usuario.", + "azdata.extension.contributes.tab.when": "Condición que se debe cumplir para mostrar este elemento", + "azdata.extension.contributes.tab.provider": "Define los tipos de conexión con los que esta pestaña es compatible. El valor predeterminado es \"MSSQL\" si no se establece", + "azdata.extension.contributes.dashboard.tab.container": "El contenedor que se mostrará en esta pestaña.", + "azdata.extension.contributes.dashboard.tab.alwaysShow": "Si esta pestaña se debe mostrar siempre, o sólo cuando el usuario la agrega.", + "azdata.extension.contributes.dashboard.tab.isHomeTab": "Si esta pestaña se debe usar o no como la pestaña Inicio para un tipo de conexión.", + "azdata.extension.contributes.dashboard.tab.group": "Id. único del grupo al que pertenece esta pestaña; valor para el grupo de inicio: Inicio.", + "dazdata.extension.contributes.dashboard.tab.icon": "(Opcional) Icono que se utiliza para representar esta pestaña en la interfaz de usuario; puede ser una ruta de acceso al archivo o una configuración con temas.", + "azdata.extension.contributes.dashboard.tab.icon.light": "Ruta del icono cuando se usa un tema ligero", + "azdata.extension.contributes.dashboard.tab.icon.dark": "Ruta de icono cuando se usa un tema oscuro", + "azdata.extension.contributes.tabs": "Aporta una o varias pestañas que los usuarios pueden agregar a su panel.", + "dashboardTab.contribution.noTitleError": "No se ha especificado ningún título para la extensión.", + "dashboardTab.contribution.noDescriptionWarning": "No se ha especificado ninguna descripción para mostrar.", + "dashboardTab.contribution.noContainerError": "No se ha especificado ningún contenedor para la extensión.", + "dashboardTab.contribution.moreThanOneDashboardContainersError": "Debe definirse exactamente 1 contenedor de paneles por espacio", + "azdata.extension.contributes.dashboard.tabGroup.id": "Identificador único para este grupo de pestañas.", + "azdata.extension.contributes.dashboard.tabGroup.title": "Título del grupo de pestañas.", + "azdata.extension.contributes.tabGroups": "Aporta uno o varios grupos de pestañas que los usuarios pueden agregar a su panel.", + "dashboardTabGroup.contribution.noIdError": "No se ha especificado ningún id. para el grupo de pestañas.", + "dashboardTabGroup.contribution.noTitleError": "No se ha especificado ningún título para el grupo de pestañas.", + "administrationTabGroup": "Administración", + "monitoringTabGroup": "Supervisión", + "performanceTabGroup": "Rendimiento", + "securityTabGroup": "Seguridad", + "troubleshootingTabGroup": "Solución de problemas", + "settingsTabGroup": "Configuración", + "databasesTabDescription": "pestaña de bases de datos", + "databasesTabTitle": "Bases de datos" }, - "sql/workbench/contrib/notebook/browser/notebook.component": { - "addCodeLabel": "Agregar código", - "addTextLabel": "Agregar texto", - "createFile": "Crear archivo", - "displayFailed": "No se pudo mostrar contenido: {0}", - "codeCellsPreview": "Agregar celda", - "codePreview": "Celda de código", - "textPreview": "Celda de texto", - "runAllPreview": "Ejecutar todo", - "addCell": "Celda", - "code": "Código", - "text": "Texto", - "runAll": "Ejecutar celdas", - "previousButtonLabel": "< Anterior", - "nextButtonLabel": "Siguiente >", - "cellNotFound": "no se encontró la celda con URI {0} en este modelo", - "cellRunFailed": "Error al ejecutar las celdas. Para más información, vea el error en la salida de la celda seleccionada actualmente." + "sql/workbench/contrib/dashboard/browser/dashboard.contribution": { + "manage": "Administrar", + "dashboard.editor.label": "Panel" + }, + "sql/workbench/contrib/dashboard/browser/dashboardActions": { + "ManageAction": "Administrar" + }, + "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { + "opticon": "la propiedad \"icon\" puede omitirse o debe ser una cadena o un literal como \"{dark, light}\"" + }, + "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { + "dashboard.properties.property": "Define una propiedad para mostrar en el panel", + "dashboard.properties.property.displayName": "Qué valor utilizar como etiqueta de la propiedad", + "dashboard.properties.property.value": "Valor en el objeto al que acceder para el valor", + "dashboard.properties.property.ignore": "Especificar los valores que se ignorarán", + "dashboard.properties.property.default": "Valor predeterminado para mostrar si se omite o no hay valor", + "dashboard.properties.flavor": "Estilo para definir propiedades en un panel", + "dashboard.properties.flavor.id": "Id. del estilo", + "dashboard.properties.flavor.condition": "Condición para utilizar este tipo", + "dashboard.properties.flavor.condition.field": "Campo con el que comparar", + "dashboard.properties.flavor.condition.operator": "Operador para utilizar en la comparación", + "dashboard.properties.flavor.condition.value": "Valor con el que comparar el campo", + "dashboard.properties.databaseProperties": "Propiedades para mostrar por página de base de datos", + "dashboard.properties.serverProperties": "Propiedades para mostrar por página de servidor", + "carbon.extension.dashboard": "Define que este proveedor admite el panel de información", + "dashboard.id": "Id. de proveedor (por ejemplo MSSQL)", + "dashboard.properties": "Valores de las propiedades para mostrar en el panel" + }, + "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { + "azdata.extension.contributes.widget.when": "Condición que se debe cumplir para mostrar este elemento", + "azdata.extension.contributes.widget.hideHeader": "Indica se oculta el encabezado del widget; el valor predeterminado es \"false\".", + "dashboardpage.tabName": "El título del contenedor", + "dashboardpage.rowNumber": "La fila del componente en la cuadrícula", + "dashboardpage.rowSpan": "El intervalo de fila del componente en la cuadrícula. El valor predeterminado es 1. Use \"*\" para establecer el número de filas en la cuadrícula.", + "dashboardpage.colNumber": "La columna del componente en la cuadrícula", + "dashboardpage.colspan": "El colspan del componente en la cuadrícula. El valor predeterminado es 1. Use \"*\" para definir el número de columnas en la cuadrícula.", + "azdata.extension.contributes.dashboardPage.tab.id": "Identificador único para esta pestaña. Se pasará a la extensión para cualquier solicitud.", + "dashboardTabError": "La pestaña de extensión es desconocida o no está instalada." + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { + "databasePageName": "Propiedades de la base de datos" + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { + "dashboardDatabaseProperties": "Activar o desactivar el widget de propiedades", + "dashboard.databaseproperties": "Valores de la propiedad para mostrar", + "dashboard.databaseproperties.displayName": "Nombre para mostrar de la propiedad", + "dashboard.databaseproperties.value": "Valor en el objeto de la información de la base de datos", + "dashboard.databaseproperties.ignore": "Especificar valores específicos para ignorar", + "recoveryModel": "Modelo de recuperación", + "lastDatabaseBackup": "Última copia de seguridad de la base de datos", + "lastLogBackup": "Última copia de seguridad de registros", + "compatibilityLevel": "Nivel de compatibilidad", + "owner": "Propietario", + "dashboardDatabase": "Personaliza la página del panel de base de datos", + "objectsWidgetTitle": "Búsqueda", + "dashboardDatabaseTabs": "Personaliza las pestañas de consola de base de datos" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { + "serverPageName": "Propiedades del servidor" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { + "dashboardServerProperties": "Activar o desactivar el widget de propiedades", + "dashboard.serverproperties": "Valores de la propiedad para mostrar", + "dashboard.serverproperties.displayName": "Nombre para mostrar de la propiedad", + "dashboard.serverproperties.value": "Valor en el objeto de información de servidor", + "version": "Versión", + "edition": "Edición", + "computerName": "Nombre del equipo", + "osVersion": "Versión del sistema operativo", + "explorerWidgetsTitle": "Búsqueda", + "dashboardServer": "Personaliza la página del panel de servidor", + "dashboardServerTabs": "Personaliza las pestañas del panel de servidor" + }, + "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { + "homeCrumb": "Inicio" + }, + "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { + "dashboard.changeDatabaseFailure": "No se pudo cambiar la base de datos" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { + "dashboard.explorer.actions": "Mostrar acciones", + "explorerSearchNoMatchResultMessage": "No se encontraron elementos coincidentes", + "explorerSearchSingleMatchResultMessage": "La lista de la búsqueda se ha filtrado en un elemento.", + "explorerSearchMatchResultMessage": "La lista de la búsqueda se ha filtrado en {0} elementos." + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { + "dashboard.explorer.namePropertyDisplayValue": "Nombre", + "dashboard.explorer.schemaDisplayValue": "Esquema", + "dashboard.explorer.objectTypeDisplayValue": "Tipo" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { + "loadingObjects": "Cargando de los objetos en curso", + "loadingDatabases": "Carga de las bases de datos en curso", + "loadingObjectsCompleted": "La carga de los objetos se ha completado.", + "loadingDatabasesCompleted": "La carga de las bases de datos se ha completado.", + "seachObjects": "Buscar por nombre de tipo (t:, v:, f: o sp:)", + "searchDatabases": "Buscar en las bases de datos", + "dashboard.explorer.objectError": "No se pueden cargar objetos", + "dashboard.explorer.databaseError": "No se pueden cargar las bases de datos" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { + "insights.runQuery": "Ejecutar consulta" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { + "insightsWidgetLoadingMessage": "Carga de {0} en curso", + "insightsWidgetLoadingCompletedMessage": "Carga de {0} completada", + "insights.autoRefreshOffState": "Actualización automática: DESACTIVADA", + "insights.lastUpdated": "Última actualización: {0} {1}", + "noResults": "No hay resultados para mostrar" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { + "insightWidgetDescription": "Añade un widget que puede consultar un servidor o base de datos y mostrar los resultados de múltiples maneras, como un gráfico o una cuenta de resumen, entre otras.", + "insightIdDescription": "Identificador único utilizado para almacenar en caché los resultados de la información.", + "insightQueryDescription": "Consulta SQL para ejecutar. Esto debería devolver exactamente un conjunto de resultados.", + "insightQueryFileDescription": "[Opcional] Ruta de acceso a un archivo que contiene una consulta. Utilícelo si \"query\" no está establecido", + "insightAutoRefreshIntervalDescription": "[Opcional] Intervalo de actualización automática en minutos, si no se establece, no habrá actualización automática", + "actionTypes": "Acciones para utilizar", + "actionDatabaseDescription": "Base de datos de destino para la acción; puede usar el formato \"${ columnName }\" para usar un nombre de columna controlado por datos.", + "actionServerDescription": "Servidor de destino para la acción; puede usar el formato \"${ columnName }\" para usar un nombre de columna controlado por datos.", + "actionUserDescription": "Usuario de destino para la acción; puede usar el formato \"${ columnName }\" para usar un nombre de columna controlado por datos.", + "carbon.extension.contributes.insightType.id": "Identificador de la información", + "carbon.extension.contributes.insights": "Aporta conocimientos a la paleta del panel." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { + "chartErrorMessage": "No se puede mostrar el gráfico con los datos proporcionados" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.contribution": { + "chartInsightDescription": "Muestra los resultados de una consulta como un gráfico en el panel de información", + "colorMapDescription": "Asigne \"nombre de columna\" -> color. Por ejemplo, agregue \"column1\": red para asegurarse de que esta utilice un color rojo ", + "legendDescription": "Indica la posición y visibilidad preferidas de la leyenda del gráfico. Estos son los nombres de columna de la consulta y se asignan a la etiqueta de cada entrada de gráfico", + "labelFirstColumnDescription": "Si dataDirection es horizontal, al establecerlo como verdadero se utilizarán los valores de las primeras columnas para la leyenda.", + "columnsAsLabels": "Si dataDirection es vertical, al configurarlo como verdadero se utilizarán los nombres de columna para la leyenda.", + "dataDirectionDescription": "Define si los datos se leen desde una columna (vertical) o una fila (horizontal). Para series de tiempo esto se omite, ya que la dirección debe ser vertical.", + "showTopNData": "Si se establece showTopNData, se mostrarán solo los primeros N datos en la tabla." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/barChart.contribution": { + "yAxisMin": "Valor mínimo del eje y", + "yAxisMax": "Valor máximo del eje y", + "barchart.yAxisLabel": "Etiqueta para el eje y", + "xAxisMin": "Valor mínimo del eje x", + "xAxisMax": "Valor máximo del eje x", + "barchart.xAxisLabel": "Etiqueta para el eje x" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/lineChart.contribution": { + "dataTypeDescription": "Indica la propiedad de datos de un conjunto de datos para un gráfico." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/countInsight.contribution": { + "countInsightDescription": "Para cada columna de un conjunto de resultados, muestra el valor de la fila 0 como un recuento seguido del nombre de la columna. Admite \"1 Healthy\", \"3 Unhealthy\", por ejemplo, donde \"Healthy\" es el nombre de la columna y 1 es el valor de la fila 1, celda 1" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/imageInsight.contribution": { + "imageInsightDescription": "Muestra una imagen, por ejemplo uno devuelta por una consulta R con ggplot2", + "imageFormatDescription": "¿Qué formato se espera: es un archivo JPEG, PNG u otro formato?", + "encodingDescription": "¿Está codificado como hexadecimal, base64 o algún otro formato?" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/tableInsight.contribution": { + "tableInsightDescription": "Muestra los resultados en una tabla simple" + }, + "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { + "loadingProperties": "Carga de las propiedades en curso", + "loadingPropertiesCompleted": "La carga de las propiedades se ha completado.", + "dashboard.properties.error": "No se pueden cargar las propiedades del panel" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorer.contribution": { + "databaseConnections": "Conexiones de base de datos", + "datasource.connections": "Conexiones de fuentes de datos", + "datasource.connectionGroups": "grupos de origen de datos", + "connectionsSortOrder.dateAdded": "Las conexiones guardadas se ordenan por las fechas en que se agregaron.", + "connectionsSortOrder.displayName": "Las conexiones guardadas se ordenan alfabéticamente por sus nombres para mostrar.", + "datasource.connectionsSortOrder": "Controla el criterio de ordenación de las conexiones guardadas y los grupos de conexiones.", + "startupConfig": "Configuración de inicio", + "startup.alwaysShowServersView": "True para que la vista de servidores aparezca en la apertura predeterminada de Azure Data Studio; false si quiere aparezca la última vista abierta" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerExtensionPoint": { + "vscode.extension.contributes.view.id": "Identificador de la vista. Úselo para registrar un proveedor de datos mediante la API \"vscode.window.registerTreeDataProviderForView\". También para desencadenar la activación de su extensión al registrar el evento \"onView:${id}\" en \"activationEvents\".", + "vscode.extension.contributes.view.name": "Nombre de la vista en lenguaje natural. Se mostrará", + "vscode.extension.contributes.view.when": "Condición que se debe cumplir para mostrar esta vista", + "extension.contributes.dataExplorer": "Aporta vistas al editor", + "extension.dataExplorer": "Aporta vistas al contenedor del Explorador de datos en la barra de la actividad", + "dataExplorer.contributed": "Contribuye vistas al contenedor de vistas aportadas", + "duplicateView1": "No pueden registrar múltiples vistas con el mismo identificador \"{0}\" en el contenedor de vistas \"{1}\"", + "duplicateView2": "Una vista con el identificador \"{0}\" ya está registrada en el contenedor de vista \"{1}\"", + "requirearray": "Las vistas deben ser una matriz", + "requirestring": "la propiedad \"{0}\" es obligatoria y debe ser de tipo \"string\"", + "optstring": "la propiedad \"{0}\" se puede omitir o debe ser de tipo \"string\"" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { + "dataExplorer.servers": "Servidores", + "dataexplorer.name": "Conexiones", + "showDataExplorer": "Mostrar conexiones" + }, + "sql/workbench/contrib/dataExplorer/browser/nodeActions.common.contribution": { + "disconnect": "Desconectar", + "refresh": "Actualizar" + }, + "sql/workbench/contrib/editData/browser/editData.contribution": { + "showEditDataSqlPaneOnStartup": "Mostrar panel de edición de datos de SQL al iniciar" + }, + "sql/workbench/contrib/editData/browser/editDataActions": { + "editData.run": "Ejecutar", + "disposeEditFailure": "Eliminar edición con error: ", + "editData.stop": "Detener", + "editData.showSql": "Mostrar el panel de SQL", + "editData.closeSql": "Cerrar el panel de SQL" + }, + "sql/workbench/contrib/editData/browser/editDataEditor": { + "maxRowTaskbar": "Máximo de filas:" + }, + "sql/workbench/contrib/editData/browser/editDataGridActions": { + "deleteRow": "Eliminar fila", + "revertRow": "Revertir la fila actual" + }, + "sql/workbench/contrib/editData/browser/gridActions": { + "saveAsCsv": "Guardar como CSV", + "saveAsJson": "Guardar como JSON", + "saveAsExcel": "Guardar como Excel", + "saveAsXml": "Guardar como XML", + "copySelection": "Copiar", + "copyWithHeaders": "Copiar con encabezados", + "selectAll": "Seleccionar todo" + }, + "sql/workbench/contrib/extensions/browser/contributionRenders": { + "tabs": "Pestañas del panel ({0})", + "tabId": "Id.", + "tabTitle": "Título", + "tabDescription": "Descripción", + "insights": "Información del panel ({0})", + "insightId": "Id.", + "name": "Nombre", + "insight condition": "Cuándo" + }, + "sql/workbench/contrib/extensions/browser/extensions.contribution": { + "workbench.extensions.getExtensionFromGallery.description": "Obtiene información de extensión de la galería", + "workbench.extensions.getExtensionFromGallery.arg.name": "Id. de extensión", + "notFound": "La extensión '{0}' no se encontró." + }, + "sql/workbench/contrib/extensions/browser/extensionsActions": { + "showRecommendations": "Mostrar recomendaciones", + "Install Extensions": "Instalar extensiones", + "openExtensionAuthoringDocs": "Crear una extensión..." + }, + "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { + "neverShowAgain": "No volver a mostrar", + "ExtensionsRecommended": "Azure Data Studio cuenta con extensiones recomendadas.", + "VisualizerExtensionsRecommended": "Azure Data Studio cuenta con extensiones recomendadas para la visualización de datos.\r\nUna vez instaladas, podrá seleccionar el icono Visualizador para ver los resultados de las consultas.", + "installAll": "Instalar todo", + "showRecommendations": "Mostrar recomendaciones", + "scenarioTypeUndefined": "Es necesario proporcionar el tipo de escenario para recibir recomendaciones de extensiones." + }, + "sql/workbench/contrib/extensions/browser/staticRecommendations": { + "defaultRecommendations": "Azure Data Studio recomienda esta extensión." + }, + "sql/workbench/contrib/jobManagement/browser/agentView.component": { + "jobview.Jobs": "Trabajos", + "jobview.Notebooks": "Notebooks", + "jobview.Alerts": "Alertas", + "jobview.Proxies": "Servidores proxy", + "jobview.Operators": "Operadores" + }, + "sql/workbench/contrib/jobManagement/browser/alertsView.component": { + "jobAlertColumns.name": "Nombre", + "jobAlertColumns.lastOccurrenceDate": "Última aparición", + "jobAlertColumns.enabled": "Habilitado", + "jobAlertColumns.delayBetweenResponses": "Retraso entre las respuestas (en segundos)", + "jobAlertColumns.categoryName": "Nombre de la categoría" }, "sql/workbench/contrib/jobManagement/browser/jobActions": { "jobaction.successLabel": "Correcto", @@ -11227,77 +10211,58 @@ "notebookaction.renameNotebook": "Cambiar nombre", "notebookaction.openLatestRun": "Abrir última ejecución" }, - "sql/workbench/contrib/assessment/browser/asmtActions": { - "asmtaction.server.getitems": "Ver reglas aplicables", - "asmtaction.database.getitems": "Ver reglas aplicables para {0}", - "asmtaction.server.invokeitems": "Invocar evaluación", - "asmtaction.database.invokeitems": "Invocar evaluación para {0}", - "asmtaction.exportasscript": "Exportar como script", - "asmtaction.showsamples": "Ver todas las reglas y obtener más información en GitHub", - "asmtaction.generatehtmlreport": "Crear informe en HTML", - "asmtaction.openReport": "El informe se ha guardado. ¿Quiere abrirlo?", - "asmtaction.label.open": "Abrir", - "asmtaction.label.cancel": "Cancelar" + "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { + "stepRow.stepID": "Id. de paso", + "stepRow.stepName": "Nombre del paso", + "stepRow.message": "Mensaje" }, - "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { - "data": "Datos", - "connection": "Conexión", - "queryEditor": "Editor de Power Query", - "notebook": "Notebook", - "dashboard": "Panel", - "profiler": "Profiler" + "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { + "agent.steps": "Pasos" }, - "sql/workbench/contrib/extensions/browser/contributionRenders": { - "tabs": "Pestañas del panel ({0})", - "tabId": "Id.", - "tabTitle": "Título", - "tabDescription": "Descripción", - "insights": "Información del panel ({0})", - "insightId": "Id.", - "name": "Nombre", - "insight condition": "Cuándo" + "sql/workbench/contrib/jobManagement/browser/jobsView.component": { + "jobColumns.name": "Nombre", + "jobColumns.lastRun": "Última ejecución", + "jobColumns.nextRun": "Próxima ejecución", + "jobColumns.enabled": "Habilitado", + "jobColumns.status": "Estado", + "jobColumns.category": "Categoría", + "jobColumns.runnable": "Se puede ejecutar", + "jobColumns.schedule": "Programación", + "jobColumns.lastRunOutcome": "Último resultado ejecutado", + "jobColumns.previousRuns": "Ejecuciones anteriores", + "jobsView.noSteps": "No hay pasos disponibles para este trabajo.", + "jobsView.error": "Error: " }, - "sql/workbench/contrib/charts/browser/imageInsight": { - "invalidImage": "La tabla no contiene una imagen válida" + "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { + "notebookHistory.dateCreatedTooltip": "Fecha de creación: ", + "notebookHistory.notebookErrorTooltip": "Error del Notebook: ", + "notebookHistory.ErrorTooltip": "Error de trabajo: ", + "notebookHistory.pinnedTitle": "Anclado", + "notebookHistory.recentRunsTitle": "Ejecuciones recientes", + "notebookHistory.pastRunsTitle": "Ejecuciones pasadas" }, - "sql/workbench/contrib/notebook/browser/cellToolbarActions": { - "moreActionsLabel": "Más", - "editLabel": "Editar", - "closeLabel": "Cerrar", - "convertCell": "Convertir celda", - "runAllAbove": "Ejecutar celdas de arriba", - "runAllBelow": "Ejecutar celdas de abajo", - "codeAbove": "Insertar código arriba", - "codeBelow": "Insertar código abajo", - "markdownAbove": "Insertar texto arriba", - "markdownBelow": "Insertar texto abajo", - "collapseCell": "Contraer celda", - "expandCell": "Expandir celda", - "makeParameterCell": "Crear celda de parámetro", - "RemoveParameterCell": "Quitar celda de parámetro", - "clear": "Borrar resultado" + "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { + "notebookColumns.name": "Nombre", + "notebookColumns.targetDatbase": "Base de datos de destino", + "notebookColumns.lastRun": "Última ejecución", + "notebookColumns.nextRun": "Próxima ejecución", + "notebookColumns.status": "Estado", + "notebookColumns.lastRunOutcome": "Último resultado ejecutado", + "notebookColumns.previousRuns": "Ejecuciones anteriores", + "notebooksView.noSteps": "No hay pasos disponibles para este trabajo.", + "notebooksView.error": "Error: ", + "notebooksView.notebookError": "Error del Notebook: " }, - "sql/workbench/services/notebook/browser/models/clientSession": { - "clientSession.unknownError": "Error al iniciar la sesión del cuaderno", - "ServerNotStarted": "El servidor no se pudo iniciar por una razón desconocida", - "kernelRequiresConnection": "No se encontró el kernel {0}. En su lugar, se utilizará el kernel predeterminado." + "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { + "jobOperatorsView.name": "Nombre", + "jobOperatorsView.emailAddress": "Dirección de correo electrónico", + "jobOperatorsView.enabled": "Habilitado" }, - "sql/workbench/contrib/charts/browser/graphInsight": { - "series": "Serie {0}" - }, - "sql/workbench/contrib/charts/browser/configureChartDialog": { - "configureChartDialog.close": "Cerrar" - }, - "sql/workbench/services/notebook/browser/models/notebookModel": { - "injectedParametersMsg": "N.º de parámetros insertados\r\n", - "kernelRequiresConnection": "Seleccione una conexión para ejecutar celdas para este kernel", - "deleteCellFailed": "No se pudo eliminar la celda.", - "changeKernelFailedRetry": "Error al cambiar de kernel. Se utilizará el kernel {0}. Error: {1}", - "changeKernelFailed": "No se pudo cambiar el kernel debido al error: {0}", - "changeContextFailed": "Error en el cambio de contexto: {0}", - "startSessionFailed": "No se pudo iniciar sesión: {0}", - "shutdownClientSessionError": "Se ha producido un error en la sesión del cliente al cerrar el cuaderno: {0}", - "ProviderNoManager": "No puede encontrar el administrador de cuadernos para el proveedor {0}" + "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { + "jobProxiesView.accountName": "Nombre de la cuenta", + "jobProxiesView.credentialName": "Nombre de credencial", + "jobProxiesView.description": "Descripción", + "jobProxiesView.isEnabled": "Habilitado" }, "sql/workbench/contrib/notebook/browser/calloutDialog/common/constants": { "callout.insertButton": "Insertar", @@ -11317,6 +10282,940 @@ "linkCallout.linkAddressLabel": "Dirección", "linkCallout.linkAddressPlaceholder": "Vincular a un archivo o página web existente" }, + "sql/workbench/contrib/notebook/browser/cellToolbarActions": { + "moreActionsLabel": "Más", + "editLabel": "Editar", + "closeLabel": "Cerrar", + "convertCell": "Convertir celda", + "runAllAbove": "Ejecutar celdas de arriba", + "runAllBelow": "Ejecutar celdas de abajo", + "codeAbove": "Insertar código arriba", + "codeBelow": "Insertar código abajo", + "markdownAbove": "Insertar texto arriba", + "markdownBelow": "Insertar texto abajo", + "collapseCell": "Contraer celda", + "expandCell": "Expandir celda", + "makeParameterCell": "Crear celda de parámetro", + "RemoveParameterCell": "Quitar celda de parámetro", + "clear": "Borrar resultado" + }, + "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { + "buttonAdd": "Agregar celda", + "optionCodeCell": "Celda de código", + "optionTextCell": "Celda de texto", + "buttonMoveDown": "Bajar celda", + "buttonMoveUp": "Subir celda", + "buttonDelete": "Eliminar", + "codeCellsPreview": "Agregar celda", + "codePreview": "Celda de código", + "textPreview": "Celda de texto" + }, + "sql/workbench/contrib/notebook/browser/cellViews/code.component": { + "parametersText": "Parámetros" + }, + "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { + "notebook.failed": "Seleccione la celda activa y vuelva a intentarlo", + "runCell": "Ejecutar celda", + "stopCell": "Cancelar ejecución", + "errorRunCell": "Error en la última ejecución. Haga clic para volver a ejecutar" + }, + "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { + "expandCellContents": "Expandir contenido de la celda de código", + "collapseCellContents": "Contraer contenido de la celda de código" + }, + "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { + "buttonBold": "Negrita", + "buttonItalic": "Cursiva", + "buttonUnderline": "Subrayado", + "buttonHighlight": "Resaltar", + "buttonCode": "Código", + "buttonLink": "Vínculo", + "buttonList": "Lista", + "buttonOrderedList": "Lista ordenada", + "buttonImage": "Imagen", + "buttonPreview": "Alternancia de la vista previa de Markdown: desactivada", + "dropdownHeading": "Encabezado", + "optionHeading1": "Encabezado 1", + "optionHeading2": "Encabezado 2", + "optionHeading3": "Encabezado 3", + "optionParagraph": "Párrafo", + "callout.insertLinkHeading": "Inserción de un vínculo", + "callout.insertImageHeading": "Inserción de una imagen", + "richTextViewButton": "Vista de texto enriquecido", + "splitViewButton": "Vista En dos paneles", + "markdownViewButton": "Vista de Markdown" + }, + "sql/workbench/contrib/notebook/browser/cellViews/output.component": { + "noMimeTypeFound": "No se ha encontrado ningún representador {0} para la salida. Tiene los siguientes tipos MIME: {1}", + "safe": "seguro ", + "noSelectorFound": "No se encontró un componente para el selector {0}", + "componentRenderError": "Error al representar el componente: {0}" + }, + "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { + "clickOn": "Haga clic en", + "plusCode": "+ Código", + "or": "o", + "plusText": "+ Texto", + "toAddCell": "para agregar una celda de código o texto", + "plusCodeAriaLabel": "Agregar una celda de código", + "plusTextAriaLabel": "Agregar una celda de texto" + }, + "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { + "stdInLabel": "StdIn:" + }, + "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { + "doubleClickEdit": "Haga doble clic para editar.", + "addContent": "Agregue contenido aquí..." + }, + "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { + "label.find": "Buscar", + "placeholder.find": "Buscar", + "label.previousMatchButton": "Coincidencia anterior", + "label.nextMatchButton": "Coincidencia siguiente", + "label.closeButton": "Cerrar", + "title.matchesCountLimit": "La búsqueda ha devuelto un gran número de resultados, se resaltarán solo las primeras 999 coincidencias.", + "label.matchesLocation": "{0} de {1}", + "label.noResults": "No hay ningún resultado." + }, + "sql/workbench/contrib/notebook/browser/notebook.component": { + "addCodeLabel": "Agregar código", + "addTextLabel": "Agregar texto", + "createFile": "Crear archivo", + "displayFailed": "No se pudo mostrar contenido: {0}", + "codeCellsPreview": "Agregar celda", + "codePreview": "Celda de código", + "textPreview": "Celda de texto", + "runAllPreview": "Ejecutar todo", + "addCell": "Celda", + "code": "Código", + "text": "Texto", + "runAll": "Ejecutar celdas", + "previousButtonLabel": "< Anterior", + "nextButtonLabel": "Siguiente >", + "cellNotFound": "no se encontró la celda con URI {0} en este modelo", + "cellRunFailed": "Error al ejecutar las celdas. Para más información, vea el error en la salida de la celda seleccionada actualmente." + }, + "sql/workbench/contrib/notebook/browser/notebook.contribution": { + "newNotebook": "Nuevo Notebook", + "newQuery": "Nuevo Notebook", + "workbench.action.setWorkspaceAndOpen": "Establecer área de trabajo y abrir", + "notebook.sqlStopOnError": "Kernel SQL: detenga la ejecución del Notebook cuando se produzca un error en una celda.", + "notebook.showAllKernels": "(Versión preliminar) Consulte todos los kernel del proveedor del cuaderno actual.", + "notebook.allowADSCommands": "Permita a los cuadernos ejecutar comandos de Azure Data Studio.", + "notebook.enableDoubleClickEdit": "Habilitar doble clic para editar las celdas de texto en los cuadernos", + "notebook.richTextModeDescription": "El texto se muestra como texto enriquecido (también conocido como WYSIWYG).", + "notebook.splitViewModeDescription": "\"Markdown\" se muestra a la izquierda, con una vista previa del texto representado a la derecha.", + "notebook.markdownModeDescription": "El texto se muestra como \"Markdown\".", + "notebook.defaultTextEditMode": "Modo de edición predeterminado usado para las celdas de texto", + "notebook.saveConnectionName": "(Versión preliminar) Guarde el nombre de la conexión en los metadatos del cuaderno.", + "notebook.markdownPreviewLineHeight": "Controla la altura de línea utilizada en la vista previa de Markdown del cuaderno. Este número es relativo al tamaño de la fuente.", + "notebook.showRenderedNotebookinDiffEditor": "(Vista preliminar) Mostrar el bloc de notas representado en el editor.", + "notebook.maxRichTextUndoHistory": "Número máximo de cambios almacenados en el historial de deshacer del editor de texto enriquecido del cuaderno", + "searchConfigurationTitle": "Búsqueda de cuadernos", + "exclude": "Configure patrones globales para excluir archivos y carpetas en búsquedas de texto completo y abrir los patrones de uso rápido. Hereda todos los patrones globales de la configuración \"#files.exclude\". Lea más acerca de los patrones globales [aquí](https://code.visualstudio.com/docs/editor/codebasics-_advanced-search-options).", + "exclude.boolean": "El patrón global con el que se harán coincidir las rutas de acceso de los archivos. Establézcalo en true o false para habilitarlo o deshabilitarlo.", + "exclude.when": "Comprobación adicional de los elementos del mismo nivel de un archivo coincidente. Use $(nombreBase) como variable para el nombre de archivo que coincide.", + "useRipgrep": "Esta opción están en desuso y ahora se utiliza \"search.usePCRE2\".", + "useRipgrepDeprecated": "En desuso. Considere la utilización de \"search.usePCRE2\" para admitir la característica de expresiones regulares avanzadas.", + "search.maintainFileSearchCache": "Cuando está habilitado, el proceso de servicio de búsqueda se mantendrá habilitado en lugar de cerrarse después de una hora de inactividad. Esto mantendrá la caché de búsqueda de archivos en la memoria.", + "useIgnoreFiles": "Controla si se deben usar los archivos \".gitignore\" e \".ignore\" al buscar archivos.", + "useGlobalIgnoreFiles": "Controla si deben usarse archivos \".ignore\" y \".gitignore\" globables cuando se buscan archivos.", + "search.quickOpen.includeSymbols": "Indica si se incluyen resultados de una búsqueda global de símbolos en los resultados de archivos de Quick Open.", + "search.quickOpen.includeHistory": "Indica si se incluyen resultados de archivos abiertos recientemente en los resultados de archivos de Quick Open.", + "filterSortOrder.default": "Las entradas de historial se ordenan por pertinencia en función del valor de filtro utilizado. Las entradas más pertinentes aparecen primero.", + "filterSortOrder.recency": "Las entradas de historial se ordenan por uso reciente. Las entradas abiertas más recientemente aparecen primero.", + "filterSortOrder": "Controla el orden de clasificación del historial del editor en apertura rápida al filtrar.", + "search.followSymlinks": "Controla si debe seguir enlaces simbólicos durante la búsqueda.", + "search.smartCase": "Buscar sin distinción de mayúsculas y minúsculas si el patrón es todo en minúsculas; de lo contrario, buscar con distinción de mayúsculas y minúsculas.", + "search.globalFindClipboard": "Controla si la vista de búsqueda debe leer o modificar el portapapeles de búsqueda compartido en macOS.", + "search.location": "Controla si la búsqueda se muestra como una vista en la barra lateral o como un panel en el área de paneles para disponer de más espacio horizontal.", + "search.location.deprecationMessage": "Esta configuración está en desuso. Utilice el menú contextual de la vista de búsqueda en su lugar.", + "search.collapseResults.auto": "Los archivos con menos de 10 resultados se expanden. El resto están colapsados.", + "search.collapseAllResults": "Controla si los resultados de la búsqueda estarán contraídos o expandidos.", + "search.useReplacePreview": "Controla si debe abrirse la vista previa de reemplazo cuando se selecciona o reemplaza una coincidencia.", + "search.showLineNumbers": "Controla si deben mostrarse los números de línea en los resultados de la búsqueda.", + "search.usePCRE2": "Si se utiliza el motor de expresión regular PCRE2 en la búsqueda de texto. Esto permite utilizar algunas características avanzadas de regex como la búsqueda anticipada y las referencias inversas. Sin embargo, no todas las características de PCRE2 son compatibles: solo las características que también admite JavaScript.", + "usePCRE2Deprecated": "En desuso. Se usará PCRE2 automáticamente al utilizar características de regex que solo se admiten en PCRE2.", + "search.actionsPositionAuto": "Posicione el actionbar a la derecha cuando la vista de búsqueda es estrecha, e inmediatamente después del contenido cuando la vista de búsqueda es amplia.", + "search.actionsPositionRight": "Posicionar siempre el actionbar a la derecha.", + "search.actionsPosition": "Controla el posicionamiento de la actionbar en las filas en la vista de búsqueda.", + "search.searchOnType": "Busque todos los archivos a medida que escribe.", + "search.seedWithNearestWord": "Habilite la búsqueda de propagación a partir de la palabra más cercana al cursor cuando el editor activo no tiene ninguna selección.", + "search.seedOnFocus": "Actualiza la consulta de búsqueda del área de trabajo al texto seleccionado del editor al enfocar la vista de búsqueda. Esto ocurre al hacer clic o al desencadenar el comando \"workbench.views.search.focus\".", + "search.searchOnTypeDebouncePeriod": "Cuando '#search.searchOnType' está habilitado, controla el tiempo de espera en milisegundos entre un carácter que se escribe y el inicio de la búsqueda. No tiene ningún efecto cuando 'search.searchOnType' está deshabilitado.", + "search.searchEditor.doubleClickBehaviour.selectWord": "Al hacer doble clic, se selecciona la palabra bajo el cursor.", + "search.searchEditor.doubleClickBehaviour.goToLocation": "Al hacer doble clic, se abre el resultado en el grupo de editor activo.", + "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Al hacer doble clic se abre el resultado en el grupo del editor a un lado, creando uno si aún no existe.", + "search.searchEditor.doubleClickBehaviour": "Configure el efecto de hacer doble clic en un resultado en un editor de búsqueda.", + "searchSortOrder.default": "Los resultados se ordenan por nombre de carpeta y archivo, en orden alfabético.", + "searchSortOrder.filesOnly": "Los resultados estan ordenados alfabéticamente por nombres de archivo, ignorando el orden de las carpetas.", + "searchSortOrder.type": "Los resultados se ordenan por extensiones de archivo, en orden alfabético.", + "searchSortOrder.modified": "Los resultados se ordenan por la última fecha de modificación del archivo, en orden descendente.", + "searchSortOrder.countDescending": "Los resultados se ordenan de forma descendente por conteo de archivos.", + "searchSortOrder.countAscending": "Los resultados se ordenan por recuento por archivo, en orden ascendente.", + "search.sortOrder": "Controla el orden de los resultados de búsqueda." + }, + "sql/workbench/contrib/notebook/browser/notebookActions": { + "loading": "Cargando kernels...", + "changing": "Cambiando kernel...", + "AttachTo": "Adjuntar a ", + "Kernel": "Kernel ", + "loadingContexts": "Cargando contextos...", + "changeConnection": "Cambiar conexión", + "selectConnection": "Seleccionar conexión", + "localhost": "localhost", + "noKernel": "Sin kernel", + "kernelNotSupported": "Este cuaderno no se puede ejecutar con parámetros porque no se admite el kernel. Use los kernel y formato admitidos. [Más información](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "noParametersCell": "Este bloc de notas no se puede ejecutar con parámetros hasta que se agregue una celda de parámetro. [Más información] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "noParametersInCell": "Este cuaderno no se puede ejecutar con los parámetros hasta que se agregue una celda de parámetro. [Más información](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "clearResults": "Borrar resultados", + "trustLabel": "De confianza", + "untrustLabel": "No de confianza", + "collapseAllCells": "Contraer celdas", + "expandAllCells": "Expandir celdas", + "runParameters": "Ejecutar con parámetros", + "noContextAvailable": "Ninguno", + "newNotebookAction": "Nuevo Notebook", + "notebook.findNext": "Buscar cadena siguiente", + "notebook.findPrevious": "Buscar cadena anterior" + }, + "sql/workbench/contrib/notebook/browser/notebookEditor": { + "notebookEditor.name": "Notebook Editor" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { + "notebookExplorer.searchResults": "Resultados de la búsqueda", + "searchPathNotFoundError": "No se encuentra la ruta de búsqueda: {0}", + "notebookExplorer.name": "Cuadernos" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { + "searchWithoutFolder": "No ha abierto ninguna carpeta que contenga cuadernos o libros. ", + "openNotebookFolder": "Abrir cuaderno", + "searchMaxResultsWarning": "El conjunto de resultados solo contiene un subconjunto de todas las coincidencias. Sea más específico en la búsqueda para acotar los resultados.", + "searchInProgress": "Búsqueda en curso... ", + "noResultsIncludesExcludes": "No se encontraron resultados en '{0}' con exclusión de '{1}' - ", + "noResultsIncludes": "No se encontraron resultados en '{0}' - ", + "noResultsExcludes": "No se encontraron resultados con exclusión de '{0}' - ", + "noResultsFound": "No se encontraron resultados. Revise la configuración para configurar exclusiones y verificar sus archivos gitignore -", + "rerunSearch.message": "Vuelva a realizar la búsqueda.", + "rerunSearchInAll.message": "Buscar de nuevo en todos los archivos", + "openSettings.message": "Abrir configuración", + "ariaSearchResultsStatus": "La búsqueda devolvió {0} resultados en {1} archivos", + "ToggleCollapseAndExpandAction.label": "Alternar Contraer y expandir", + "CancelSearchAction.label": "Cancelar búsqueda", + "ExpandAllAction.label": "Expandir todo", + "CollapseDeepestExpandedLevelAction.label": "Contraer todo", + "ClearSearchResultsAction.label": "Borrar resultados de la búsqueda" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { + "label.Search": "Búsqueda: Escriba el término de búsqueda y presione Entrar para buscar o Esc para cancelar", + "search.placeHolder": "Buscar" + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViews.component": { + "cellNotFound": "no se encontró la celda con URI {0} en este modelo", + "cellRunFailed": "Error al ejecutar las celdas. Para más información, vea el error en la salida de la celda seleccionada actualmente." + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsCodeCell.component": { + "viewsCodeCell.emptyCellText": "Ejecute esta celda para ver las salidas." + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsGrid.component": { + "emptyText": "Esta vista está vacía. Agregue una celda a esta vista haciendo clic en el botón Insertar celdas." + }, + "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { + "copyFailed": "Error de copia {0}", + "notebook.showChart": "Mostrar gráfico", + "notebook.showTable": "Mostrar tabla" + }, + "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { + "noRendererFound": "No se ha encontrado ningún representador de {0} para la salida. Tiene los siguientes tipos MIME: {1}", + "safe": "(seguro) " + }, + "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { + "plotlyError": "Error al mostrar el gráfico de Plotly: {0}" + }, + "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { + "servers.noConnections": "No se ha encontrado una conexión.", + "serverTree.addConnection": "Agregar conexión" + }, + "sql/workbench/contrib/objectExplorer/common/serverGroup.contribution": { + "serverGroup.colors": "Paleta de colores del grupo de servidores utilizada en el viewlet del Explorador de objetos.", + "serverGroup.autoExpand": "Expanda automáticamente los grupos de servidores en el viewlet del Explorador de Objetos.", + "serverTree.useAsyncServerTree": "(Versión preliminar) Use el nuevo árbol de servidores asincrónicos para la vista Servidores y el cuadro de diálogo Conexión, con compatibilidad con nuevas características como el filtrado de nodos dinámicos." + }, + "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { + "data": "Datos", + "connection": "Conexión", + "queryEditor": "Editor de Power Query", + "notebook": "Notebook", + "dashboard": "Panel", + "profiler": "Profiler", + "builtinCharts": "Gráficos integrados" + }, + "sql/workbench/contrib/profiler/browser/profiler.contribution": { + "profiler.settings.viewTemplates": "Especifica plantillas de vista", + "profiler.settings.sessionTemplates": "Especifica plantillas de sesión", + "profiler.settings.Filters": "Filtros de Profiler" + }, + "sql/workbench/contrib/profiler/browser/profilerActions": { + "profilerAction.connect": "Conectar", + "profilerAction.disconnect": "Desconectar", + "start": "Inicio", + "create": "Nueva sesión", + "profilerAction.pauseCapture": "Pausar", + "profilerAction.resumeCapture": "Reanudar", + "profilerStop.stop": "Detener", + "profiler.clear": "Borrar los datos", + "profiler.clearDataPrompt": "¿Está seguro de que quiere borrar los datos?", + "profiler.yes": "Sí", + "profiler.no": "No", + "profilerAction.autoscrollOn": "Desplazamiento automático: activado", + "profilerAction.autoscrollOff": "Desplazamiento automático: desactivado", + "profiler.toggleCollapsePanel": "Alternar el panel contraído", + "profiler.editColumns": "Editar columnas", + "profiler.findNext": "Buscar la cadena siguiente", + "profiler.findPrevious": "Buscar la cadena anterior", + "profilerAction.newProfiler": "Iniciar Profiler", + "profiler.filter": "Filtrar...", + "profiler.clearFilter": "Borrar filtro", + "profiler.clearFilterPrompt": "¿Está seguro de que quiere borrar los filtros?" + }, + "sql/workbench/contrib/profiler/browser/profilerEditor": { + "profiler.viewSelectAccessibleName": "Seleccionar vista", + "profiler.sessionSelectAccessibleName": "Seleccionar sesión", + "profiler.sessionSelectLabel": "Seleccionar sesión:", + "profiler.viewSelectLabel": "Seleccionar vista:", + "text": "Texto", + "label": "Etiqueta", + "profilerEditor.value": "Valor", + "details": "Detalles" + }, + "sql/workbench/contrib/profiler/browser/profilerFindWidget": { + "label.find": "Buscar", + "placeholder.find": "Buscar", + "label.previousMatchButton": "Coincidencia anterior", + "label.nextMatchButton": "Coincidencia siguiente", + "label.closeButton": "Cerrar", + "title.matchesCountLimit": "La búsqueda ha devuelto un gran número de resultados, se resaltarán solo las primeras 999 coincidencias.", + "label.matchesLocation": "{0} de {1}", + "label.noResults": "No hay resultados" + }, + "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { + "profilerTextEditorAriaLabel": "Editor de Profiler para el texto del evento. Solo lectura" + }, + "sql/workbench/contrib/profiler/browser/profilerTableEditor": { + "ProfilerTableEditor.eventCountFiltered": "Eventos (filtrados): {0}/{1}", + "ProfilerTableEditor.eventCount": "Eventos: {0}", + "status.eventCount": "Recuento de eventos" + }, + "sql/workbench/contrib/query/browser/actions": { + "saveAsCsv": "Guardar como CSV", + "saveAsJson": "Guardar como JSON", + "saveAsExcel": "Guardar como Excel", + "saveAsXml": "Guardar como XML", + "jsonEncoding": "La codificación de los resultados no se guardará al realizar la exportación en JSON. Recuerde guardarlos con la codificación deseada una vez que se cree el archivo.", + "saveToFileNotSupported": "El origen de datos de respaldo no admite la opción Guardar en archivo", + "copySelection": "Copiar", + "copyWithHeaders": "Copiar con encabezados", + "selectAll": "Seleccionar todo", + "maximize": "Maximizar", + "restore": "Restaurar", + "chart": "Gráfico", + "visualizer": "Visualizador" + }, + "sql/workbench/contrib/query/browser/flavorStatus": { + "chooseSqlLang": "Elegir lenguaje SQL", + "changeProvider": "Cambiar proveedor de lenguaje SQL", + "status.query.flavor": "Tipo de lenguaje SQL", + "changeSqlProvider": "Cambiar el proveedor del motor SQL", + "alreadyConnected": "Existe una conexión mediante el motor {0}. Para cambiar, por favor desconecte o cambie la conexión", + "noEditor": "Ningún editor de texto activo en este momento", + "pickSqlProvider": "Seleccionar proveedor de lenguaje" + }, + "sql/workbench/contrib/query/browser/gridPanel": { + "xmlShowplan": "Plan de presentación XML", + "resultsGrid": "Cuadrícula de resultados", + "resultsGrid.maxRowCountExceeded": "Se ha superado el número máximo de filas para el filtrado y la ordenación. Para actualizarla, puede ir a Configuración de usuario y cambiar la configuración: \"queryEditor.results.inMemoryDataProcessingThreshold\"." + }, + "sql/workbench/contrib/query/browser/keyboardQueryActions": { + "focusOnCurrentQueryKeyboardAction": "Centrarse en la consulta actual", + "runQueryKeyboardAction": "Ejecutar consulta", + "runCurrentQueryKeyboardAction": "Ejecutar la consulta actual", + "copyQueryWithResultsKeyboardAction": "Copiar consulta con resultados", + "queryActions.queryResultsCopySuccess": "La consulta y los resultados se han copiado correctamente.", + "runCurrentQueryWithActualPlanKeyboardAction": "Ejecutar la consulta actual con el plan real", + "cancelQueryKeyboardAction": "Cancelar consulta", + "refreshIntellisenseKeyboardAction": "Actualizar caché de IntelliSense", + "toggleQueryResultsKeyboardAction": "Alternar resultados de la consulta", + "ToggleFocusBetweenQueryEditorAndResultsAction": "Alternar enfoque entre consulta y resultados", + "queryShortcutNoEditor": "El parámetro de editor es necesario para la ejecución de un acceso directo", + "parseSyntaxLabel": "Analizar consulta", + "queryActions.parseSyntaxSuccess": "Comandos completados correctamente", + "queryActions.parseSyntaxFailure": "Error del comando: ", + "queryActions.notConnected": "Conéctese a un servidor" + }, + "sql/workbench/contrib/query/browser/messagePanel": { + "messagePanel": "Panel de mensajes", + "copy": "Copiar", + "copyAll": "Copiar todo" + }, + "sql/workbench/contrib/query/browser/query.contribution": { + "queryResultsEditor.name": "Resultados de consultas", + "newQuery": "Nueva consulta", + "queryEditorConfigurationTitle": "Editor de Power Query", + "queryEditor.results.saveAsCsv.includeHeaders": "Si es \"true\", los encabezados de columna se incluirán al guardar los resultados como CSV.", + "queryEditor.results.saveAsCsv.delimiter": "Delimitador personalizado para usar entre los valores al guardar como CSV", + "queryEditor.results.saveAsCsv.lineSeperator": "Caracteres que se usan para separar las filas al guardar los resultados como CSV.", + "queryEditor.results.saveAsCsv.textIdentifier": "Carácter que se usa para delimitar los campos de texto al guardar los resultados como CSV.", + "queryEditor.results.saveAsCsv.encoding": "Codificación de archivo empleada al guardar los resultados como CSV", + "queryEditor.results.saveAsXml.formatted": "Si es \"true\", se dará formato a la salida XML al guardar los resultados como XML.", + "queryEditor.results.saveAsXml.encoding": "Codificación de archivo empleada al guardar los resultados como XML", + "queryEditor.results.streaming": "Permitir streaming de resultados; contiene algunos defectos visuales menores", + "queryEditor.results.copyIncludeHeaders": "Opciones de configuración para copiar los resultados de la vista de resultados.", + "queryEditor.results.copyRemoveNewLine": "Opciones de configuración para copiar los resultados de varias líneas de la vista de resultados.", + "queryEditor.results.optimizedTable": "(Experimental) Use una tabla optimizada en los resultados. Es posible que falten algunas funciones porque todavía estén en desarrollo.", + "queryEditor.inMemoryDataProcessingThreshold": "Controla el número máximo de filas permitidas para filtrar y ordenar en memoria. Si se supera el número, se deshabilitará la ordenación y el filtrado. Advertencia: El incremento de este número puede afectar al rendimiento.", + "queryEditor.results.openAfterSave": "Indica si se debe abrir el archivo en Azure Data Studio después de guardar el resultado.", + "queryEditor.messages.showBatchTime": "Indica si debe mostrarse el tiempo de ejecución para los lotes individuales.", + "queryEditor.messages.wordwrap": "Mensajes de ajuste automático de línea", + "queryEditor.chart.defaultChartType": "Tipo de gráfico predeterminado para usar al abrir el visor de gráficos a partir de los resultados de una consulta", + "queryEditor.tabColorMode.off": "Se deshabilitará el coloreado de las pestañas", + "queryEditor.tabColorMode.border": "El borde superior de cada pestaña del editor se coloreará para que coincida con el grupo de servidores correspondiente", + "queryEditor.tabColorMode.fill": "El color de fondo de la pestaña del editor coincidirá con el grupo de servidores pertinente", + "queryEditor.tabColorMode": "Controla cómo colorear las pestañas basadas en el grupo de servidores de la conexión activa", + "queryEditor.showConnectionInfoInTitle": "Controla si se muestra la información de conexión para una pestaña en el título.", + "queryEditor.promptToSaveGeneratedFiles": "Solicitud para guardar los archivos SQL generados", + "queryShortcutDescription": "Establezca keybinding workbench.action.query.shortcut{0} para ejecutar el texto del acceso directo como una llamada de procedimiento o en la ejecución de una consulta. Cualquier texto seleccionado en el editor de consultas se pasará como un parámetro al final de la consulta, o bien puede hacer referencia a él con {arg}" + }, + "sql/workbench/contrib/query/browser/queryActions": { + "newQueryTask.newQuery": "Nueva consulta", + "runQueryLabel": "Ejecutar", + "cancelQueryLabel": "Cancelar", + "estimatedQueryPlan": "Explicar", + "actualQueryPlan": "Real", + "disconnectDatabaseLabel": "Desconectar", + "changeConnectionDatabaseLabel": "Cambiar conexión", + "connectDatabaseLabel": "Conectar", + "enablesqlcmdLabel": "Habilitar SQLCMD", + "disablesqlcmdLabel": "Desactivar SQLCMD", + "selectDatabase": "Seleccionar la base de datos", + "changeDatabase.failed": "No se pudo cambiar la base de datos", + "changeDatabase.failedWithError": "No se ha podido cambiar de base de datos: {0}", + "queryEditor.exportSqlAsNotebook": "Exportación como cuaderno" + }, + "sql/workbench/contrib/query/browser/queryEditor": { + "queryEditor.name": "Query Editor" + }, + "sql/workbench/contrib/query/browser/queryResultsView": { + "resultsTabTitle": "Resultados", + "messagesTabTitle": "Mensajes" + }, + "sql/workbench/contrib/query/browser/statusBarItems": { + "status.query.timeElapsed": "Tiempo transcurrido", + "status.query.rowCount": "Recuento de filas", + "rowCount": "{0} filas", + "query.status.executing": "Ejecutando consulta...", + "status.query.status": "Estado de ejecución", + "status.query.selection-summary": "Resumen de la selección", + "status.query.summaryText": "Promedio: {0}; recuento: {1}; suma: {2}" + }, + "sql/workbench/contrib/query/common/resultsGrid.contribution": { + "resultsGridConfigurationTitle": "Cuadrícula y mensajes de resultados", + "fontFamily": "Controla la familia de fuentes.", + "fontWeight": "Controla el grosor de la fuente.", + "fontSize": "Controla el tamaño de fuente en píxeles.", + "letterSpacing": "Controla el espacio entre letras en píxeles.", + "rowHeight": "Controla la altura de la fila en píxeles", + "cellPadding": "Controla el relleno de la celda en píxeles", + "autoSizeColumns": "Redimensione automáticamente el ancho de las columnas en los resultados iniciales. Podría tener problemas de rendimiento si hay muchas columnas o las celdas son grandes.", + "maxColumnWidth": "El máximo ancho en píxeles de las columnas de tamaño automático" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryActions": { + "toggleQueryHistory": "Alternar el historial de consultas", + "queryHistory.delete": "Eliminar", + "queryHistory.clearLabel": "Borrar todo el historial", + "queryHistory.openQuery": "Abrir consulta", + "queryHistory.runQuery": "Ejecutar consulta", + "queryHistory.toggleCaptureLabel": "Alternar la captura del historial de consultas", + "queryHistory.disableCapture": "Pausar la captura del historial de consultas", + "queryHistory.enableCapture": "Iniciar la captura del historial de consultas" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryRenderer": { + "succeeded": "se realizó correctamente", + "failed": "error" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryView": { + "noQueriesMessage": "No hay consultas que mostrar.", + "queryHistory.regTreeAriaLabel": "Historial de consultas" + }, + "sql/workbench/contrib/queryHistory/electron-browser/queryHistory": { + "queryHistoryConfigurationTitle": "Historial de consultas", + "queryHistoryCaptureEnabled": "Si la captura del historial de consultas está habilitada. De no ser así, las consultas ejecutadas no se capturarán.", + "queryHistory.clearLabel": "Borrar todo el historial", + "queryHistory.disableCapture": "Pausar la captura del historial de consultas", + "queryHistory.enableCapture": "Iniciar la captura del historial de consultas", + "viewCategory": "Vista", + "miViewQueryHistory": "&&Historial de consultas", + "queryHistory": "Historial de consultas" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlan": { + "queryPlanTitle": "Plan de consulta" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlanEditor": { + "queryPlanEditor": "Query Plan Editor" + }, + "sql/workbench/contrib/queryPlan/browser/topOperations": { + "topOperations.operation": "Operación", + "topOperations.object": "Objeto", + "topOperations.estCost": "Costo estimado", + "topOperations.estSubtreeCost": "Coste del subárbol estimado", + "topOperations.actualRows": "Filas reales", + "topOperations.estRows": "Filas estimadas", + "topOperations.actualExecutions": "Ejecuciones reales", + "topOperations.estCPUCost": "Costo de CPU estimado", + "topOperations.estIOCost": "Costo de E/S estimado", + "topOperations.parallel": "Paralelo", + "topOperations.actualRebinds": "Reenlaces reales", + "topOperations.estRebinds": "Reenlaces estimados", + "topOperations.actualRewinds": "Rebobinados reales", + "topOperations.estRewinds": "Rebobinados estimados", + "topOperations.partitioned": "Particionado", + "topOperationsTitle": "Operaciones principales" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewer.contribution": { + "resourceViewer": "Visor de recursos" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { + "resourceViewer.refresh": "Actualizar" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { + "resourceViewerTable.openError": "Error al abrir el vínculo: {0}.", + "resourceViewerTable.commandError": "Error al ejecutar el comando \"{0}\": {1}." + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { + "resourceViewer.ariaLabel": "Árbol del visor de recursos" + }, + "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { + "extension.contributes.resourceView.resource.id": "Identificador del recurso.", + "extension.contributes.resourceView.resource.name": "Nombre de la vista en lenguaje natural. Se mostrará", + "extension.contributes.resourceView.resource.icon": "Ruta de acceso al icono del recurso.", + "extension.contributes.resourceViewResources": "Aporta recursos a la vista de recursos.", + "requirestring": "la propiedad \"{0}\" es obligatoria y debe ser de tipo \"string\"", + "optstring": "la propiedad \"{0}\" se puede omitir o debe ser de tipo \"string\"" + }, + "sql/workbench/contrib/restore/browser/restore.contribution": { + "restore": "Restaurar", + "backup": "Restaurar" + }, + "sql/workbench/contrib/restore/browser/restoreActions": { + "restore.isPreviewFeature": "Debe habilitar las características en versión preliminar para utilizar la restauración", + "restore.commandNotSupportedOutsideContext": "No se admite el comando de copia de seguridad en el contexto del servidor. Seleccione un servidor o base de datos y vuelva a intentarlo.", + "restore.commandNotSupported": "No se admite el comando de restauración para bases de datos de Azure SQL.", + "restoreAction.restore": "Restaurar" + }, + "sql/workbench/contrib/scripting/browser/scripting.contribution": { + "scriptAsCreate": "Script como crear", + "scriptAsDelete": "Script como borrar", + "scriptAsSelect": "Seleccionar el top 1000", + "scriptAsExecute": "Script como ejecutar", + "scriptAsAlter": "Script como modificar", + "editData": "Editar datos", + "scriptSelect": "Seleccionar el top 1000", + "scriptKustoSelect": "Take 10", + "scriptCreate": "Script como crear", + "scriptExecute": "Script como ejecutar", + "scriptAlter": "Script como modificar", + "scriptDelete": "Script como borrar", + "refreshNode": "Actualizar" + }, + "sql/workbench/contrib/scripting/browser/scriptingActions": { + "refreshError": "Error al actualizar el nodo \"{0}\"; {1}." + }, + "sql/workbench/contrib/tasks/browser/tasks.contribution": { + "inProgressTasksChangesBadge": "{0} tareas en curso", + "viewCategory": "Vista", + "tasks": "Tareas", + "miViewTasks": "&&Tareas" + }, + "sql/workbench/contrib/tasks/browser/tasksActions": { + "toggleTasks": "Alternar tareas" + }, + "sql/workbench/contrib/tasks/browser/tasksRenderer": { + "succeeded": "se realizó correctamente", + "failed": "error", + "inProgress": "en curso", + "notStarted": "no iniciado", + "canceled": "cancelado", + "canceling": "cancelando" + }, + "sql/workbench/contrib/tasks/browser/tasksView": { + "noTaskMessage": "No hay un historial de tareas para mostrar.", + "taskHistory.regTreeAriaLabel": "Historial de tareas", + "taskError": "Error de la tarea" + }, + "sql/workbench/contrib/tasks/common/tasksAction": { + "cancelTask.cancel": "Cancelar", + "errorMsgFromCancelTask": "No se ha podido ejecutar la tarea.", + "taskAction.script": "Script" + }, + "sql/workbench/contrib/views/browser/treeView": { + "no-dataprovider": "No hay ningún proveedor de datos registrado que pueda proporcionar datos de la vista.", + "refresh": "Actualizar", + "collapseAll": "Contraer todo", + "command-error": "Error al ejecutar el comando {1}: {0}. Probablemente esté provocado por la extensión que contribuye a {1}." + }, + "sql/workbench/contrib/webview/browser/webViewDialog": { + "webViewDialog.ok": "Aceptar", + "webViewDialog.close": "Cerrar" + }, + "sql/workbench/contrib/welcome/gettingStarted/browser/abstractEnablePreviewFeatures": { + "enablePreviewFeatures.notice": "Las características en versión preliminar mejoran la experiencia en Azure Data Studio, ya que ofrecen acceso completo a nuevas funciones y mejoras. Puede obtener más información sobre las características en versión preliminar [aquí]({0}). ¿Quiere habilitar las características en versión preliminar?", + "enablePreviewFeatures.yes": "Sí (opción recomendada)", + "enablePreviewFeatures.no": "No", + "enablePreviewFeatures.never": "No, no volver a mostrar" + }, + "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { + "welcomePage.previewBody": "Esta página de características está en versión preliminar. Las características en versión preliminar presentan nuevas funcionalidades que están en proceso de convertirse en parte permanente del producto. Son estables, pero necesitan mejoras de accesibilidad adicionales. Agradeceremos sus comentarios iniciales mientras están en desarrollo.", + "welcomePage.preview": "Versión preliminar", + "welcomePage.createConnection": "Crear una conexión", + "welcomePage.createConnectionBody": "Conéctese a una instancia de una base de datos por medio del cuadro de diálogo de conexión.", + "welcomePage.runQuery": "Ejecutar una consulta", + "welcomePage.runQueryBody": "Interactúe con los datos por medio de un editor de consultas.", + "welcomePage.createNotebook": "Crear un cuaderno", + "welcomePage.createNotebookBody": "Cree un nuevo cuaderno con un editor de cuadernos nativo.", + "welcomePage.deployServer": "Implementar un servidor", + "welcomePage.deployServerBody": "Cree una nueva instancia de un servicio de datos relacionales en la plataforma de su elección.", + "welcomePage.resources": "Recursos", + "welcomePage.history": "Historial", + "welcomePage.name": "Nombre", + "welcomePage.location": "Ubicación", + "welcomePage.moreRecent": "Mostrar más", + "welcomePage.showOnStartup": "Mostrar página principal al inicio", + "welcomePage.usefuLinks": "Vínculos útiles", + "welcomePage.gettingStarted": "Introducción", + "welcomePage.gettingStartedBody": "Descubra las funcionalidades que ofrece Azure Data Studio y aprenda a sacarles el máximo partido.", + "welcomePage.documentation": "Documentación", + "welcomePage.documentationBody": "Visite el centro de documentación para acceder a guías de inicio rápido y paso a paso, así como consultar referencias para PowerShell, API, etc.", + "welcomePage.videos": "Vídeos", + "welcomePage.videoDescriptionOverview": "Información general de Azure Data Studio", + "welcomePage.videoDescriptionIntroduction": "Introducción a los cuadernos de Azure Data Studio | Datos expuestos", + "welcomePage.extensions": "Extensiones", + "welcomePage.showAll": "Mostrar todo", + "welcomePage.learnMore": "Más información " + }, + "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { + "GuidedTour.connections": "Conexiones", + "GuidedTour.makeConnections": "Conéctese a SQL Server y Azure, realice consultas, administre las conexiones y mucho más.", + "GuidedTour.one": "1", + "GuidedTour.next": "Siguiente", + "GuidedTour.notebooks": "Cuadernos", + "GuidedTour.gettingStartedNotebooks": "Empiece a crear su propio cuaderno o colección de cuadernos en un solo lugar.", + "GuidedTour.two": "2", + "GuidedTour.extensions": "Extensiones", + "GuidedTour.addExtensions": "Amplíe la funcionalidad de Azure Data Studio mediante la instalación de extensiones desarrolladas por nosotros y Microsoft, así como por la comunidad de terceros (es decir, ¡usted!).", + "GuidedTour.three": "3", + "GuidedTour.settings": "Configuración", + "GuidedTour.makeConnesetSettings": "Personalice Azure Data Studio según sus preferencias. Puede configurar opciones como el autoguardado y el tamaño de las pestañas, personalizar los métodos abreviados de teclado y cambiar a un tema de color de su gusto.", + "GuidedTour.four": "4", + "GuidedTour.welcomePage": "Página de bienvenida", + "GuidedTour.discoverWelcomePage": "Descubra las principales características, los archivos abiertos recientemente y las extensiones recomendadas en la página de bienvenida. Para obtener más información sobre cómo empezar a trabajar con Azure Data Studio, consulte los vídeos y la documentación.", + "GuidedTour.five": "5", + "GuidedTour.finish": "Finalizar", + "guidedTour": "Paseo de bienvenida para el usuario", + "hideGuidedTour": "Ocultar paseo de presentación", + "GuidedTour.readMore": "Más información", + "help": "Ayuda" + }, + "sql/workbench/contrib/welcome/page/browser/welcomePage": { + "welcomePage": "Bienvenida", + "welcomePage.adminPack": "Paquete de administración de SQL", + "welcomePage.showAdminPack": "Paquete de administración de SQL", + "welcomePage.adminPackDescription": "El paquete de administración para SQL Server es una colección de populares extensiones de administración de bases de datos para ayudarle a administrar SQL Server.", + "welcomePage.sqlServerAgent": "Agente SQL Server", + "welcomePage.sqlServerProfiler": "SQL Server Profiler", + "welcomePage.sqlServerImport": "Importación de SQL Server", + "welcomePage.sqlServerDacpac": "SQL Server dacpac", + "welcomePage.powershell": "PowerShell", + "welcomePage.powershellDescription": "Escriba y ejecute scripts de PowerShell con el editor de consultas enriquecidas de Azure Data Studio.", + "welcomePage.dataVirtualization": "Virtualización de datos", + "welcomePage.dataVirtualizationDescription": "Virtualice datos con SQL Server 2019 y cree tablas externas por medio de asistentes interactivos.", + "welcomePage.PostgreSQL": "PostgreSQL", + "welcomePage.PostgreSQLDescription": "Conéctese a bases de datos Postgre, adminístrelas y realice consultas en ellas con Azure Data Studio.", + "welcomePage.extensionPackAlreadyInstalled": "El soporte para '{0}' ya está instalado.", + "welcomePage.willReloadAfterInstallingExtensionPack": "La ventana se volverá a cargar después de instalar compatibilidad adicional con {0}.", + "welcomePage.installingExtensionPack": "Instalando compatibilidad adicional con {0}...", + "welcomePage.extensionPackNotFound": "No se pudo encontrar el soporte para {0} con id {1}.", + "welcomePage.newConnection": "Nueva conexión", + "welcomePage.newQuery": "Nueva consulta", + "welcomePage.newNotebook": "Nuevo cuaderno", + "welcomePage.deployServer": "Implementar un servidor", + "welcome.title": "Bienvenida", + "welcomePage.new": "Nuevo", + "welcomePage.open": "Abrir...", + "welcomePage.openFile": "Abrir archivo...", + "welcomePage.openFolder": "Abrir carpeta...", + "welcomePage.startTour": "Iniciar paseo", + "closeTourBar": "Cerrar barra del paseo introductorio", + "WelcomePage.TakeATour": "¿Le gustaría dar un paseo introductorio por Azure Data Studio?", + "WelcomePage.welcome": "¡Le damos la bienvenida!", + "welcomePage.openFolderWithPath": "Abrir la carpeta {0} con la ruta de acceso {1}", + "welcomePage.install": "Instalar", + "welcomePage.installKeymap": "Instalar asignación de teclas de {0}", + "welcomePage.installExtensionPack": "Instalar compatibilidad adicional con {0}", + "welcomePage.installed": "Instalado", + "welcomePage.installedKeymap": "El mapa de teclas de {0} ya está instalado", + "welcomePage.installedExtensionPack": "La compatibilidad con {0} ya está instalada", + "ok": "Aceptar", + "details": "Detalles", + "welcomePage.background": "Color de fondo para la página de bienvenida." + }, + "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { + "welcomePage.azdata": "Azure Data Studio", + "welcomePage.start": "Inicio", + "welcomePage.newConnection": "Nueva conexión", + "welcomePage.newQuery": "Nueva consulta", + "welcomePage.newNotebook": "Nuevo cuaderno", + "welcomePage.openFileMac": "Abrir archivo", + "welcomePage.openFileLinuxPC": "Abrir archivo", + "welcomePage.deploy": "Implementar", + "welcomePage.newDeployment": "Nueva implementación...", + "welcomePage.recent": "Reciente", + "welcomePage.moreRecent": "Más...", + "welcomePage.noRecentFolders": "No hay ninguna carpeta reciente.", + "welcomePage.help": "Ayuda", + "welcomePage.gettingStarted": "Introducción", + "welcomePage.productDocumentation": "Documentación", + "welcomePage.reportIssue": "Notificar problema o solicitud de características", + "welcomePage.gitHubRepository": "Repositorio de GitHub", + "welcomePage.releaseNotes": "Notas de la versión", + "welcomePage.showOnStartup": "Mostrar página principal al inicio", + "welcomePage.customize": "Personalizar", + "welcomePage.extensions": "Extensiones", + "welcomePage.extensionDescription": "Descargue las extensiones que necesite, incluido el paquete de administración de SQL Server y mucho más", + "welcomePage.keyboardShortcut": "Métodos abreviados de teclado", + "welcomePage.keyboardShortcutDescription": "Encuentre sus comandos favoritos y personalícelos", + "welcomePage.colorTheme": "Tema de color", + "welcomePage.colorThemeDescription": "Modifique a su gusto la apariencia del editor y el código", + "welcomePage.learn": "Información", + "welcomePage.showCommands": "Encontrar y ejecutar todos los comandos", + "welcomePage.showCommandsDescription": "Acceda rápidamente a los comandos y búsquelos desde la paleta de comandos ({0})", + "welcomePage.azdataBlog": "Descubra las novedades de esta última versión", + "welcomePage.azdataBlogDescription": "Nuevas entradas del blog mensuales que muestran nuestras nuevas características", + "welcomePage.followTwitter": "Síganos en Twitter", + "welcomePage.followTwitterDescription": "Manténgase al día sobre cómo la comunidad usa Azure Data Studio y hable directamente con los ingenieros." + }, + "sql/workbench/services/accountManagement/browser/accountDialog": { + "accountExplorer.name": "Cuentas", + "linkedAccounts": "Cuentas vinculadas", + "accountDialog.close": "Cerrar", + "accountDialog.noAccountLabel": "No hay ninguna cuenta vinculada. Agregue una cuenta.", + "accountDialog.addConnection": "Agregar una cuenta", + "accountDialog.noCloudsRegistered": "No tiene ninguna nube habilitada. Vaya a la configuración, busque la configuración de la cuenta de Azure y habilite por lo menos una nube.", + "accountDialog.didNotPickAuthProvider": "No ha seleccionado ningún proveedor de autenticación. Vuelva a intentarlo." + }, + "sql/workbench/services/accountManagement/browser/accountDialogController": { + "accountDialog.addAccountErrorTitle": "Error al agregar la cuenta" + }, + "sql/workbench/services/accountManagement/browser/accountListRenderer": { + "refreshCredentials": "Debe actualizar las credenciales para esta cuenta." + }, + "sql/workbench/services/accountManagement/browser/accountManagementService": { + "accountManagementService.close": "Cerrar", + "loggingIn": "Adición de cuenta en curso...", + "refreshFailed": "El usuario canceló la actualización de la cuenta" + }, + "sql/workbench/services/accountManagement/browser/accountPickerImpl": { + "azureAccount": "Cuenta de Azure", + "azureTenant": "Inquilino de Azure" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { + "copyAndOpen": "Copiar y abrir", + "oauthDialog.cancel": "Cancelar", + "userCode": "Código de usuario", + "website": "Sitio web" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { + "oauthFlyoutIsAlreadyOpen": "No se puede iniciar OAuth automático. Ya hay un OAuth automático en curso." + }, + "sql/workbench/services/admin/common/adminService": { + "adminService.providerIdNotValidError": "Se necesita la conexión para interactuar con el servicio de administración", + "adminService.noHandlerRegistered": "Ningún controlador registrado" + }, + "sql/workbench/services/assessment/common/assessmentService": { + "asmt.providerIdNotValidError": "Para interactuar con el servicio de evaluación, se necesita una conexión.", + "asmt.noHandlerRegistered": "No hay ningún controlador registrado." + }, + "sql/workbench/services/connection/browser/advancedPropertiesController": { + "connectionAdvancedProperties": "Propiedades avanzadas", + "advancedProperties.discard": "Descartar" + }, + "sql/workbench/services/connection/browser/cmsConnectionWidget": { + "serverDescription": "Descripción del servidor (opcional)" + }, + "sql/workbench/services/connection/browser/connectionActions": { + "ClearRecentlyUsedLabel": "Borrar lista", + "ClearedRecentConnections": "Lista de conexiones recientes borrada", + "connectionAction.yes": "Sí", + "connectionAction.no": "No", + "clearRecentConnectionMessage": "¿Está seguro que desea eliminar todas las conexiones de la lista?", + "connectionDialog.yes": "Sí", + "connectionDialog.no": "No", + "delete": "Eliminar", + "connectionAction.GetCurrentConnectionString": "Obtener la cadena de conexión actual", + "connectionAction.connectionString": "La cadena de conexión no está disponible", + "connectionAction.noConnection": "Ninguna conexión activa disponible" + }, + "sql/workbench/services/connection/browser/connectionBrowseTab": { + "connectionDialog.browser": "Examinar", + "connectionDialog.FilterPlaceHolder": "Escriba aquí para filtrar la lista", + "connectionDialog.FilterInputTitle": "Filtrado de conexiones", + "connectionDialog.ApplyingFilter": "Aplicación de filtro en curso", + "connectionDialog.RemovingFilter": "Eliminación del filtro en curso", + "connectionDialog.FilterApplied": "Filtro aplicado", + "connectionDialog.FilterRemoved": "Filtro quitado", + "savedConnections": "Conexiones guardadas", + "savedConnection": "Conexiones guardadas", + "connectionBrowserTree": "Árbol del explorador de conexiones" + }, + "sql/workbench/services/connection/browser/connectionDialogService": { + "connectionError": "Error de conexión", + "kerberosErrorStart": "Error en la conexión debido a un error de Kerberos.", + "kerberosHelpLink": "La ayuda para configurar Kerberos está disponible en {0}", + "kerberosKinit": "Si se ha conectado anteriormente puede que necesite volver a ejecutar kinit." + }, + "sql/workbench/services/connection/browser/connectionDialogWidget": { + "connection": "Conexión", + "connecting": "Conexión en curso", + "connectType": "Tipo de conexión", + "recentConnectionTitle": "Reciente", + "connectionDetailsTitle": "Detalles de conexión", + "connectionDialog.connect": "Conectar", + "connectionDialog.cancel": "Cancelar", + "connectionDialog.recentConnections": "Conexiones recientes", + "noRecentConnections": "Ninguna conexión reciente" + }, + "sql/workbench/services/connection/browser/connectionManagementService": { + "connection.noAzureAccount": "Error al obtener el token de cuenta de Azure para conexión", + "connectionNotAcceptedError": "Conexión no aceptada", + "connectionService.yes": "Sí", + "connectionService.no": "No", + "cancelConnectionConfirmation": "¿Seguro que desea cancelar esta conexión?" + }, + "sql/workbench/services/connection/browser/connectionWidget": { + "connectionWidget.AddAzureAccount": "Agregar una cuenta...", + "defaultDatabaseOption": "", + "loadingDatabaseOption": "Cargando...", + "serverGroup": "Grupo de servidores", + "defaultServerGroup": "", + "addNewServerGroup": "Agregar nuevo grupo...", + "noneServerGroup": "", + "connectionWidget.missingRequireField": "{0} es necesario.", + "connectionWidget.fieldWillBeTrimmed": "{0} se recortará.", + "rememberPassword": "Recordar contraseña", + "connection.azureAccountDropdownLabel": "Cuenta", + "connectionWidget.refreshAzureCredentials": "Actualizar credenciales de la cuenta", + "connection.azureTenantDropdownLabel": "Inquilino de Azure AD", + "connectionName": "Nombre (opcional)", + "advanced": "Avanzado...", + "connectionWidget.invalidAzureAccount": "Debe seleccionar una cuenta" + }, + "sql/workbench/services/connection/browser/localizedConstants": { + "onDidConnectMessage": "Se ha conectado a", + "onDidDisconnectMessage": "Desconectado", + "unsavedGroupLabel": "Conexiones sin guardar" + }, + "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { + "newDashboardTab.openDashboardExtensions": "Abrir extensiones de panel", + "newDashboardTab.ok": "Aceptar", + "newDashboardTab.cancel": "Cancelar", + "newdashboardTabDialog.noExtensionLabel": "No hay extensiones de panel instaladas en este momento. Vaya al Administrador de extensiones para explorar las extensiones recomendadas." + }, + "sql/workbench/services/dialog/browser/dialogPane": { + "wizardPageNumberDisplayText": "Paso {0}" + }, + "sql/workbench/services/dialog/common/dialogTypes": { + "dialogModalDoneButtonLabel": "Listo", + "dialogModalCancelButtonLabel": "Cancelar" + }, + "sql/workbench/services/editData/common/editQueryRunner": { + "query.initEditExecutionFailed": "Error al inicializar la sesión de edición de datos: " + }, + "sql/workbench/services/errorMessage/browser/errorMessageDialog": { + "errorMessageDialog.ok": "Aceptar", + "errorMessageDialog.close": "Cerrar", + "errorMessageDialog.action": "Acción", + "copyDetails": "Copiar detalles" + }, + "sql/workbench/services/errorMessage/browser/errorMessageService": { + "error": "Error", + "warning": "Advertencia", + "info": "Información", + "ignore": "Omitir" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { + "filebrowser.filepath": "Ruta seleccionada", + "fileFilter": "Archivos de tipo", + "fileBrowser.ok": "Aceptar", + "fileBrowser.discard": "Descartar" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialogController": { + "filebrowser.selectFile": "Seleccione un archivo" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { + "fileBrowser.regTreeAriaLabel": "Árbol explorador de archivos" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserService": { + "fileBrowserErrorMessage": "Se ha producido un error al cargar el explorador de archivos.", + "fileBrowserErrorDialogTitle": "Error del explorador de archivos" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { + "allFiles": "Todos los archivos" + }, + "sql/workbench/services/insights/browser/insightDialogActions": { + "workbench.action.insights.copySelection": "Copiar celda" + }, + "sql/workbench/services/insights/browser/insightsDialogController": { + "insightsInputError": "No se pasó ningún perfil de conexión al control flotante de información", + "insightsError": "Error de Insights", + "insightsFileError": "Error al leer el archivo de consulta: ", + "insightsConfigError": "Error al analizar la configuración de la conclusión; no se pudo encontrar la matriz/cadena de consulta o el archivo de consulta" + }, + "sql/workbench/services/insights/browser/insightsDialogView": { + "insights.item": "Artículo", + "insights.value": "Valor", + "insightsDetailView.name": "Detalles de la conclusión", + "property": "Propiedad", + "value": "Valor", + "InsightsDialogTitle": "Conclusiones", + "insights.dialog.items": "Artículos", + "insights.dialog.itemDetails": "Detalles del artículo" + }, + "sql/workbench/services/insights/common/insightsUtils": { + "insightsDidNotFindResolvedFile": "No se pudo encontrar el archivo de consulta en ninguna de las siguientes rutas:\r\n {0}" + }, + "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { + "agentUtilities.failed": "Error", + "agentUtilities.succeeded": "Correcto", + "agentUtilities.retry": "Reintentar", + "agentUtilities.canceled": "Cancelado", + "agentUtilities.inProgress": "En curso", + "agentUtilities.statusUnknown": "Estado desconocido", + "agentUtilities.executing": "En ejecución", + "agentUtilities.waitingForThread": "A la espera de un subproceso", + "agentUtilities.betweenRetries": "Entre reintentos", + "agentUtilities.idle": "Inactivo", + "agentUtilities.suspended": "Suspendido", + "agentUtilities.obsolete": "[Obsoleto]", + "agentUtilities.yes": "Sí", + "agentUtilities.no": "No", + "agentUtilities.notScheduled": "No programado", + "agentUtilities.neverRun": "No ejecutar nunca" + }, + "sql/workbench/services/jobManagement/common/jobManagementService": { + "providerIdNotValidError": "Se necesita conexión para interactuar con JobManagementService", + "noHandlerRegistered": "No hay ningún controlador registrado." + }, + "sql/workbench/services/notebook/browser/interfaces": { + "sqlKernel": "SQL" + }, "sql/workbench/services/notebook/browser/models/cell": { "runCellCancelled": "Ejecución de celdas cancelada", "executionCanceled": "Se canceló la ejecución de la consulta", @@ -11325,12 +11224,223 @@ "noDefaultKernel": "No hay ningún kernel disponible para este cuaderno", "commandSuccessful": "Comando ejecutado correctamente" }, + "sql/workbench/services/notebook/browser/models/clientSession": { + "clientSession.unknownError": "Error al iniciar la sesión del cuaderno", + "ServerNotStarted": "El servidor no se pudo iniciar por una razón desconocida", + "kernelRequiresConnection": "No se encontró el kernel {0}. En su lugar, se utilizará el kernel predeterminado." + }, "sql/workbench/services/notebook/browser/models/notebookContexts": { "selectConnection": "Seleccionar conexión", "localhost": "localhost" }, - "sql/workbench/browser/parts/editor/editorStatusModeSelect": { - "languageChangeUnsupported": "No se admite el cambio de tipos de editor en archivos no guardados" + "sql/workbench/services/notebook/browser/models/notebookModel": { + "injectedParametersMsg": "N.º de parámetros insertados\r\n", + "kernelRequiresConnection": "Seleccione una conexión para ejecutar celdas para este kernel", + "deleteCellFailed": "No se pudo eliminar la celda.", + "changeKernelFailedRetry": "Error al cambiar de kernel. Se utilizará el kernel {0}. Error: {1}", + "changeKernelFailed": "No se pudo cambiar el kernel debido al error: {0}", + "changeContextFailed": "Error en el cambio de contexto: {0}", + "startSessionFailed": "No se pudo iniciar sesión: {0}", + "shutdownClientSessionError": "Se ha producido un error en la sesión del cliente al cerrar el cuaderno: {0}", + "ProviderNoManager": "No puede encontrar el administrador de cuadernos para el proveedor {0}" + }, + "sql/workbench/services/notebook/browser/notebookServiceImpl": { + "notebookUriNotDefined": "No se pasó ninguna URI al crear el administrador de cuadernos", + "notebookServiceNoProvider": "El proveedor de cuadernos no existe" + }, + "sql/workbench/services/notebook/browser/notebookViews/notebookViewModel": { + "notebookView.nameTaken": "Ya existe una vista con el nombre {0} en este cuaderno." + }, + "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { + "sqlKernelError": "Error del kernel SQL", + "connectionRequired": "Se debe elegir una conexión para ejecutar celdas de cuaderno", + "sqlMaxRowsDisplayed": "Mostrando las primeras {0} filas." + }, + "sql/workbench/services/notebook/common/contracts": { + "notebook.richTextEditMode": "Texto enriquecido", + "notebook.splitViewEditMode": "Vista en dos paneles", + "notebook.markdownEditMode": "Markdown" + }, + "sql/workbench/services/notebook/common/localContentManager": { + "nbformatNotRecognized": "nbformat v{0}. {1} no reconocido", + "nbNotSupported": "Este archivo no tiene un formato válido de cuaderno", + "unknownCellType": "Celda de tipo {0} desconocido", + "unrecognizedOutput": "Tipo de salida {0} no reconocido", + "invalidMimeData": "Se espera que los datos para {0} sean una cadena o una matriz de cadenas", + "unrecognizedOutputType": "Tipo de salida {0} no reconocido" + }, + "sql/workbench/services/notebook/common/notebookRegistry": { + "carbon.extension.contributes.notebook.provider": "Identificador del proveedor del cuaderno.", + "carbon.extension.contributes.notebook.fileExtensions": "Extensiones de archivo que deben estar registradas en este proveedor de cuadernos", + "carbon.extension.contributes.notebook.standardKernels": "Núcleos que deben ser estándar con este proveedor de cuadernos", + "vscode.extension.contributes.notebook.providers": "Aporta proveedores de cuadernos.", + "carbon.extension.contributes.notebook.magic": "Nombre del magic de celda, como \"%%sql\".", + "carbon.extension.contributes.notebook.language": "El lenguaje de celda que se usará si este magic de celda se incluye en la celda", + "carbon.extension.contributes.notebook.executionTarget": "Objetivo de ejecución opcional indicado por este magic, por ejemplo Spark vs SQL", + "carbon.extension.contributes.notebook.kernels": "Conjunto opcional de kernels para los que esto es válido, por ejemplo python3, pyspark, sql", + "vscode.extension.contributes.notebook.languagemagics": "Aporta el lenguaje del cuaderno." + }, + "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { + "loading": "Carga en curso..." + }, + "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { + "connectionTree.refresh": "Actualizar", + "connectionTree.editConnection": "Editar conexión", + "DisconnectAction": "Desconectar", + "connectionTree.addConnection": "Nueva conexión", + "connectionTree.addServerGroup": "Nuevo grupo de servidores", + "connectionTree.editServerGroup": "Editar grupo de servidores", + "activeConnections": "Mostrar conexiones activas", + "showAllConnections": "Mostrar todas las conexiones", + "deleteConnection": "Eliminar conexión", + "deleteConnectionGroup": "Eliminar grupo" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerService": { + "OeSessionFailedError": "Error al crear la sesión del Explorador de objetos", + "nodeExpansionError": "Varios errores:" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerViewTreeShim": { + "noProviderFound": "No se puede expandir porque no se encontró el proveedor de conexiones necesario \"{0}\"", + "loginCanceled": "Cancelado por el usuario", + "firewallCanceled": "Diálogo de firewall cancelado" + }, + "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { + "loading": "Carga en curso..." + }, + "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { + "treeAriaLabel": "Conexiones recientes", + "serversAriaLabel": "Servidores", + "treeCreation.regTreeAriaLabel": "Servidores" + }, + "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { + "eventSort": "Ordenar por evento", + "nameColumn": "Ordenar por columna", + "profilerColumnDialog.profiler": "Profiler", + "profilerColumnDialog.ok": "Aceptar", + "profilerColumnDialog.cancel": "Cancelar" + }, + "sql/workbench/services/profiler/browser/profilerFilterDialog": { + "profilerFilterDialog.clear": "Borrar todo", + "profilerFilterDialog.apply": "Aplicar", + "profilerFilterDialog.ok": "Aceptar", + "profilerFilterDialog.cancel": "Cancelar", + "profilerFilterDialog.title": "Filtros", + "profilerFilterDialog.remove": "Quitar esta cláusula", + "profilerFilterDialog.saveFilter": "Guardar filtro", + "profilerFilterDialog.loadFilter": "Cargar filtro", + "profilerFilterDialog.addClauseText": "Agregar una cláusula", + "profilerFilterDialog.fieldColumn": "Campo", + "profilerFilterDialog.operatorColumn": "Operador", + "profilerFilterDialog.valueColumn": "Valor", + "profilerFilterDialog.isNullOperator": "Es NULL", + "profilerFilterDialog.isNotNullOperator": "No es NULL", + "profilerFilterDialog.containsOperator": "Contiene", + "profilerFilterDialog.notContainsOperator": "No contiene", + "profilerFilterDialog.startsWithOperator": "Comienza por", + "profilerFilterDialog.notStartsWithOperator": "No comienza por" + }, + "sql/workbench/services/query/common/queryModelService": { + "commitEditFailed": "Error al confirmar una fila: ", + "runQueryBatchStartMessage": "La consulta comenzó a ejecutarse a las ", + "runQueryStringBatchStartMessage": "Comenzó a ejecutar la consulta \"{0}\"", + "runQueryBatchStartLine": "Línea {0}", + "msgCancelQueryFailed": "Error al cancelar la consulta: {0}", + "updateCellFailed": "Error en la actualización de la celda: " + }, + "sql/workbench/services/query/common/queryRunner": { + "query.ExecutionFailedError": "La ejecución no se completó debido a un error inesperado: {0} {1}", + "query.message.executionTime": "Tiempo total de ejecución: {0}", + "query.message.startQueryWithRange": "Comenzó a ejecutar la consulta en la línea {0}", + "query.message.startQuery": "Se ha iniciado la ejecución del proceso por lotes ({0}).", + "elapsedBatchTime": "Tiempo de ejecución por lotes: {0}", + "copyFailed": "Error de copia {0}" + }, + "sql/workbench/services/query/common/resultSerializer": { + "msgSaveFailed": "Error al guardar los resultados. ", + "resultsSerializer.saveAsFileTitle": "Selección del archivo de resultados", + "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (delimitado por comas)", + "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", + "resultsSerializer.saveAsFileExtensionExcelTitle": "Libro de Excel", + "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", + "resultsSerializer.saveAsFileExtensionTXTTitle": "Texto sin formato", + "savingFile": "Se está guardando el archivo...", + "msgSaveSucceeded": "Los resultados se han guardado correctamente en {0}.", + "openFile": "Abrir archivo" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { + "from": "De", + "to": "A", + "createNewFirewallRule": "Crear nueva regla de firewall", + "firewall.ok": "Aceptar", + "firewall.cancel": "Cancelar", + "firewallRuleDialogDescription": "La dirección IP del cliente no tiene acceso al servidor. Inicie sesión en una cuenta de Azure y cree una regla de firewall para habilitar el acceso.", + "firewallRuleHelpDescription": "Más información sobre configuración de firewall", + "filewallRule": "Regla de firewall", + "addIPAddressLabel": "Agregar mi IP de cliente ", + "addIpRangeLabel": "Agregar mi rango IP de subred" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialogController": { + "firewallDialog.addAccountErrorTitle": "Error al agregar la cuenta", + "firewallRuleError": "Error de la regla de firewall" + }, + "sql/workbench/services/restore/browser/restoreDialog": { + "backupFilePath": "Ruta del archivo de copia de seguridad", + "targetDatabase": "Base de datos de destino", + "restoreDialog.restore": "Restaurar", + "restoreDialog.restoreTitle": "Restauración de una base de datos", + "restoreDialog.database": "Base de datos", + "restoreDialog.backupFile": "Archivo de copia de seguridad", + "RestoreDialogTitle": "Restauración de una base de datos", + "restoreDialog.cancel": "Cancelar", + "restoreDialog.script": "Script", + "source": "Origen", + "restoreFrom": "Restaurar de", + "missingBackupFilePathError": "Se requiere la ruta de acceso del archivo de copia de seguridad.", + "multipleBackupFilePath": "Especifique una o más rutas de archivo separadas por comas", + "database": "Base de datos", + "destination": "Destino", + "restoreTo": "Restaurar en", + "restorePlan": "Plan de restauración", + "backupSetsToRestore": "Grupos de copias de seguridad para restaurar", + "restoreDatabaseFileAs": "Restaurar archivos de base de datos como", + "restoreDatabaseFileDetails": "Restaurar detalles del archivo de base de datos", + "logicalFileName": "Nombre lógico del archivo", + "fileType": "Tipo de archivo", + "originalFileName": "Nombre del archivo original", + "restoreAs": "Restaurar como", + "restoreOptions": "Opciones de restauración", + "taillogBackup": "Copia del final del registro", + "serverConnection": "Conexiones del servidor", + "generalTitle": "General", + "filesTitle": "Archivos", + "optionsTitle": "Opciones" + }, + "sql/workbench/services/restore/common/constants": { + "backup.filterBackupFiles": "Archivos de copia de seguridad", + "backup.allFiles": "Todos los archivos" + }, + "sql/workbench/services/serverGroup/browser/serverGroupDialog": { + "ServerGroupsDialogTitle": "Grupos de servidores", + "serverGroup.ok": "Aceptar", + "serverGroup.cancel": "Cancelar", + "connectionGroupName": "Nombre del grupo de servidores", + "MissingGroupNameError": "Se requiere el nombre del grupo.", + "groupDescription": "Descripción del grupo", + "groupColor": "Color del grupo" + }, + "sql/workbench/services/serverGroup/common/serverGroupViewModel": { + "serverGroup.addServerGroup": "Agregar grupo de servidores", + "serverGroup.editServerGroup": "Editar grupo de servidores" + }, + "sql/workbench/services/tasks/common/tasksService": { + "InProgressWarning": "1 o más tareas están en curso. ¿Seguro que desea salir?", + "taskService.yes": "Sí", + "taskService.no": "No" + }, + "sql/workbench/update/electron-browser/releaseNotes": { + "gettingStarted": "Introducción", + "showReleaseNotes": "Ver introducción", + "miGettingStarted": "I&&ntroducción" } } } \ No newline at end of file diff --git a/i18n/ads-language-pack-fr/package.json b/i18n/ads-language-pack-fr/package.json index 395b0d7dc2..9c4790fa92 100644 --- a/i18n/ads-language-pack-fr/package.json +++ b/i18n/ads-language-pack-fr/package.json @@ -2,7 +2,7 @@ "name": "ads-language-pack-fr", "displayName": "French Language Pack for Azure Data Studio", "description": "Language pack extension for French", - "version": "1.29.0", + "version": "1.31.0", "publisher": "Microsoft", "repository": { "type": "git", @@ -11,7 +11,7 @@ "license": "SEE SOURCE EULA LICENSE IN LICENSE.txt", "engines": { "vscode": "*", - "azdata": ">=1.29.0" + "azdata": "^0.0.0" }, "icon": "languagepack.png", "categories": [ @@ -164,6 +164,14 @@ "id": "vscode.yaml", "path": "./translations/extensions/yaml.i18n.json" }, + { + "id": "Microsoft.admin-tool-ext-win", + "path": "./translations/extensions/admin-tool-ext-win.i18n.json" + }, + { + "id": "Microsoft.agent", + "path": "./translations/extensions/agent.i18n.json" + }, { "id": "Microsoft.azurecore", "path": "./translations/extensions/azurecore.i18n.json" @@ -172,6 +180,18 @@ "id": "Microsoft.big-data-cluster", "path": "./translations/extensions/big-data-cluster.i18n.json" }, + { + "id": "Microsoft.cms", + "path": "./translations/extensions/cms.i18n.json" + }, + { + "id": "Microsoft.dacpac", + "path": "./translations/extensions/dacpac.i18n.json" + }, + { + "id": "Microsoft.import", + "path": "./translations/extensions/import.i18n.json" + }, { "id": "Microsoft.sqlservernotebook", "path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json" @@ -184,9 +204,17 @@ "id": "Microsoft.notebook", "path": "./translations/extensions/notebook.i18n.json" }, + { + "id": "Microsoft.profiler", + "path": "./translations/extensions/profiler.i18n.json" + }, { "id": "Microsoft.resource-deployment", "path": "./translations/extensions/resource-deployment.i18n.json" + }, + { + "id": "Microsoft.schema-compare", + "path": "./translations/extensions/schema-compare.i18n.json" } ] } diff --git a/i18n/ads-language-pack-fr/translations/extensions/admin-tool-ext-win.i18n.json b/i18n/ads-language-pack-fr/translations/extensions/admin-tool-ext-win.i18n.json new file mode 100644 index 0000000000..9435797e44 --- /dev/null +++ b/i18n/ads-language-pack-fr/translations/extensions/admin-tool-ext-win.i18n.json @@ -0,0 +1,26 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "adminToolExtWin.displayName": "Extensions de l'outil d'administration de base de données pour Windows", + "adminToolExtWin.description": "Ajoute d'autres fonctionnalités spécifiques de Windows à Azure Data Studio", + "adminToolExtWin.propertiesMenuItem": "Propriétés", + "adminToolExtWin.launchGswMenuItem": "Générer des scripts..." + }, + "dist/main": { + "adminToolExtWin.noConnectionContextForProp": "Aucun ConnectionContext pour handleLaunchSsmsMinPropertiesDialogCommand", + "adminToolExtWin.noOENode": "Impossible de déterminer le nœud de l'Explorateur d'objets à partir de connectionContext : {0}", + "adminToolExtWin.noConnectionContextForGsw": "Aucun ConnectionContext pour handleLaunchSsmsMinPropertiesDialogCommand", + "adminToolExtWin.noConnectionProfile": "Aucun connectionProfile fourni par connectionContext : {0}", + "adminToolExtWin.launchingDialogStatus": "Lancement de la boîte de dialogue...", + "adminToolExtWin.ssmsMinError": "Erreur d'appel de SsmsMin avec les arguments '{0}' - {1}" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-fr/translations/extensions/agent.i18n.json b/i18n/ads-language-pack-fr/translations/extensions/agent.i18n.json new file mode 100644 index 0000000000..4898b6f5ee --- /dev/null +++ b/i18n/ads-language-pack-fr/translations/extensions/agent.i18n.json @@ -0,0 +1,282 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/agentDialog": { + "agentDialog.OK": "OK", + "agentDialog.Cancel": "Annuler" + }, + "dist/dialogs/jobStepDialog": { + "jobStepDialog.fileBrowserTitle": "Localiser les fichiers de base de données - ", + "jobStepDialog.ok": "OK", + "jobStepDialog.cancel": "Annuler", + "jobStepDialog.general": "Général", + "jobStepDialog.advanced": "Avancé", + "jobStepDialog.open": "Ouvrir...", + "jobStepDialog.parse": "Analyser", + "jobStepDialog.successParse": "La commande a été analysée.", + "jobStepDialog.failParse": "La commande a échoué.", + "jobStepDialog.blankStepName": "Le nom de l'étape ne peut être vide", + "jobStepDialog.processExitCode": "Code de sortie de processus d'une commande réussie :", + "jobStepDialog.stepNameLabel": "Nom de l'étape", + "jobStepDialog.typeLabel": "Type", + "jobStepDialog.runAsLabel": "Exécuter en tant que", + "jobStepDialog.databaseLabel": "Base de données", + "jobStepDialog.commandLabel": "Commande", + "jobStepDialog.successAction": "Action en cas de réussite", + "jobStepDialog.failureAction": "Action en cas d'échec", + "jobStepDialog.runAsUser": "Exécuter en tant qu'utilisateur", + "jobStepDialog.retryAttempts": "Nouvelles tentatives", + "jobStepDialog.retryInterval": "Intervalle avant nouvelle tentative (minutes)", + "jobStepDialog.logToTable": "Journaliser dans une table", + "jobStepDialog.appendExistingTableEntry": "Ajouter la sortie à l'entrée existante dans la table", + "jobStepDialog.includeStepOutputHistory": "Inclure le résultat de l'étape dans l'historique", + "jobStepDialog.outputFile": "Fichier de sortie", + "jobStepDialog.appendOutputToFile": "Ajouter la sortie au fichier existant", + "jobStepDialog.selectedPath": "Chemin sélectionné", + "jobStepDialog.filesOfType": "Fichiers de type", + "jobStepDialog.fileName": "Nom de fichier", + "jobStepDialog.allFiles": "Tous les fichiers (*)", + "jobStepDialog.newJobStep": "Nouvelle étape de travail", + "jobStepDialog.editJobStep": "Modifier l'étape de travail", + "jobStepDialog.TSQL": "Script Transact-SQL (T-SQL)", + "jobStepDialog.powershell": "PowerShell", + "jobStepDialog.CmdExec": "Système d'exploitation (CmdExec)", + "jobStepDialog.replicationDistribution": "Serveur de distribution de réplication", + "jobStepDialog.replicationMerge": "Fusion de réplication", + "jobStepDialog.replicationQueueReader": "Lecteur de file d'attente de réplication", + "jobStepDialog.replicationSnapshot": "Instantané de réplication", + "jobStepDialog.replicationTransactionLogReader": "Lecteur du journal des transactions de réplication", + "jobStepDialog.analysisCommand": "Commande SQL Server Analysis Services", + "jobStepDialog.analysisQuery": "Requête SQL Server Analysis Services", + "jobStepDialog.servicesPackage": "Package SQL Server Integration Services", + "jobStepDialog.agentServiceAccount": "Compte de service SQL Server Agent", + "jobStepDialog.nextStep": "Passer à l'étape suivante", + "jobStepDialog.quitJobSuccess": "Quitter le travail signalant la réussite", + "jobStepDialog.quitJobFailure": "Quitter le travail signalant l'échec" + }, + "dist/dialogs/pickScheduleDialog": { + "pickSchedule.jobSchedules": "Planifications de travail", + "pickSchedule.ok": "OK", + "pickSchedule.cancel": "Annuler", + "pickSchedule.availableSchedules": "Planifications disponibles :", + "pickSchedule.scheduleName": "Nom", + "pickSchedule.scheduleID": "ID", + "pickSchedule.description": "Description" + }, + "dist/dialogs/alertDialog": { + "alertDialog.createAlert": "Créer une alerte", + "alertDialog.editAlert": "Modifier l'alerte", + "alertDialog.General": "Général", + "alertDialog.Response": "Réponse", + "alertDialog.Options": "Options", + "alertDialog.eventAlert": "Définition d'alerte d'événement", + "alertDialog.Name": "Nom", + "alertDialog.Type": "Type", + "alertDialog.Enabled": "Activé", + "alertDialog.DatabaseName": "Nom de la base de données", + "alertDialog.ErrorNumber": "Numéro d'erreur", + "alertDialog.Severity": "Gravité", + "alertDialog.RaiseAlertContains": "Déclencher une alerte quand le message contient", + "alertDialog.MessageText": "Texte du message", + "alertDialog.Severity001": "001 - Informations système diverses", + "alertDialog.Severity002": "002 - Réservé", + "alertDialog.Severity003": "003 - Réservé", + "alertDialog.Severity004": "004 - Réservé", + "alertDialog.Severity005": "005 - Réservé", + "alertDialog.Severity006": "006 - Réservé", + "alertDialog.Severity007": "007 - Notification : information d'état", + "alertDialog.Severity008": "008 - Notification : intervention nécessaire de l'utilisateur", + "alertDialog.Severity009": "009 - Défini par l'utilisateur", + "alertDialog.Severity010": "010 - Informations", + "alertDialog.Severity011": "011 - Objet de base de données spécifié introuvable", + "alertDialog.Severity012": "012 - Inutilisé", + "alertDialog.Severity013": "013 - Erreur de syntaxe de la transaction utilisateur", + "alertDialog.Severity014": "014 - Autorisation insuffisante", + "alertDialog.Severity015": "015 - Erreur de syntaxe dans des instructions SQL", + "alertDialog.Severity016": "016 - Erreur diverse de l'utilisateur", + "alertDialog.Severity017": "017 - Ressources insuffisantes", + "alertDialog.Severity018": "018 - Erreur interne récupérable", + "alertDialog.Severity019": "019 - Erreur irrécupérable dans la ressource", + "alertDialog.Severity020": "020 - Erreur irrécupérable dans le traitement en cours", + "alertDialog.Severity021": "021 - Erreur irrécupérable dans les processus de base de données", + "alertDialog.Severity022": "022 - Erreur irrécupérable : Intégrité suspecte de la table", + "alertDialog.Severity023": "023 - Erreur irrécupérable : Intégrité suspecte de la base de données", + "alertDialog.Severity024": "024 - Erreur irrécupérable : Erreur matérielle", + "alertDialog.Severity025": "025 - Erreur irrécupérable", + "alertDialog.AllDatabases": "", + "alertDialog.ExecuteJob": "Exécuter le travail", + "alertDialog.ExecuteJobName": "Nom du travail", + "alertDialog.NotifyOperators": "Notifier les opérateurs", + "alertDialog.NewJob": "Nouveau travail", + "alertDialog.OperatorList": "Liste des opérateurs", + "alertDialog.OperatorName": "Opérateur", + "alertDialog.OperatorEmail": "E-mail", + "alertDialog.OperatorPager": "Récepteur de radiomessagerie", + "alertDialog.NewOperator": "Nouvel opérateur", + "alertDialog.IncludeErrorInEmail": "Inclure le texte d'erreur de l'alerte dans un e-mail", + "alertDialog.IncludeErrorInPager": "Inclure le texte d'erreur de l'alerte dans le récepteur de radiomessagerie", + "alertDialog.AdditionalNotification": "Message de notification supplémentaire à envoyer", + "alertDialog.DelayMinutes": "Minutes de retard", + "alertDialog.DelaySeconds": "Secondes de retard" + }, + "dist/dialogs/operatorDialog": { + "createOperator.createOperator": "Créer un opérateur", + "createOperator.editOperator": "Modifier l'opérateur", + "createOperator.General": "Général", + "createOperator.Notifications": "Notifications", + "createOperator.Name": "Nom", + "createOperator.Enabled": "Activé", + "createOperator.EmailName": "Nom d'e-mail", + "createOperator.PagerEmailName": "Nom d'e-mail du récepteur de radiomessagerie", + "createOperator.PagerMondayCheckBox": "Lundi", + "createOperator.PagerTuesdayCheckBox": "Mardi", + "createOperator.PagerWednesdayCheckBox": "Mercredi", + "createOperator.PagerThursdayCheckBox": "Jeudi", + "createOperator.PagerFridayCheckBox": "Vendredi ", + "createOperator.PagerSaturdayCheckBox": "Samedi", + "createOperator.PagerSundayCheckBox": "Dimanche", + "createOperator.workdayBegin": "Début de journée", + "createOperator.workdayEnd": "Fin de journée", + "createOperator.PagerDutySchedule": "Planification de la radiomessagerie active", + "createOperator.AlertListHeading": "Liste d'alertes", + "createOperator.AlertNameColumnLabel": "Nom de l'alerte", + "createOperator.AlertEmailColumnLabel": "E-mail", + "createOperator.AlertPagerColumnLabel": "Récepteur de radiomessagerie" + }, + "dist/dialogs/jobDialog": { + "jobDialog.general": "Général", + "jobDialog.steps": "Étapes", + "jobDialog.schedules": "Planifications", + "jobDialog.alerts": "Alertes", + "jobDialog.notifications": "Notifications", + "jobDialog.blankJobNameError": "Le nom du travail ne peut pas être vide.", + "jobDialog.name": "Nom", + "jobDialog.owner": "Propriétaire", + "jobDialog.category": "Catégorie", + "jobDialog.description": "Description", + "jobDialog.enabled": "Activé", + "jobDialog.jobStepList": "Liste des étapes de travail", + "jobDialog.step": "Étape", + "jobDialog.type": "Type", + "jobDialog.onSuccess": "En cas de succès", + "jobDialog.onFailure": "En cas d'échec", + "jobDialog.new": "Nouvelle étape", + "jobDialog.edit": "Modifier l'étape", + "jobDialog.delete": "Supprimer l'étape", + "jobDialog.moveUp": "Monter l'étape", + "jobDialog.moveDown": "Descendre l'étape", + "jobDialog.startStepAt": "Démarrer l'étape", + "jobDialog.notificationsTabTop": "Actions à effectuer à la fin du travail", + "jobDialog.email": "E-mail", + "jobDialog.page": "Page", + "jobDialog.eventLogCheckBoxLabel": "Écrire dans le journal des événements d'application Windows", + "jobDialog.deleteJobLabel": "Supprimer le travail automatiquement", + "jobDialog.schedulesaLabel": "Liste des planifications", + "jobDialog.pickSchedule": "Choisir une planification", + "jobDialog.removeSchedule": "Supprimer une planification", + "jobDialog.alertsList": "Liste des alertes", + "jobDialog.newAlert": "Nouvelle alerte", + "jobDialog.alertNameLabel": "Nom de l'alerte", + "jobDialog.alertEnabledLabel": "Activé", + "jobDialog.alertTypeLabel": "Type", + "jobDialog.newJob": "Nouveau travail", + "jobDialog.editJob": "Modifier le travail" + }, + "dist/data/jobData": { + "jobData.whenJobCompletes": "Quand le travail est effectué", + "jobData.whenJobFails": "Quand le travail échoue", + "jobData.whenJobSucceeds": "Quand le travail réussit", + "jobData.jobNameRequired": "Le nom du travail doit être fourni", + "jobData.saveErrorMessage": "La mise à jour du travail a échoué '{0}'", + "jobData.newJobErrorMessage": "La création du travail a échoué '{0}'", + "jobData.saveSucessMessage": "Le travail '{0}' a été mis à jour", + "jobData.newJobSuccessMessage": "Le travail '{0}' a été créé" + }, + "dist/data/jobStepData": { + "jobStepData.saveErrorMessage": "La mise à jour de l'étape a échoué '{0}'", + "stepData.jobNameRequired": "Le nom du travail doit être fourni", + "stepData.stepNameRequired": "Le nom de l'étape doit être fourni" + }, + "dist/mainController": { + "mainController.notImplemented": "Cette fonctionnalité est en cours de développement. Découvrez les dernières builds Insiders pour tester les changements les plus récents !", + "agent.templateUploadSuccessful": "Modèle mis à jour", + "agent.templateUploadError": "Échec de la mise à jour du modèle", + "agent.unsavedFileSchedulingError": "Le bloc-notes doit être enregistré avant d’être planifié. Enregistrez, puis réessayez la planification.", + "agent.AddNewConnection": "Ajouter une nouvelle connexion", + "agent.selectConnection": "Sélectionnez une connexion", + "agent.selectValidConnection": "Sélectionnez une connexion valide." + }, + "dist/data/alertData": { + "alertData.saveErrorMessage": "La mise à jour de l'alerte a échoué '{0}'", + "alertData.DefaultAlertTypString": "Alerte d'événement SQL Server", + "alertDialog.PerformanceCondition": "Alerte de condition de performances SQL Server", + "alertDialog.WmiEvent": "Alerte d'événement WMI" + }, + "dist/dialogs/proxyDialog": { + "createProxy.createProxy": "Créer un proxy", + "createProxy.editProxy": "Modifier le proxy", + "createProxy.General": "Général", + "createProxy.ProxyName": "Nom du proxy", + "createProxy.CredentialName": "Nom d'identification", + "createProxy.Description": "Description", + "createProxy.SubsystemName": "Sous-système", + "createProxy.OperatingSystem": "Système d'exploitation (CmdExec)", + "createProxy.ReplicationSnapshot": "Instantané de réplication", + "createProxy.ReplicationTransactionLog": "Lecteur du journal des transactions de réplication", + "createProxy.ReplicationDistributor": "Serveur de distribution de réplication", + "createProxy.ReplicationMerge": "Fusion de réplication", + "createProxy.ReplicationQueueReader": "Lecteur de file d'attente de réplication", + "createProxy.SSASQueryLabel": "Requête SQL Server Analysis Services", + "createProxy.SSASCommandLabel": "Commande SQL Server Analysis Services", + "createProxy.SSISPackage": "Package SQL Server Integration Services", + "createProxy.PowerShell": "PowerShell" + }, + "dist/data/proxyData": { + "proxyData.saveErrorMessage": "La mise à jour du proxy a échoué '{0}'", + "proxyData.saveSucessMessage": "Proxy '{0}' mis à jour", + "proxyData.newJobSuccessMessage": "Proxy '{0}' créé" + }, + "dist/dialogs/notebookDialog": { + "notebookDialog.newJob": "Nouveau travail de notebook", + "notebookDialog.editJob": "Modifier le travail du bloc-notes", + "notebookDialog.general": "Général", + "notebookDialog.notebookSection": "Détails du notebook", + "notebookDialog.templateNotebook": "Chemin d’accès de bloc-notes", + "notebookDialog.targetDatabase": "Base de données de stockage", + "notebookDialog.executeDatabase": "Base de données d’exécution", + "notebookDialog.defaultDropdownString": "Sélectionner une base de données", + "notebookDialog.jobSection": "Détails du travail", + "notebookDialog.name": "Nom", + "notebookDialog.owner": "Propriétaire", + "notebookDialog.schedulesaLabel": "Liste des planifications", + "notebookDialog.pickSchedule": "Choisir une planification", + "notebookDialog.removeSchedule": "Supprimer une planification", + "notebookDialog.description": "Description", + "notebookDialog.templatePath": "Sélectionnez un bloc-notes à planifier à partir du PC", + "notebookDialog.targetDatabaseInfo": "Sélectionner une base de données pour stocker toutes les métadonnées et résultats du travail de bloc-notes", + "notebookDialog.executionDatabaseInfo": "Sélectionnez une base de données pour laquelle les requêtes de bloc-notes vont s’exécuter" + }, + "dist/data/notebookData": { + "notebookData.whenJobCompletes": "Une fois le bloc-notes terminé", + "notebookData.whenJobFails": "En cas d’échec du bloc-notes", + "notebookData.whenJobSucceeds": "En cas de réussite du bloc-notes.", + "notebookData.jobNameRequired": "Le nom du bloc-notes doit être fourni", + "notebookData.templatePathRequired": "Le chemin du modèle doit être fourni", + "notebookData.invalidNotebookPath": "Chemin d'accès du bloc-notes non valide", + "notebookData.selectStorageDatabase": "Sélectionner une base de données de stockage", + "notebookData.selectExecutionDatabase": "Sélectionner une base de données d’exécution", + "notebookData.jobExists": "Le travail portant un nom similaire existe déjà", + "notebookData.saveErrorMessage": "Échec de la mise à jour du bloc-notes « {0} »", + "notebookData.newJobErrorMessage": "Échec de la création du bloc-notes « {0} »", + "notebookData.saveSucessMessage": "Le bloc-notes « {0} » a été mis à jour", + "notebookData.newJobSuccessMessage": "Le bloc-notes « {0} » a été créé" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-fr/translations/extensions/azurecore.i18n.json b/i18n/ads-language-pack-fr/translations/extensions/azurecore.i18n.json index 4b7a37d13a..3f8678dd14 100644 --- a/i18n/ads-language-pack-fr/translations/extensions/azurecore.i18n.json +++ b/i18n/ads-language-pack-fr/translations/extensions/azurecore.i18n.json @@ -41,6 +41,7 @@ "dist/azureResource/utils": { "azure.resource.error": "Erreur : {0}", "azure.accounts.getResourceGroups.queryError": "Erreur de récupération des groupes de ressources pour le compte {0} ({1}), abonnement {2} ({3}), locataire {4} : {5}", + "azure.accounts.getLocations.queryError": "Erreur de récupération des emplacements pour le compte {0} ({1}), abonnement {2} ({3}), locataire {4} : {5}", "azure.accounts.runResourceQuery.errors.invalidQuery": "Requête non valide", "azure.accounts.getSubscriptions.queryError": "Erreur de récupération des abonnements pour le compte {0}, locataire {1} : {2}", "azure.accounts.getSelectedSubscriptions.queryError": "Erreur de récupération des abonnements pour le compte {0} : {1}" @@ -141,7 +142,9 @@ "dist/azureResource/tree/flatAccountTreeNode": { "azure.resource.tree.accountTreeNode.titleLoading": "{0} - Chargement...", "azure.resource.tree.accountTreeNode.title": "{0} (abonnements {1}/{2})", - "azure.resource.tree.accountTreeNode.credentialError": "L'obtention des informations d'identification a échoué pour le compte {0}. Accédez à la boîte de dialogue des comptes et actualisez le compte." + "azure.resource.tree.accountTreeNode.credentialError": "L'obtention des informations d'identification a échoué pour le compte {0}. Accédez à la boîte de dialogue des comptes et actualisez le compte.", + "azure.resource.throttleerror": "Les demandes de ce compte ont été limitées. Pour réessayer, sélectionnez un nombre plus petit d’abonnements.", + "azure.resource.tree.loadresourceerror": "Une erreur s’est produite lors du chargement des ressources Azure : {0}" }, "dist/azureResource/tree/accountNotSignedInTreeNode": { "azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Connectez-vous à Azure..." @@ -203,6 +206,9 @@ "dist/azureResource/providers/kusto/kustoTreeDataProvider": { "azure.resource.providers.KustoContainerLabel": "Cluster Azure Data Explorer" }, + "dist/azureResource/providers/azuremonitor/azuremonitorTreeDataProvider": { + "azure.resource.providers.AzureMonitorContainerLabel": "Azure Monitor Workspace" + }, "dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": { "azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Serveur Azure Database pour PostgreSQL" }, diff --git a/i18n/ads-language-pack-fr/translations/extensions/big-data-cluster.i18n.json b/i18n/ads-language-pack-fr/translations/extensions/big-data-cluster.i18n.json index d1cc9e7bc3..45853edab5 100644 --- a/i18n/ads-language-pack-fr/translations/extensions/big-data-cluster.i18n.json +++ b/i18n/ads-language-pack-fr/translations/extensions/big-data-cluster.i18n.json @@ -11,28 +11,28 @@ "package": { "description": "Prise en charge de la gestion des clusters Big Data SQL Server", "text.sqlServerBigDataClusters": "Clusters Big Data SQL Server", - "command.connectController.title": "Connect to Existing Controller", - "command.createController.title": "Create New Controller", - "command.removeController.title": "Remove Controller", + "command.connectController.title": "Se connecter au contrôleur existant", + "command.createController.title": "Créer un contrôleur", + "command.removeController.title": "Supprimer le contrôleur", "command.refreshController.title": "Actualiser", "command.manageController.title": "Gérer", "command.mount.title": "Monter HDFS", "command.refreshmount.title": "Actualiser le montage", "command.deletemount.title": "Supprimer le montage", "bdc.configuration.title": "Cluster Big Data", - "bdc.view.welcome.connect": "No SQL Big Data Cluster controllers registered. [Learn More](https://docs.microsoft.com/sql/big-data-cluster/big-data-cluster-overview)\r\n[Connect Controller](command:bigDataClusters.command.connectController)", - "bdc.view.welcome.loading": "Loading controllers...", + "bdc.view.welcome.connect": "Aucun contrôleur de cluster Big Data SQL n'est inscrit. [En savoir plus](https://docs.microsoft.com/sql/big-data-cluster/big-data-cluster-overview)\r\n[Connecter un contrôleur](command:bigDataClusters.command.connectController)", + "bdc.view.welcome.loading": "Chargement des contrôleurs...", "bdc.ignoreSslVerification.desc": "Ignorer les erreurs de vérification SSL sur les points de terminaison de cluster Big Data SQL Server de type HDFS, Spark et Contrôleur si la valeur est true", "resource-type-sql-bdc-display-name": "Cluster Big Data SQL Server", "resource-type-sql-bdc-description": "Le cluster Big Data SQL Server vous permet de déployer des clusters scalables de conteneurs SQL Server, Spark et HDFS s'exécutant sur Kubernetes", "version-display-name": "Version", - "bdc-2019-display-name": "SQL Server 2019", + "bdc-2019-display-name": "SQL Server 2019", "bdc-deployment-target": "Cible de déploiement", "bdc-deployment-target-new-aks": "Nouveau cluster Azure Kubernetes Service", "bdc-deployment-target-existing-aks": "Cluster Azure Kubernetes Service existant", "bdc-deployment-target-existing-kubeadm": "Cluster Kubernetes existant (kubeadm)", - "bdc-deployment-target-existing-aro": "Existing Azure Red Hat OpenShift cluster", - "bdc-deployment-target-existing-openshift": "Existing OpenShift cluster", + "bdc-deployment-target-existing-aro": "Cluster Azure Red Hat OpenShift existant", + "bdc-deployment-target-existing-openshift": "Cluster OpenShift existant", "bdc-cluster-settings-section-title": "Paramètres de cluster Big Data SQL Server", "bdc-cluster-name-field": "Nom de cluster", "bdc-controller-username-field": "Nom d'utilisateur du contrôleur", @@ -50,7 +50,7 @@ "bdc-data-size-field": "Capacité de données (Go)", "bdc-log-size-field": "Capacité des journaux (Go)", "bdc-agreement": "J'accepte {0}, {1} et {2}.", - "microsoft-privacy-statement": "Microsoft Privacy Statement", + "microsoft-privacy-statement": "Déclaration de confidentialité Microsoft", "bdc-agreement-azdata-eula": "Termes du contrat de licence azdata", "bdc-agreement-bdc-eula": "Termes du contrat de licence SQL Server" }, @@ -103,102 +103,102 @@ "endpointsError": "Erreur inattendue pendant la récupération des points de terminaison BDC : {0}" }, "dist/bigDataCluster/localizedConstants": { - "bdc.dashboard.status": "Status Icon", + "bdc.dashboard.status": "Icône d'état", "bdc.dashboard.instance": "Instance", - "bdc.dashboard.state": "State", - "bdc.dashboard.view": "View", + "bdc.dashboard.state": "État", + "bdc.dashboard.view": "Voir", "bdc.dashboard.notAvailable": "N/A", - "bdc.dashboard.healthStatusDetails": "Health Status Details", - "bdc.dashboard.metricsAndLogs": "Metrics and Logs", - "bdc.dashboard.healthStatus": "Health Status", - "bdc.dashboard.nodeMetrics": "Node Metrics", - "bdc.dashboard.sqlMetrics": "SQL Metrics", - "bdc.dashboard.logs": "Logs", - "bdc.dashboard.viewNodeMetrics": "View Node Metrics {0}", - "bdc.dashboard.viewSqlMetrics": "View SQL Metrics {0}", - "bdc.dashboard.viewLogs": "View Kibana Logs {0}", - "bdc.dashboard.lastUpdated": "Last Updated : {0}", - "basicAuthName": "Basic", - "integratedAuthName": "Windows Authentication", - "addNewController": "Add New Controller", + "bdc.dashboard.healthStatusDetails": "Détails de l'état d'intégrité", + "bdc.dashboard.metricsAndLogs": "Métriques et journaux", + "bdc.dashboard.healthStatus": "État d'intégrité", + "bdc.dashboard.nodeMetrics": "Métriques de nœud", + "bdc.dashboard.sqlMetrics": "Métriques SQL", + "bdc.dashboard.logs": "Journaux", + "bdc.dashboard.viewNodeMetrics": "Voir les métriques de nœud {0}", + "bdc.dashboard.viewSqlMetrics": "Voir les métriques SQL {0}", + "bdc.dashboard.viewLogs": "Voir les journaux Kibana {0}", + "bdc.dashboard.lastUpdated": "Dernière mise à jour : {0}", + "basicAuthName": "De base", + "integratedAuthName": "Authentification Windows", + "addNewController": "Ajouter un nouveau contrôleur", "url": "URL", - "username": "Username", - "password": "Password", - "rememberPassword": "Remember Password", - "clusterManagementUrl": "Cluster Management URL", - "textAuthCapital": "Authentication type", - "hdsf.dialog.connection.section": "Cluster Connection", - "add": "Add", - "cancel": "Cancel", + "username": "Nom d'utilisateur", + "password": "Mot de passe", + "rememberPassword": "Se souvenir du mot de passe", + "clusterManagementUrl": "URL de gestion de cluster", + "textAuthCapital": "Type d'authentification", + "hdsf.dialog.connection.section": "Connexion du cluster", + "add": "Ajouter", + "cancel": "Annuler", "ok": "OK", - "bdc.dashboard.refresh": "Refresh", - "bdc.dashboard.troubleshoot": "Troubleshoot", - "bdc.dashboard.bdcOverview": "Big Data Cluster overview", - "bdc.dashboard.clusterDetails": "Cluster Details", - "bdc.dashboard.clusterOverview": "Cluster Overview", - "bdc.dashboard.serviceEndpoints": "Service Endpoints", - "bdc.dashboard.clusterProperties": "Cluster Properties", - "bdc.dashboard.clusterState": "Cluster State", - "bdc.dashboard.serviceName": "Service Name", + "bdc.dashboard.refresh": "Actualiser", + "bdc.dashboard.troubleshoot": "Résoudre les problèmes", + "bdc.dashboard.bdcOverview": "Vue d'ensemble du cluster Big Data", + "bdc.dashboard.clusterDetails": "Détails du cluster", + "bdc.dashboard.clusterOverview": "Vue d'ensemble du cluster", + "bdc.dashboard.serviceEndpoints": "Points de terminaison de service", + "bdc.dashboard.clusterProperties": "Propriétés du cluster", + "bdc.dashboard.clusterState": "État du cluster", + "bdc.dashboard.serviceName": "Nom du service", "bdc.dashboard.service": "Service", - "bdc.dashboard.endpoint": "Endpoint", - "copiedEndpoint": "Endpoint '{0}' copied to clipboard", - "bdc.dashboard.copy": "Copy", - "bdc.dashboard.viewDetails": "View Details", - "bdc.dashboard.viewErrorDetails": "View Error Details", - "connectController.dialog.title": "Connect to Controller", - "mount.main.section": "Mount Configuration", - "mount.task.name": "Mounting HDFS folder on path {0}", - "refreshmount.task.name": "Refreshing HDFS Mount on path {0}", - "deletemount.task.name": "Deleting HDFS Mount on path {0}", - "mount.task.submitted": "Mount creation has started", - "refreshmount.task.submitted": "Refresh mount request submitted", - "deletemount.task.submitted": "Delete mount request submitted", - "mount.task.complete": "Mounting HDFS folder is complete", - "mount.task.inprogress": "Mounting is likely to complete, check back later to verify", - "mount.dialog.title": "Mount HDFS Folder", - "mount.hdfsPath.title": "HDFS Path", - "mount.hdfsPath.info": "Path to a new (non-existing) directory which you want to associate with the mount", - "mount.remoteUri.title": "Remote URI", - "mount.remoteUri.info": "The URI to the remote data source. Example for ADLS: abfs://fs@saccount.dfs.core.windows.net/", - "mount.credentials.title": "Credentials", - "mount.credentials.info": "Mount credentials for authentication to remote data source for reads", - "refreshmount.dialog.title": "Refresh Mount", - "deleteMount.dialog.title": "Delete Mount", - "bdc.dashboard.loadingClusterStateCompleted": "Loading cluster state completed", - "bdc.dashboard.loadingHealthStatusCompleted": "Loading health status completed", - "err.controller.username.required": "Username is required", - "err.controller.password.required": "Password is required", - "endpointsError": "Unexpected error retrieving BDC Endpoints: {0}", - "bdc.dashboard.noConnection": "The dashboard requires a connection. Please click retry to enter your credentials.", - "bdc.dashboard.unexpectedError": "Unexpected error occurred: {0}", - "mount.hdfs.loginerror1": "Login to controller failed", - "mount.hdfs.loginerror2": "Login to controller failed: {0}", - "mount.err.formatting": "Bad formatting of credentials at {0}", - "mount.task.error": "Error mounting folder: {0}", - "mount.error.unknown": "Unknown error occurred during the mount process" + "bdc.dashboard.endpoint": "Point de terminaison", + "copiedEndpoint": "Point de terminaison '{0}' copié dans le Presse-papiers", + "bdc.dashboard.copy": "Copier", + "bdc.dashboard.viewDetails": "Voir les détails", + "bdc.dashboard.viewErrorDetails": "Voir les détails de l'erreur", + "connectController.dialog.title": "Se connecter au contrôleur", + "mount.main.section": "Configuration du montage", + "mount.task.name": "Montage du dossier HDFS sur le chemin {0}", + "refreshmount.task.name": "Actualisation du montage HDFS sur le chemin {0}", + "deletemount.task.name": "Suppression du montage HDFS sur le chemin {0}", + "mount.task.submitted": "La création du montage a commencé", + "refreshmount.task.submitted": "Demande d'actualisation du montage envoyée", + "deletemount.task.submitted": "Supprimer la demande de montage envoyée", + "mount.task.complete": "Le montage du dossier HDFS est terminé", + "mount.task.inprogress": "Le montage va probablement être effectué, revenez vérifier plus tard", + "mount.dialog.title": "Monter le dossier HDFS", + "mount.hdfsPath.title": "Chemin HDFS", + "mount.hdfsPath.info": "Chemin d'un nouveau répertoire (non existant) à associer au montage", + "mount.remoteUri.title": "URI distant", + "mount.remoteUri.info": "URI de la source de données distante. Exemple pour ADLS : abfs://fs@saccount.dfs.core.windows.net/", + "mount.credentials.title": "Informations d'identification", + "mount.credentials.info": "Informations d'identification de montage pour l'authentification auprès de la source de données distante pour les lectures", + "refreshmount.dialog.title": "Actualiser le montage", + "deleteMount.dialog.title": "Supprimer le montage", + "bdc.dashboard.loadingClusterStateCompleted": "L'état de cluster a été chargé", + "bdc.dashboard.loadingHealthStatusCompleted": "L'état d'intégrité a été chargé", + "err.controller.username.required": "Nom d'utilisateur obligatoire", + "err.controller.password.required": "Mot de passe obligatoire", + "endpointsError": "Erreur inattendue pendant la récupération des points de terminaison BDC : {0}", + "bdc.dashboard.noConnection": "Le tableau de bord nécessite une connexion. Cliquez sur Réessayer pour entrer vos informations d'identification.", + "bdc.dashboard.unexpectedError": "Erreur inattendue : {0}", + "mount.hdfs.loginerror1": "La connexion au contrôleur a échoué", + "mount.hdfs.loginerror2": "La connexion au contrôleur a échoué : {0}", + "mount.err.formatting": "Mise en forme incorrecte des informations d'identification sur {0}", + "mount.task.error": "Erreur de montage du dossier {0}", + "mount.error.unknown": "Une erreur inconnue s'est produite pendant le processus de montage" }, "dist/bigDataCluster/controller/clusterControllerApi": { "error.no.activedirectory": "Ce cluster ne prend pas en charge l'authentification Windows", "bdc.error.tokenPost": "Erreur pendant l'authentification", "bdc.error.unauthorized": "Vous n'avez pas l'autorisation de vous connecter à ce cluster à l'aide de l'authentification Windows", - "bdc.error.getClusterConfig": "Error retrieving cluster config from {0}", + "bdc.error.getClusterConfig": "Erreur de récupération de la configuration de cluster à partir de {0}", "bdc.error.getEndPoints": "Erreur de récupération des points de terminaison de {0}", "bdc.error.getBdcStatus": "Erreur de récupération de l'état BDC de {0}", "bdc.error.mountHdfs": "Erreur de création du montage", - "bdc.error.statusHdfs": "Error getting mount status", + "bdc.error.statusHdfs": "Erreur d'obtention de l'état de montage", "bdc.error.refreshHdfs": "Erreur d'actualisation du montage", "bdc.error.deleteHdfs": "Erreur de suppression du montage" }, "dist/extension": { "mount.error.endpointNotFound": "Informations de point de terminaison du contrôleur introuvables", - "bdc.dashboard.title": "Big Data Cluster Dashboard -", + "bdc.dashboard.title": "Tableau de bord de cluster Big Data -", "textYes": "Oui", "textNo": "Non", - "textConfirmRemoveController": "Are you sure you want to remove '{0}'?" + "textConfirmRemoveController": "Voulez-vous vraiment supprimer '{0}' ?" }, "dist/bigDataCluster/tree/controllerTreeDataProvider": { - "bdc.controllerTreeDataProvider.error": "Unexpected error loading saved controllers: {0}" + "bdc.controllerTreeDataProvider.error": "Erreur inattendue pendant chargement des contrôleurs enregistrés : {0}" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-fr/translations/extensions/cms.i18n.json b/i18n/ads-language-pack-fr/translations/extensions/cms.i18n.json new file mode 100644 index 0000000000..d262c73191 --- /dev/null +++ b/i18n/ads-language-pack-fr/translations/extensions/cms.i18n.json @@ -0,0 +1,146 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "cms.displayName": "Serveurs de gestion centralisée SQL Server", + "cms.description": "Prise en charge de la gestion des serveurs de gestion centralisée SQL Server", + "cms.title": "Serveurs de gestion centralisée", + "cms.connectionProvider.displayName": "Microsoft SQL Server", + "cms.resource.explorer.title": "Serveurs de gestion centralisée", + "cms.resource.refresh.title": "Actualiser", + "cms.resource.refreshServerGroup.title": "Actualiser le groupe de serveurs", + "cms.resource.deleteRegisteredServer.title": "Supprimer", + "cms.resource.addRegisteredServer.title": "Nouvelle inscription de serveur...", + "cms.resource.deleteServerGroup.title": "Supprimer", + "cms.resource.addServerGroup.title": "Nouveau groupe de serveurs...", + "cms.resource.registerCmsServer.title": "Ajouter un serveur de gestion centralisée", + "cms.resource.deleteCmsServer.title": "Supprimer", + "cms.configuration.title": "Configuration MSSQL", + "cms.query.displayBitAsNumber": "Spécifie si les colonnes BIT doivent être affichées sous forme de nombre (1 ou 0). Si la valeur est false, les colonnes BIT sont affichées sous la forme 'true' ou 'false'", + "cms.format.alignColumnDefinitionsInColumns": "Spécifie si les définitions de colonne doivent être alignées", + "cms.format.datatypeCasing": "Spécifie si la mise en forme des types de données est MAJUSCULES, minuscules ou aucune (sans mise en forme)", + "cms.format.keywordCasing": "Spécifie si la mise en forme des mots clés est MAJUSCULES, minuscules ou aucune (sans mise en forme)", + "cms.format.placeCommasBeforeNextStatement": "spécifie si des virgules doivent être placées au début de chaque instruction dans une liste (par exemple : ',mycolumn2') plutôt qu'à la fin (par exemple : 'mycolumn1,')", + "cms.format.placeSelectStatementReferencesOnNewLine": "Spécifie si les références aux objets dans les instructions select doivent être divisées en plusieurs lignes. Par exemple, pour 'SELECT C1, C2 FROM T1', C1 et C2 sont sur des lignes distinctes", + "cms.logDebugInfo": "[Facultatif] Journaliser la sortie de débogage dans la console (Voir -> Sortie) et sélectionner le canal de sortie approprié dans la liste déroulante", + "cms.tracingLevel": "[Facultatif] Niveau de journalisation des services de back-end. Azure Data Studio génère un nom de fichier à chaque démarrage et, si le fichier existe déjà, ajoute les entrées de journal à ce fichier. Pour nettoyer les anciens fichiers journaux, consultez les paramètres logRetentionMinutes et logFilesRemovalLimit. Le niveau de suivi par défaut correspond à une faible journalisation. Si vous changez le niveau de détail, vous pouvez obtenir une journalisation massive nécessitant de l'espace disque pour les journaux. Le niveau Erreur inclut le niveau Critique, le niveau Avertissement inclut le niveau Erreur, le niveau Informations inclut le niveau Avertissement et le niveau Détail inclut le niveau Informations", + "cms.logRetentionMinutes": "Nombre de minutes de conservation des fichiers journaux pour les services de back-end. La durée par défaut est 1 semaine.", + "cms.logFilesRemovalLimit": "Nombre maximal d'anciens fichiers ayant dépassé mssql.logRetentionMinutes à supprimer au démarrage. Les fichiers qui ne sont pas nettoyés du fait de cette limitation le sont au prochain démarrage d'Azure Data Studio.", + "ignorePlatformWarning": "[Facultatif] Ne pas afficher les avertissements de plateforme non prise en charge", + "onprem.databaseProperties.recoveryModel": "Mode de récupération", + "onprem.databaseProperties.lastBackupDate": "Dernière sauvegarde de base de données", + "onprem.databaseProperties.lastLogBackupDate": "Dernière sauvegarde de journal", + "onprem.databaseProperties.compatibilityLevel": "Niveau de compatibilité", + "onprem.databaseProperties.owner": "Propriétaire", + "onprem.serverProperties.serverVersion": "Version", + "onprem.serverProperties.serverEdition": "Édition", + "onprem.serverProperties.machineName": "Nom de l'ordinateur", + "onprem.serverProperties.osVersion": "Version de système d'exploitation", + "cloud.databaseProperties.azureEdition": "Édition", + "cloud.databaseProperties.serviceLevelObjective": "Niveau tarifaire", + "cloud.databaseProperties.compatibilityLevel": "Niveau de compatibilité", + "cloud.databaseProperties.owner": "Propriétaire", + "cloud.serverProperties.serverVersion": "Version", + "cloud.serverProperties.serverEdition": "Type", + "cms.provider.displayName": "Microsoft SQL Server", + "cms.connectionOptions.connectionName.displayName": "Nom (facultatif)", + "cms.connectionOptions.connectionName.description": "Nom personnalisé de la connexion", + "cms.connectionOptions.serverName.displayName": "Serveur", + "cms.connectionOptions.serverName.description": "Nom de l'instance SQL Server", + "cms.connectionOptions.serverDescription.displayName": "Description du serveur", + "cms.connectionOptions.serverDescription.description": "Description de l'instance SQL Server", + "cms.connectionOptions.authType.displayName": "Type d'authentification", + "cms.connectionOptions.authType.description": "Spécifie la méthode d'authentification avec SQL Server", + "cms.connectionOptions.authType.categoryValues.sqlLogin": "Connexion SQL", + "cms.connectionOptions.authType.categoryValues.integrated": "Authentification Windows", + "cms.connectionOptions.authType.categoryValues.azureMFA": "Azure Active Directory - Authentification universelle avec prise en charge de MFA", + "cms.connectionOptions.userName.displayName": "Nom d'utilisateur", + "cms.connectionOptions.userName.description": "Indique l'identifiant utilisateur à utiliser pour la connexion à la source de données", + "cms.connectionOptions.password.displayName": "Mot de passe", + "cms.connectionOptions.password.description": "Indique le mot de passe à utiliser pour la connexion à la source de données", + "cms.connectionOptions.applicationIntent.displayName": "Intention d'application", + "cms.connectionOptions.applicationIntent.description": "Déclare le type de charge de travail de l'application pendant la connexion à un serveur", + "cms.connectionOptions.asynchronousProcessing.displayName": "Traitement asynchrone", + "cms.connectionOptions.asynchronousProcessing.description": "Quand la valeur est true, permet d'utiliser la fonctionnalité asynchrone dans le fournisseur de données .Net Framework", + "cms.connectionOptions.connectTimeout.displayName": "Délai d'expiration de la connexion", + "cms.connectionOptions.connectTimeout.description": "Durée d'attente (en secondes) d'une connexion au serveur avant de terminer la tentative et de générer une erreur", + "cms.connectionOptions.currentLanguage.displayName": "Langage actuel", + "cms.connectionOptions.currentLanguage.description": "Nom d'enregistrement de la langue de SQL Server", + "cms.connectionOptions.columnEncryptionSetting.displayName": "Chiffrement de colonne", + "cms.connectionOptions.columnEncryptionSetting.description": "Paramètre par défaut de chiffrement de colonne pour toutes les commandes sur la connexion", + "cms.connectionOptions.encrypt.displayName": "Chiffrer", + "cms.connectionOptions.encrypt.description": "Quand la valeur est true, SQL Server utilise le chiffrement SSL pour toutes les données envoyées entre le client et le serveur si le serveur a un certificat installé", + "cms.connectionOptions.persistSecurityInfo.displayName": "Conserver les informations de sécurité", + "cms.connectionOptions.persistSecurityInfo.description": "Quand la valeur est false, les informations de sécurité, comme le mot de passe, ne sont pas retournées dans le cadre de la connexion", + "cms.connectionOptions.trustServerCertificate.displayName": "Approuver le certificat de serveur", + "cms.connectionOptions.trustServerCertificate.description": "Quand la valeur est true (et encrypt=true), SQL Server utilise le chiffrement SSL pour toutes les données envoyées entre le client et le serveur sans valider le certificat de serveur", + "cms.connectionOptions.attachedDBFileName.displayName": "Nom du fichier de base de données attaché", + "cms.connectionOptions.attachedDBFileName.description": "Nom de fichier principal, y compris le nom de chemin complet, d'une base de données pouvant être attachée", + "cms.connectionOptions.contextConnection.displayName": "Connexion contextuelle", + "cms.connectionOptions.contextConnection.description": "Quand la valeur est true, indique que la connexion doit provenir du contexte du serveur SQL. Disponible uniquement en cas d'exécution dans le processus SQL Server", + "cms.connectionOptions.port.displayName": "Port", + "cms.connectionOptions.connectRetryCount.displayName": "Nombre de tentatives de connexion", + "cms.connectionOptions.connectRetryCount.description": "Nombre de tentatives de restauration de connexion", + "cms.connectionOptions.connectRetryInterval.displayName": "Intervalle entre les tentatives de connexion", + "cms.connectionOptions.connectRetryInterval.description": "Délai entre les tentatives de restauration de connexion", + "cms.connectionOptions.applicationName.displayName": "Nom de l'application", + "cms.connectionOptions.applicationName.description": "Nom de l'application", + "cms.connectionOptions.workstationId.displayName": "ID de station de travail", + "cms.connectionOptions.workstationId.description": "Nom de la station de travail se connectant à SQL Server", + "cms.connectionOptions.pooling.displayName": "Regroupement", + "cms.connectionOptions.pooling.description": "Quand la valeur est true, l'objet de connexion est tiré du pool approprié ou, si nécessaire, est créé et ajouté au pool approprié", + "cms.connectionOptions.maxPoolSize.displayName": "Taille maximale du pool", + "cms.connectionOptions.maxPoolSize.description": "Nombre maximal de connexions autorisées dans le pool", + "cms.connectionOptions.minPoolSize.displayName": "Taille minimale du pool", + "cms.connectionOptions.minPoolSize.description": "Nombre minimal de connexions autorisées dans le pool", + "cms.connectionOptions.loadBalanceTimeout.displayName": "Délai d'expiration de l'équilibrage de charge", + "cms.connectionOptions.loadBalanceTimeout.description": "Durée de vie minimale (en secondes) de cette connexion dans le pool avant d'être détruite", + "cms.connectionOptions.replication.displayName": "Réplication", + "cms.connectionOptions.replication.description": "Utilisé par SQL Server dans la réplication", + "cms.connectionOptions.attachDbFilename.displayName": "Attacher le nom de fichier de base de données", + "cms.connectionOptions.failoverPartner.displayName": "Partenaire de basculement", + "cms.connectionOptions.failoverPartner.description": "Nom ou adresse réseau de l'instance de SQL Server servant de partenaire de basculement", + "cms.connectionOptions.multiSubnetFailover.displayName": "Basculement de plusieurs sous-réseaux", + "cms.connectionOptions.multipleActiveResultSets.displayName": "MARS (Multiple Active Result Set)", + "cms.connectionOptions.multipleActiveResultSets.description": "Quand la valeur est true, plusieurs jeux de résultats peuvent être retournés et lus sur une même connexion", + "cms.connectionOptions.packetSize.displayName": "Taille de paquet", + "cms.connectionOptions.packetSize.description": "Taille en octets des paquets réseau utilisés pour communiquer avec une instance de SQL Server", + "cms.connectionOptions.typeSystemVersion.displayName": "Version du système de type", + "cms.connectionOptions.typeSystemVersion.description": "Indique le système de type serveur que le fournisseur expose par le biais de DataReader" + }, + "dist/cmsResource/tree/cmsResourceTreeNode": { + "cms.resource.cmsResourceTreeNode.noResourcesLabel": "Aucune ressource" + }, + "dist/cmsResource/tree/cmsResourceEmptyTreeNode": { + "cms.resource.tree.CmsTreeNode.addCmsServerLabel": "Ajouter un serveur de gestion centralisée..." + }, + "dist/cmsResource/tree/treeProvider": { + "cms.resource.tree.treeProvider.loadError": "Une erreur inattendue s'est produite durant le chargement des serveurs enregistrés {0}", + "cms.resource.tree.treeProvider.loadingLabel": "Chargement..." + }, + "dist/cmsResource/cmsResourceCommands": { + "cms.errors.sameCmsServerName": "Le groupe de serveurs de gestion centralisée a déjà un serveur inscrit nommé {0}", + "cms.errors.azureNotAllowed": "Vous ne pouvez pas utiliser les serveurs Azure SQL comme serveurs de gestion centralisée", + "cms.confirmDeleteServer": "Voulez-vous vraiment effectuer la suppression", + "cms.yes": "Oui", + "cms.no": "Non", + "cms.AddServerGroup": "Ajouter le groupe de serveurs", + "cms.OK": "OK", + "cms.Cancel": "Annuler", + "cms.ServerGroupName": "Nom du groupe de serveurs", + "cms.ServerGroupDescription": "Description du groupe de serveurs", + "cms.errors.sameServerGroupName": "{0} a déjà un groupe de serveurs nommé {1}", + "cms.confirmDeleteGroup": "Voulez-vous vraiment effectuer la suppression" + }, + "dist/cmsUtils": { + "cms.errors.sameServerUnderCms": "Vous ne pouvez pas ajouter un serveur inscrit partagé du même nom que le serveur de configuration" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-fr/translations/extensions/dacpac.i18n.json b/i18n/ads-language-pack-fr/translations/extensions/dacpac.i18n.json new file mode 100644 index 0000000000..c10ad5a3d2 --- /dev/null +++ b/i18n/ads-language-pack-fr/translations/extensions/dacpac.i18n.json @@ -0,0 +1,78 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "dacFx.settings": "Espacement", + "dacFx.defaultSaveLocation": "Chemin d’accès complet du dossier dans lequel . DACPAC et . Les fichiers BACPAC sont enregistrés par défaut" + }, + "dist/localizedConstants": { + "dacFx.targetServer": "Serveur cible", + "dacFx.sourceServer": "Serveur source", + "dacFx.sourceDatabase": "Base de données source", + "dacFx.targetDatabase": "Base de données cible", + "dacfx.fileLocation": "Emplacement de fichier", + "dacfx.selectFile": "Sélectionner un fichier", + "dacfx.summaryTableTitle": "Résumé des paramètres", + "dacfx.version": "Version", + "dacfx.setting": "Paramètre", + "dacfx.value": "Valeur", + "dacFx.databaseName": "Nom de la base de données", + "dacFxDeploy.openFile": "Ouvrir", + "dacFx.upgradeExistingDatabase": "Mettre à niveau la base de données existante", + "dacFx.newDatabase": "Nouvelle base de données", + "dacfx.dataLossTextWithCount": "{0} des actions de déploiement listées peuvent entraîner une perte de données. Vérifiez que vous avez une sauvegarde ou un instantané disponible en cas de problème avec le déploiement.", + "dacFx.proceedDataLoss": "Poursuivre malgré le risque de perte de données", + "dacfx.noDataLoss": "Aucune perte de données suite aux actions de déploiement listées.", + "dacfx.dataLossText": "Les actions de déploiement peuvent entraîner une perte de données. Vérifiez que vous avez une sauvegarde ou un instantané disponible en cas de problème avec le déploiement.", + "dacfx.operation": "Opération", + "dacfx.operationTooltip": "Opération (Créer, Modifier, Supprimer) qui a lieu pendant le déploiement", + "dacfx.type": "Type", + "dacfx.typeTooltip": "Type de l'objet affecté par le déploiement", + "dacfx.object": "Objet", + "dacfx.objecTooltip": "Nom de l'objet affecté par le déploiement", + "dacfx.dataLoss": "Perte de données", + "dacfx.dataLossTooltip": "Les opérations pouvant entraîner une perte des données sont marquées d'un signe d'avertissement", + "dacfx.save": "Enregistrer", + "dacFx.versionText": "Version (utiliser x.x.x.x où x est un nombre)", + "dacFx.deployDescription": "Déployer un fichier .dacpac d'application de couche Données sur une instance de SQL Server [Déployer Dacpac]", + "dacFx.extractDescription": "Extraire une application de couche Données d'une instance de SQL Server vers un fichier .dacpac [Extraire Dacpac]", + "dacFx.importDescription": "Créer une base de données à partir d'un fichier .bacpac [Importer Bacpac]", + "dacFx.exportDescription": "Exporter le schéma et les données d'une base de données au format de fichier logique .bacpac [Exporter Bacpac]", + "dacfx.wizardTitle": "Assistant de l'application de la couche Données", + "dacFx.selectOperationPageName": "Sélectionner une opération", + "dacFx.deployConfigPageName": "Sélectionner les paramètres de déploiement Dacpac", + "dacFx.deployPlanPageName": "Examiner le plan de déploiement", + "dacFx.summaryPageName": "Récapitulatif", + "dacFx.extractConfigPageName": "Sélectionner les paramètres d'extraction Dacpac", + "dacFx.importConfigPageName": "Sélectionner les paramètres d'importation Bacpac", + "dacFx.exportConfigPageName": "Sélectionner les paramètres d'exportation Bacpac", + "dacFx.deployButton": "Déployer", + "dacFx.extract": "Extraire", + "dacFx.import": "Importer", + "dacFx.export": "Exporter", + "dacFx.generateScriptButton": "Générer le script", + "dacfx.scriptGeneratingMessage": "Vous pouvez voir l'état de la génération de script dans la vue Tâches une fois l'Assistant fermé. Le script s'ouvre dès qu'il est généré.", + "dacfx.default": "par défaut", + "dacfx.deployPlanTableTitle": "Déployer des opérations de plan", + "dacfx.databaseNameExistsErrorMessage": "Une base de données portant le même nom existe déjà sur l'instance de SQL Server", + "dacfx.undefinedFilenameErrorMessage": "Nom non indéfini", + "dacfx.filenameEndingInPeriodErrorMessage": "Le nom ne peut pas se terminer par un point", + "dacfx.whitespaceFilenameErrorMessage": "Un nom de fichier ne peut pas être un espace blanc", + "dacfx.invalidFileCharsErrorMessage": "Caractères de fichier non valides", + "dacfx.reservedWindowsFilenameErrorMessage": "Ce nom de fichier est réservé à l’utilisation par Windows. Choisissez un autre nom et essayez à nouveau", + "dacfx.reservedValueErrorMessage": "Nom de fichier réservé. Choisissez un autre nom et réessayez", + "dacfx.trailingWhitespaceErrorMessage": "Le nom ne peut pas se terminer par un espace", + "dacfx.tooLongFilenameErrorMessage": "Le nom de fichier est supérieur à 255 caractères", + "dacfx.deployPlanErrorMessage": "La génération du plan de déploiement a échoué '{0}'", + "dacfx.generateDeployErrorMessage": "Échec de génération du script de déploiement « {0} »", + "dacfx.operationErrorMessage": "Échec de l'opération {0} « {1} »" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-fr/translations/extensions/import.i18n.json b/i18n/ads-language-pack-fr/translations/extensions/import.i18n.json new file mode 100644 index 0000000000..a832917b35 --- /dev/null +++ b/i18n/ads-language-pack-fr/translations/extensions/import.i18n.json @@ -0,0 +1,66 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "flatfileimport.configuration.title": "Configuration de l’importation de fichiers plats", + "flatfileimport.logDebugInfo": "[Facultatif] Journaliser la sortie de débogage dans la console (Voir -> Sortie) et sélectionner le canal de sortie approprié dans la liste déroulante" + }, + "out/services/serviceClient": { + "serviceStarted": "{0} démarré", + "serviceStarting": "Démarrage de {0}", + "flatFileImport.serviceStartFailed": "Échec du démarrage de {0} : {1}", + "installingServiceDetailed": "Installation de {0} sur {1}", + "installingService": "Installation du service {0}", + "serviceInstalled": "{0} installé", + "downloadingService": "Téléchargement de {0}", + "downloadingServiceSize": "({0} Ko)", + "downloadingServiceStatus": "Téléchargement de {0}", + "downloadingServiceComplete": "Téléchargement terminé {0}", + "entryExtractedChannelMsg": "{0} extrait ({1}/{2})" + }, + "out/common/constants": { + "import.serviceCrashButton": "Envoyer des commentaires", + "serviceCrashMessage": "le composant de service n'a pas pu démarrer", + "flatFileImport.serverDropdownTitle": "Serveur contenant la base de données", + "flatFileImport.databaseDropdownTitle": "Base de données dans laquelle la table est créée", + "flatFile.InvalidFileLocation": "Emplacement de fichier non valide. Essayez un autre fichier d’entrée", + "flatFileImport.browseFiles": "Parcourir", + "flatFileImport.openFile": "Ouvrir", + "flatFileImport.fileTextboxTitle": "Emplacement du fichier à importer", + "flatFileImport.tableTextboxTitle": "Nouveau nom de table", + "flatFileImport.schemaTextboxTitle": "Schéma de table", + "flatFileImport.importData": "Importer des données", + "flatFileImport.next": "Suivant", + "flatFileImport.columnName": "Nom de la colonne", + "flatFileImport.dataType": "Type de données", + "flatFileImport.primaryKey": "Clé primaire", + "flatFileImport.allowNulls": "Autoriser les valeurs Null", + "flatFileImport.prosePreviewMessage": "Cette opération a analysé la structure du fichier d'entrée pour générer l'aperçu ci-dessous des 50 premières lignes.", + "flatFileImport.prosePreviewMessageFail": "Cette opération a échoué. Essayez un autre fichier d'entrée.", + "flatFileImport.refresh": "Actualiser", + "flatFileImport.importInformation": "Importer les informations", + "flatFileImport.importStatus": "État de l'importation", + "flatFileImport.serverName": "Nom du serveur", + "flatFileImport.databaseName": "Nom de la base de données", + "flatFileImport.tableName": "Nom de la table", + "flatFileImport.tableSchema": "Schéma de table", + "flatFileImport.fileImport": "Fichier à importer", + "flatFileImport.success.norows": "✔ Vous avez inséré les données dans une table.", + "import.needConnection": "Connectez-vous à un serveur avant d'utiliser cet Assistant.", + "import.needSQLConnection": "L’extension d’importation de SQL Server ne prend pas en charge ce type de connexion", + "flatFileImport.wizardName": "Assistant Importation de fichier plat", + "flatFileImport.page1Name": "Spécifier le fichier d'entrée", + "flatFileImport.page2Name": "Aperçu des données", + "flatFileImport.page3Name": "Modifier les colonnes", + "flatFileImport.page4Name": "Récapitulatif", + "flatFileImport.importNewFile": "Importer un nouveau fichier" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-fr/translations/extensions/notebook.i18n.json b/i18n/ads-language-pack-fr/translations/extensions/notebook.i18n.json index 9278d55cac..8d95470fb9 100644 --- a/i18n/ads-language-pack-fr/translations/extensions/notebook.i18n.json +++ b/i18n/ads-language-pack-fr/translations/extensions/notebook.i18n.json @@ -14,13 +14,16 @@ "notebook.configuration.title": "Configuration de notebook", "notebook.pythonPath.description": "Chemin local de l'installation Python utilisé par Notebooks.", "notebook.useExistingPython.description": "Chemin local d'une installation précédente de Python utilisée par Notebooks.", + "notebook.dontPromptPythonUpdate.description": "Ne pas afficher d’invite pour mettre à jour Python.", + "notebook.jupyterServerShutdownTimeout.description": "Durée d’attente (en minutes) avant l’arrêt d’un serveur une fois tous les blocs-notes fermés. (Entrez 0 pour ne pas arrêter)", "notebook.overrideEditorTheming.description": "Remplacez les paramètres d'éditeur par défaut dans l'éditeur de notebook. Les paramètres comprennent la couleur d'arrière-plan, la couleur de la ligne actuelle et la bordure", "notebook.maxTableRows.description": "Nombre maximal de lignes retournées par table dans l'éditeur de notebook", - "notebook.trustedBooks.description": "Notebooks contained in these books will automatically be trusted.", + "notebook.trustedBooks.description": "Les notebooks contenus dans ces books sont automatiquement approuvés.", "notebook.maxBookSearchDepth.description": "Profondeur maximale des sous-répertoires où rechercher les notebooks (Entrer 0 pour l'infini)", - "notebook.collapseBookItems.description": "Collapse Book items at root level in the Notebooks Viewlet", - "notebook.remoteBookDownloadTimeout.description": "Download timeout in milliseconds for GitHub books", - "notebook.pinnedNotebooks.description": "Notebooks that are pinned by the user for the current workspace", + "notebook.collapseBookItems.description": "Réduire les éléments Book au niveau racine dans la viewlet Notebooks", + "notebook.remoteBookDownloadTimeout.description": "Délai d'expiration en millisecondes du téléchargement des books GitHub", + "notebook.pinnedNotebooks.description": "Notebooks épinglés par l'utilisateur pour l'espace de travail actuel", + "notebook.allowRoot.description": "Allow Jupyter server to run as root user", "notebook.command.new": "Nouveau notebook", "notebook.command.open": "Ouvrir le notebook", "notebook.analyzeJupyterNotebook": "Analyser dans le notebook", @@ -43,108 +46,121 @@ "title.managePackages": "Gérer les packages", "title.SQL19PreviewBook": "Guide SQL Server 2019", "books-preview-category": "Notebooks Jupyter", - "title.saveJupyterBook": "Enregistrer le notebook", - "title.trustBook": "Trust Book", - "title.searchJupyterBook": "Rechercher dans le notebook", + "title.saveJupyterBook": "Enregistrer Jupyter Book", + "title.trustBook": "Jupyter Book de confiance", + "title.searchJupyterBook": "Rechercher dans Jupyter Book", "title.SavedBooks": "Notebooks", - "title.ProvidedBooks": "Provided Books", - "title.PinnedBooks": "Pinned notebooks", - "title.PreviewLocalizedBook": "Get localized SQL Server 2019 guide", - "title.openJupyterBook": "Open Jupyter Book", - "title.closeJupyterBook": "Close Jupyter Book", - "title.closeJupyterNotebook": "Close Jupyter Notebook", - "title.revealInBooksViewlet": "Reveal in Books", - "title.createJupyterBook": "Create Book (Preview)", - "title.openNotebookFolder": "Open Notebooks in Folder", - "title.openRemoteJupyterBook": "Add Remote Jupyter Book", - "title.pinNotebook": "Pin Notebook", - "title.unpinNotebook": "Unpin Notebook", - "title.moveTo": "Move to ..." + "title.ProvidedBooks": "Jupyter Books fournis", + "title.PinnedBooks": "Notebooks épinglés", + "title.PreviewLocalizedBook": "Localiser le Guide SQL Server 2019", + "title.openJupyterBook": "Ouvrir Jupyter Book", + "title.closeJupyterBook": "Fermer Jupyter Book", + "title.closeNotebook": "Fermeture du bloc-notes", + "title.removeNotebook": "Voulez-vous supprimer le bloc-notes", + "title.addNotebook": "Ajouter un bloc-notes", + "title.addMarkdown": "Ajouter un fichier de marques", + "title.revealInBooksViewlet": "Afficher dans Books", + "title.createJupyterBook": "Créer un Jupyter Book", + "title.openNotebookFolder": "Ouvrir les notebooks dans le dossier", + "title.openRemoteJupyterBook": "Ajouter un book Jupyter distant", + "title.pinNotebook": "Épingler le notebook", + "title.unpinNotebook": "Détacher le notebook", + "title.moveTo": "Déplacer vers..." }, "dist/common/utils": { - "ensureDirOutputMsg": "... Ensuring {0} exists", - "executeCommandProcessExited": "Process exited with error code: {0}. StdErr Output: {1}" + "ensureDirOutputMsg": "...Vérification de l'existence de {0}", + "executeCommandProcessExited": "Le processus s'est terminé avec le code d'erreur : {0}, sortie StdErr : {1}" }, "dist/common/constants": { "managePackages.localhost": "localhost", - "managePackages.packageNotFound": "Could not find the specified package" + "managePackages.packageNotFound": "Package spécifié introuvable" }, "dist/common/localizedConstants": { "msgYes": "Oui", "msgNo": "Non", "msgSampleCodeDataFrame": "Cet exemple de code charge le fichier dans un cadre de données et affiche les 10 premiers résultats.", - "noBDCConnectionError": "Spark kernels require a connection to a SQL Server Big Data Cluster master instance.", - "providerNotValidError": "Non-MSSQL providers are not supported for spark kernels.", - "allFiles": "All Files", - "labelSelectFolder": "Select Folder", - "labelBookFolder": "Select Book", - "confirmReplace": "Folder already exists. Are you sure you want to delete and replace this folder?", - "openNotebookCommand": "Open Notebook", - "openMarkdownCommand": "Open Markdown", - "openExternalLinkCommand": "Open External Link", - "msgBookTrusted": "Book is now trusted in the workspace.", - "msgBookAlreadyTrusted": "Book is already trusted in this workspace.", - "msgBookUntrusted": "Book is no longer trusted in this workspace", - "msgBookAlreadyUntrusted": "Book is already untrusted in this workspace.", - "msgBookPinned": "Book {0} is now pinned in the workspace.", - "msgBookUnpinned": "Book {0} is no longer pinned in this workspace", - "bookInitializeFailed": "Failed to find a Table of Contents file in the specified book.", - "noBooksSelected": "No books are currently selected in the viewlet.", - "labelBookSection": "Select Book Section", - "labelAddToLevel": "Add to this level", - "missingFileError": "Missing file : {0} from {1}", - "InvalidError.tocFile": "Invalid toc file", - "Invalid toc.yml": "Error: {0} has an incorrect toc.yml file", - "configFileError": "Configuration file missing", - "openBookError": "Open book {0} failed: {1}", - "readBookError": "Failed to read book {0}: {1}", - "openNotebookError": "Open notebook {0} failed: {1}", - "openMarkdownError": "Open markdown {0} failed: {1}", - "openUntitledNotebookError": "Open untitled notebook {0} as untitled failed: {1}", - "openExternalLinkError": "Open link {0} failed: {1}", - "closeBookError": "Close book {0} failed: {1}", - "duplicateFileError": "File {0} already exists in the destination folder {1} \r\n The file has been renamed to {2} to prevent data loss.", - "editBookError": "Error while editing book {0}: {1}", - "selectBookError": "Error while selecting a book or a section to edit: {0}", + "noBDCConnectionError": "Les noyaux Spark nécessitent une connexion a une instance maître de cluster Big Data SQL Server.", + "providerNotValidError": "Les fournisseurs non-MSSQL ne sont pas pris en charge pour les noyaux Spark.", + "allFiles": "Tous les fichiers", + "labelSelectFolder": "Sélectionner un dossier", + "labelBookFolder": "Sélectionnez un Jupyter Book", + "confirmReplace": "Le dossier existe déjà. Voulez-vous vraiment supprimer et remplacer ce dossier ?", + "openNotebookCommand": "Ouvrir le notebook", + "openMarkdownCommand": "Ouvrir le fichier Markdown", + "openExternalLinkCommand": "Ouvrir le lien externe", + "msgBookTrusted": "Jupyter Book est maintenant approuvé dans l'espace de travail.", + "msgBookAlreadyTrusted": "Jupyter Book est déjà approuvé dans cet espace de travail.", + "msgBookUntrusted": "Jupyter Book n'est plus approuvé dans cet espace de travail", + "msgBookAlreadyUntrusted": "Jupyter Book est déjà non approuvé dans cet espace de travail.", + "msgBookPinned": "Jupyter Book {0} est maintenant épinglé dans l'espace de travail.", + "msgBookUnpinned": "Jupyter Book {0} n'est plus épinglé dans cet espace de travail", + "bookInitializeFailed": "Aucun fichier de table des matières dans le Jupyter Book spécifié.", + "noBooksSelected": "Aucun Jupyter Book n'est actuellement sélectionné dans la viewlet.", + "labelBookSection": "Sélectionnez la section Jupyter Book", + "labelAddToLevel": "Ajouter à ce niveau", + "missingFileError": "Fichier manquant : {0} dans {1}", + "InvalidError.tocFile": "Fichier TOC non valide", + "Invalid toc.yml": "Erreur : {0} a un fichier toc.yml incorrect", + "configFileError": "Fichier de configuration manquant", + "openBookError": "Échec de l’ouverture du Jupyter Book {0} : {1}", + "readBookError": "Échec de la lecture du Jupyter Book {0} : {1}", + "openNotebookError": "L'ouverture du notebook {0} a échoué : {1}", + "openMarkdownError": "L'ouverture du fichier Markdown {0} a échoué : {1}", + "openUntitledNotebookError": "Ouvrez un notebook {0} sans titre, car le {1} sans titre a échoué", + "openExternalLinkError": "L'ouverture du lien {0} a échoué : {1}", + "closeBookError": "Échec de la fermerture de Jupyter Book {0} : {1}", + "duplicateFileError": "Le fichier {0} existe déjà dans le dossier de destination {1} \r\n Le fichier a été renommé en {2} pour éviter toute perte de données.", + "editBookError": "Erreur pendant la modification du Jupyter Book {0} : {1}", + "selectBookError": "Erreur pendant la sélection d'un Jupyter Book ou d'une section à modifier : {0}", + "sectionNotFound": "Échec de la recherche des sections {0} dans {1}.", "url": "URL", - "repoUrl": "Repository URL", - "location": "Location", - "addRemoteBook": "Add Remote Book", + "repoUrl": "URL du dépôt", + "location": "Emplacement", + "addRemoteBook": "Ajouter un book Jupyter distant", "onGitHub": "GitHub", - "onsharedFile": "Shared File", - "releases": "Releases", - "book": "Book", + "onsharedFile": "Fichier partagé", + "releases": "Mises en production", + "book": "Jupyter Book", "version": "Version", - "language": "Language", - "booksNotFound": "No books are currently available on the provided link", - "urlGithubError": "The url provided is not a Github release url", - "search": "Search", - "add": "Add", - "close": "Close", + "language": "Langue", + "booksNotFound": "Aucun Jupyter Book n'est disponible actuellement sur le lien fourni", + "urlGithubError": "L'URL fournie n'est pas une URL de mise en production GitHub", + "search": "Recherche", + "add": "Ajouter", + "close": "Fermer", "invalidTextPlaceholder": "-", - "msgRemoteBookDownloadProgress": "Remote Book download is in progress", - "msgRemoteBookDownloadComplete": "Remote Book download is complete", - "msgRemoteBookDownloadError": "Error while downloading remote Book", - "msgRemoteBookUnpackingError": "Error while decompressing remote Book", - "msgRemoteBookDirectoryError": "Error while creating remote Book directory", - "msgTaskName": "Downloading Remote Book", - "msgResourceNotFound": "Resource not Found", - "msgBookNotFound": "Books not Found", - "msgReleaseNotFound": "Releases not Found", - "msgUndefinedAssetError": "The selected book is not valid", - "httpRequestError": "Http Request failed with error: {0} {1}", - "msgDownloadLocation": "Downloading to {0}", - "newGroup": "New Group", - "groupDescription": "Groups are used to organize Notebooks.", - "locationBrowser": "Browse locations...", - "selectContentFolder": "Select content folder", - "browse": "Browse", - "create": "Create", - "name": "Name", - "saveLocation": "Save location", - "contentFolder": "Content folder (Optional)", - "msgContentFolderError": "Content folder path does not exist", - "msgSaveFolderError": "Save location path does not exist" + "msgRemoteBookDownloadProgress": "Le téléchargement du Jupyter Book distant est en cours", + "msgRemoteBookDownloadComplete": "Jupyter Book distant est téléchargé", + "msgRemoteBookDownloadError": "Erreur lors du téléchargement du Jupyter Book distant", + "msgRemoteBookUnpackingError": "Erreur de décompression du Jupyter Book distant", + "msgRemoteBookDirectoryError": "Erreur pendant la création du répertoire du Jupyter Book distant", + "msgTaskName": "Téléchargement du Jupyter Book distant", + "msgResourceNotFound": "Ressource introuvable", + "msgBookNotFound": "Jupyter Books introuvables", + "msgReleaseNotFound": "Versions introuvables", + "msgUndefinedAssetError": "Le Jupyter Book sélectionné n'est pas valide", + "httpRequestError": "La requête HTTP a échoué avec l'erreur : {0} {1}", + "msgDownloadLocation": "Téléchargement dans {0}", + "newBook": "Nouveau livre de jupyter (Preview)", + "bookDescription": "Les livres de la bibliothèque sont utilisés pour organiser les blocs-notes.", + "learnMore": "En savoir plus.", + "contentFolder": "Dossier de contenu", + "browse": "Parcourir", + "create": "Créer", + "name": "Nom", + "saveLocation": "Emplacement d'enregistrement", + "contentFolderOptional": "Dossier de contenu (facultatif)", + "msgContentFolderError": "Le chemin du dossier de contenu n'existe pas", + "msgSaveFolderError": "Le chemin de l'emplacement d'enregistrement n'existe pas.", + "msgCreateBookWarningMsg": "Erreur lors de la tentative d’accès : {0}", + "newNotebook": "Nouveau bloc-notes (Aperçu)", + "newMarkdown": "Nouvel Aperçu Markdown (Aperçu)", + "fileExtension": "Extension de fichier", + "confirmOverwrite": "Le fichier existe déjà. Voulez-vous vraiment remplacer ce fichier?", + "title": "Titre", + "fileName": "Nom de fichier", + "msgInvalidSaveFolder": "Le chemin d’accès de l’emplacement d’enregistrer n’est pas valide.", + "msgDuplicadFileName": "Un fichier nommé {0} existe déjà dans le dossier de destination" }, "dist/jupyter/jupyterServerInstallation": { "msgInstallPkgProgress": "L'installation des dépendances de notebook est en cours", @@ -159,20 +175,26 @@ "msgInstallPkgFinish": "L'installation des dépendances de notebook est terminée", "msgPythonRunningError": "Impossible de remplacer une installation Python existante quand Python est en cours d'exécution. Fermez tous les notebooks actifs avant de continuer.", "msgWaitingForInstall": "Une autre installation de Python est actuellement en cours. En attente de la fin de l'installation.", + "msgShutdownNotebookSessions": "Les sessions de bloc-notes python actives seront arrêtées pour permettre la mise à jour. Voulez-vous continuer maintenant ?", + "msgPythonVersionUpdatePrompt": "Python {0} est désormais disponible dans Azure Data Studio. La version actuelle de Python (3.6.6) n’est plus prise en charge en décembre 2021. Voulez-vous effectuer une mise à jour vers python {0} maintenant ?", + "msgPythonVersionUpdateWarning": "Python {0} sera installé et va remplacer python 3.6.6. Certains packages ne sont peut-être plus compatibles avec la nouvelle version ou doivent peut-être être réinstallés. Un bloc-notes va être créé pour vous aider à réinstaller tous les packages PIP. Voulez-vous continuer la mise à jour maintenant ?", "msgDependenciesInstallationFailed": "L'installation des dépendances de notebook a échoué avec l'erreur : {0}", "msgDownloadPython": "Téléchargement de la version locale de Python pour la plateforme : {0} dans {1}", - "msgPackageRetrievalFailed": "Encountered an error when trying to retrieve list of installed packages: {0}", - "msgGetPythonUserDirFailed": "Encountered an error when getting Python user path: {0}" + "msgPackageRetrievalFailed": "Erreur pendant la tentative de récupération de la liste des packages installés : {0}", + "msgGetPythonUserDirFailed": "Erreur pendant l'obtention du chemin de l'utilisateur Python : {0}", + "yes": "Oui", + "no": "Non", + "dontAskAgain": "Ne plus me poser la question" }, "dist/dialog/configurePython/configurePythonWizard": { - "configurePython.okButtonText": "Install", - "configurePython.invalidLocationMsg": "The specified install location is invalid.", - "configurePython.pythonNotFoundMsg": "No Python installation was found at the specified location.", - "configurePython.wizardNameWithKernel": "Configure Python to run {0} kernel", - "configurePython.wizardNameWithoutKernel": "Configure Python to run kernels", - "configurePython.page0Name": "Configure Python Runtime", - "configurePython.page1Name": "Install Dependencies", - "configurePython.pythonInstallDeclined": "Python installation was declined." + "configurePython.okButtonText": "Installer", + "configurePython.invalidLocationMsg": "L'emplacement d'installation spécifié n'est pas valide.", + "configurePython.pythonNotFoundMsg": "Aucune installation de Python à l'emplacement spécifié.", + "configurePython.wizardNameWithKernel": "Configurer Python pour exécuter le noyau {0}", + "configurePython.wizardNameWithoutKernel": "Configurer Python pour exécuter les noyaux", + "configurePython.page0Name": "Configurer le runtime Python", + "configurePython.page1Name": "Installer les dépendances", + "configurePython.pythonInstallDeclined": "L'installation de Python a été refusée." }, "dist/extension": { "codeCellName": "Code", @@ -185,34 +207,34 @@ "confirmReinstall": "Voulez-vous vraiment le réinstaller ?" }, "dist/dialog/configurePython/configurePathPage": { - "configurePython.browseButtonText": "Browse", - "configurePython.selectFileLabel": "Select", - "configurePython.descriptionWithKernel": "The {0} kernel requires a Python runtime to be configured and dependencies to be installed.", - "configurePython.descriptionWithoutKernel": "Notebook kernels require a Python runtime to be configured and dependencies to be installed.", - "configurePython.installationType": "Installation Type", - "configurePython.locationTextBoxText": "Python Install Location", - "configurePython.pythonConfigured": "Python runtime configured!", + "configurePython.browseButtonText": "Parcourir", + "configurePython.selectFileLabel": "Sélectionner", + "configurePython.descriptionWithKernel": "Le noyau {0} nécessite la configuration d'un runtime Python et l'installation de dépendances.", + "configurePython.descriptionWithoutKernel": "Les noyaux de notebook nécessitent la configuration d'un runtime Python et l'installation de dépendances.", + "configurePython.installationType": "Type d'installation", + "configurePython.locationTextBoxText": "Emplacement d'installation de Python", + "configurePython.pythonConfigured": "Runtime python configuré !", "configurePythyon.dropdownPathLabel": "{0} (Python {1})", - "configurePythyon.noVersionsFound": "No supported Python versions found.", - "configurePythyon.defaultPathLabel": "{0} (Default)", - "configurePython.newInstall": "New Python installation", - "configurePython.existingInstall": "Use existing Python installation", - "configurePythyon.customPathLabel": "{0} (Custom)" + "configurePythyon.noVersionsFound": "Aucune version de Python prise en charge.", + "configurePythyon.defaultPathLabel": "{0} (Par défaut)", + "configurePython.newInstall": "Nouvelle installation de Python", + "configurePython.existingInstall": "Utiliser l'installation existante de Python", + "configurePythyon.customPathLabel": "{0} (Personnalisé)" }, "dist/dialog/configurePython/pickPackagesPage": { - "configurePython.pkgNameColumn": "Name", - "configurePython.existingVersionColumn": "Existing Version", - "configurePython.requiredVersionColumn": "Required Version", - "configurePython.kernelLabel": "Kernel", - "configurePython.requiredDependencies": "Install required kernel dependencies", - "msgUnsupportedKernel": "Could not retrieve packages for kernel {0}" + "configurePython.pkgNameColumn": "Nom", + "configurePython.existingVersionColumn": "Version existante", + "configurePython.requiredVersionColumn": "Version obligatoire", + "configurePython.kernelLabel": "Noyau", + "configurePython.requiredDependencies": "Installer les dépendances de noyau nécessaires", + "msgUnsupportedKernel": "Impossible de récupérer les packages du noyau {0}" }, "dist/jupyter/jupyterServerManager": { "shutdownError": "L'arrêt du serveur de notebook a échoué : {0}" }, "dist/jupyter/serverInstance": { "serverStopError": "Erreur d'arrêt du serveur de notebook : {0}", - "notebookStartProcessExitPremature": "Notebook process exited prematurely with error code: {0}. StdErr Output: {1}", + "notebookStartProcessExitPremature": "Le processus du notebook a quitté prématurément avec le code d'erreur : {0}, sortie StdErr : {1}", "jupyterError": "Erreur envoyée par Jupyter : {0}", "jupyterOutputMsgStartSuccessful": "...Jupyter est en cours d'exécution sur {0}", "jupyterOutputMsgStart": "...Démarrage du serveur de notebook" @@ -222,11 +244,11 @@ }, "dist/jupyter/jupyterSessionManager": { "errorStartBeforeReady": "Impossible de démarrer une session, le gestionnaire n'est pas encore initialisé", - "notebook.couldNotFindKnoxGateway": "Could not find Knox gateway endpoint", - "promptBDCUsername": "{0}Please provide the username to connect to the BDC Controller:", - "promptBDCPassword": "Please provide the password to connect to the BDC Controller", - "bdcConnectError": "Error: {0}. ", - "clusterControllerConnectionRequired": "A connection to the cluster controller is required to run Spark jobs" + "notebook.couldNotFindKnoxGateway": "Point de terminaison de passerelle Knox introuvable", + "promptBDCUsername": "{0}Fournissez le nom d'utilisateur pour se connecter au contrôleur BDC :", + "promptBDCPassword": "Fournissez le mot de passe pour se connecter au contrôleur BDC", + "bdcConnectError": "Erreur : {0}. ", + "clusterControllerConnectionRequired": "Une connexion au contrôleur de cluster est nécessaire pour exécuter les travaux Spark" }, "dist/dialog/managePackages/managePackagesDialog": { "managePackages.dialogName": "Gérer les packages", @@ -236,10 +258,10 @@ "managePackages.installedTabTitle": "Installé", "managePackages.pkgNameColumn": "Nom", "managePackages.newPkgVersionColumn": "Version", - "managePackages.deleteColumn": "Delete", + "managePackages.deleteColumn": "Supprimer", "managePackages.uninstallButtonText": "Désinstaller les packages sélectionnés", "managePackages.packageType": "Type de package", - "managePackages.location": "Location", + "managePackages.location": "Emplacement", "managePackages.packageCount": "{0} {1} packages", "managePackages.confirmUninstall": "Voulez-vous vraiment désinstaller les packages spécifiés ?", "managePackages.backgroundUninstallStarted": "Désinstallation de {0}", @@ -261,16 +283,16 @@ "managePackages.backgroundInstallFailed": "L'installation de {0} {1} a échoué. Erreur : {2}" }, "dist/jupyter/pypiClient": { - "managePackages.packageRequestError": "Package info request failed with error: {0} {1}" + "managePackages.packageRequestError": "La demande d'informations de package a échoué avec l'erreur : {0} {1}" }, "dist/common/notebookUtils": { - "msgSampleCodeDataFrame": "This sample code loads the file into a data frame and shows the first 10 results.", - "noNotebookVisible": "No notebook editor is active", + "msgSampleCodeDataFrame": "Cet exemple de code charge le fichier dans un cadre de données et affiche les 10 premiers résultats.", + "noNotebookVisible": "Aucun éditeur de notebook actif", "notebookFiles": "Notebooks" }, "dist/protocol/notebookUriHandler": { "notebook.unsupportedAction": "L'action {0} n'est pas prise en charge pour ce gestionnaire", - "unsupportedScheme": "Impossible d'ouvrir le lien {0}, car seuls les liens HTTP et HTTPS sont pris en charge", + "unsupportedScheme": "Impossible d'ouvrir le lien {0}, car seuls les liens HTTP, HTTPS et Fichier sont pris en charge", "notebook.confirmOpen": "Télécharger et ouvrir '{0}' ?", "notebook.fileNotFound": "Fichier spécifié introuvable", "notebook.fileDownloadError": "La demande d'ouverture de fichier a échoué avec l'erreur : {0} {1}" diff --git a/i18n/ads-language-pack-fr/translations/extensions/profiler.i18n.json b/i18n/ads-language-pack-fr/translations/extensions/profiler.i18n.json new file mode 100644 index 0000000000..81b5acc797 --- /dev/null +++ b/i18n/ads-language-pack-fr/translations/extensions/profiler.i18n.json @@ -0,0 +1,23 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/profilerCreateSessionDialog": { + "createSessionDialog.cancel": "Annuler", + "createSessionDialog.create": "Démarrer", + "createSessionDialog.title": "Démarrer une nouvelle session Profiler", + "createSessionDialog.templatesInvalid": "Liste de modèles non valide, impossible d'ouvrir la boîte de dialogue", + "createSessionDialog.dialogOwnerInvalid": "Propriétaire de boîte de dialogue non valide, impossible d'ouvrir la boîte de dialogue", + "createSessionDialog.invalidProviderType": "Type de fournisseur non valide, impossible d'ouvrir la boîte de dialogue", + "createSessionDialog.selectTemplates": "Sélectionnez un modèle de session :", + "createSessionDialog.enterSessionName": "Entrez le nom de la session :", + "createSessionDialog.createSessionFailed": "La création de session a échoué" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-fr/translations/extensions/resource-deployment.i18n.json b/i18n/ads-language-pack-fr/translations/extensions/resource-deployment.i18n.json index 52f16bddec..83d1a225c0 100644 --- a/i18n/ads-language-pack-fr/translations/extensions/resource-deployment.i18n.json +++ b/i18n/ads-language-pack-fr/translations/extensions/resource-deployment.i18n.json @@ -11,306 +11,309 @@ "package": { "extension-displayName": "Extension de déploiement SQL Server pour Azure Data Studio", "extension-description": "Fournit une expérience de notebook pour déployer Microsoft SQL Server", - "deploy-resource-command-name": "New Deployment…", + "deploy-resource-command-name": "Nouveau déploiement...", "deploy-resource-command-category": "Déploiement", "resource-type-sql-image-display-name": "Image conteneur SQL Server", "resource-type-sql-image-description": "Exécuter l'image conteneur SQL Server avec Docker", "version-display-name": "Version", "sql-2017-display-name": "SQL Server 2017", - "sql-2019-display-name": "SQL Server 2019", - "docker-sql-2017-title": "Deploy SQL Server 2017 container images", - "docker-sql-2019-title": "Deploy SQL Server 2019 container images", + "sql-2019-display-name": "SQL Server 2019", + "docker-sql-2017-title": "Déployer des images conteneur SQL Server 2017", + "docker-sql-2019-title": "Déployer des images conteneur SQL Server 2019", "docker-container-name-field": "Nom de conteneur", "docker-sql-password-field": "Mot de passe SQL Server", "docker-confirm-sql-password-field": "Confirmer le mot de passe", "docker-sql-port-field": "Port", "resource-type-sql-windows-setup-display-name": "SQL Server sur Windows", "resource-type-sql-windows-setup-description": "Exécutez SQL Server sur Windows, sélectionnez une version pour commencer.", - "microsoft-privacy-statement": "Microsoft Privacy Statement", - "deployment.configuration.title": "Deployment configuration", - "azdata-install-location-description": "Location of the azdata package used for the install command", - "azure-sqlvm-display-name": "SQL Server on Azure Virtual Machine", - "azure-sqlvm-description": "Create SQL virtual machines on Azure. Best for migrations and applications requiring OS-level access.", - "azure-sqlvm-deploy-dialog-title": "Deploy Azure SQL virtual machine", - "azure-sqlvm-deploy-dialog-action-text": "Script to notebook", - "azure-sqlvm-agreement": "I accept {0}, {1} and {2}.", - "azure-sqlvm-agreement-sqlvm-eula": "Azure SQL VM License Terms", - "azure-sqlvm-agreement-azdata-eula": "azdata License Terms", - "azure-sqlvm-azure-account-page-label": "Azure information", - "azure-sqlvm-azure-location-label": "Azure locations", - "azure-sqlvm-vm-information-page-label": "VM information", + "microsoft-privacy-statement": "Déclaration de confidentialité Microsoft", + "deployment.configuration.title": "Configuration du déploiement", + "azdata-install-location-description": "Emplacement du package azdata utilisé pour la commande d'installation", + "azure-sqlvm-display-name": "SQL Server dans une machine virtuelle Azure", + "azure-sqlvm-description": "Créez des machines virtuelles SQL sur Azure. Idéal pour les migrations et les applications nécessitant un accès au niveau du système d'exploitation.", + "azure-sqlvm-deploy-dialog-title": "Déployer une machine virtuelle Azure SQL", + "azure-sqlvm-deploy-dialog-action-text": "Exécuter un script sur un notebook", + "azure-sqlvm-agreement": "J'accepte {0}, {1} et {2}.", + "azure-sqlvm-agreement-sqlvm-eula": "Termes du contrat de licence Azure SQL VM", + "azure-sqlvm-agreement-azdata-eula": "Termes du contrat de licence azdata", + "azure-sqlvm-azure-account-page-label": "Informations Azure", + "azure-sqlvm-azure-location-label": "Localisations Azure", + "azure-sqlvm-vm-information-page-label": "Informations VM", "azure-sqlvm-image-label": "Image", - "azure-sqlvm-image-sku-label": "VM image SKU", - "azure-sqlvm-publisher-label": "Publisher", - "azure-sqlvm-vmname-label": "Virtual machine name", - "azure-sqlvm-vmsize-label": "Size", - "azure-sqlvm-storage-page-lable": "Storage account", - "azure-sqlvm-storage-accountname-label": "Storage account name", - "azure-sqlvm-storage-sku-label": "Storage account SKU type", - "azure-sqlvm-vm-administrator-account-page-label": "Administrator account", - "azure-sqlvm-username-label": "Username", - "azure-sqlvm-password-label": "Password", - "azure-sqlvm-password-confirm-label": "Confirm password", - "azure-sqlvm-vm-summary-page-label": "Summary", + "azure-sqlvm-image-sku-label": "Référence SKU d'image VM", + "azure-sqlvm-publisher-label": "Serveur de publication", + "azure-sqlvm-vmname-label": "Nom de la machine virtuelle", + "azure-sqlvm-vmsize-label": "Taille", + "azure-sqlvm-storage-page-lable": "Compte de stockage", + "azure-sqlvm-storage-accountname-label": "Nom du compte de stockage", + "azure-sqlvm-storage-sku-label": "Type de référence SKU du compte de stockage", + "azure-sqlvm-vm-administrator-account-page-label": "Compte Administrateur", + "azure-sqlvm-username-label": "Nom d'utilisateur", + "azure-sqlvm-password-label": "Mot de passe", + "azure-sqlvm-password-confirm-label": "Confirmer le mot de passe", + "azure-sqlvm-vm-summary-page-label": "Récapitulatif", "azure-sqldb-display-name": "Azure SQL Database", - "azure-sqldb-description": "Create a SQL database, database server, or elastic pool in Azure.", - "azure-sqldb-portal-ok-button-text": "Create in Azure portal", - "azure-sqldb-notebook-ok-button-text": "Select", - "resource-type-display-name": "Resource Type", - "sql-azure-single-database-display-name": "Single Database", - "sql-azure-elastic-pool-display-name": "Elastic Pool", - "sql-azure-database-server-display-name": "Database Server", - "azure-sqldb-agreement": "I accept {0}, {1} and {2}.", - "azure-sqldb-agreement-sqldb-eula": "Azure SQL DB License Terms", - "azure-sqldb-agreement-azdata-eula": "azdata License Terms", - "azure-sql-mi-display-name": "Azure SQL managed instance", - "azure-sql-mi-display-description": "Create a SQL Managed Instance in either Azure or a customer-managed environment", - "azure-sql-mi-okButton-text": "Open in Portal", - "azure-sql-mi-resource-type-option-label": "Resource Type", - "azure-sql-mi-agreement": "I accept {0} and {1}.", - "azure-sql-mi-agreement-eula": "Azure SQL MI License Terms", - "azure-sql-mi-help-text": "Azure SQL Managed Instance provides full SQL Server access and feature compatibility for migrating SQL Servers to Azure, or developing new applications. {0}.", - "azure-sql-mi-help-text-learn-more": "Learn More" + "azure-sqldb-description": "Créez une base de données SQL, un serveur de base de données ou un pool élastique dans Azure.", + "azure-sqldb-portal-ok-button-text": "Créer dans le portail Azure", + "azure-sqldb-notebook-ok-button-text": "Sélectionner", + "resource-type-display-name": "Type de ressource", + "sql-azure-single-database-display-name": "Base de données unique", + "sql-azure-elastic-pool-display-name": "Pool élastique", + "sql-azure-database-server-display-name": "Serveur de base de données", + "azure-sqldb-agreement": "J'accepte {0}, {1} et {2}.", + "azure-sqldb-agreement-sqldb-eula": "Termes du contrat de licence Azure SQL DB", + "azure-sqldb-agreement-azdata-eula": "Termes du contrat de licence azdata", + "azure-sql-mi-display-name": "Instance managée Azure SQL", + "azure-sql-mi-display-description": "Créer une instance managée SQL dans Azure ou dans un environnement géré par le client", + "azure-sql-mi-okButton-text": "Ouvrir dans le portail", + "azure-sql-mi-resource-type-option-label": "Type de ressource", + "azure-sql-mi-agreement": "J'accepte {0} et {1}.", + "azure-sql-mi-agreement-eula": "Termes du contrat de licence Azure SQL MI", + "azure-sql-mi-help-text": "Azure SQL Managed Instance offre un accès total à SQL Server ainsi que la compatibilité des fonctionnalités afin de migrer les serveurs SQL vers Azure ou développer de nouvelles applications. {0}.", + "azure-sql-mi-help-text-learn-more": "En savoir plus" }, "dist/localizedConstants": { - "azure.account": "Azure Account", - "azure.account.subscription": "Subscription (selected subset)", - "azure.account.subscriptionDescription": "Change the currently selected subscriptions through the 'Select Subscriptions' action on an account listed in the 'Azure' tree view of the 'Connections' viewlet", - "azure.account.resourceGroup": "Resource Group", - "azure.account.location": "Azure Location", - "filePicker.browse": "Browse", - "button.label": "Select", - "kubeConfigClusterPicker.kubeConfigFilePath": "Kube config file path", - "kubeConfigClusterPicker.clusterContextNotFound": "No cluster context information found", - "azure.signin": "Sign in…", - "azure.refresh": "Refresh", - "azure.yes": "Yes", - "azure.no": "No", - "azure.resourceGroup.createNewResourceGroup": "Create a new resource group", - "azure.resourceGroup.NewResourceGroupAriaLabel": "New resource group name", - "deployCluster.Realm": "Realm", - "UnknownFieldTypeError": "Unknown field type: \"{0}\"", - "optionsSource.alreadyDefined": "Options Source with id:{0} is already defined", - "valueProvider.alreadyDefined": "Value Provider with id:{0} is already defined", - "optionsSource.notDefined": "No Options Source defined for id: {0}", - "valueProvider.notDefined": "No Value Provider defined for id: {0}", - "getVariableValue.unknownVariableName": "Attempt to get variable value for unknown variable:{0}", - "getIsPassword.unknownVariableName": "Attempt to get isPassword for unknown variable:{0}", - "optionsNotDefined": "FieldInfo.options was not defined for field type: {0}", - "optionsNotObjectOrArray": "FieldInfo.options must be an object if it is not an array", - "optionsTypeNotFound": "When FieldInfo.options is an object it must have 'optionsType' property", - "optionsTypeRadioOrDropdown": "When optionsType is not {0} then it must be {1}", - "azdataEulaNotAccepted": "Deployment cannot continue. Azure Data CLI license terms have not yet been accepted. Please accept the EULA to enable the features that requires Azure Data CLI.", - "azdataEulaDeclined": "Deployment cannot continue. Azure Data CLI license terms were declined.You can either Accept EULA to continue or Cancel this operation", - "deploymentDialog.RecheckEulaButton": "Accept EULA & Select", - "resourceTypePickerDialog.title": "Select the deployment options", - "resourceTypePickerDialog.resourceSearchPlaceholder": "Filter resources...", - "resourceTypePickerDialog.tagsListViewTitle": "Categories", - "validation.multipleValidationErrors": "There are some errors on this page, click 'Show Details' to view the errors.", - "ui.ScriptToNotebookButton": "Script", - "ui.DeployButton": "Run", - "resourceDeployment.ViewErrorDetail": "View error detail", - "resourceDeployment.FailedToOpenNotebook": "An error occurred opening the output notebook. {1}{2}.", - "resourceDeployment.BackgroundExecutionFailed": "The task \"{0}\" has failed.", - "resourceDeployment.TaskFailedWithNoOutputNotebook": "The task \"{0}\" failed and no output Notebook was generated.", - "resourceTypePickerDialog.resourceTypeCategoryAll": "All", - "resourceTypePickerDialog.resourceTypeCategoryOnPrem": "On-premises", + "azure.account": "Compte Azure", + "azure.account.subscription": "Abonnement (sous-ensemble sélectionné)", + "azure.account.subscriptionDescription": "Changer les abonnements actuellement sélectionnés par le biais de l'action « Sélectionner des abonnements » dans un compte listé dans l'arborescence « Azure » de la viewlet « Connexions »", + "azure.account.resourceGroup": "Groupe de ressources", + "azure.account.location": "Localisation Azure", + "filePicker.browse": "Parcourir", + "button.label": "Sélectionner", + "kubeConfigClusterPicker.kubeConfigFilePath": "Chemin du fichier de configuration Kube", + "kubeConfigClusterPicker.clusterContextNotFound": "Aucune information de contexte de cluster", + "azure.signin": "Connexion…", + "azure.refresh": "Actualiser", + "azure.yes": "Oui", + "azure.no": "Non", + "azure.resourceGroup.createNewResourceGroup": "Créer un groupe de ressources", + "azure.resourceGroup.NewResourceGroupAriaLabel": "Nom du nouveau groupe de ressources", + "deployCluster.Realm": "Domaine", + "UnknownFieldTypeError": "Type de champ inconnu : \"{0}\"", + "optionsSource.alreadyDefined": "La source d'options avec l'ID : {0} est déjà définie", + "valueProvider.alreadyDefined": "Le fournisseur de valeur avec l'ID : {0} est déjà défini", + "optionsSource.notDefined": "Aucune source d'options définie pour l'ID : {0}", + "valueProvider.notDefined": "Aucun fournisseur de valeur défini pour l'ID : {0}", + "getVariableValue.unknownVariableName": "Tentative d'obtention de la valeur de variable pour une variable inconnue : {0}", + "getIsPassword.unknownVariableName": "Tentative d'obtention de isPassword pour une variable inconnue : {0}", + "optionsNotDefined": "FieldInfo.options n'a pas été défini pour le type de champ : {0}", + "optionsNotObjectOrArray": "FieldInfo.options doit être un objet s'il ne s'agit pas d'un tableau", + "optionsTypeNotFound": "Quand FieldInfo.options est un objet, il doit avoir la propriété « optionsType »", + "optionsTypeRadioOrDropdown": "Quand optionsType n'est pas {0}, il doit être {1}", + "azdataEulaNotAccepted": "Le déploiement ne peut pas continuer. Les termes du contrat de licence Azure Data CLI n'ont pas encore été acceptés. Acceptez le CLUF pour activer les fonctionnalités nécessitant Azure Data CLI.", + "azdataEulaDeclined": "Le déploiement ne peut pas continuer. Les termes du contrat de licence d'Azure Data CLI ont été refusés. Vous pouvez accepter le CLUF pour continuer ou annuler cette opération", + "deploymentDialog.RecheckEulaButton": "Accepter le CLUF et sélectionner", + "resourceDeployment.extensionRequiredPrompt": "L’extension «{0}» est nécessaire pour déployer cette ressource. Voulez-vous l’installer maintenant ?", + "resourceDeployment.install": "Installer", + "resourceDeployment.installingExtension": "Installation de l'extension '{0}'...", + "resourceDeployment.unknownExtension": "Extension inconnue '{0}'", + "resourceTypePickerDialog.title": "Sélectionner les options de déploiement", + "resourceTypePickerDialog.resourceSearchPlaceholder": "Filtrer les ressources...", + "resourceTypePickerDialog.tagsListViewTitle": "Catégories", + "validation.multipleValidationErrors": "Cette page a des erreurs, cliquez sur 'Afficher les détails' pour les voir.", + "ui.ScriptToNotebookButton": "Exécuter le script", + "ui.DeployButton": "Exécuter", + "resourceDeployment.ViewErrorDetail": "Voir le détail de l'erreur", + "resourceDeployment.FailedToOpenNotebook": "Erreur pendant l'ouverture du notebook de sortie. {1}{2}.", + "resourceDeployment.BackgroundExecutionFailed": "La tâche « {0} » a échoué.", + "resourceDeployment.TaskFailedWithNoOutputNotebook": "La tâche « {0} » a échoué et aucun notebook de sortie n'a été généré.", + "resourceTypePickerDialog.resourceTypeCategoryAll": "Tout", + "resourceTypePickerDialog.resourceTypeCategoryOnPrem": "Local", "resourceTypePickerDialog.resourceTypeCategoriesSqlServer": "SQL Server", - "resourceTypePickerDialog.resourceTypeCategoryOnHybrid": "Hybrid", + "resourceTypePickerDialog.resourceTypeCategoryOnHybrid": "Hybride", "resourceTypePickerDialog.resourceTypeCategoryOnPostgreSql": "PostgreSQL", "resourceTypePickerDialog.resourceTypeCategoryOnCloud": "Cloud", "resourceDeployment.Description": "Description", - "resourceDeployment.Tool": "Tool", - "resourceDeployment.Status": "Status", + "resourceDeployment.Tool": "Outil", + "resourceDeployment.Status": "État", "resourceDeployment.Version": "Version", - "resourceDeployment.RequiredVersion": "Required Version", - "resourceDeployment.discoverPathOrAdditionalInformation": "Discovered Path or Additional Information", - "resourceDeployment.requiredTools": "Required tools", - "resourceDeployment.InstallTools": "Install tools", + "resourceDeployment.RequiredVersion": "Version obligatoire", + "resourceDeployment.discoverPathOrAdditionalInformation": "Chemin découvert ou informations supplémentaires", + "resourceDeployment.requiredTools": "Outils obligatoires", + "resourceDeployment.InstallTools": "Installer les outils", "resourceDeployment.Options": "Options", - "deploymentDialog.InstallingTool": "Required tool '{0}' [ {1} ] is being installed now." + "deploymentDialog.InstallingTool": "L'outil nécessaire « {0} » [ {1} ] est en cours d'installation." }, "dist/ui/modelViewUtils": { - "getClusterContexts.errorFetchingClusters": "An error ocurred while loading or parsing the config file:{0}, error is:{1}", - "fileChecker.NotFile": "Path: {0} is not a file, please select a valid kube config file.", - "fileChecker.FileNotFound": "File: {0} not found. Please select a kube config file.", - "azure.accounts.unexpectedAccountsError": "Unexpected error fetching accounts: {0}", - "resourceDeployment.errorFetchingStorageClasses": "Unexpected error fetching available kubectl storage classes : {0}", - "azure.accounts.unexpectedSubscriptionsError": "Unexpected error fetching subscriptions for account {0}: {1}", - "azure.accounts.accountNotFoundError": "The selected account '{0}' is no longer available. Click sign in to add it again or select a different account.", - "azure.accessError": "\r\n Error Details: {0}.", - "azure.accounts.accountStaleError": "The access token for selected account '{0}' is no longer valid. Please click the sign in button and refresh the account or select a different account.", - "azure.accounts.unexpectedResourceGroupsError": "Unexpected error fetching resource groups for subscription {0}: {1}", + "getClusterContexts.errorFetchingClusters": "Erreur pendant le chargement ou l'analyse du fichier de configuration : {0}, erreur : {1}", + "fileChecker.NotFile": "Le chemin {0} n'est pas un fichier, sélectionnez un fichier de configuration Kube valide.", + "fileChecker.FileNotFound": "Fichier {0} introuvable. Sélectionnez un fichier de configuration Kube.", + "azure.accounts.unexpectedAccountsError": "Erreur inattendue pendant la récupération des comptes : {0}", + "resourceDeployment.errorFetchingStorageClasses": "Erreur inattendue pendant la récupération des classes de stockage kubectl disponibles : {0}", + "azure.accounts.unexpectedSubscriptionsError": "Erreur inattendue pendant la récupération des abonnements pour le compte {0} : {1}", + "azure.accounts.accountNotFoundError": "Le compte sélectionné « {0} » n'est plus disponible. Cliquez sur Se connecter pour le rajouter ou sélectionnez un autre compte.", + "azure.accessError": "\r\n Détails de l'erreur : {0}.", + "azure.accounts.accountStaleError": "Le jeton d'accès pour le compte sélectionné « {0} » n'est plus valide. Cliquez sur le bouton Se connecter, actualisez le compte ou sélectionnez un autre compte.", + "azure.accounts.unexpectedResourceGroupsError": "Erreur inattendue pendant la récupération des groupes de ressources pour l'abonnement {0} : {1}", "invalidSQLPassword": "{0} n'est pas conforme aux exigences de complexité de mot de passe. Pour plus d'informations : https://docs.microsoft.com/sql/relational-databases/security/password-policy", "passwordNotMatch": "{0} ne correspond pas au mot de passe de confirmation" }, "dist/ui/deployAzureSQLVMWizard/constants": { - "deployAzureSQLVM.NewSQLVMTitle": "Deploy Azure SQL VM", - "deployAzureSQLVM.ScriptToNotebook": "Script to Notebook", - "deployAzureSQLVM.MissingRequiredInfoError": "Please fill out the required fields marked with red asterisks.", - "deployAzureSQLVM.AzureSettingsPageTitle": "Azure settings", - "deployAzureSQLVM.AzureAccountDropdownLabel": "Azure Account", - "deployAzureSQLVM.AzureSubscriptionDropdownLabel": "Subscription", - "deployAzureSQLVM.ResourceGroup": "Resource Group", - "deployAzureSQLVM.AzureRegionDropdownLabel": "Region", - "deployeAzureSQLVM.VmSettingsPageTitle": "Virtual machine settings", - "deployAzureSQLVM.VmNameTextBoxLabel": "Virtual machine name", - "deployAzureSQLVM.VmAdminUsernameTextBoxLabel": "Administrator account username", - "deployAzureSQLVM.VmAdminPasswordTextBoxLabel": "Administrator account password", - "deployAzureSQLVM.VmAdminConfirmPasswordTextBoxLabel": "Confirm password", + "deployAzureSQLVM.NewSQLVMTitle": "Déployer Azure SQL VM", + "deployAzureSQLVM.ScriptToNotebook": "Exécuter un script sur un notebook", + "deployAzureSQLVM.MissingRequiredInfoError": "Remplissez les champs obligatoires marqués d'un astérisque rouge.", + "deployAzureSQLVM.AzureSettingsPageTitle": "Paramètres Azure", + "deployAzureSQLVM.AzureAccountDropdownLabel": "Compte Azure", + "deployAzureSQLVM.AzureSubscriptionDropdownLabel": "Abonnement", + "deployAzureSQLVM.ResourceGroup": "Groupe de ressources", + "deployAzureSQLVM.AzureRegionDropdownLabel": "Région", + "deployeAzureSQLVM.VmSettingsPageTitle": "Paramètres de la machine virtuelle", + "deployAzureSQLVM.VmNameTextBoxLabel": "Nom de la machine virtuelle", + "deployAzureSQLVM.VmAdminUsernameTextBoxLabel": "Nom d'utilisateur du compte Administrateur", + "deployAzureSQLVM.VmAdminPasswordTextBoxLabel": "Mot de passe du compte Administrateur", + "deployAzureSQLVM.VmAdminConfirmPasswordTextBoxLabel": "Confirmer le mot de passe", "deployAzureSQLVM.VmImageDropdownLabel": "Image", - "deployAzureSQLVM.VmSkuDropdownLabel": "Image SKU", - "deployAzureSQLVM.VmImageVersionDropdownLabel": "Image Version", - "deployAzureSQLVM.VmSizeDropdownLabel": "Size", - "deployeAzureSQLVM.VmSizeLearnMoreLabel": "Click here to learn more about pricing and supported VM sizes", - "deployAzureSQLVM.NetworkSettingsPageTitle": "Networking", - "deployAzureSQLVM.NetworkSettingsPageDescription": "Configure network settings", - "deployAzureSQLVM.NetworkSettingsNewVirtualNetwork": "New virtual network", - "deployAzureSQLVM.VirtualNetworkDropdownLabel": "Virtual Network", - "deployAzureSQLVM.NetworkSettingsNewSubnet": "New subnet", - "deployAzureSQLVM.SubnetDropdownLabel": "Subnet", - "deployAzureSQLVM.PublicIPDropdownLabel": "Public IP", - "deployAzureSQLVM.NetworkSettingsUseExistingPublicIp": "New public ip", - "deployAzureSQLVM.VmRDPAllowCheckboxLabel": "Enable Remote Desktop (RDP) inbound port (3389)", - "deployAzureSQLVM.SqlServerSettingsPageTitle": "SQL Servers settings", - "deployAzureSQLVM.SqlConnectivityTypeDropdownLabel": "SQL connectivity", + "deployAzureSQLVM.VmSkuDropdownLabel": "Référence SKU de l'image", + "deployAzureSQLVM.VmImageVersionDropdownLabel": "Version de l'image", + "deployAzureSQLVM.VmSizeDropdownLabel": "Taille", + "deployeAzureSQLVM.VmSizeLearnMoreLabel": "Cliquer ici pour en savoir plus sur les prix et les tailles de VM prises en charge", + "deployAzureSQLVM.NetworkSettingsPageTitle": "Réseau", + "deployAzureSQLVM.NetworkSettingsPageDescription": "Configurer les paramètres réseau", + "deployAzureSQLVM.NetworkSettingsNewVirtualNetwork": "Nouveau réseau virtuel", + "deployAzureSQLVM.VirtualNetworkDropdownLabel": "Réseau virtuel", + "deployAzureSQLVM.NetworkSettingsNewSubnet": "Nouveau sous-réseau", + "deployAzureSQLVM.SubnetDropdownLabel": "Sous-réseau", + "deployAzureSQLVM.PublicIPDropdownLabel": "IP publique", + "deployAzureSQLVM.NetworkSettingsUseExistingPublicIp": "Nouvelle IP publique", + "deployAzureSQLVM.VmRDPAllowCheckboxLabel": "Activer le port d'entrée Bureau à distance (RDP) (3389)", + "deployAzureSQLVM.SqlServerSettingsPageTitle": "Paramètres des serveurs SQL", + "deployAzureSQLVM.SqlConnectivityTypeDropdownLabel": "Connectivité SQL", "deployAzureSQLVM.SqlPortLabel": "Port", - "deployAzureSQLVM.SqlEnableSQLAuthenticationLabel": "Enable SQL authentication", - "deployAzureSQLVM.SqlAuthenticationUsernameLabel": "Username", - "deployAzureSQLVM.SqlAuthenticationPasswordLabel": "Password", - "deployAzureSQLVM.SqlAuthenticationConfirmPasswordLabel": "Confirm password" + "deployAzureSQLVM.SqlEnableSQLAuthenticationLabel": "Activer l'authentification SQL", + "deployAzureSQLVM.SqlAuthenticationUsernameLabel": "Nom d'utilisateur", + "deployAzureSQLVM.SqlAuthenticationPasswordLabel": "Mot de passe", + "deployAzureSQLVM.SqlAuthenticationConfirmPasswordLabel": "Confirmer le mot de passe" }, "dist/ui/deployClusterWizard/deployClusterWizardModel": { - "deployCluster.SaveConfigFiles": "Save config files", - "deployCluster.ScriptToNotebook": "Script to Notebook", - "deployCluster.SelectConfigFileFolder": "Save config files", - "deployCluster.SaveConfigFileSucceeded": "Config files saved to {0}", - "deployCluster.NewAKSWizardTitle": "Deploy SQL Server 2019 Big Data Cluster on a new AKS cluster", - "deployCluster.ExistingAKSWizardTitle": "Deploy SQL Server 2019 Big Data Cluster on an existing AKS cluster", - "deployCluster.ExistingKubeAdm": "Deploy SQL Server 2019 Big Data Cluster on an existing kubeadm cluster", - "deployCluster.ExistingARO": "Deploy SQL Server 2019 Big Data Cluster on an existing Azure Red Hat OpenShift cluster", - "deployCluster.ExistingOpenShift": "Deploy SQL Server 2019 Big Data Cluster on an existing OpenShift cluster" + "deployCluster.SaveConfigFiles": "Enregistrer les fichiers config", + "deployCluster.ScriptToNotebook": "Exécuter un script sur un notebook", + "deployCluster.SelectConfigFileFolder": "Enregistrer les fichiers config", + "deployCluster.SaveConfigFileSucceeded": "Fichiers config enregistrés dans {0}", + "deployCluster.NewAKSWizardTitle": "Déployer le cluster Big Data SQL Server 2019 sur un nouveau cluster AKS", + "deployCluster.ExistingAKSWizardTitle": "Déployer le cluster Big Data SQL Server 2019 sur un cluster AKS existant", + "deployCluster.ExistingKubeAdm": "Déployer le cluster Big Data SQL Server 2019 sur un cluster kubeadm existant", + "deployCluster.ExistingARO": "Déployer le cluster Big Data SQL Server 2019 sur un cluster Azure Red Hat OpenShift existant", + "deployCluster.ExistingOpenShift": "Déployer le cluster Big Data SQL Server 2019 sur un cluster OpenShift existant" }, "dist/services/tools/toolBase": { - "deploymentDialog.ToolStatus.NotInstalled": "Not Installed", - "deploymentDialog.ToolStatus.Installed": "Installed", - "deploymentDialog.ToolStatus.Installing": "Installing…", - "deploymentDialog.ToolStatus.Error": "Error", - "deploymentDialog.ToolStatus.Failed": "Failed", - "deploymentDialog.ToolInformationalMessage.Brew": "•\tbrew is needed for deployment of the tools and needs to be pre-installed before necessary tools can be deployed", - "deploymentDialog.ToolInformationalMessage.Curl": "•\tcurl is needed for installation and needs to be pre-installed before necessary tools can be deployed", - "toolBase.getPip3InstallationLocation.LocationNotFound": " Could not find 'Location' in the output:", - "toolBase.getPip3InstallationLocation.Output": " output:", - "toolBase.InstallError": "Error installing tool '{0}' [ {1} ].{2}Error: {3}{2}See output channel '{4}' for more details", - "toolBase.InstallErrorInformation": "Error installing tool. See output channel '{0}' for more details", - "toolBase.InstallFailed": "Installation commands completed but version of tool '{0}' could not be detected so our installation attempt has failed. Detection Error: {1}{2}Cleaning up previous installations would help.", - "toolBase.InstallFailInformation": "Failed to detect version post installation. See output channel '{0}' for more details", - "toolBase.ManualUninstallCommand": " A possibly way to uninstall is using this command:{0} >{1}", - "toolBase.SeeOutputChannel": "{0}See output channel '{1}' for more details", - "toolBase.installCore.CannotInstallTool": "Cannot install tool:{0}::{1} as installation commands are unknown for your OS distribution, Please install {0} manually before proceeding", - "toolBase.addInstallationSearchPathsToSystemPath.SearchPaths": "Search Paths for tool '{0}': {1}", - "deployCluster.GetToolVersionErrorInformation": "Error retrieving version information. See output channel '{0}' for more details", - "deployCluster.GetToolVersionError": "Error retrieving version information.{0}Invalid output received, get version command output: '{1}' " + "deploymentDialog.ToolStatus.NotInstalled": "Non installé", + "deploymentDialog.ToolStatus.Installed": "Installé", + "deploymentDialog.ToolStatus.Installing": "Installation…", + "deploymentDialog.ToolStatus.Error": "Erreur", + "deploymentDialog.ToolStatus.Failed": "Échec", + "deploymentDialog.ToolInformationalMessage.Brew": "•\tbrew est nécessaire pour le déploiement des outils et doit être préinstallé pour pouvoir déployer les outils nécessaires", + "deploymentDialog.ToolInformationalMessage.Curl": "•\tcurl est nécessaire pour l'installation et doit être préinstallé pour pouvoir déployer les outils nécessaires", + "toolBase.getPip3InstallationLocation.LocationNotFound": " « Location » est introuvable dans la sortie :", + "toolBase.getPip3InstallationLocation.Output": " sortie :", + "toolBase.InstallError": "Erreur d'installation de l'outil « {0} » [ {1} ].{2}Erreur : {3}{2}Voir le canal de sortie « {4} » pour plus de détails", + "toolBase.InstallErrorInformation": "Erreur d'installation de l'outil. Voir le canal de sortie « {0} » pour plus de détails", + "toolBase.InstallFailed": "Commandes d'installation exécutées, mais impossible de détecter la version de l'outil « {0} ». La tentative d'installation a donc échoué. Erreur de détection : {1}{2}Essayez de nettoyer les installations précédentes.", + "toolBase.InstallFailInformation": "La détection de la version après l'installation a échoué. Voir le canal de sortie « {0} » pour plus de détails", + "toolBase.ManualUninstallCommand": " Vous pouvez effectuer la désinstallation à l'aide de cette commande : {0} >{1}", + "toolBase.SeeOutputChannel": "{0}Voir le canal de sortie « {1} » pour plus de détails", + "toolBase.installCore.CannotInstallTool": "Impossible d'installer l'outil : {0}::{1}, car les commandes d'installation sont inconnues pour la distribution de votre système d'exploitation. Installez {0} manuellement avant de continuer", + "toolBase.addInstallationSearchPathsToSystemPath.SearchPaths": "Chemins de recherche de l'outil « {0} » : {1}", + "deployCluster.GetToolVersionErrorInformation": "Erreur de récupération des informations de version. Voir le canal de sortie « {0} » pour plus de détails", + "deployCluster.GetToolVersionError": "Erreur de récupération des informations de version.{0}Sortie non valide reçue, sortie de la commande get version : « {1} » " }, "dist/ui/deployAzureSQLDBWizard/constants": { - "deployAzureSQLDB.NewSQLDBTitle": "Deploy Azure SQL DB", - "deployAzureSQLDB.ScriptToNotebook": "Script to Notebook", - "deployAzureSQLDB.MissingRequiredInfoError": "Please fill out the required fields marked with red asterisks.", - "deployAzureSQLDB.AzureSettingsPageTitle": "Azure SQL Database - Azure account settings", - "deployAzureSQLDB.AzureSettingsSummaryPageTitle": "Azure account settings", - "deployAzureSQLDB.AzureAccountDropdownLabel": "Azure account", - "deployAzureSQLDB.AzureSubscriptionDropdownLabel": "Subscription", - "deployAzureSQLDB.AzureDatabaseServersDropdownLabel": "Server", - "deployAzureSQLDB.ResourceGroup": "Resource group", - "deployAzureSQLDB.DatabaseSettingsPageTitle": "Database settings", - "deployAzureSQLDB.FirewallRuleNameLabel": "Firewall rule name", - "deployAzureSQLDB.DatabaseNameLabel": "SQL database name", - "deployAzureSQLDB.CollationNameLabel": "Database collation", - "deployAzureSQLDB.CollationNameSummaryLabel": "Collation for database", - "deployAzureSQLDB.IpAddressInfoLabel": "Enter IP addresses in IPv4 format.", - "deployAzureSQLDB.StartIpAddressLabel": "Min IP address in firewall IP range", - "deployAzureSQLDB.EndIpAddressLabel": "Max IP address in firewall IP range", - "deployAzureSQLDB.StartIpAddressShortLabel": "Min IP address", - "deployAzureSQLDB.EndIpAddressShortLabel": "Max IP address", - "deployAzureSQLDB.FirewallRuleDescription": "Create a firewall rule for your local client IP in order to connect to your database through Azure Data Studio after creation is completed.", - "deployAzureSQLDB.FirewallToggleLabel": "Create a firewall rule" + "deployAzureSQLDB.NewSQLDBTitle": "Déployer Azure SQL DB", + "deployAzureSQLDB.ScriptToNotebook": "Exécuter un script sur un notebook", + "deployAzureSQLDB.MissingRequiredInfoError": "Remplissez les champs obligatoires marqués d'un astérisque rouge.", + "deployAzureSQLDB.AzureSettingsPageTitle": "Azure SQL Database - Paramètres de compte Azure", + "deployAzureSQLDB.AzureSettingsSummaryPageTitle": "Paramètres de compte Azure", + "deployAzureSQLDB.AzureAccountDropdownLabel": "Compte Azure", + "deployAzureSQLDB.AzureSubscriptionDropdownLabel": "Abonnement", + "deployAzureSQLDB.AzureDatabaseServersDropdownLabel": "Serveur", + "deployAzureSQLDB.ResourceGroup": "Groupe de ressources", + "deployAzureSQLDB.DatabaseSettingsPageTitle": "Paramètres de base de données", + "deployAzureSQLDB.FirewallRuleNameLabel": "Nom de la règle de pare-feu", + "deployAzureSQLDB.DatabaseNameLabel": "Nom de la base de données SQL", + "deployAzureSQLDB.CollationNameLabel": "Classement de base de données", + "deployAzureSQLDB.CollationNameSummaryLabel": "Classement de la base de données", + "deployAzureSQLDB.IpAddressInfoLabel": "Entrez les adresses IP au format IPv4.", + "deployAzureSQLDB.StartIpAddressLabel": "Adresse IP min. dans la plage IP du pare-feu", + "deployAzureSQLDB.EndIpAddressLabel": "Adresse IP max. dans la plage IP du pare-feu", + "deployAzureSQLDB.StartIpAddressShortLabel": "Adresse IP min.", + "deployAzureSQLDB.EndIpAddressShortLabel": "Adresse IP max.", + "deployAzureSQLDB.FirewallRuleDescription": "Créez une règle de pare-feu pour votre IP de client local afin de vous connecter à votre base de données via Azure Data Studio une fois la création effectuée.", + "deployAzureSQLDB.FirewallToggleLabel": "Créer une règle de pare-feu" }, "dist/services/tools/kubeCtlTool": { - "resourceDeployment.KubeCtlDescription": "Runs commands against Kubernetes clusters", + "resourceDeployment.KubeCtlDescription": "Exécute des commandes sur des clusters Kubernetes", "resourceDeployment.KubeCtlDisplayName": "kubectl", - "resourceDeployment.invalidKubectlVersionOutput": "Unable to parse the kubectl version command output: \"{0}\"", - "resourceDeployment.Kubectl.UpdatingBrewRepository": "updating your brew repository for kubectl installation …", - "resourceDeployment.Kubectl.InstallingKubeCtl": "installing kubectl …", - "resourceDeployment.Kubectl.AptGetUpdate": "updating repository information …", - "resourceDeployment.Kubectl.AptGetPackages": "getting packages needed for kubectl installation …", - "resourceDeployment.Kubectl.DownloadAndInstallingSigningKey": "downloading and installing the signing key for kubectl …", - "resourceDeployment.Kubectl.AddingKubectlRepositoryInformation": "adding the kubectl repository information …", - "resourceDeployment.Kubectl.InstallingKubectl": "installing kubectl …", - "resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl.exe": "deleting previously downloaded kubectl.exe if one exists …", - "resourceDeployment.Kubectl.DownloadingAndInstallingKubectl": "downloading and installing the latest kubectl.exe …", - "resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl": "deleting previously downloaded kubectl if one exists …", - "resourceDeployment.Kubectl.DownloadingKubectl": "downloading the latest kubectl release …", - "resourceDeployment.Kubectl.MakingExecutable": "making kubectl executable …", - "resourceDeployment.Kubectl.CleaningUpOldBackups": "cleaning up any previously backed up version in the install location if they exist …", - "resourceDeployment.Kubectl.BackupCurrentBinary": "backing up any existing kubectl in the install location …", - "resourceDeployment.Kubectl.MoveToSystemPath": "moving kubectl into the install location in the PATH …" + "resourceDeployment.invalidKubectlVersionOutput": "Impossible d'analyser la sortie de la commande de version kubectl : « {0} »", + "resourceDeployment.Kubectl.UpdatingBrewRepository": "mise à jour de votre dépôt brew pour l'installation de kubectl...", + "resourceDeployment.Kubectl.InstallingKubeCtl": "installation de kubectl...", + "resourceDeployment.Kubectl.AptGetUpdate": "mise à jour des informations de dépôt...", + "resourceDeployment.Kubectl.AptGetPackages": "obtention des packages nécessaires à l'installation de kubectl...", + "resourceDeployment.Kubectl.DownloadAndInstallingSigningKey": "téléchargement et installation de la clé de signature pour kubectl...", + "resourceDeployment.Kubectl.AddingKubectlRepositoryInformation": "ajout des informations du dépôt kubectl...", + "resourceDeployment.Kubectl.InstallingKubectl": "installation de kubectl...", + "resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl.exe": "suppression du fichier kubectl.exe précédemment téléchargé, le cas échéant...", + "resourceDeployment.Kubectl.DownloadingAndInstallingKubectl": "téléchargement et installation du dernier fichier kubectl.exe...", + "resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl": "suppression du kubectl précédemment téléchargé, le cas échéant...", + "resourceDeployment.Kubectl.DownloadingKubectl": "téléchargement de la dernière mise en production de kubectl...", + "resourceDeployment.Kubectl.MakingExecutable": "création de l'exécutable kubectl...", + "resourceDeployment.Kubectl.CleaningUpOldBackups": "nettoyage des versions précédemment sauvegardées dans l'emplacement d'installation, le cas échéant...", + "resourceDeployment.Kubectl.BackupCurrentBinary": "sauvegarde de tout kubectl existant dans l'emplacement d'installation...", + "resourceDeployment.Kubectl.MoveToSystemPath": "déplacement de kubectl dans l'emplacement d'installation dans PATH..." }, "dist/ui/notebookWizard/notebookWizardPage": { - "wizardPage.ValidationError": "There are some errors on this page, click 'Show Details' to view the errors." + "wizardPage.ValidationError": "Cette page a des erreurs, cliquez sur 'Afficher les détails' pour les voir." }, "dist/ui/deploymentInputDialog": { - "deploymentDialog.OpenNotebook": "Open Notebook", + "deploymentDialog.OpenNotebook": "Ouvrir le notebook", "deploymentDialog.OkButtonText": "OK", - "notebookType": "Notebook type" + "notebookType": "Type de notebook" }, "dist/main": { - "resourceDeployment.FailedToLoadExtension": "Le chargement de l'extension {0} a échoué. Erreur détectée dans la définition du type de ressource dans package.json, consultez la console de débogage pour plus d'informations.", "resourceDeployment.UnknownResourceType": "Le type de ressource {0} n'est pas défini" }, "dist/services/notebookService": { "resourceDeployment.notebookNotFound": "Le notebook {0} n'existe pas" }, "dist/services/platformService": { - "resourceDeployment.outputChannel": "Deployments", - "platformService.RunCommand.ErroredOut": "\t>>> {0} … errored out: {1}", - "platformService.RunCommand.IgnoringError": "\t>>> Ignoring error in execution and continuing tool deployment", - "platformService.RunCommand.stdout": " stdout: ", - "platformService.RunCommand.stderr": " stderr: ", - "platformService.RunStreamedCommand.ExitedWithCode": " >>> {0} … exited with code: {1}", - "platformService.RunStreamedCommand.ExitedWithSignal": " >>> {0} … exited with signal: {1}" + "resourceDeployment.outputChannel": "Déploiements", + "platformService.RunCommand.ErroredOut": "\t>>> {0} … a donné une erreur : {1}", + "platformService.RunCommand.IgnoringError": "\t>>> Omission de l'erreur dans l'exécution et poursuite du déploiement de l'outil", + "platformService.RunCommand.stdout": " stdout : ", + "platformService.RunCommand.stderr": " stderr : ", + "platformService.RunStreamedCommand.ExitedWithCode": " >>> {0} … a quitté avec le code : {1}", + "platformService.RunStreamedCommand.ExitedWithSignal": " >>> {0} … a quitté avec le signal : {1}" }, "dist/services/resourceTypeService": { "downloadError": "Le téléchargement a échoué, code d'état : {0}, message : {1}" }, "dist/ui/deployClusterWizard/pages/deploymentProfilePage": { - "deployCluster.serviceScaleTableTitle": "Service scale settings (Instances)", - "deployCluster.storageTableTitle": "Service storage settings (GB per Instance)", - "deployCluster.featureTableTitle": "Features", - "deployCluster.yesText": "Yes", - "deployCluster.noText": "No", - "deployCluster.summaryPageTitle": "Deployment configuration profile", - "deployCluster.summaryPageDescription": "Select the target configuration profile", + "deployCluster.serviceScaleTableTitle": "Paramètres de mise à l'échelle du service (instances)", + "deployCluster.storageTableTitle": "Paramètres de stockage du service (Go par instance)", + "deployCluster.featureTableTitle": "Fonctionnalités", + "deployCluster.yesText": "Oui", + "deployCluster.noText": "Non", + "deployCluster.summaryPageTitle": "Profil de configuration de déploiement", + "deployCluster.summaryPageDescription": "Sélectionner le profil de configuration cible", "deployCluster.ProfileHintText": "Remarque : Les paramètres du profil de déploiement peuvent être personnalisés dans les étapes ultérieures.", - "deployCluster.loadingProfiles": "Loading profiles", - "deployCluster.loadingProfilesCompleted": "Loading profiles completed", - "deployCluster.profileRadioGroupLabel": "Deployment configuration profile", + "deployCluster.loadingProfiles": "Chargement des profils", + "deployCluster.loadingProfilesCompleted": "Profils chargés", + "deployCluster.profileRadioGroupLabel": "Profil de configuration de déploiement", "deployCluster.loadProfileFailed": "Le chargement des profils de déploiement a échoué : {0}", "deployCluster.masterPoolLabel": "Instance maître SQL Server", "deployCluster.computePoolLable": "Calcul", "deployCluster.dataPoolLabel": "Données", "deployCluster.hdfsLabel": "HDFS + Spark", "deployCluster.ServiceName": "Service", - "deployCluster.dataStorageType": "Data", - "deployCluster.logsStorageType": "Logs", - "deployCluster.StorageType": "Storage type", + "deployCluster.dataStorageType": "Données", + "deployCluster.logsStorageType": "Journaux", + "deployCluster.StorageType": "Type de stockage", "deployCluster.basicAuthentication": "Authentification de base", "deployCluster.activeDirectoryAuthentication": "Authentification Active Directory", "deployCluster.hadr": "Haute disponibilité", - "deployCluster.featureText": "Feature", + "deployCluster.featureText": "Composant", "deployCluster.ProfileNotSelectedError": "Sélectionnez un profil de déploiement." }, "dist/ui/deployClusterWizard/pages/azureSettingsPage": { - "deployCluster.MissingRequiredInfoError": "Please fill out the required fields marked with red asterisks.", + "deployCluster.MissingRequiredInfoError": "Remplissez les champs obligatoires marqués d'un astérisque rouge.", "deployCluster.AzureSettingsPageTitle": "Paramètres Azure", "deployCluster.AzureSettingsPageDescription": "Configurer les paramètres pour créer un cluster Azure Kubernetes Service", "deployCluster.SubscriptionField": "ID d'abonnement", @@ -326,7 +329,7 @@ "deployCluster.VMSizeHelpLink": "Voir les tailles de machine virtuelle disponibles" }, "dist/ui/deployClusterWizard/pages/clusterSettingsPage": { - "deployCluster.ClusterNameDescription": "The cluster name must consist only of alphanumeric lowercase characters or '-' and must start and end with an alphanumeric character.", + "deployCluster.ClusterNameDescription": "Le nom de cluster doit contenir seulement des caractères alphanumériques en minuscules ou « - », et doit commencer et se terminer par un caractère alphanumérique.", "deployCluster.ClusterSettingsPageTitle": "Paramètres de cluster", "deployCluster.ClusterSettingsPageDescription": "Configurer les paramètres du cluster Big Data SQL Server", "deployCluster.ClusterName": "Nom de cluster", @@ -354,7 +357,7 @@ "deployCluster.DomainDNSIPAddressesPlaceHolder": "Utilisez une virgule pour séparer les valeurs.", "deployCluster.DomainDNSIPAddressesDescription": "Adresses IP des serveurs DNS de domaine. Utilisez une virgule pour séparer plusieurs adresses IP.", "deployCluster.DomainDNSName": "Nom du DNS de domaine", - "deployCluster.RealmDescription": "If not provided, the domain DNS name will be used as the default value.", + "deployCluster.RealmDescription": "S'il n'est pas fourni, le nom DNS du domaine est utilisé comme valeur par défaut.", "deployCluster.ClusterAdmins": "Groupe d'administration de cluster", "deployCluster.ClusterAdminsDescription": "Groupe Active Directory de l'administrateur de cluster.", "deployCluster.ClusterUsers": "Utilisateurs du cluster", @@ -363,16 +366,16 @@ "deployCluster.DomainServiceAccountUserName": "Nom d'utilisateur du compte de service", "deployCluster.DomainServiceAccountUserNameDescription": "Compte de service de domaine pour le cluster Big Data", "deployCluster.DomainServiceAccountPassword": "Mot de passe de compte de service", - "deployCluster.AppOwners": "App owners", + "deployCluster.AppOwners": "Propriétaires d'application", "deployCluster.AppOwnersPlaceHolder": "Utilisez une virgule pour séparer les valeurs.", "deployCluster.AppOwnersDescription": "Utilisateurs ou groupes Active Directory avec un rôle de propriétaires d'application. Utilisez une virgule pour séparer plusieurs utilisateurs/groupes.", "deployCluster.AppReaders": "Lecteurs d'application", "deployCluster.AppReadersPlaceHolder": "Utilisez une virgule pour séparer les valeurs.", "deployCluster.AppReadersDescription": "Utilisateurs ou groupes Active Directory des lecteurs d'application. Utilisez une virgule pour séparer les différents groupes/utilisateurs s'il y en a plusieurs.", - "deployCluster.Subdomain": "Subdomain", - "deployCluster.SubdomainDescription": "A unique DNS subdomain to use for this SQL Server Big Data Cluster. If not provided, the cluster name will be used as the default value.", - "deployCluster.AccountPrefix": "Account prefix", - "deployCluster.AccountPrefixDescription": "A unique prefix for AD accounts SQL Server Big Data Cluster will generate. If not provided, the subdomain name will be used as the default value. If a subdomain is not provided, the cluster name will be used as the default value.", + "deployCluster.Subdomain": "Sous-domaine", + "deployCluster.SubdomainDescription": "Sous-domaine DNS unique à utiliser pour ce cluster Big Data SQL Server. S'il n'est pas fourni, le nom de cluster est utilisé comme valeur par défaut.", + "deployCluster.AccountPrefix": "Préfixe du compte", + "deployCluster.AccountPrefixDescription": "Préfixe unique pour les comptes AD que le cluster Big Data SQL Server génère. S'il n'est pas fourni, le nom du sous-domaine est utilisé comme valeur par défaut. Si aucun sous-domaine n'est fourni, le nom du cluster est utilisé comme valeur par défaut.", "deployCluster.AdminPasswordField": "Mot de passe", "deployCluster.ValidationError": "Cette page a des erreurs, cliquez sur 'Afficher les détails' pour les voir." }, @@ -408,30 +411,30 @@ "deployCluster.EndpointSettings": "Paramètres de point de terminaison", "deployCluster.storageFieldTooltip": "Utiliser les paramètres du contrôleur", "deployCluster.AdvancedStorageDescription": "Par défaut, les paramètres de stockage du contrôleur sont aussi appliqués aux autres services, vous pouvez développer les paramètres de stockage avancés pour configurer le stockage des autres services.", - "deployCluster.controllerDataStorageClass": "Controller's data storage class", - "deployCluster.controllerDataStorageClaimSize": "Controller's data storage claim size", - "deployCluster.controllerLogsStorageClass": "Controller's logs storage class", - "deployCluster.controllerLogsStorageClaimSize": "Controller's logs storage claim size", + "deployCluster.controllerDataStorageClass": "Classe de stockage de données du contrôleur", + "deployCluster.controllerDataStorageClaimSize": "Taille de la revendication de stockage de données du contrôleur", + "deployCluster.controllerLogsStorageClass": "Classe de stockage des journaux du contrôleur", + "deployCluster.controllerLogsStorageClaimSize": "Taille de la revendication de stockage des journaux du contrôleur", "deployCluster.StoragePool": "Pool de stockage (HDFS)", - "deployCluster.storagePoolDataStorageClass": "Storage pool's data storage class", - "deployCluster.storagePoolDataStorageClaimSize": "Storage pool's data storage claim size", - "deployCluster.storagePoolLogsStorageClass": "Storage pool's logs storage class", - "deployCluster.storagePoolLogsStorageClaimSize": "Storage pool's logs storage claim size", + "deployCluster.storagePoolDataStorageClass": "Classe de stockage de données du pool de stockage", + "deployCluster.storagePoolDataStorageClaimSize": "Taille de la revendication de stockage de données du pool de stockage", + "deployCluster.storagePoolLogsStorageClass": "Classe de stockage des journaux du pool de stockage", + "deployCluster.storagePoolLogsStorageClaimSize": "Taille de la revendication de stockage des journaux du pool de stockage", "deployCluster.DataPool": "Pool de données", - "deployCluster.dataPoolDataStorageClass": "Data pool's data storage class", - "deployCluster.dataPoolDataStorageClaimSize": "Data pool's data storage claim size", - "deployCluster.dataPoolLogsStorageClass": "Data pool's logs storage class", - "deployCluster.dataPoolLogsStorageClaimSize": "Data pool's logs storage claim size", - "deployCluster.sqlServerMasterDataStorageClass": "SQL Server master's data storage class", - "deployCluster.sqlServerMasterDataStorageClaimSize": "SQL Server master's data storage claim size", - "deployCluster.sqlServerMasterLogsStorageClass": "SQL Server master's logs storage class", - "deployCluster.sqlServerMasterLogsStorageClaimSize": "SQL Server master's logs storage claim size", - "deployCluster.ServiceName": "Service name", + "deployCluster.dataPoolDataStorageClass": "Classe de stockage de données du pool de données", + "deployCluster.dataPoolDataStorageClaimSize": "Taille de la revendication de stockage de données du pool de données", + "deployCluster.dataPoolLogsStorageClass": "Classe de stockage des journaux du pool de données", + "deployCluster.dataPoolLogsStorageClaimSize": "Taille de la revendication de stockage des journaux du pool de données", + "deployCluster.sqlServerMasterDataStorageClass": "Classe de stockage de données de l'instance maître SQL Server", + "deployCluster.sqlServerMasterDataStorageClaimSize": "Taille de la revendication de stockage de données de l'instance maître SQL Server", + "deployCluster.sqlServerMasterLogsStorageClass": "Classe de stockage des journaux de l'instance maître SQL Server", + "deployCluster.sqlServerMasterLogsStorageClaimSize": "Taille de la revendication de stockage des journaux de l'instance maître SQL Server", + "deployCluster.ServiceName": "Nom du service", "deployCluster.DataStorageClassName": "Classe de stockage pour les données", "deployCluster.DataClaimSize": "Taille de réclamation pour les données (Go)", "deployCluster.LogStorageClassName": "Classe de stockage pour les journaux", "deployCluster.LogsClaimSize": "Taille de réclamation pour les journaux (Go)", - "deployCluster.StorageSettings": "Storage settings", + "deployCluster.StorageSettings": "Paramètres de stockage", "deployCluster.StorageSectionTitle": "Paramètres de stockage", "deployCluster.SparkMustBeIncluded": "Configuration Spark non valide, vous devez cocher la case 'Inclure Spark' ou définir 'Instances de pool Spark' sur une valeur au moins égale à 1." }, @@ -453,10 +456,10 @@ "deployCluster.DomainDNSName": "Nom du DNS de domaine", "deployCluster.ClusterAdmins": "Groupe d'administration de cluster", "deployCluster.ClusterUsers": "Utilisateurs du cluster", - "deployCluster.AppOwners": "App owners", + "deployCluster.AppOwners": "Propriétaires d'application", "deployCluster.AppReaders": "Lecteurs d'application", - "deployCluster.Subdomain": "Subdomain", - "deployCluster.AccountPrefix": "Account prefix", + "deployCluster.Subdomain": "Sous-domaine", + "deployCluster.AccountPrefix": "Préfixe du compte", "deployCluster.DomainServiceAccountUserName": "Nom d'utilisateur du compte de service", "deployCluster.AzureSettings": "Paramètres Azure", "deployCluster.SubscriptionId": "ID d'abonnement", @@ -502,138 +505,129 @@ "deployCluster.ConfigParseError": "Le chargement du fichier config a échoué" }, "dist/ui/deployAzureSQLVMWizard/deployAzureSQLVMWizardModel": { - "sqlVMDeploymentWizard.PasswordLengthError": "Password must be between 12 and 123 characters long.", - "sqlVMDeploymentWizard.PasswordSpecialCharRequirementError": "Password must have 3 of the following: 1 lower case character, 1 upper case character, 1 number, and 1 special character." + "sqlVMDeploymentWizard.PasswordLengthError": "Le mot de passe doit avoir entre 12 et 123 caractères.", + "sqlVMDeploymentWizard.PasswordSpecialCharRequirementError": "Le mot de passe doit comporter trois des éléments suivants : une minuscule, une majuscule, un chiffre et un caractère spécial." }, "dist/ui/deployAzureSQLVMWizard/pages/vmSettingsPage": { - "deployAzureSQLVM.VnameLengthError": "Virtual machine name must be between 1 and 15 characters long.", - "deployAzureSQLVM.VNameOnlyNumericNameError": "Virtual machine name cannot contain only numbers.", - "deployAzureSQLVM.VNamePrefixSuffixError": "Virtual machine name Can't start with underscore. Can't end with period or hyphen", - "deployAzureSQLVM.VNameSpecialCharError": "Virtual machine name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .", - "deployAzureSQLVM.VNameExistsError": "Virtual machine name must be unique in the current resource group.", - "deployAzureSQLVM.VMUsernameLengthError": "Username must be between 1 and 20 characters long.", - "deployAzureSQLVM.VMUsernameSuffixError": "Username cannot end with period", - "deployAzureSQLVM.VMUsernameSpecialCharError": "Username cannot contain special characters \\/\"\"[]:|<>+=;,?*@& .", - "deployAzureSQLVM.VMUsernameReservedWordsError": "Username must not include reserved words.", - "deployAzureSQLVM.VMConfirmPasswordError": "Password and confirm password must match.", - "deployAzureSQLVM.vmDropdownSizeError": "Select a valid virtual machine size." + "deployAzureSQLVM.VnameLengthError": "Le nom de machine virtuelle doit avoir entre 1 et 15 caractères.", + "deployAzureSQLVM.VNameOnlyNumericNameError": "Le nom de la machine virtuelle ne peut pas contenir uniquement des chiffres.", + "deployAzureSQLVM.VNamePrefixSuffixError": "Le nom de machine virtuelle ne peut pas commencer par un trait de soulignement, et ne peut pas se terminer par un point ou un trait d'union", + "deployAzureSQLVM.VNameSpecialCharError": "Le nom de machine virtuelle ne peut pas contenir les caractères spéciaux \\/\"\"[]:|<>+=;,?*@&, .", + "deployAzureSQLVM.VNameExistsError": "Le nom de la machine virtuelle doit être unique dans le groupe de ressources actuel.", + "deployAzureSQLVM.VMUsernameLengthError": "Le nom d'utilisateur doit avoir entre 1 et 20 caractères.", + "deployAzureSQLVM.VMUsernameSuffixError": "Le nom d'utilisateur ne peut pas se terminer par un point", + "deployAzureSQLVM.VMUsernameSpecialCharError": "Le nom d'utilisateur ne peut pas contenir les caractères spéciaux \\/\"\"[]:|<>+=;,?*@& .", + "deployAzureSQLVM.VMUsernameReservedWordsError": "Les noms d'utilisateur ne doivent pas comprendre de mots réservés.", + "deployAzureSQLVM.VMConfirmPasswordError": "Les champs de mot de passe et de confirmation du mot de passe doivent correspondre.", + "deployAzureSQLVM.vmDropdownSizeError": "Sélectionnez une taille de machine virtuelle valide." }, "dist/ui/deployAzureSQLVMWizard/pages/networkSettingsPage": { - "deployAzureSQLVM.NewVnetPlaceholder": "Enter name for new virtual network", - "deployAzureSQLVM.NewSubnetPlaceholder": "Enter name for new subnet", - "deployAzureSQLVM.NewPipPlaceholder": "Enter name for new public IP", - "deployAzureSQLVM.VnetNameLengthError": "Virtual Network name must be between 2 and 64 characters long", - "deployAzureSQLVM.NewVnetError": "Create a new virtual network", - "deployAzureSQLVM.SubnetNameLengthError": "Subnet name must be between 1 and 80 characters long", - "deployAzureSQLVM.NewSubnetError": "Create a new sub network", - "deployAzureSQLVM.PipNameError": "Public IP name must be between 1 and 80 characters long", - "deployAzureSQLVM.NewPipError": "Create a new new public Ip" + "deployAzureSQLVM.NewVnetPlaceholder": "Entrer un nom pour le nouveau réseau virtuel", + "deployAzureSQLVM.NewSubnetPlaceholder": "Entrer un nom pour le nouveau sous-réseau", + "deployAzureSQLVM.NewPipPlaceholder": "Entrer un nom pour la nouvelle IP publique", + "deployAzureSQLVM.VnetNameLengthError": "Le nom de réseau virtuel doit avoir entre 2 et 64 caractères", + "deployAzureSQLVM.NewVnetError": "Créer un réseau virtuel", + "deployAzureSQLVM.SubnetNameLengthError": "Le nom de sous-réseau doit avoir entre 1 et 80 caractères", + "deployAzureSQLVM.NewSubnetError": "Créer un sous-réseau", + "deployAzureSQLVM.PipNameError": "Le nom d'IP publique doit avoir entre 1 et 80 caractères", + "deployAzureSQLVM.NewPipError": "Créer une IP publique" }, "dist/ui/deployAzureSQLVMWizard/pages/sqlServerSettingsPage": { - "deployAzureSQLVM.PrivateConnectivityDropdownOptionDefault": "Private (within Virtual Network)", - "deployAzureSQLVM.LocalConnectivityDropdownOption": "Local (inside VM only)", + "deployAzureSQLVM.PrivateConnectivityDropdownOptionDefault": "Privé (dans un réseau virtuel)", + "deployAzureSQLVM.LocalConnectivityDropdownOption": "Local (sur la machine virtuelle uniquement)", "deployAzureSQLVM.PublicConnectivityDropdownOption": "Public (Internet)", - "deployAzureSQLVM.SqlUsernameLengthError": "Username must be between 2 and 128 characters long.", - "deployAzureSQLVM.SqlUsernameSpecialCharError": "Username cannot contain special characters \\/\"\"[]:|<>+=;,?* .", - "deployAzureSQLVM.SqlConfirmPasswordError": "Password and confirm password must match." + "deployAzureSQLVM.SqlUsernameLengthError": "Le nom d'utilisateur doit avoir entre 2 et 128 caractères.", + "deployAzureSQLVM.SqlUsernameSpecialCharError": "Le nom d'utilisateur ne peut pas contenir les caractères spéciaux \\/\"\"[]:|<>+=;,?* .", + "deployAzureSQLVM.SqlConfirmPasswordError": "Les champs de mot de passe et de confirmation du mot de passe doivent correspondre." }, "dist/ui/notebookWizard/notebookWizardAutoSummaryPage": { - "notebookWizard.autoSummaryPageTitle": "Review your configuration" + "notebookWizard.autoSummaryPageTitle": "Vérifier votre configuration" }, "dist/ui/deployAzureSQLDBWizard/pages/databaseSettingsPage": { - "deployAzureSQLDB.DBMinIpInvalidError": "Min Ip address is invalid", - "deployAzureSQLDB.DBMaxIpInvalidError": "Max Ip address is invalid", - "deployAzureSQLDB.DBFirewallOnlyNumericNameError": "Firewall name cannot contain only numbers.", - "deployAzureSQLDB.DBFirewallLengthError": "Firewall name must be between 1 and 100 characters long.", - "deployAzureSQLDB.DBFirewallSpecialCharError": "Firewall name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .", - "deployAzureSQLDB.DBFirewallUpperCaseError": "Upper case letters are not allowed for firewall name", - "deployAzureSQLDB.DBNameOnlyNumericNameError": "Database name cannot contain only numbers.", - "deployAzureSQLDB.DBNameLengthError": "Database name must be between 1 and 100 characters long.", - "deployAzureSQLDB.DBNameSpecialCharError": "Database name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .", - "deployAzureSQLDB.DBNameExistsError": "Database name must be unique in the current server.", - "deployAzureSQLDB.DBCollationOnlyNumericNameError": "Collation name cannot contain only numbers.", - "deployAzureSQLDB.DBCollationLengthError": "Collation name must be between 1 and 100 characters long.", - "deployAzureSQLDB.DBCollationSpecialCharError": "Collation name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, ." + "deployAzureSQLDB.DBMinIpInvalidError": "L'adresse IP min. n'est pas valide", + "deployAzureSQLDB.DBMaxIpInvalidError": "L'adresse IP max. n'est pas valide", + "deployAzureSQLDB.DBFirewallOnlyNumericNameError": "Le nom de pare-feu ne peut pas contenir seulement des nombres.", + "deployAzureSQLDB.DBFirewallLengthError": "Le nom de pare-feu doit avoir entre 1 et 100 caractères.", + "deployAzureSQLDB.DBFirewallSpecialCharError": "Le nom de pare-feu ne peut pas contenir les caractères spéciaux \\/\"\"[]:|<>+=;,?*@&, .", + "deployAzureSQLDB.DBFirewallUpperCaseError": "Les lettres majuscules ne sont pas autorisées dans le nom de pare-feu", + "deployAzureSQLDB.DBNameOnlyNumericNameError": "Le nom de base de données ne peut pas contenir seulement des nombres.", + "deployAzureSQLDB.DBNameLengthError": "Le nom de base de données doit avoir entre 1 et 100 caractères.", + "deployAzureSQLDB.DBNameSpecialCharError": "Le nom de base de données ne peut pas contenir les caractères spéciaux \\/\"\"[]:|<>+=;,?*@&, .", + "deployAzureSQLDB.DBNameExistsError": "Le nom de base de données doit être unique dans le serveur actuel.", + "deployAzureSQLDB.DBCollationOnlyNumericNameError": "Le nom de classement ne peut pas contenir seulement des nombres.", + "deployAzureSQLDB.DBCollationLengthError": "Le nom de classement doit avoir entre 1 et 100 caractères.", + "deployAzureSQLDB.DBCollationSpecialCharError": "Le nom de classement ne peut pas contenir les caractères spéciaux \\/\"\"[]:|<>+=;,?*@&, ." }, "dist/ui/deployAzureSQLDBWizard/pages/azureSettingsPage": { - "deployAzureSQLDB.azureSignInError": "Sign in to an Azure account first", - "deployAzureSQLDB.NoServerLabel": "No servers found", - "deployAzureSQLDB.NoServerError": "No servers found in current subscription.\r\nSelect a different subscription containing at least one server" + "deployAzureSQLDB.azureSignInError": "Se connecter d'abord à un compte Azure", + "deployAzureSQLDB.NoServerLabel": "Aucun serveur", + "deployAzureSQLDB.NoServerError": "Aucun serveur dans l'abonnement actuel.\r\nSélectionnez un autre abonnement contenant au moins un serveur" }, "dist/ui/toolsAndEulaSettingsPage": { - "notebookWizard.toolsAndEulaPageTitle": "Deployment pre-requisites", - "deploymentDialog.FailedEulaValidation": "To proceed, you must accept the terms of the End User License Agreement(EULA)", - "deploymentDialog.FailedToolsInstallation": "Some tools were still not discovered. Please make sure that they are installed, running and discoverable", - "deploymentDialog.loadingRequiredToolsCompleted": "Loading required tools information completed", - "deploymentDialog.loadingRequiredTools": "Loading required tools information", - "resourceDeployment.AgreementTitle": "Accept terms of use", - "deploymentDialog.ToolDoesNotMeetVersionRequirement": "'{0}' [ {1} ] does not meet the minimum version requirement, please uninstall it and restart Azure Data Studio.", - "deploymentDialog.InstalledTools": "All required tools are installed now.", - "deploymentDialog.PendingInstallation": "Following tools: {0} were still not discovered. Please make sure that they are installed, running and discoverable", - "deploymentDialog.ToolInformation": "'{0}' was not discovered and automated installation is not currently supported. Install '{0}' manually or ensure it is started and discoverable. Once done please restart Azure Data Studio. See [{1}] .", - "deploymentDialog.VersionInformationDebugHint": "You will need to restart Azure Data Studio if the tools are installed manually to pick up the change. You may find additional details in 'Deployments' and 'Azure Data CLI' output channels", - "deploymentDialog.InstallToolsHintOne": "Tool: {0} is not installed, you can click the \"{1}\" button to install it.", - "deploymentDialog.InstallToolsHintMany": "Tools: {0} are not installed, you can click the \"{1}\" button to install them.", - "deploymentDialog.NoRequiredTool": "No tools required" + "notebookWizard.toolsAndEulaPageTitle": "Prérequis de déploiement", + "deploymentDialog.FailedToolsInstallation": "Certains outils n'ont toujours pas été découverts. Vérifiez qu'ils sont installés, en cours d'exécution et découvrables", + "deploymentDialog.FailedEulaValidation": "Pour continuer, vous devez accepter les conditions du contrat de licence utilisateur final (CLUF).", + "deploymentDialog.loadingRequiredToolsCompleted": "Les informations d'outils nécessaires ont été téléchargées", + "deploymentDialog.loadingRequiredTools": "Chargement des informations d'outils nécessaires", + "resourceDeployment.AgreementTitle": "Accepter les conditions d'utilisation", + "deploymentDialog.ToolDoesNotMeetVersionRequirement": "« {0} » [ {1} ] ne respecte pas la version minimale requise, désinstallez-le et redémarrez Azure Data Studio.", + "deploymentDialog.InstalledTools": "Tous les outils nécessaires sont maintenant installés.", + "deploymentDialog.PendingInstallation": "Les outils suivants {0} n'ont toujours pas été découverts. Vérifiez qu'ils sont installés, en cours d'exécution et découvrables", + "deploymentDialog.ToolInformation": "« {0} » n'a pas été découvert et l'installation automatique n'est pas prise en charge actuellement. Installez manuellement « {0} », ou vérifiez qu'il est démarré et découvrable. Ensuite, redémarrez Azure Data Studio. Consultez [{1}].", + "deploymentDialog.VersionInformationDebugHint": "Si les outils sont installés manuellement, vous devez redémarrer Azure Data Studio pour appliquer le changement. Des détails supplémentaires sont disponibles dans les canaux de sortie « Déploiements » et « Azure Data CLI »", + "deploymentDialog.InstallToolsHintOne": "L'outil {0} n'est pas installé, vous pouvez cliquer sur le bouton « {1} » pour l'installer.", + "deploymentDialog.InstallToolsHintMany": "Les outils {0} ne sont pas installés, vous pouvez cliquer sur le bouton « {1} » pour les installer.", + "deploymentDialog.NoRequiredTool": "Aucun outil nécessaire" }, "dist/ui/pageLessDeploymentModel": { - "resourceDeployment.DownloadAndLaunchTaskName": "Download and launch installer, URL: {0}", - "resourceDeployment.DownloadingText": "Downloading from: {0}", - "resourceDeployment.DownloadCompleteText": "Successfully downloaded: {0}", - "resourceDeployment.LaunchingProgramText": "Launching: {0}", - "resourceDeployment.ProgramLaunchedText": "Successfully launched: {0}" + "resourceDeployment.DownloadAndLaunchTaskName": "Télécharger et lancer le programme d'installation, URL : {0}", + "resourceDeployment.DownloadingText": "Téléchargement à partir de : {0}", + "resourceDeployment.DownloadCompleteText": "{0} a été téléchargé", + "resourceDeployment.LaunchingProgramText": "Lancement de {0}", + "resourceDeployment.ProgramLaunchedText": "{0} a été lancé" }, "dist/services/tools/dockerTool": { - "resourceDeployment.DockerDescription": "Packages and runs applications in isolated containers", + "resourceDeployment.DockerDescription": "Insère dans un package et exécute des applications dans des conteneurs isolés", "resourceDeployment.DockerDisplayName": "docker" }, "dist/services/tools/azCliTool": { - "resourceDeployment.AzCLIDescription": "Manages Azure resources", + "resourceDeployment.AzCLIDescription": "Gère les ressources Azure", "resourceDeployment.AzCLIDisplayName": "Azure CLI", - "resourceDeployment.AziCli.DeletingPreviousAzureCli.msi": "deleting previously downloaded azurecli.msi if one exists …", - "resourceDeployment.AziCli.DownloadingAndInstallingAzureCli": "downloading azurecli.msi and installing azure-cli …", - "resourceDeployment.AziCli.DisplayingInstallationLog": "displaying the installation log …", - "resourceDeployment.AziCli.UpdatingBrewRepository": "updating your brew repository for azure-cli installation …", - "resourceDeployment.AziCli.InstallingAzureCli": "installing azure-cli …", - "resourceDeployment.AziCli.AptGetUpdate": "updating repository information before installing azure-cli …", - "resourceDeployment.AziCli.AptGetPackages": "getting packages needed for azure-cli installation …", - "resourceDeployment.AziCli.DownloadAndInstallingSigningKey": "downloading and installing the signing key for azure-cli …", - "resourceDeployment.AziCli.AddingAzureCliRepositoryInformation": "adding the azure-cli repository information …", - "resourceDeployment.AziCli.AptGetUpdateAgain": "updating repository information again for azure-cli …", - "resourceDeployment.AziCli.ScriptedInstall": "download and invoking script to install azure-cli …" + "resourceDeployment.AziCli.DeletingPreviousAzureCli.msi": "suppression du fichier azurecli.msi précédemment téléchargé, le cas échéant...", + "resourceDeployment.AziCli.DownloadingAndInstallingAzureCli": "téléchargement d'azurecli.msi et installation d'azure-cli...", + "resourceDeployment.AziCli.DisplayingInstallationLog": "affichage du journal d'installation...", + "resourceDeployment.AziCli.UpdatingBrewRepository": "mise à jour de votre dépôt brew pour l'installation d'azure-cli...", + "resourceDeployment.AziCli.InstallingAzureCli": "installation d'azure-cli...", + "resourceDeployment.AziCli.AptGetUpdate": "mise à jour des informations de dépôt avant l'installation d'azure-cli...", + "resourceDeployment.AziCli.AptGetPackages": "obtention des packages nécessaires à l'installation d'azure-cli...", + "resourceDeployment.AziCli.DownloadAndInstallingSigningKey": "téléchargement et installation de la clé de signature pour azure-cli...", + "resourceDeployment.AziCli.AddingAzureCliRepositoryInformation": "ajout des informations du dépôt azure-cli...", + "resourceDeployment.AziCli.AptGetUpdateAgain": "remise à jour des informations de dépôt pour azure-cli...", + "resourceDeployment.AziCli.ScriptedInstall": "télécharger et appeler un script pour installer azure-cli..." }, "dist/services/tools/azdataTool": { - "resourceDeployment.AzdataDescription": "Azure Data command line interface", + "resourceDeployment.AzdataDescription": "Interface de ligne de commande Azure Data", "resourceDeployment.AzdataDisplayName": "Azure Data CLI", - "deployCluster.GetToolVersionErrorInformation": "Error retrieving version information. See output channel '{0}' for more details", - "deployCluster.GetToolVersionError": "Error retrieving version information.{0}Invalid output received, get version command output: '{1}' ", - "resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "deleting previously downloaded Azdata.msi if one exists …", - "resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "downloading Azdata.msi and installing azdata-cli …", - "resourceDeployment.Azdata.DisplayingInstallationLog": "displaying the installation log …", - "resourceDeployment.Azdata.TappingBrewRepository": "tapping into the brew repository for azdata-cli …", - "resourceDeployment.Azdata.UpdatingBrewRepository": "updating the brew repository for azdata-cli installation …", - "resourceDeployment.Azdata.InstallingAzdata": "installing azdata …", - "resourceDeployment.Azdata.AptGetUpdate": "updating repository information …", - "resourceDeployment.Azdata.AptGetPackages": "getting packages needed for azdata installation …", - "resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "downloading and installing the signing key for azdata …", - "resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "adding the azdata repository information …" + "deploy.azdataExtMissing": "L’extension CLI de données Azure doit être installée pour déployer cette ressource. Veuillez l’installer via la galerie d’extensions et essayer à nouveau.", + "deployCluster.GetToolVersionErrorInformation": "Erreur de récupération des informations de version. Voir le canal de sortie « {0} » pour plus de détails", + "deployCluster.GetToolVersionError": "Erreur de récupération des informations de version.{0}Sortie non valide reçue, sortie de la commande get version : « {1} » " }, "dist/services/tools/azdataToolOld": { - "resourceDeployment.AzdataDescription": "Azure Data command line interface", + "resourceDeployment.AzdataDescription": "Interface de ligne de commande Azure Data", "resourceDeployment.AzdataDisplayName": "Azure Data CLI", - "resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "deleting previously downloaded Azdata.msi if one exists …", - "resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "downloading Azdata.msi and installing azdata-cli …", - "resourceDeployment.Azdata.DisplayingInstallationLog": "displaying the installation log …", - "resourceDeployment.Azdata.TappingBrewRepository": "tapping into the brew repository for azdata-cli …", - "resourceDeployment.Azdata.UpdatingBrewRepository": "updating the brew repository for azdata-cli installation …", - "resourceDeployment.Azdata.InstallingAzdata": "installing azdata …", - "resourceDeployment.Azdata.AptGetUpdate": "updating repository information …", - "resourceDeployment.Azdata.AptGetPackages": "getting packages needed for azdata installation …", - "resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "downloading and installing the signing key for azdata …", - "resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "adding the azdata repository information …" + "resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "suppression du fichier Azdata.msi précédemment téléchargé, le cas échéant...", + "resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "téléchargement d'azdata.msi et installation d'azdata-cli...", + "resourceDeployment.Azdata.DisplayingInstallationLog": "affichage du journal d'installation...", + "resourceDeployment.Azdata.TappingBrewRepository": "recherche dans le dépôt brew pour azdata-cli...", + "resourceDeployment.Azdata.UpdatingBrewRepository": "mise à jour du dépôt brew pour l'installation d'azdata-cli...", + "resourceDeployment.Azdata.InstallingAzdata": "installation d'azdata...", + "resourceDeployment.Azdata.AptGetUpdate": "mise à jour des informations de dépôt...", + "resourceDeployment.Azdata.AptGetPackages": "obtention des packages nécessaires à l'installation d'azdata...", + "resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "téléchargement et installation de la clé de signature pour azdata...", + "resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "ajout des informations du dépôt azdata..." }, "dist/ui/resourceTypePickerDialog": { - "deploymentDialog.deploymentOptions": "Deployment options" + "deploymentDialog.deploymentOptions": "Options de déploiement" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-fr/translations/extensions/schema-compare.i18n.json b/i18n/ads-language-pack-fr/translations/extensions/schema-compare.i18n.json new file mode 100644 index 0000000000..76f2934616 --- /dev/null +++ b/i18n/ads-language-pack-fr/translations/extensions/schema-compare.i18n.json @@ -0,0 +1,319 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "displayName": "Comparer les schémas SQL Server", + "description": "Comparer les schémas SQL Server pour Azure Data Studio prend en charge la comparaison des schémas de bases de données et de fichiers dacpac.", + "schemaCompare.start": "Comparer les schémas" + }, + "dist/localizedConstants": { + "schemaCompareDialog.ok": "OK", + "schemaCompareDialog.cancel": "Annuler", + "schemaCompareDialog.SourceTitle": "Source", + "schemaCompareDialog.TargetTitle": "Cible", + "schemaCompareDialog.fileTextBoxLabel": "Fichier", + "schemaCompare.dacpacRadioButtonLabel": "Fichier d'application de la couche Données (.dacpac)", + "schemaCompare.databaseButtonLabel": "Base de données", + "schemaCompare.radioButtonsLabel": "Type", + "schemaCompareDialog.serverDropdownTitle": "Serveur", + "schemaCompareDialog.databaseDropdownTitle": "Base de données", + "schemaCompare.dialogTitle": "Comparer les schémas", + "schemaCompareDialog.differentSourceMessage": "Un autre schéma source a été sélectionné. Comparer pour voir les différences ?", + "schemaCompareDialog.differentTargetMessage": "Un autre schéma cible a été sélectionné. Comparer pour voir les différences ?", + "schemaCompareDialog.differentSourceTargetMessage": "Vous avez sélectionné des schémas cible et source différents. Comparer pour voir les différences ?", + "schemaCompareDialog.Yes": "Oui", + "schemaCompareDialog.No": "Non", + "schemaCompareDialog.sourceTextBox": "Fichier source", + "schemaCompareDialog.targetTextBox": "Fichier cible", + "schemaCompareDialog.sourceDatabaseDropdown": "Base de données source", + "schemaCompareDialog.targetDatabaseDropdown": "Base de données cible", + "schemaCompareDialog.sourceServerDropdown": "Serveur source", + "schemaCompareDialog.targetServerDropdown": "Serveur cible", + "schemaCompareDialog.defaultUser": "par défaut", + "schemaCompare.openFile": "Ouvrir", + "schemaCompare.selectSourceFile": "Sélectionner un fichier source", + "schemaCompare.selectTargetFile": "Sélectionner le fichier cible", + "SchemaCompareOptionsDialog.Reset": "Réinitialiser", + "schemaCompareOptions.RecompareMessage": "Les options ont changé. Relancer la comparaison pour voir les différences ?", + "SchemaCompare.SchemaCompareOptionsDialogLabel": "Options Comparer les schémas", + "SchemaCompare.GeneralOptionsLabel": "Options générales", + "SchemaCompare.ObjectTypesOptionsLabel": "Inclure les types d'objet", + "schemaCompare.CompareDetailsTitle": "Comparer les détails", + "schemaCompare.ApplyConfirmation": "Voulez-vous vraiment mettre à jour la cible ?", + "schemaCompare.RecompareToRefresh": "Appuyez sur Comparer pour actualiser la comparaison.", + "schemaCompare.generateScriptEnabledButton": "Générer un script pour déployer les changements sur la cible", + "schemaCompare.generateScriptNoChanges": "Aucun changement de script", + "schemaCompare.applyButtonEnabledTitle": "Appliquer les changements à la cible", + "schemaCompare.applyNoChanges": "Aucun changement à appliquer", + "schemaCompare.includeExcludeInfoMessage": "Veuillez noter que le calcul des dépendances affectées peut prendre quelques instants si les opérations incluent/exclues.", + "schemaCompare.deleteAction": "Supprimer", + "schemaCompare.changeAction": "Changer", + "schemaCompare.addAction": "Ajouter", + "schemaCompare.differencesTableTitle": "Comparaison entre source et cible", + "schemaCompare.waitText": "Initialisation de la comparaison. Cette opération peut durer un certain temps.", + "schemaCompare.startText": "Pour comparer deux schémas, sélectionnez d'abord un schéma source et un schéma cible, puis appuyez sur Comparer.", + "schemaCompare.noDifferences": "Aucune différence de schéma.", + "schemaCompare.typeColumn": "Type", + "schemaCompare.sourceNameColumn": "Nom de la source", + "schemaCompare.includeColumnName": "Inclure", + "schemaCompare.actionColumn": "Action", + "schemaCompare.targetNameColumn": "Nom de la cible", + "schemaCompare.generateScriptButtonDisabledTitle": "La génération de script est activée quand la cible est une base de données", + "schemaCompare.applyButtonDisabledTitle": "L'option Appliquer est activée quand la cible est une base de données", + "schemaCompare.cannotExcludeMessageWithDependent": "Impossible d’exclure {0}. Les dépendants inclus existent, tels que {1}", + "schemaCompare.cannotIncludeMessageWithDependent": "Ne peut pas inclure {0}. Il existe des dépendants exclus, tels que {1}", + "schemaCompare.cannotExcludeMessage": "Impossible d’exclure {0}. Il existe des dépendants inclus", + "schemaCompare.cannotIncludeMessage": "Ne peut pas inclure {0}. Il existe des dépendants exclus", + "schemaCompare.compareButton": "Comparer", + "schemaCompare.cancelCompareButton": "Arrêter", + "schemaCompare.generateScriptButton": "Générer le script", + "schemaCompare.optionsButton": "Options", + "schemaCompare.updateButton": "Appliquer", + "schemaCompare.switchDirectionButton": "Changer de sens", + "schemaCompare.switchButtonTitle": "Basculer entre la source et la cible", + "schemaCompare.sourceButtonTitle": "Sélectionner la source", + "schemaCompare.targetButtonTitle": "Sélectionner la cible", + "schemaCompare.openScmpButton": "Ouvrir le fichier .scmp", + "schemaCompare.openScmpButtonTitle": "Charger la source, la cible et les options enregistrées dans un fichier .scmp", + "schemaCompare.saveScmpButton": "Enregistrer le fichier .scmp", + "schemaCompare.saveScmpButtonTitle": "Enregistrer la source et la cible, les options et les éléments exclus", + "schemaCompare.saveFile": "Enregistrer", + "schemaCompare.GetConnectionString": "Voulez-vous vous connecter à {0}?", + "schemaCompare.selectConnection": "Sélectionner la connexion", + "SchemaCompare.IgnoreTableOptions": "Ignorer les options de table", + "SchemaCompare.IgnoreSemicolonBetweenStatements": "Ignorer le point-virgule entre les instructions", + "SchemaCompare.IgnoreRouteLifetime": "Ignorer la durée de vie de la route", + "SchemaCompare.IgnoreRoleMembership": "Ignorer l'appartenance à un rôle", + "SchemaCompare.IgnoreQuotedIdentifiers": "Ignorer les identificateurs entre guillemets", + "SchemaCompare.IgnorePermissions": "Ignorer les autorisations", + "SchemaCompare.IgnorePartitionSchemes": "Ignorer les schémas de partition", + "SchemaCompare.IgnoreObjectPlacementOnPartitionScheme": "Ignorer le placement d'objet sur le schéma de partition", + "SchemaCompare.IgnoreNotForReplication": "Ignorer l'option Pas pour la réplication", + "SchemaCompare.IgnoreLoginSids": "Ignorer les SID de connexion", + "SchemaCompare.IgnoreLockHintsOnIndexes": "Ignorer les indicateurs de verrou sur les index", + "SchemaCompare.IgnoreKeywordCasing": "Ignorer la casse des mots clés", + "SchemaCompare.IgnoreIndexPadding": "Ignorer le remplissage d'index", + "SchemaCompare.IgnoreIndexOptions": "Ignorer les options d'index", + "SchemaCompare.IgnoreIncrement": "Ignorer l'incrément", + "SchemaCompare.IgnoreIdentitySeed": "Ignorer le seed d'identité", + "SchemaCompare.IgnoreUserSettingsObjects": "Ignorer les objets des paramètres utilisateur", + "SchemaCompare.IgnoreFullTextCatalogFilePath": "Ignorer le chemin de fichier du catalogue de texte intégral", + "SchemaCompare.IgnoreWhitespace": "Ignorer les espaces blancs", + "SchemaCompare.IgnoreWithNocheckOnForeignKeys": "Ignorer WITH NOCHECK sur les clés étrangères", + "SchemaCompare.VerifyCollationCompatibility": "Vérifier la compatibilité du classement", + "SchemaCompare.UnmodifiableObjectWarnings": "Avertissements d'objet non modifiable", + "SchemaCompare.TreatVerificationErrorsAsWarnings": "Traiter les erreurs de vérification comme des avertissements", + "SchemaCompare.ScriptRefreshModule": "Module d'actualisation de script", + "SchemaCompare.ScriptNewConstraintValidation": "Validation de la nouvelle contrainte de script", + "SchemaCompare.ScriptFileSize": "Taille du fichier de script", + "SchemaCompare.ScriptDeployStateChecks": "StateChecks du déploiement de script", + "SchemaCompare.ScriptDatabaseOptions": "Options de base de données de script", + "SchemaCompare.ScriptDatabaseCompatibility": "Compatibilité de base de données de script", + "SchemaCompare.ScriptDatabaseCollation": "Classement de base de données de script", + "SchemaCompare.RunDeploymentPlanExecutors": "Exécuter des exécuteurs de plan de déploiement", + "SchemaCompare.RegisterDataTierApplication": "Inscrire l'application de la couche Données", + "SchemaCompare.PopulateFilesOnFileGroups": "Remplir les fichiers dans des groupes de fichiers", + "SchemaCompare.NoAlterStatementsToChangeClrTypes": "Aucune instruction ALTER pour changer les types CLR", + "SchemaCompare.IncludeTransactionalScripts": "Inclure des scripts transactionnels", + "SchemaCompare.IncludeCompositeObjects": "Inclure des objets composites", + "SchemaCompare.AllowUnsafeRowLevelSecurityDataMovement": "Autoriser le déplacement non sécurisé des données de sécurité au niveau des lignes", + "SchemaCompare.IgnoreWithNocheckOnCheckConstraints": "Ignorer WITH NO CHECK sur les contraintes de validation", + "SchemaCompare.IgnoreFillFactor": "Ignorer le facteur de remplissage", + "SchemaCompare.IgnoreFileSize": "Ignorer la taille de fichier", + "SchemaCompare.IgnoreFilegroupPlacement": "Ignorer le placement de groupe de fichiers", + "SchemaCompare.DoNotAlterReplicatedObjects": "Ne pas modifier les objets répliqués", + "SchemaCompare.DoNotAlterChangeDataCaptureObjects": "Ne pas modifier les objets de capture des changements de données", + "SchemaCompare.DisableAndReenableDdlTriggers": "Désactiver et réactiver les déclencheurs DDL", + "SchemaCompare.DeployDatabaseInSingleUserMode": "Déployer la base de données en mode mono-utilisateur", + "SchemaCompare.CreateNewDatabase": "Créer une base de données", + "SchemaCompare.CompareUsingTargetCollation": "Comparer à l'aide du classement cible", + "SchemaCompare.CommentOutSetVarDeclarations": "Annuler les marques de commentaire des déclarations de variable définies", + "SchemaCompare.BlockWhenDriftDetected": "Bloquer en cas de dérive détectée", + "SchemaCompare.BlockOnPossibleDataLoss": "Bloquer en cas de perte de données possible", + "SchemaCompare.BackupDatabaseBeforeChanges": "Sauvegarder la base de données avant les changements", + "SchemaCompare.AllowIncompatiblePlatform": "Autoriser une plateforme incompatible", + "SchemaCompare.AllowDropBlockingAssemblies": "Autoriser la suppression des assemblys bloquants", + "SchemaCompare.DropConstraintsNotInSource": "Supprimer les contraintes qui ne sont pas dans la source", + "SchemaCompare.DropDmlTriggersNotInSource": "Supprimer les déclencheurs DML qui ne sont pas dans la source", + "SchemaCompare.DropExtendedPropertiesNotInSource": "Supprimer les propriétés étendues qui ne sont pas dans la source", + "SchemaCompare.DropIndexesNotInSource": "Supprimer les index qui ne sont pas dans la source", + "SchemaCompare.IgnoreFileAndLogFilePath": "Ignorer le chemin de fichier et de fichier journal", + "SchemaCompare.IgnoreExtendedProperties": "Ignorer les propriétés étendues", + "SchemaCompare.IgnoreDmlTriggerState": "Ignorer l'état des déclencheurs DML", + "SchemaCompare.IgnoreDmlTriggerOrder": "Ignorer l'ordre des déclencheurs DML", + "SchemaCompare.IgnoreDefaultSchema": "Ignorer le schéma par défaut", + "SchemaCompare.IgnoreDdlTriggerState": "Ignorer l'état des déclencheurs DDL", + "SchemaCompare.IgnoreDdlTriggerOrder": "Ignorer l'ordre des déclencheurs DDL", + "SchemaCompare.IgnoreCryptographicProviderFilePath": "Ignorer le chemin de fichier du fournisseur de chiffrement", + "SchemaCompare.VerifyDeployment": "Vérifier le déploiement", + "SchemaCompare.IgnoreComments": "Ignorer les commentaires", + "SchemaCompare.IgnoreColumnCollation": "Ignorer le classement de colonne", + "SchemaCompare.IgnoreAuthorizer": "Ignorer l'agent d'autorisation", + "SchemaCompare.IgnoreAnsiNulls": "Ignorer AnsiNulls", + "SchemaCompare.GenerateSmartDefaults": "Générer des SmartDefaults", + "SchemaCompare.DropStatisticsNotInSource": "Supprimer les statistiques qui ne sont pas dans la source", + "SchemaCompare.DropRoleMembersNotInSource": "Supprimer les membres de rôle qui ne sont pas dans la source", + "SchemaCompare.DropPermissionsNotInSource": "Supprimer les autorisations qui ne sont pas dans la source", + "SchemaCompare.DropObjectsNotInSource": "Supprimer les objets qui ne sont pas dans la source", + "SchemaCompare.IgnoreColumnOrder": "Ignorer l'ordre des colonnes", + "SchemaCompare.Aggregates": "Agrégats", + "SchemaCompare.ApplicationRoles": "Rôles d'application", + "SchemaCompare.Assemblies": "Assemblys", + "SchemaCompare.AssemblyFiles": "Fichiers d'assembly", + "SchemaCompare.AsymmetricKeys": "Clés asymétriques", + "SchemaCompare.BrokerPriorities": "Priorités de Service Broker", + "SchemaCompare.Certificates": "Certificats", + "SchemaCompare.ColumnEncryptionKeys": "Clés de chiffrement de colonne", + "SchemaCompare.ColumnMasterKeys": "Clés principales de colonne", + "SchemaCompare.Contracts": "Contrats", + "SchemaCompare.DatabaseOptions": "Options de base de données", + "SchemaCompare.DatabaseRoles": "Rôles de base de données", + "SchemaCompare.DatabaseTriggers": "Déclencheurs de base de données", + "SchemaCompare.Defaults": "Valeurs par défaut", + "SchemaCompare.ExtendedProperties": "Propriétés étendues", + "SchemaCompare.ExternalDataSources": "Sources de données externes", + "SchemaCompare.ExternalFileFormats": "Formats de fichier externe", + "SchemaCompare.ExternalStreams": "Flux externes", + "SchemaCompare.ExternalStreamingJobs": "Travaux de streaming externes", + "SchemaCompare.ExternalTables": "Tables externes", + "SchemaCompare.Filegroups": "Groupes de fichiers", + "SchemaCompare.Files": "Fichiers", + "SchemaCompare.FileTables": "Tables de fichiers", + "SchemaCompare.FullTextCatalogs": "Catalogues de texte intégral", + "SchemaCompare.FullTextStoplists": "Listes de mots vides de texte intégral", + "SchemaCompare.MessageTypes": "Types de messages", + "SchemaCompare.PartitionFunctions": "Fonctions de partition", + "SchemaCompare.PartitionSchemes": "Schémas de partition", + "SchemaCompare.Permissions": "Autorisations", + "SchemaCompare.Queues": "Files d'attente", + "SchemaCompare.RemoteServiceBindings": "Liaisons de service distant", + "SchemaCompare.RoleMembership": "Appartenance au rôle", + "SchemaCompare.Rules": "Règles", + "SchemaCompare.ScalarValuedFunctions": "Fonctions scalaires", + "SchemaCompare.SearchPropertyLists": "Listes de propriétés de recherche", + "SchemaCompare.SecurityPolicies": "Stratégies de sécurité", + "SchemaCompare.Sequences": "Séquences", + "SchemaCompare.Services": "Services", + "SchemaCompare.Signatures": "Signatures", + "SchemaCompare.StoredProcedures": "Procédures stockées", + "SchemaCompare.SymmetricKeys": "Clés symétriques", + "SchemaCompare.Synonyms": "Synonymes", + "SchemaCompare.Tables": "Tables", + "SchemaCompare.TableValuedFunctions": "Fonctions table", + "SchemaCompare.UserDefinedDataTypes": "Types de données définis par l'utilisateur", + "SchemaCompare.UserDefinedTableTypes": "Types de table définis par l'utilisateur", + "SchemaCompare.ClrUserDefinedTypes": "Types CLR définis par l'utilisateur", + "SchemaCompare.Users": "Utilisateurs", + "SchemaCompare.Views": "Vues", + "SchemaCompare.XmlSchemaCollections": "Collections de schémas XML", + "SchemaCompare.Audits": "Audits", + "SchemaCompare.Credentials": "Informations d'identification", + "SchemaCompare.CryptographicProviders": "Fournisseurs de chiffrement", + "SchemaCompare.DatabaseAuditSpecifications": "Spécifications de l'audit de base de données", + "SchemaCompare.DatabaseEncryptionKeys": "Clés de chiffrement de base de données", + "SchemaCompare.DatabaseScopedCredentials": "Informations d'identification limitées à la base de données", + "SchemaCompare.Endpoints": "Points de terminaison", + "SchemaCompare.ErrorMessages": "Messages d'erreur", + "SchemaCompare.EventNotifications": "Notifications d'événements", + "SchemaCompare.EventSessions": "Sessions d'événements", + "SchemaCompare.LinkedServerLogins": "Connexions de serveur lié", + "SchemaCompare.LinkedServers": "Serveurs liés", + "SchemaCompare.Logins": "Connexions", + "SchemaCompare.MasterKeys": "Clés principales", + "SchemaCompare.Routes": "Routes", + "SchemaCompare.ServerAuditSpecifications": "Spécifications de l'audit de serveur", + "SchemaCompare.ServerRoleMembership": "Appartenance au rôle serveur", + "SchemaCompare.ServerRoles": "Rôles serveur", + "SchemaCompare.ServerTriggers": "Déclencheurs de serveur", + "SchemaCompare.Description.IgnoreTableOptions": "Spécifie si les différences des options de table sont ignorées ou mises à jour pour la publication dans une base de données.", + "SchemaCompare.Description.IgnoreSemicolonBetweenStatements": "Spécifie si les différences de point-virgule des instructions T-SQL sont ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreRouteLifetime": "Spécifie si les différences de durée de conservation de la route dans la table de route par SQL Server doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreRoleMembership": "Spécifie si les différences d'appartenance au rôle des connexions doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreQuotedIdentifiers": "Spécifie si les différences de paramètre des identificateurs entre guillemets doivent être ignorées ou mises à jour en case de publication dans une base de données.", + "SchemaCompare.Description.IgnorePermissions": "Spécifie si les autorisations doivent être ignorées.", + "SchemaCompare.Description.IgnorePartitionSchemes": "Spécifie si les différences de schéma et fonction de partition doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreObjectPlacementOnPartitionScheme": "Spécifie si le placement d'un objet dans un schéma de partition doit être ignoré ou mis à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreNotForReplication": "Spécifie si le paramètre Pas pour la réplication doit être ignoré ou mis à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreLoginSids": "Spécifie si les différences de numéro d'identification de sécurité (SID) doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreLockHintsOnIndexes": "Spécifie si les différences d'indicateur de verrou sur les index doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreKeywordCasing": "Spécifie si les différences de casse des mots clés doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreIndexPadding": "Spécifie si les différences de remplissage d'index doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreIndexOptions": "Spécifie si les différences d'option d'index doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreIncrement": "Spécifie si les différences d'incrément d'une colonne d'identité doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreIdentitySeed": "Spécifie si les différences de seed d'une colonne d'identité doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreUserSettingsObjects": "Spécifie si les différences d'objet de paramètres utilisateur sont ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreFullTextCatalogFilePath": "Spécifie si les différences de chemin du catalogue de texte intégral doivent être ignorées ou si un avertissement doit être émis quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreWhitespace": "Spécifie si les différences d'espace blanc sont ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreWithNocheckOnForeignKeys": "Spécifie si les différences de valeur de la clause WITH NOCHECK pour les clés étrangères sont ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.VerifyCollationCompatibility": "Spécifie si la compatibilité du classement est vérifiée.", + "SchemaCompare.Description.UnmodifiableObjectWarnings": "Spécifie si des avertissements doivent être générés en cas de différences détectées dans des objets non modifiables, par exemple, si la taille de fichier ou les chemins de fichier sont différents pour un fichier.", + "SchemaCompare.Description.TreatVerificationErrorsAsWarnings": "Spécifie si les erreurs rencontrées au cours de la vérification de publication doivent être considérées comme des avertissements. La vérification est effectuée sur le plan de déploiement généré, avant qu'il ne soit exécuté sur la base de données cible. La vérification du plan détecte des problèmes comme la perte d'objets cibles uniquement (par ex., des index) qui doivent être supprimés pour effectuer un changement. La vérification détecte également des situations où des dépendances (table ou vue par exemple) existent en raison d'une référence à un projet composite, mais n'existent pas dans la base de données cible. Vous pouvez choisir d'effectuer cette opération pour obtenir la liste complète de tous les problèmes, au lieu de définir l'action de publication pour qu'elle s'arrête à la première erreur.", + "SchemaCompare.Description.ScriptRefreshModule": "Inclure des instructions d'actualisation à la fin du script de publication.", + "SchemaCompare.Description.ScriptNewConstraintValidation": "À la fin de la publication, toutes les contraintes sont vérifiées comme un ensemble, ce qui permet d'éviter les erreurs de données provoquées par une contrainte de validation ou de clé étrangère pendant la publication. Si la valeur est False, vos contraintes sont publiées sans vérification des données correspondantes.", + "SchemaCompare.Description.ScriptFileSize": "Détermine si la taille est spécifiée pendant l'ajout d'un fichier à un groupe de fichiers.", + "SchemaCompare.Description.ScriptDeployStateChecks": "Spécifie si des instructions sont générées dans le script de publication pour vérifier que le nom de base de données et le nom de serveur correspondent aux noms spécifiés dans le projet de base de données.", + "SchemaCompare.Description.ScriptDatabaseOptions": "Spécifie si les propriétés de la base de données cible doivent être définies ou mises à jour dans le cadre de l'action de publication.", + "SchemaCompare.Description.ScriptDatabaseCompatibility": "Spécifie si les différences de compatibilité de base de données doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.ScriptDatabaseCollation": "Spécifie si les différences de classement de base de données doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.RunDeploymentPlanExecutors": "Spécifie si les contributeurs DeploymentPlanExecutor doivent être exécutés quand d'autres opérations sont exécutées.", + "SchemaCompare.Description.RegisterDataTierApplication": "Indique si le schéma est inscrit dans le serveur de base de données.", + "SchemaCompare.Description.PopulateFilesOnFileGroups": "Spécifie si un fichier est créé en même temps qu'un groupe de fichiers dans la base de données cible.", + "SchemaCompare.Description.NoAlterStatementsToChangeClrTypes": "Spécifie que la publication doit toujours supprimer et recréer un assembly en cas de différence, au lieu d'envoyer une instruction ALTER ASSEMBLY", + "SchemaCompare.Description.IncludeTransactionalScripts": "Spécifie s'il faut utiliser des instructions transactionnelles quand cela est possible quand vous publiez dans une base de données.", + "SchemaCompare.Description.IncludeCompositeObjects": "Incluez tous les éléments composites dans une seule et même opération de publication.", + "SchemaCompare.Description.AllowUnsafeRowLevelSecurityDataMovement": "Ne bloquez pas le déplacement des données sur une table avec sécurité au niveau des lignes si cette propriété est définie sur true. La valeur par défaut est false.", + "SchemaCompare.Description.IgnoreWithNocheckOnCheckConstraints": "Spécifie si les différences de valeur de la clause WITH NOCHECK pour les contraintes de validation sont ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreFillFactor": "Spécifie si les différences de facteur de remplissage du stockage d'index doivent être ignorées ou si un avertissement doit être envoyé quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreFileSize": "Spécifie si les différences de taille de fichier doivent être ignorées ou si un avertissement doit être envoyé quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreFilegroupPlacement": "Spécifie si les différences de placement des objets dans des groupes de fichiers doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.DoNotAlterReplicatedObjects": "Indique si les objets répliqués sont identifiés pendant la vérification.", + "SchemaCompare.Description.DoNotAlterChangeDataCaptureObjects": "Si la valeur est true, les objets de capture des changements de données ne sont pas modifiés.", + "SchemaCompare.Description.DisableAndReenableDdlTriggers": "Spécifie si les déclencheurs de langage de description de données (DDL) sont désactivés au début du processus de publication et réactivés à la fin de l'action de publication.", + "SchemaCompare.Description.DeployDatabaseInSingleUserMode": "Si la valeur est true, la base de données est définie sur le mode mono-utilisateur avant le déploiement.", + "SchemaCompare.Description.CreateNewDatabase": "Spécifie si la base de données cible doit être mise à jour, ou si elle doit être supprimée et recréée quand vous publiez dans une base de données.", + "SchemaCompare.Description.CompareUsingTargetCollation": "Ce paramètre définit la façon dont le classement de la base de données est géré pendant le déploiement. Par défaut, le classement de la base de données cible est mis à jour s'il ne correspond pas au classement spécifié par la source. Quand cette option est définie, le classement de la base de données (ou du serveur) cible doit être utilisé.", + "SchemaCompare.Description.CommentOutSetVarDeclarations": "Spécifie si la déclaration de variables SETVAR doit être commentée dans le script de publication généré. Vous pouvez choisir cette option si vous prévoyez de spécifier des valeurs sur la ligne de commande quand vous effectuez la publication à l'aide d'un outil, comme SQLCMD.EXE.", + "SchemaCompare.Description.BlockWhenDriftDetected": "Spécifie s'il faut bloquer la mise à jour d'une base de données dont le schéma ne correspond plus à son inscription ou n'est pas inscrit.", + "SchemaCompare.Description.BlockOnPossibleDataLoss": "Spécifie que l'épisode de publication doit être arrêté en cas de risque de perte de données suite à l'opération de publication.", + "SchemaCompare.Description.BackupDatabaseBeforeChanges": "Sauvegarde la base de données avant le déploiement de changements.", + "SchemaCompare.Description.AllowIncompatiblePlatform": "Spécifie s'il faut tenter l'action en dépit de plateformes SQL Server incompatibles.", + "SchemaCompare.Description.AllowDropBlockingAssemblies": "Cette propriété est utilisée par le déploiement SqlClr pour permettre la suppression de tout assembly bloquant dans le cadre du plan de déploiement. Par défaut, un assembly bloquant ou de référence bloque une mise à jour d'assembly s'il faut supprimer l'assembly de référence.", + "SchemaCompare.Description.DropConstraintsNotInSource": "Spécifie si des contraintes qui n'existent pas dans le fichier d'instantané de base de données (.dacpac) doivent être supprimées de la base de données cible quand vous publiez dans une base de données.", + "SchemaCompare.Description.DropDmlTriggersNotInSource": "Spécifie si les déclencheurs DML qui n'existent pas dans le fichier d'instantané de base de données (.dacpac) doivent être supprimés de la base de données cible quand vous publiez dans une base de données.", + "SchemaCompare.Description.DropExtendedPropertiesNotInSource": "Spécifie si les propriétés étendues qui n'existent pas dans le fichier d'instantané de base de données (.dacpac) doivent être supprimées de la base de données cible quand vous publiez dans une base de données.", + "SchemaCompare.Description.DropIndexesNotInSource": "Spécifie si des index qui n'existent pas dans le fichier d'instantané de base de données (.dacpac) doivent être supprimés de la base de données cible quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreFileAndLogFilePath": "Spécifie si les différences de chemin de fichier et fichier journal doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreExtendedProperties": "Spécifie si les propriétés étendues doivent être ignorées.", + "SchemaCompare.Description.IgnoreDmlTriggerState": "Spécifie si les différences d'état activé ou désactivé des déclencheurs DML doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreDmlTriggerOrder": "Spécifie si les différences d'ordre des déclencheurs de langage de manipulation de données (DML) doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreDefaultSchema": "Spécifie si les différences de schéma par défaut doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreDdlTriggerState": "Spécifie si les différences d'état activé ou désactivé des déclencheurs de langage de description de données (DDL) doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreDdlTriggerOrder": "Spécifie si les différences d'ordre des déclencheurs de langage de description de données (DDL) doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreCryptographicProviderFilePath": "Spécifie si les différences de chemin de fichier du fournisseur de chiffrement doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.VerifyDeployment": "Spécifie s'il faut effectuer avant la publication des vérifications qui arrêtent l'action de publication quand des problèmes risquant de bloquer la publication sont détectés. Par exemple, l'action de publication peut s'arrêter si vous avez des clés étrangères sur la base de données cible qui n'existent pas dans le projet de base de données, ce qui entraîne des erreurs pendant la publication.", + "SchemaCompare.Description.IgnoreComments": "Spécifie si les différences de commentaire doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreColumnCollation": "Spécifie si les différences de classement de colonnes doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreAuthorizer": "Spécifie si les différences de l'agent d'autorisation doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.IgnoreAnsiNulls": "Spécifie si les différences de paramètre ANSI NULLS doivent être ignorées ou mises à jour quand vous publiez dans une base de données.", + "SchemaCompare.Description.GenerateSmartDefaults": "Fournit automatiquement une valeur par défaut pendant la mise à jour d'une table dont les données comprennent une colonne qui n'autorise pas les valeurs Null.", + "SchemaCompare.Description.DropStatisticsNotInSource": "Spécifie si les statistiques qui n'existent pas dans le fichier d'instantané de base de données (.dacpac) doivent être supprimées de la base de données cible quand vous publiez dans une base de données.", + "SchemaCompare.Description.DropRoleMembersNotInSource": "Spécifie si les membres de rôle qui ne sont pas définis dans le fichier d'instantané de base de données (.dacpac) sont supprimés de la base de données cible quand vous publiez des mises à jour sur une base de données. couleur. Par exemple, ajouter 'colonne1': rouge pour que la colonne utilise la couleur rouge ", - "legendDescription": "Indique la position par défaut et la visibilité de la légende de graphique. Il s'agit des noms des colonnes de votre requête mappés à l'étiquette de chaque entrée du graphique", - "labelFirstColumnDescription": "Si la valeur de dataDirection est horizontale, la définition de ce paramètre sur true utilise la valeur des premières colonnes pour la légende.", - "columnsAsLabels": "Si la valeur de dataDirection est verticale, la définition de ce paramètre sur true utilise les noms de colonnes pour la légende.", - "dataDirectionDescription": "Définit si les données sont lues dans une colonne (vertical) ou une ligne (horizontal). Pour les séries chronologiques, ce paramètre est ignoré, car la direction doit être verticale.", - "showTopNData": "Si showTopNData est défini, seules les N premières données sont affichées dans le graphique." - }, - "sql/platform/dashboard/browser/insightRegistry": { - "schema.dashboardWidgets.InsightsRegistry": "Widget utilisé dans les tableaux de bord" - }, - "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { - "resourceViewer.showActions": "Afficher les actions", - "resourceViewerInput.resourceViewer": "Visionneuse de ressources" - }, - "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { - "extension.contributes.resourceView.resource.id": "Identificateur de la ressource.", - "extension.contributes.resourceView.resource.name": "Nom de la vue, contrôlable de visu. À afficher", - "extension.contributes.resourceView.resource.icon": "Chemin de l'icône de ressource.", - "extension.contributes.resourceViewResources": "Fournit une ressource dans la vue des ressources", - "requirestring": "la propriété '{0}' est obligatoire et doit être de type 'string'", - "optstring": "La propriété '{0}' peut être omise ou doit être de type 'string'" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { - "resourceViewer.ariaLabel": "Arborescence de la visionneuse de ressources" - }, - "sql/platform/dashboard/browser/widgetRegistry": { - "schema.dashboardWidgets.all": "Widget utilisé dans les tableaux de bord", - "schema.dashboardWidgets.database": "Widget utilisé dans les tableaux de bord", - "schema.dashboardWidgets.server": "Widget utilisé dans les tableaux de bord" - }, - "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { - "azdata.extension.contributes.widget.when": "Condition qui doit être true pour afficher cet élément", - "azdata.extension.contributes.widget.hideHeader": "Indique s'il faut masquer l'en-tête du widget. La valeur par défaut est false", - "dashboardpage.tabName": "Titre du conteneur", - "dashboardpage.rowNumber": "Ligne du composant dans la grille", - "dashboardpage.rowSpan": "Rowspan du composant dans la grille. La valeur par défaut est 1. Utilisez '*' pour le définir sur le nombre de lignes dans la grille.", - "dashboardpage.colNumber": "Colonne du composant dans la grille", - "dashboardpage.colspan": "Colspan du composant dans la grille. La valeur par défaut est 1. Utilisez '*' pour le définir sur le nombre de colonnes dans la grille.", - "azdata.extension.contributes.dashboardPage.tab.id": "Identificateur unique pour cet onglet. Est transmis à l'extension pour toutes les demandes.", - "dashboardTabError": "L'onglet d'extension est inconnu ou non installé." - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { - "dashboardDatabaseProperties": "Activer ou désactiver le widget de propriétés", - "dashboard.databaseproperties": "Valeurs de propriété à afficher", - "dashboard.databaseproperties.displayName": "Nom d'affichage de la propriété", - "dashboard.databaseproperties.value": "Valeur de l'objet d'informations de base de données", - "dashboard.databaseproperties.ignore": "Spécifiez des valeurs spécifiques à ignorer", - "recoveryModel": "Mode de récupération", - "lastDatabaseBackup": "Dernière sauvegarde de base de données", - "lastLogBackup": "Dernière sauvegarde de journal", - "compatibilityLevel": "Niveau de compatibilité", - "owner": "Propriétaire", - "dashboardDatabase": "Personnalise la page de tableau de bord de base de données", - "objectsWidgetTitle": "Recherche", - "dashboardDatabaseTabs": "Personnalise les onglets de tableau de bord de base de données" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { - "dashboardServerProperties": "Activer ou désactiver le widget de propriétés", - "dashboard.serverproperties": "Valeurs de propriété à afficher", - "dashboard.serverproperties.displayName": "Nom d'affichage de la propriété", - "dashboard.serverproperties.value": "Valeur de l'objet d'informations de serveur", - "version": "Version", - "edition": "Édition", - "computerName": "Nom de l'ordinateur", - "osVersion": "Version de système d'exploitation", - "explorerWidgetsTitle": "Recherche", - "dashboardServer": "Personnalise la page de tableau de bord de serveur", - "dashboardServerTabs": "Personnalise les onglets de tableau de bord de serveur" - }, - "sql/workbench/contrib/dashboard/browser/dashboardActions": { - "ManageAction": "Gérer" - }, - "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { - "opticon": "la propriété 'icon' peut être omise, ou doit être une chaîne ou un littéral de type '{dark, light}'" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { - "insightWidgetDescription": "Ajoute un widget qui peut interroger un serveur ou une base de données, et afficher les résultats de plusieurs façons (par exemple, dans un graphique, sous forme de nombre total, etc.)", - "insightIdDescription": "Identificateur unique utilisé pour mettre en cache les résultats de l'insight.", - "insightQueryDescription": "Requête SQL à exécuter. Doit retourner exactement 1 jeu de résultat.", - "insightQueryFileDescription": "[Facultatif] Chemin d'un fichier contenant une requête. Utilisez-le si 'query' n'est pas défini.", - "insightAutoRefreshIntervalDescription": "[Facultatif] Intervalle d'actualisation automatique en minutes, si la valeur n'est pas définie, il n'y a pas d'actualisation automatique", - "actionTypes": "Actions à utiliser", - "actionDatabaseDescription": "Base de données cible de l'action. Peut être au format '${ columnName }' pour utiliser un nom de colonne piloté par les données.", - "actionServerDescription": "Serveur cible de l'action. Peut être au format '${ columnName }' pour utiliser un nom de colonne piloté par les données.", - "actionUserDescription": "Utilisateur cible de l'action. Peut être au format '${ columnName } pour utiliser un nom de colonne piloté par les données.", - "carbon.extension.contributes.insightType.id": "Identificateur de l'insight", - "carbon.extension.contributes.insights": "Ajoute des insights à la palette de tableau de bord." - }, - "sql/workbench/contrib/backup/browser/backupActions": { - "backupAction.backup": "Sauvegarder", - "backup.isPreviewFeature": "Vous devez activer les fonctionnalités en préversion pour utiliser la sauvegarde", - "backup.commandNotSupported": "La commande de sauvegarde n'est pas prise en charge pour les bases de données Azure SQL.", - "backup.commandNotSupportedForServer": "La commande de sauvegarde n'est pas prise en charge dans un contexte de serveur. Sélectionnez une base de données et réessayez." - }, - "sql/workbench/contrib/restore/browser/restoreActions": { - "restoreAction.restore": "Restaurer", - "restore.isPreviewFeature": "Vous devez activer les fonctionnalités en préversion pour utiliser la restauration", - "restore.commandNotSupported": "La commande de restauration n'est pas prise en charge pour les bases de données Azure SQL." - }, - "sql/workbench/contrib/extensions/browser/extensionsActions": { - "showRecommendations": "Afficher les recommandations", - "Install Extensions": "Installer les extensions", - "openExtensionAuthoringDocs": "Créer une extension..." - }, - "sql/workbench/browser/editData/editDataInput": { - "connectionFailure": "La connexion à la session de modification des données a échoué" - }, - "sql/workbench/browser/modal/optionsDialog": { - "optionsDialog.ok": "OK", - "optionsDialog.cancel": "Annuler" - }, - "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { - "newDashboardTab.openDashboardExtensions": "Ouvrir les extensions de tableau de bord", - "newDashboardTab.ok": "OK", - "newDashboardTab.cancel": "Annuler", - "newdashboardTabDialog.noExtensionLabel": "Aucune extension de tableau de bord n'est actuellement installée. Accédez au gestionnaire d'extensions pour explorer les extensions recommandées." - }, - "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { - "filebrowser.filepath": "Chemin sélectionné", - "fileFilter": "Fichiers de type", - "fileBrowser.ok": "OK", - "fileBrowser.discard": "Ignorer" - }, - "sql/workbench/services/insights/browser/insightsDialogController": { - "insightsInputError": "Aucun profil de connexion n'a été passé au menu volant des insights", - "insightsError": "Erreur d'insights", - "insightsFileError": "Une erreur s'est produite à la lecture du fichier de requête : ", - "insightsConfigError": "Une erreur s'est produite à l'analyse de la configuration d'insight. Tableau/chaîne de requête ou fichier de requête introuvable" - }, - "sql/workbench/services/accountManagement/browser/accountPickerImpl": { - "azureAccount": "Compte Azure", - "azureTenant": "Locataire Azure" - }, - "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { - "showDataExplorer": "Afficher les connexions", - "dataExplorer.servers": "Serveurs", - "dataexplorer.name": "Connexions" - }, - "sql/workbench/contrib/tasks/browser/tasksView": { - "noTaskMessage": "Aucun historique des tâches à afficher.", - "taskHistory.regTreeAriaLabel": "Historique des tâches", - "taskError": "Erreur de tâche" - }, - "sql/workbench/services/connection/browser/connectionActions": { - "ClearRecentlyUsedLabel": "Effacer la liste", - "ClearedRecentConnections": "Liste des dernières connexions effacée", - "connectionAction.yes": "Oui", - "connectionAction.no": "Non", - "clearRecentConnectionMessage": "Voulez-vous vraiment supprimer toutes les connexions de la liste ?", - "connectionDialog.yes": "Oui", - "connectionDialog.no": "Non", - "delete": "Supprimer", - "connectionAction.GetCurrentConnectionString": "Obtenir la chaîne de connexion actuelle", - "connectionAction.connectionString": "Chaîne de connexion non disponible", - "connectionAction.noConnection": "Aucune connexion active disponible" - }, - "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { - "connectionTree.refresh": "Actualiser", - "connectionTree.editConnection": "Modifier la connexion", - "DisconnectAction": "Déconnecter", - "connectionTree.addConnection": "Nouvelle connexion", - "connectionTree.addServerGroup": "Nouveau groupe de serveurs", - "connectionTree.editServerGroup": "Modifier le groupe de serveurs", - "activeConnections": "Afficher les connexions actives", - "showAllConnections": "Afficher toutes les connexions", - "recentConnections": "Connexions récentes", - "deleteConnection": "Supprimer la connexion", - "deleteConnectionGroup": "Supprimer le groupe" - }, - "sql/workbench/contrib/editData/browser/editDataActions": { - "editData.run": "Exécuter", - "disposeEditFailure": "La modification de Dispose a échoué avec l'erreur : ", - "editData.stop": "Arrêter", - "editData.showSql": "Afficher le volet SQL", - "editData.closeSql": "Fermer le volet SQL" - }, - "sql/workbench/browser/editor/profiler/profilerInput": { - "profilerInput.profiler": "Profiler", - "profilerInput.notConnected": "Non connecté", - "profiler.sessionStopped": "La session XEvent Profiler s'est arrêtée de manière inattendue sur le serveur {0}.", - "profiler.sessionCreationError": "Erreur au démarrage d'une nouvelle session", - "profiler.eventsLost": "La session XEvent Profiler pour {0} a des événements perdus." - }, - "sql/workbench/browser/modelComponents/loadingComponent.component": { + "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { "loadingMessage": "Chargement", "loadingCompletedMessage": "Chargement effectué" }, - "sql/workbench/services/serverGroup/browser/serverGroupDialog": { - "ServerGroupsDialogTitle": "Groupes de serveurs", - "serverGroup.ok": "OK", - "serverGroup.cancel": "Annuler", - "connectionGroupName": "Nom de groupe de serveurs", - "MissingGroupNameError": "Le nom du groupe est obligatoire.", - "groupDescription": "Description de groupe", - "groupColor": "Couleur de groupe" + "sql/base/browser/ui/panel/panel.component": { + "hideTextLabel": "Masquer les étiquettes de texte", + "showTextLabel": "Afficher les étiquettes de texte" }, - "sql/workbench/services/accountManagement/browser/accountDialogController": { - "accountDialog.addAccountErrorTitle": "Erreur d'ajout de compte" - }, - "sql/workbench/services/insights/browser/insightsDialogView": { - "insights.item": "Élément", - "insights.value": "Valeur", - "insightsDetailView.name": "Détails de l'insight", - "property": "Propriété", - "value": "Valeur", - "InsightsDialogTitle": "Insights", - "insights.dialog.items": "Éléments", - "insights.dialog.itemDetails": "Détails d'élément" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { - "oauthFlyoutIsAlreadyOpen": "Impossible de démarrer une authentification OAuth automatique. Il y en a déjà une en cours." - }, - "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { - "eventSort": "Trier par événement", - "nameColumn": "Trier par colonne", - "profilerColumnDialog.profiler": "Profiler", - "profilerColumnDialog.ok": "OK", - "profilerColumnDialog.cancel": "Annuler" - }, - "sql/workbench/services/profiler/browser/profilerFilterDialog": { - "profilerFilterDialog.clear": "Tout effacer", - "profilerFilterDialog.apply": "Appliquer", - "profilerFilterDialog.ok": "OK", - "profilerFilterDialog.cancel": "Annuler", - "profilerFilterDialog.title": "Filtres", - "profilerFilterDialog.remove": "Supprimer cette clause", - "profilerFilterDialog.saveFilter": "Enregistrer le filtre", - "profilerFilterDialog.loadFilter": "Charger le filtre", - "profilerFilterDialog.addClauseText": "Ajouter une clause", - "profilerFilterDialog.fieldColumn": "Champ", - "profilerFilterDialog.operatorColumn": "Opérateur", - "profilerFilterDialog.valueColumn": "Valeur", - "profilerFilterDialog.isNullOperator": "Est Null", - "profilerFilterDialog.isNotNullOperator": "N'est pas Null", - "profilerFilterDialog.containsOperator": "Contient", - "profilerFilterDialog.notContainsOperator": "Ne contient pas", - "profilerFilterDialog.startsWithOperator": "Commence par", - "profilerFilterDialog.notStartsWithOperator": "Ne commence pas par" - }, - "sql/workbench/contrib/editData/browser/gridActions": { - "saveAsCsv": "Enregistrer au format CSV", - "saveAsJson": "Enregistrer au format JSON", - "saveAsExcel": "Enregistrer au format Excel", - "saveAsXml": "Enregistrer au format XML", - "copySelection": "Copier", - "copyWithHeaders": "Copier avec les en-têtes", - "selectAll": "Tout sélectionner" - }, - "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { - "dashboard.properties.property": "Définit une propriété à afficher sur le tableau de bord", - "dashboard.properties.property.displayName": "Valeur à utiliser comme étiquette de la propriété", - "dashboard.properties.property.value": "Valeur à atteindre dans l'objet", - "dashboard.properties.property.ignore": "Spécifier les valeurs à ignorer", - "dashboard.properties.property.default": "Valeur par défaut à afficher en cas d'omission ou d'absence de valeur", - "dashboard.properties.flavor": "Saveur pour définir les propriétés de tableau de bord", - "dashboard.properties.flavor.id": "ID de la saveur", - "dashboard.properties.flavor.condition": "Condition pour utiliser cette saveur", - "dashboard.properties.flavor.condition.field": "Champ à comparer", - "dashboard.properties.flavor.condition.operator": "Opérateur à utiliser pour la comparaison", - "dashboard.properties.flavor.condition.value": "Valeur avec laquelle comparer le champ", - "dashboard.properties.databaseProperties": "Propriétés à afficher pour la page de base de données", - "dashboard.properties.serverProperties": "Propriétés à afficher pour la page de serveur", - "carbon.extension.dashboard": "Définit que ce fournisseur prend en charge le tableau de bord", - "dashboard.id": "ID de fournisseur (par ex., MSSQL)", - "dashboard.properties": "Valeurs de propriété à afficher sur le tableau de bord" - }, - "sql/workbench/browser/modelComponents/inputbox.component": { - "invalidValueError": "Valeur non valide", - "period": "{0}. {1}" - }, - "sql/workbench/browser/modelComponents/dropdown.component": { - "loadingMessage": "Chargement", - "loadingCompletedMessage": "Chargement effectué" - }, - "sql/workbench/browser/modelComponents/declarativeTable.component": { - "blankValue": "vide", - "checkAllColumnLabel": "cocher toutes les cases dans la colonne : {0}" - }, - "sql/workbench/api/common/extHostModelViewTree": { - "treeView.notRegistered": "Aucune arborescence avec l'ID \"{0}\" n'est inscrite." - }, - "sql/workbench/services/editData/common/editQueryRunner": { - "query.initEditExecutionFailed": "L'initialisation de la session de modification des données a échoué : " - }, - "sql/workbench/services/notebook/common/notebookRegistry": { - "carbon.extension.contributes.notebook.provider": "Identificateur du fournisseur de notebooks.", - "carbon.extension.contributes.notebook.fileExtensions": "Extensions de fichier à inscrire dans ce fournisseur de notebooks", - "carbon.extension.contributes.notebook.standardKernels": "Noyaux devant être standard avec ce fournisseur de notebooks", - "vscode.extension.contributes.notebook.providers": "Ajoute des fournisseurs de notebooks.", - "carbon.extension.contributes.notebook.magic": "Nom de la cellule magique, par exemple, '%%sql'.", - "carbon.extension.contributes.notebook.language": "Langage de cellule à utiliser si cette commande magique est incluse dans la cellule", - "carbon.extension.contributes.notebook.executionTarget": "Cible d'exécution facultative que cette commande magique indique, par exemple, Spark vs. SQL", - "carbon.extension.contributes.notebook.kernels": "Ensemble facultatif de noyaux, valable, par exemple, pour python3, pyspark, sql", - "vscode.extension.contributes.notebook.languagemagics": "Ajoute un langage de notebook." - }, - "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { - "runActiveCell": "La touche de raccourci F5 nécessite la sélection d'une cellule de code. Sélectionnez une cellule de code à exécuter.", - "clearResultActiveCell": "L'effacement du résultat nécessite la sélection d'une cellule de code. Sélectionnez une cellule de code à exécuter." - }, - "sql/workbench/services/notebook/browser/interfaces": { - "sqlKernel": "SQL" - }, - "sql/workbench/contrib/editData/browser/editDataEditor": { - "maxRowTaskbar": "Nombre maximal de lignes :" - }, - "sql/workbench/contrib/profiler/browser/profilerEditor": { - "profiler.viewSelectAccessibleName": "Sélectionner une vue", - "profiler.sessionSelectAccessibleName": "Sélectionner une session", - "profiler.sessionSelectLabel": "Sélectionner une session :", - "profiler.viewSelectLabel": "Sélectionner une vue :", - "text": "Texte", - "label": "Étiquette", - "profilerEditor.value": "Valeur", - "details": "Détails" - }, - "sql/workbench/contrib/query/browser/statusBarItems": { - "status.query.timeElapsed": "Temps écoulé", - "status.query.rowCount": "Nombre de lignes", - "rowCount": "{0} lignes", - "query.status.executing": "Exécution de la requête...", - "status.query.status": "État d'exécution", - "status.query.selection-summary": "Récapitulatif de la sélection", - "status.query.summaryText": "Moyenne : {0}, nombre : {1}, somme : {2}" - }, - "sql/workbench/contrib/query/browser/flavorStatus": { - "chooseSqlLang": "Choisir un langage SQL", - "changeProvider": "Changer le fournisseur de langage SQL", - "status.query.flavor": "Saveur de langage SQL", - "changeSqlProvider": "Changer le fournisseur de moteur SQL", - "alreadyConnected": "Une connexion qui utilise le moteur {0} existe déjà. Pour changer, déconnectez-vous ou changez de connexion", - "noEditor": "Aucun éditeur de texte actif actuellement", - "pickSqlProvider": "Sélectionner un fournisseur de langage" - }, - "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { - "plotlyError": "Erreur d'affichage du graphe Plotly : {0}" - }, - "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { - "noRendererFound": "Aucun renderer {0} pour la sortie. Elle a les types MIME suivants : {1}", - "safe": "(sécurisé) " - }, - "sql/workbench/browser/scriptingActions": { - "scriptSelect": "Sélectionnez les 1000 premiers", - "scriptKustoSelect": "Prendre 10", - "scriptExecute": "Script d'exécution", - "scriptAlter": "Script de modification", - "editData": "Modifier les données", - "scriptCreate": "Script de création", - "scriptDelete": "Script de suppression" - }, - "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { - "providerRequired": "Un NotebookProvider avec un providerId valide doit être passé à cette méthode" - }, - "sql/workbench/api/common/extHostNotebook": { - "providerRequired": "Un NotebookProvider avec un providerId valide doit être passé à cette méthode", - "errNoProvider": "aucun fournisseur de notebooks", - "errNoManager": "Aucun gestionnaire", - "noServerManager": "Le gestionnaire du notebook {0} n'a pas de gestionnaire de serveur. Impossible d'y effectuer des opérations", - "noContentManager": "Le gestionnaire du notebook {0} n'a pas de gestionnaire de contenu. Impossible d'y effectuer des opérations", - "noSessionManager": "Le gestionnaire du notebook {0} n'a pas de gestionnaire de session. Impossible d'y exécuter des opérations" - }, - "sql/workbench/services/connection/browser/connectionManagementService": { - "connection.noAzureAccount": "L'obtention d'un jeton de compte Azure pour la connexion a échoué", - "connectionNotAcceptedError": "Connexion non acceptée", - "connectionService.yes": "Oui", - "connectionService.no": "Non", - "cancelConnectionConfirmation": "Voulez-vous vraiment annuler cette connexion ?" - }, - "sql/workbench/contrib/webview/browser/webViewDialog": { - "webViewDialog.ok": "OK", - "webViewDialog.close": "Fermer" - }, - "sql/workbench/contrib/notebook/browser/notebookActions": { - "loading": "Chargement des noyaux...", - "changing": "Changement du noyau...", - "AttachTo": "Attacher à ", - "Kernel": "Noyau ", - "loadingContexts": "Chargement des contextes...", - "changeConnection": "Changer la connexion", - "selectConnection": "Sélectionner une connexion", - "localhost": "localhost", - "noKernel": "Pas de noyau", - "clearResults": "Effacer les résultats", - "trustLabel": "Approuvé", - "untrustLabel": "Non approuvé", - "collapseAllCells": "Réduire les cellules", - "expandAllCells": "Développer les cellules", - "noContextAvailable": "Aucun(e)", - "newNotebookAction": "Nouveau notebook", - "notebook.findNext": "Rechercher la chaîne suivante", - "notebook.findPrevious": "Rechercher la chaîne précédente" - }, - "sql/workbench/contrib/queryPlan/browser/queryPlan": { - "queryPlanTitle": "Plan de requête" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { - "resourceViewer.refresh": "Actualiser" - }, - "sql/workbench/services/dialog/browser/dialogPane": { - "wizardPageNumberDisplayText": "Étape {0}" - }, - "sql/base/parts/editableDropdown/browser/dropdown": { - "editableDropdown.errorValidate": "Doit être une option de la liste", - "selectBox": "Zone de sélection" + "sql/base/browser/ui/panel/tabActions": { + "closeTab": "Fermer" }, "sql/base/browser/ui/selectBox/selectBox": { "alertErrorMessage": "Erreur : {0}", "alertWarningMessage": "Avertissement : {0}", "alertInfoMessage": "Informations : {0}" }, - "sql/workbench/services/connection/browser/connectionDialogWidget": { - "connection": "Connexion", - "connecting": "Connexion", - "connectType": "Type de connexion", - "recentConnectionTitle": "Dernières connexions", - "savedConnectionTitle": "Connexions enregistrées", - "connectionDetailsTitle": "Détails de la connexion", - "connectionDialog.connect": "Connecter", - "connectionDialog.cancel": "Annuler", - "connectionDialog.recentConnections": "Connexions récentes", - "noRecentConnections": "Aucune connexion récente", - "connectionDialog.savedConnections": "Connexions enregistrées", - "noSavedConnections": "Aucune connexion enregistrée" + "sql/base/browser/ui/table/formatters": { + "tableCell.NoDataAvailable": "aucune donnée disponible" }, - "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { - "fileBrowser.regTreeAriaLabel": "Arborescence de l'explorateur de fichiers" + "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { + "selectDeselectAll": "Tout sélectionner/désélectionner" }, - "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { - "from": "De", - "to": "À", - "createNewFirewallRule": "Créer une règle de pare-feu", - "firewall.ok": "OK", - "firewall.cancel": "Annuler", - "firewallRuleDialogDescription": "L'adresse IP de votre client n'a pas accès au serveur. Connectez-vous à un compte Azure et créez une règle de pare-feu pour autoriser l'accès.", - "firewallRuleHelpDescription": "En savoir plus sur les paramètres de pare-feu", - "filewallRule": "Règle de pare-feu", - "addIPAddressLabel": "Ajouter l'adresse IP de mon client ", - "addIpRangeLabel": "Ajouter la plage d'adresses IP de mon sous-réseau" + "sql/base/browser/ui/table/plugins/headerFilter.plugin": { + "headerFilter.showFilter": "Afficher le filtre", + "table.selectAll": "Tout sélectionner", + "table.searchPlaceHolder": "Recherche", + "tableFilter.visibleCount": "{0} Résultats", + "tableFilter.selectedCount": "{0} sélectionné(s)", + "table.sortAscending": "Tri croissant", + "table.sortDescending": "Tri décroissant", + "headerFilter.ok": "OK", + "headerFilter.clear": "Effacer", + "headerFilter.cancel": "Annuler", + "table.filterOptions": "Options de filtre" }, - "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { - "allFiles": "Tous les fichiers" + "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { + "loadingSpinner.loading": "Chargement" }, - "sql/workbench/services/insights/common/insightsUtils": { - "insightsDidNotFindResolvedFile": "Fichier de requête introuvable dans les chemins suivants :\r\n {0}" + "sql/base/browser/ui/table/plugins/rowDetailView": { + "rowDetailView.loadError": "Chargement de l'erreur..." }, - "sql/workbench/services/accountManagement/browser/accountListRenderer": { - "refreshCredentials": "Vous devez actualiser les informations d'identification de ce compte." + "sql/base/browser/ui/taskbar/overflowActionbar": { + "toggleMore": "Afficher/masquer plus" + }, + "sql/base/common/locConstants": { + "azuredatastudio": "Azure Data Studio", + "default": "Activez la recherche de mises à jour automatique pour que Azure Data Studio recherche les mises à jour automatiquement et régulièrement.", + "enableWindowsBackgroundUpdates": "Activer pour télécharger et installer les nouvelles versions de Azure Data Studio en arrière-plan sur Windows", + "showReleaseNotes": "Afficher les notes de publication après une mise à jour. Les notes de publication sont ouvertes dans une nouvelle fenêtre de navigateur web.", + "dashboard.toolbar": "Menu action de la barre d’outils tableau de bord", + "notebook.cellTitle": "Menu titre de la cellule du bloc-notes", + "notebook.title": "Menu titre du bloc-notes", + "notebook.toolbar": "Menu de la barre d’outils du bloc-notes", + "dataExplorer.action": "Menu d’action du conteneur d’affichage DataExplorer", + "dataExplorer.context": "Menu contextuel de l’élément dataexplorer", + "objectExplorer.context": "Menu contextuel de l’élément de l’Explorateur d’objets", + "connectionDialogBrowseTree.context": "Menu contextuel de l’arborescence de navigation de la boîte de dialogue de connexion", + "dataGrid.context": "Menu contextuel de l’élément de grille de données", + "extensionsPolicy": "Définit la stratégie de sécurité pour le téléchargement des extensions.", + "InstallVSIXAction.allowNone": "Votre stratégie d’extension ne permet pas d’installer des extensions. Modifiez votre stratégie d’extension et recommencez.", + "InstallVSIXAction.successReload": "Installation terminée de l’extension {0} à partir de VSIX. Rechargez Azure Data Studio pour l’activer.", + "postUninstallTooltip": "Rechargez Azure Data Studio pour désinstaller cette extension.", + "postUpdateTooltip": "Rechargez Azure Data Studio pour activer l'extension mise à jour.", + "enable locally": "Rechargez Azure Data Studio pour activer cette extension localement.", + "postEnableTooltip": "Rechargez Azure Data Studio pour activer cette extension.", + "postDisableTooltip": "Rechargez Azure Data Studio pour désactiver cette extension.", + "uninstallExtensionComplete": "Rechargez Azure Data Studio pour désinstaller de l’extension {0}.", + "enable remote": "Rechargez Azure Data Studio pour activer cette extension dans {0}", + "installExtensionCompletedAndReloadRequired": "L'installation de l'extension {0} a été effectuée. Rechargez Azure Data Studio pour l'activer.", + "ReinstallAction.successReload": "Rechargez Azure Data Studio pour terminer la réinstallation de l'extension {0}.", + "recommendedExtensions": "Place de marché", + "scenarioTypeUndefined": "Le type de scénario pour les recommandations d'extension doit être fourni.", + "incompatible": "Impossible d'installer l'extension '{0}', car elle n'est pas compatible avec Azure Data Studio '{1}'.", + "newQuery": "Nouvelle requête", + "miNewQuery": "Nouvelle &&requête", + "miNewNotebook": "&&Nouveau notebook", + "maxMemoryForLargeFilesMB": "Contrôle la mémoire disponible pour Azure Data Studio après le redémarrage en cas de tentative d'ouverture de fichiers volumineux. Même effet que de spécifier '--max-memory=NEWSIZE' sur la ligne de commande.", + "updateLocale": "Souhaitez-vous changer la langue de l’interface d’Azure Data Studio en {0} et redémarrer ?", + "activateLanguagePack": "Pour utiliser Azure Data Studio dans {0}, Azure Data Studio doit redémarrer.", + "watermark.newSqlFile": "Nouveau fichier SQL", + "watermark.newNotebook": "Nouveau notebook", + "miinstallVsix": "Installer l’extension à partir du package VSIX" + }, + "sql/base/parts/editableDropdown/browser/dropdown": { + "editableDropdown.errorValidate": "Doit être une option de la liste", + "selectBox": "Zone de sélection" }, "sql/platform/accounts/common/accountActions": { "addAccount": "Ajouter un compte", @@ -10190,354 +9358,24 @@ "refreshAccount": "Entrer à nouveau vos informations d'identification", "NoAccountToRefresh": "Aucun compte à actualiser" }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { - "showNotebookExplorer": "Afficher les notebooks", - "notebookExplorer.searchResults": "Résultats de la recherche", - "searchPathNotFoundError": "Chemin de recherche introuvable : {0}", - "notebookExplorer.name": "Notebooks" + "sql/platform/clipboard/browser/clipboardService": { + "imageCopyingNotSupported": "La copie d'images n'est pas prise en charge" }, - "sql/workbench/contrib/query/browser/keyboardQueryActions": { - "focusOnCurrentQueryKeyboardAction": "Se concentrer sur la requête actuelle", - "runQueryKeyboardAction": "Exécuter la requête", - "runCurrentQueryKeyboardAction": "Exécuter la requête actuelle", - "copyQueryWithResultsKeyboardAction": "Copier la requête avec les résultats", - "queryActions.queryResultsCopySuccess": "La requête et les résultats ont été copiés.", - "runCurrentQueryWithActualPlanKeyboardAction": "Exécuter la requête actuelle avec le plan réel", - "cancelQueryKeyboardAction": "Annuler la requête", - "refreshIntellisenseKeyboardAction": "Actualiser le cache IntelliSense", - "toggleQueryResultsKeyboardAction": "Activer/désactiver les résultats de requête", - "ToggleFocusBetweenQueryEditorAndResultsAction": "Basculer le focus entre la requête et les résultats", - "queryShortcutNoEditor": "Le paramètre de l'éditeur est nécessaire pour exécuter un raccourci", - "parseSyntaxLabel": "Analyser la requête", - "queryActions.parseSyntaxSuccess": "Commandes exécutées", - "queryActions.parseSyntaxFailure": "La commande a échoué : ", - "queryActions.notConnected": "Connectez-vous à un serveur" + "sql/platform/connection/common/connectionConfig": { + "invalidServerName": "Un groupe de serveurs du même nom existe déjà." }, - "sql/workbench/contrib/tasks/browser/tasksRenderer": { - "succeeded": "succès", - "failed": "échec", - "inProgress": "en cours", - "notStarted": "non démarré", - "canceled": "annulé", - "canceling": "annulation" + "sql/platform/dashboard/browser/insightRegistry": { + "schema.dashboardWidgets.InsightsRegistry": "Widget utilisé dans les tableaux de bord" }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { - "chartErrorMessage": "Le graphique ne peut pas être affiché avec les données spécifiées" + "sql/platform/dashboard/browser/widgetRegistry": { + "schema.dashboardWidgets.all": "Widget utilisé dans les tableaux de bord", + "schema.dashboardWidgets.database": "Widget utilisé dans les tableaux de bord", + "schema.dashboardWidgets.server": "Widget utilisé dans les tableaux de bord" }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { - "resourceViewerTable.openError": "Erreur d'ouverture du lien : {0}", - "resourceViewerTable.commandError": "Erreur durant l'exécution de la commande « {0} » : {1}" - }, - "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { - "copyFailed": "La copie a échoué avec l'erreur {0}", - "notebook.showChart": "Afficher le graphique", - "notebook.showTable": "Afficher la table" - }, - "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { - "doubleClickEdit": "Double-cliquer pour modifier", - "addContent": "Ajouter du contenu ici..." - }, - "sql/workbench/contrib/scripting/browser/scriptingActions": { - "refreshError": "Erreur pendant l'actualisation du nœud « {0} » : {1}" - }, - "sql/workbench/api/common/extHostModelViewDialog": { - "dialogDoneLabel": "Terminé", - "dialogCancelLabel": "Annuler", - "generateScriptLabel": "Générer le script", - "dialogNextLabel": "Suivant", - "dialogPreviousLabel": "Précédent", - "dashboardNotInitialized": "Les onglets ne sont pas initialisés" - }, - "sql/workbench/browser/modal/optionsDialogHelper": { - "optionsDialog.missingRequireField": " est nécessaire.", - "optionsDialog.invalidInput": "Entrée non valide. Valeur numérique attendue." - }, - "sql/workbench/services/restore/browser/restoreDialog": { - "backupFilePath": "Chemin du fichier de sauvegarde", - "targetDatabase": "Base de données cible", - "restoreDialog.restore": "Restaurer", - "restoreDialog.restoreTitle": "Restaurer la base de données", - "restoreDialog.database": "Base de données", - "restoreDialog.backupFile": "Fichier de sauvegarde", - "RestoreDialogTitle": "Restaurer la base de données", - "restoreDialog.cancel": "Annuler", - "restoreDialog.script": "Script", - "source": "Source", - "restoreFrom": "Restaurer à partir de", - "missingBackupFilePathError": "Le chemin du fichier de sauvegarde est obligatoire.", - "multipleBackupFilePath": "Entrez un ou plusieurs chemins de fichier séparés par des virgules", - "database": "Base de données", - "destination": "Destination", - "restoreTo": "Restaurer vers", - "restorePlan": "Plan de restauration", - "backupSetsToRestore": "Jeux de sauvegarde à restaurer", - "restoreDatabaseFileAs": "Restaurer les fichiers de base de données en tant que", - "restoreDatabaseFileDetails": "Restaurer les détails du fichier de base de données", - "logicalFileName": "Nom de fichier logique", - "fileType": "Type de fichier", - "originalFileName": "Nom de fichier d'origine", - "restoreAs": "Restaurer comme", - "restoreOptions": "Options de restauration", - "taillogBackup": "Sauvegarde de la fin du journal", - "serverConnection": "Connexions du serveur", - "generalTitle": "Général", - "filesTitle": "Fichiers", - "optionsTitle": "Options" - }, - "sql/workbench/services/insights/browser/insightDialogActions": { - "workbench.action.insights.copySelection": "Copier la cellule" - }, - "sql/workbench/services/dialog/common/dialogTypes": { - "dialogModalDoneButtonLabel": "Terminé", - "dialogModalCancelButtonLabel": "Annuler" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { - "copyAndOpen": "Copier et ouvrir", - "oauthDialog.cancel": "Annuler", - "userCode": "Code utilisateur", - "website": "Site web" - }, - "sql/workbench/browser/modelComponents/componentBase": { - "invalidIndex": "L'index {0} n'est pas valide." - }, - "sql/workbench/services/connection/browser/cmsConnectionWidget": { - "serverDescription": "Description du serveur (facultatif)" - }, - "sql/workbench/services/connection/browser/advancedPropertiesController": { - "connectionAdvancedProperties": "Propriétés avancées", - "advancedProperties.discard": "Abandonner" - }, - "sql/workbench/services/notebook/common/localContentManager": { - "nbformatNotRecognized": "nbformat v{0}.{1} non reconnu", - "nbNotSupported": "Ce fichier n'a pas un format de notebook valide", - "unknownCellType": "Type de cellule {0} inconnu", - "unrecognizedOutput": "Type de sortie {0} non reconnu", - "invalidMimeData": "Les données de {0} doivent être une chaîne ou un tableau de chaînes", - "unrecognizedOutputType": "Type de sortie {0} non reconnu" - }, - "sql/workbench/contrib/welcome/page/browser/welcomePage": { - "welcomePage": "Bienvenue", - "welcomePage.adminPack": "Pack d'administration SQL", - "welcomePage.showAdminPack": "Pack d'administration SQL", - "welcomePage.adminPackDescription": "Le pack d'administration de SQL Server est une collection d'extensions d'administration de base de données courantes qui vous permet de gérer SQL Server", - "welcomePage.powershell": "PowerShell", - "welcomePage.powershellDescription": "Écrire et exécuter des scripts PowerShell à l'aide de l'éditeur de requêtes complet d'Azure Data Studio", - "welcomePage.dataVirtualization": "Virtualisation des données", - "welcomePage.dataVirtualizationDescription": "Virtualiser les données avec SQL Server 2019 et créer des tables externes à l'aide d'Assistants interactifs", - "welcomePage.PostgreSQL": "PostgreSQL", - "welcomePage.PostgreSQLDescription": "Connecter, interroger et gérer les bases de données Postgres avec Azure Data Studio", - "welcomePage.extensionPackAlreadyInstalled": "Le support pour {0} est déjà installé.", - "welcomePage.willReloadAfterInstallingExtensionPack": "La fenêtre se recharge après l'installation d'un support supplémentaire pour {0}.", - "welcomePage.installingExtensionPack": "Installation d'un support supplémentaire pour {0}...", - "welcomePage.extensionPackNotFound": "Le support pour {0} avec l'ID {1} est introuvable.", - "welcomePage.newConnection": "Nouvelle connexion", - "welcomePage.newQuery": "Nouvelle requête", - "welcomePage.newNotebook": "Nouveau notebook", - "welcomePage.deployServer": "Déployer un serveur", - "welcome.title": "Bienvenue", - "welcomePage.new": "Nouveau", - "welcomePage.open": "Ouvrir…", - "welcomePage.openFile": "Ouvrir le fichier...", - "welcomePage.openFolder": "Ouvrir le dossier...", - "welcomePage.startTour": "Démarrer la visite guidée", - "closeTourBar": "Fermer la barre de présentation rapide", - "WelcomePage.TakeATour": "Voulez-vous voir une présentation rapide d'Azure Data Studio ?", - "WelcomePage.welcome": "Bienvenue !", - "welcomePage.openFolderWithPath": "Ouvrir le dossier {0} avec le chemin {1}", - "welcomePage.install": "Installer", - "welcomePage.installKeymap": "Installer le mappage de touches {0}", - "welcomePage.installExtensionPack": "Installer un support supplémentaire pour {0} ", - "welcomePage.installed": "Installé", - "welcomePage.installedKeymap": "Le mappage de touches '{0}' est déjà installé", - "welcomePage.installedExtensionPack": "Le support {0} est déjà installé.", - "ok": "OK", - "details": "Détails", - "welcomePage.background": "Couleur d'arrière-plan de la page d'accueil." - }, - "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { - "profilerTextEditorAriaLabel": "Editeur Profiler pour le texte d'événement. En lecture seule" - }, - "sql/workbench/services/query/common/resultSerializer": { - "msgSaveFailed": "L'enregistrement des résultats a échoué. ", - "resultsSerializer.saveAsFileTitle": "Choisir le fichier de résultats", - "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (valeurs séparées par des virgules)", - "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", - "resultsSerializer.saveAsFileExtensionExcelTitle": "Classeur Excel", - "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", - "resultsSerializer.saveAsFileExtensionTXTTitle": "Texte brut", - "savingFile": "Enregistrement du fichier...", - "msgSaveSucceeded": "Résultats enregistrés dans {0}", - "openFile": "Ouvrir un fichier" - }, - "sql/base/browser/ui/panel/panel.component": { - "hideTextLabel": "Masquer les étiquettes de texte", - "showTextLabel": "Afficher les étiquettes de texte" - }, - "sql/workbench/browser/modelComponents/queryTextEditor": { - "queryTextEditorAriaLabel": "éditeur de code vue modèle pour le modèle de vue." - }, - "sql/workbench/browser/modal/modal": { - "infoAltText": "Informations", - "warningAltText": "Avertissement", - "errorAltText": "Erreur", - "showMessageDetails": "Afficher les détails", - "copyMessage": "Copier", - "closeMessage": "Fermer", - "modal.back": "Précédent", - "hideMessageDetails": "Masquer les détails" - }, - "sql/workbench/services/accountManagement/browser/accountDialog": { - "accountExplorer.name": "Comptes", - "linkedAccounts": "Comptes liés", - "accountDialog.close": "Fermer", - "accountDialog.noAccountLabel": "Aucun compte lié. Ajoutez un compte.", - "accountDialog.addConnection": "Ajouter un compte", - "accountDialog.noCloudsRegistered": "Aucun cloud n'est activé. Accéder à Paramètres -> Rechercher dans la configuration de compte Azure -> Activer au moins un cloud", - "accountDialog.didNotPickAuthProvider": "Vous n'avez sélectionné aucun fournisseur d'authentification. Réessayez." - }, - "sql/workbench/services/query/common/queryRunner": { - "query.ExecutionFailedError": "L'exécution a échoué en raison d'une erreur inattendue : {0}\t{1}", - "query.message.executionTime": "Durée d'exécution totale : {0}", - "query.message.startQueryWithRange": "L'exécution de la requête a démarré à la ligne {0}", - "query.message.startQuery": "Démarrage de l'exécution du lot {0}", - "elapsedBatchTime": "Durée d'exécution en lot : {0}", - "copyFailed": "La copie a échoué avec l'erreur {0}" - }, - "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { - "welcomePage.azdata": "Azure Data Studio", - "welcomePage.start": "Démarrer", - "welcomePage.newConnection": "Nouvelle connexion", - "welcomePage.newQuery": "Nouvelle requête", - "welcomePage.newNotebook": "Nouveau notebook", - "welcomePage.openFileMac": "Ouvrir un fichier", - "welcomePage.openFileLinuxPC": "Ouvrir un fichier", - "welcomePage.deploy": "Déployer", - "welcomePage.newDeployment": "Nouveau déploiement...", - "welcomePage.recent": "Récent", - "welcomePage.moreRecent": "Plus...", - "welcomePage.noRecentFolders": "Aucun dossier récent", - "welcomePage.help": "Aide", - "welcomePage.gettingStarted": "Démarrer", - "welcomePage.productDocumentation": "Documentation", - "welcomePage.reportIssue": "Signaler un problème ou une demande de fonctionnalité", - "welcomePage.gitHubRepository": "Dépôt GitHub", - "welcomePage.releaseNotes": "Notes de publication", - "welcomePage.showOnStartup": "Afficher la page d'accueil au démarrage", - "welcomePage.customize": "Personnaliser", - "welcomePage.extensions": "Extensions", - "welcomePage.extensionDescription": "Téléchargez les extensions dont vous avez besoin, notamment le pack d'administration SQL Server", - "welcomePage.keyboardShortcut": "Raccourcis clavier", - "welcomePage.keyboardShortcutDescription": "Rechercher vos commandes préférées et les personnaliser", - "welcomePage.colorTheme": "Thème de couleur", - "welcomePage.colorThemeDescription": "Personnalisez l'apparence de l'éditeur et de votre code", - "welcomePage.learn": "Apprendre", - "welcomePage.showCommands": "Rechercher et exécuter toutes les commandes", - "welcomePage.showCommandsDescription": "La palette de commandes ({0}) permet d'accéder rapidement aux commandes pour en rechercher une", - "welcomePage.azdataBlog": "Découvrir les nouveautés de la dernière version", - "welcomePage.azdataBlogDescription": "Nouveaux billets de blog mensuels mettant en avant nos nouvelles fonctionnalités", - "welcomePage.followTwitter": "Suivez-nous sur Twitter", - "welcomePage.followTwitterDescription": "Informez-vous de la façon dont la communauté utilise Azure Data Studio et discutez directement avec les ingénieurs." - }, - "sql/workbench/contrib/profiler/browser/profilerActions": { - "profilerAction.connect": "Connecter", - "profilerAction.disconnect": "Déconnecter", - "start": "Démarrer", - "create": "Nouvelle session", - "profilerAction.pauseCapture": "Suspendre", - "profilerAction.resumeCapture": "Reprendre", - "profilerStop.stop": "Arrêter", - "profiler.clear": "Effacer les données", - "profiler.clearDataPrompt": "Voulez-vous vraiment effacer les données ?", - "profiler.yes": "Oui", - "profiler.no": "Non", - "profilerAction.autoscrollOn": "Défilement automatique : activé", - "profilerAction.autoscrollOff": "Défilement automatique : désactivé", - "profiler.toggleCollapsePanel": "Afficher/masquer le panneau réduit", - "profiler.editColumns": "Modifier les colonnes", - "profiler.findNext": "Rechercher la chaîne suivante", - "profiler.findPrevious": "Rechercher la chaîne précédente", - "profilerAction.newProfiler": "Lancer Profiler", - "profiler.filter": "Filtrer...", - "profiler.clearFilter": "Effacer le filtre", - "profiler.clearFilterPrompt": "Voulez-vous vraiment effacer les filtres ?" - }, - "sql/workbench/contrib/profiler/browser/profilerTableEditor": { - "ProfilerTableEditor.eventCountFiltered": "Événements (filtrés) : {0}/{1}", - "ProfilerTableEditor.eventCount": "Événements : {0}", - "status.eventCount": "Nombre d'événements" - }, - "sql/base/browser/ui/table/formatters": { - "tableCell.NoDataAvailable": "aucune donnée disponible" - }, - "sql/workbench/contrib/query/browser/queryResultsView": { - "resultsTabTitle": "Résultats", - "messagesTabTitle": "Messages" - }, - "sql/workbench/browser/scriptingUtils": { - "scriptSelectNotFound": "Aucun script n'a été retourné pendant l'appel du script sélectionné sur l'objet ", - "selectOperationName": "Sélectionner", - "createOperationName": "Créer", - "insertOperationName": "Insérer", - "updateOperationName": "Mettre à jour", - "deleteOperationName": "Supprimer", - "scriptNotFoundForObject": "Aucun script n'a été retourné pendant la création du script {0} sur l'objet {1}", - "scriptingFailed": "Échec des scripts", - "scriptNotFound": "Aucun script n'a été retourné pendant la création du script {0}" - }, - "sql/platform/theme/common/colors": { - "tableHeaderBackground": "Couleur d'arrière-plan de l'en-tête du tableau", - "tableHeaderForeground": "Couleur de premier plan de l'en-tête du tableau", - "listFocusAndSelectionBackground": "Couleur d'arrière-plan de la liste/table pour les éléments sélectionnés et qui ont le focus quand la liste/table est active", - "tableCellOutline": "Couleur du contour d'une cellule.", - "disabledInputBoxBackground": "Arrière plan de la zone d'entrée désactivée.", - "disabledInputBoxForeground": "Premier plan de la zone d'entrée désactivée.", - "buttonFocusOutline": "Couleur de contour du bouton quand il a le focus.", - "disabledCheckboxforeground": "Premier plan de la case à cocher désactivée.", - "agentTableBackground": "Couleur d'arrière-plan de la table SQL Agent.", - "agentCellBackground": "Couleur d'arrière-plan des cellules de la table SQL Agent.", - "agentTableHoverBackground": "Couleur d'arrière-plan du pointage de la table SQL Agent.", - "agentJobsHeadingColor": "Couleur d'arrière-plan du titre SQL Agent.", - "agentCellBorderColor": "Couleur de bordure des cellules de la table SQL Agent.", - "resultsErrorColor": "Couleurs d'erreur des messages de résultats." - }, - "sql/workbench/contrib/backup/browser/backup.component": { - "backup.backupName": "Nom de la sauvegarde", - "backup.recoveryModel": "Mode de récupération", - "backup.backupType": "Type de sauvegarde", - "backup.backupDevice": "Fichiers de sauvegarde", - "backup.algorithm": "Algorithme", - "backup.certificateOrAsymmetricKey": "Certificat ou clé asymétrique", - "backup.media": "Support", - "backup.mediaOption": "Sauvegarder sur le support de sauvegarde existant", - "backup.mediaOptionFormat": "Sauvegarder sur un nouveau support de sauvegarde", - "backup.existingMediaAppend": "Ajouter au jeu de sauvegarde existant", - "backup.existingMediaOverwrite": "Remplacer tous les jeux de sauvegarde existants", - "backup.newMediaSetName": "Nom du nouveau support de sauvegarde", - "backup.newMediaSetDescription": "Description du nouveau support de sauvegarde", - "backup.checksumContainer": "Effectuer la somme de contrôle avant d'écrire sur le support", - "backup.verifyContainer": "Vérifier la sauvegarde une fois terminée", - "backup.continueOnErrorContainer": "Continuer en cas d'erreur", - "backup.expiration": "Expiration", - "backup.setBackupRetainDays": "Définir le délai de conservation de sauvegarde en jours", - "backup.copyOnly": "Sauvegarde de copie uniquement", - "backup.advancedConfiguration": "Configuration avancée", - "backup.compression": "Compression", - "backup.setBackupCompression": "Définir la compression de sauvegarde", - "backup.encryption": "Chiffrement", - "backup.transactionLog": "Journal des transactions", - "backup.truncateTransactionLog": "Tronquer le journal des transactions", - "backup.backupTail": "Sauvegarder la fin du journal", - "backup.reliability": "Fiabilité", - "backup.mediaNameRequired": "Le nom de support est obligatoire", - "backup.noEncryptorWarning": "Aucun certificat ni clé asymétrique n'est disponible", - "addFile": "Ajouter un fichier", - "removeFile": "Supprimer les fichiers", - "backupComponent.invalidInput": "Entrée non valide. La valeur doit être supérieure ou égale à 0.", - "backupComponent.script": "Script", - "backupComponent.backup": "Sauvegarder", - "backupComponent.cancel": "Annuler", - "backup.containsBackupToUrlError": "Seule la sauvegarde dans un fichier est prise en charge", - "backup.backupFileRequired": "Le chemin du fichier de sauvegarde est obligatoire" + "sql/platform/serialization/common/serializationService": { + "saveAsNotSupported": "L'enregistrement des résultats dans un format différent est désactivé pour ce fournisseur de données.", + "noSerializationProvider": "Impossible de sérialiser les données, car aucun fournisseur n'est inscrit", + "unknownSerializationError": "La sérialisation a échoué avec une erreur inconnue" }, "sql/platform/theme/common/colorRegistry": { "tileBorder": "Couleur de bordure des vignettes", @@ -10587,231 +9425,184 @@ "calloutDialogBodyBackground": "Arrière-plan du corps de la boîte de dialogue de légende.", "calloutDialogShadowColor": "Couleur de l'ombre de la boîte de dialogue de légende." }, - "sql/workbench/contrib/views/browser/treeView": { - "no-dataprovider": "Aucun fournisseur de données inscrit pouvant fournir des données de vue.", - "refresh": "Actualiser", - "collapseAll": "Tout réduire", - "command-error": "Erreur pendant l'exécution de la commande {1} : {0}. Probablement due à l'extension qui contribue à {1}." + "sql/platform/theme/common/colors": { + "tableHeaderBackground": "Couleur d'arrière-plan de l'en-tête du tableau", + "tableHeaderForeground": "Couleur de premier plan de l'en-tête du tableau", + "listFocusAndSelectionBackground": "Couleur d'arrière-plan de la liste/table pour les éléments sélectionnés et qui ont le focus quand la liste/table est active", + "tableCellOutline": "Couleur du contour d'une cellule.", + "disabledInputBoxBackground": "Arrière plan de la zone d'entrée désactivée.", + "disabledInputBoxForeground": "Premier plan de la zone d'entrée désactivée.", + "buttonFocusOutline": "Couleur de contour du bouton quand il a le focus.", + "disabledCheckboxforeground": "Premier plan de la case à cocher désactivée.", + "agentTableBackground": "Couleur d'arrière-plan de la table SQL Agent.", + "agentCellBackground": "Couleur d'arrière-plan des cellules de la table SQL Agent.", + "agentTableHoverBackground": "Couleur d'arrière-plan du pointage de la table SQL Agent.", + "agentJobsHeadingColor": "Couleur d'arrière-plan du titre SQL Agent.", + "agentCellBorderColor": "Couleur de bordure des cellules de la table SQL Agent.", + "resultsErrorColor": "Couleurs d'erreur des messages de résultats." }, - "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { - "notebook.failed": "Sélectionnez la cellule active et réessayez", - "runCell": "Exécuter la cellule", - "stopCell": "Annuler l'exécution", - "errorRunCell": "Erreur de la dernière exécution. Cliquer pour réexécuter" + "sql/workbench/api/browser/mainThreadExtensionManagement": { + "workbench.generalObsoleteApiNotification": "Certaines des extensions chargées utilisent des API obsolètes, recherchez les informations détaillées sous l'onglet Console de la fenêtre Outils de développement", + "dontShowAgain": "Ne plus afficher" }, - "sql/workbench/contrib/tasks/common/tasksAction": { - "cancelTask.cancel": "Annuler", - "errorMsgFromCancelTask": "L'annulation de la tâche a échoué.", - "taskAction.script": "Script" - }, - "sql/base/browser/ui/taskbar/overflowActionbar": { - "toggleMore": "Afficher/masquer plus" - }, - "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { - "loadingSpinner.loading": "Chargement" - }, - "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { - "homeCrumb": "Accueil" - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { - "dashboardNavSection.loadTabError": "La section \"{0}\" a un contenu non valide. Contactez le propriétaire de l'extension." - }, - "sql/workbench/contrib/jobManagement/browser/agentView.component": { - "jobview.Jobs": "Travaux", - "jobview.Notebooks": "Notebooks", - "jobview.Alerts": "Alertes", - "jobview.Proxies": "Proxys", - "jobview.Operators": "Opérateurs" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { - "serverPageName": "Propriétés du serveur" - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { - "databasePageName": "Propriétés de la base de données" - }, - "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { - "selectDeselectAll": "Tout sélectionner/désélectionner" - }, - "sql/base/browser/ui/table/plugins/headerFilter.plugin": { - "headerFilter.showFilter": "Afficher le filtre", - "headerFilter.ok": "OK", - "headerFilter.clear": "Effacer", - "headerFilter.cancel": "Annuler" - }, - "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { - "treeAriaLabel": "Connexions récentes", - "serversAriaLabel": "Serveurs", - "treeCreation.regTreeAriaLabel": "Serveurs" - }, - "sql/workbench/services/restore/common/constants": { - "backup.filterBackupFiles": "Fichiers de sauvegarde", - "backup.allFiles": "Tous les fichiers" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { - "label.Search": "Rechercher : tapez le terme de recherche, puis appuyez sur Entrée pour lancer la recherche, ou sur Échap pour l'annuler", - "search.placeHolder": "Recherche" - }, - "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { - "dashboard.changeDatabaseFailure": "Le changement de base de données a échoué" - }, - "sql/workbench/contrib/jobManagement/browser/alertsView.component": { - "jobAlertColumns.name": "Nom", - "jobAlertColumns.lastOccurrenceDate": "Dernière occurrence", - "jobAlertColumns.enabled": "Activé", - "jobAlertColumns.delayBetweenResponses": "Délai entre les réponses (en secondes)", - "jobAlertColumns.categoryName": "Nom de catégorie" - }, - "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { - "jobOperatorsView.name": "Nom", - "jobOperatorsView.emailAddress": "Adresse e-mail", - "jobOperatorsView.enabled": "Activé" - }, - "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { - "jobProxiesView.accountName": "Nom de compte", - "jobProxiesView.credentialName": "Nom d'identification", - "jobProxiesView.description": "Description", - "jobProxiesView.isEnabled": "Activé" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { - "loadingObjects": "chargement des objets", - "loadingDatabases": "chargement des bases de données", - "loadingObjectsCompleted": "les objets ont été chargés.", - "loadingDatabasesCompleted": "les bases de données ont été chargées.", - "seachObjects": "Rechercher par nom de type (t:, v:, f:, ou sp:)", - "searchDatabases": "Rechercher dans les bases de données", - "dashboard.explorer.objectError": "Impossible de charger les objets", - "dashboard.explorer.databaseError": "Impossible de charger les bases de données" - }, - "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { - "loadingProperties": "Chargement des propriétés", - "loadingPropertiesCompleted": "Les propriétés ont été chargées", - "dashboard.properties.error": "Impossible de charger les propriétés de tableau de bord" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { - "insightsWidgetLoadingMessage": "Chargement de {0}", - "insightsWidgetLoadingCompletedMessage": "{0} a été chargé", - "insights.autoRefreshOffState": "Actualisation automatique : désactivée", - "insights.lastUpdated": "Dernière mise à jour : {0} {1}", - "noResults": "Aucun résultat à afficher" - }, - "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { - "agent.steps": "Étapes" - }, - "sql/workbench/contrib/query/browser/actions": { - "saveAsCsv": "Enregistrer au format CSV", - "saveAsJson": "Enregistrer au format JSON", - "saveAsExcel": "Enregistrer au format Excel", - "saveAsXml": "Enregistrer au format XML", - "jsonEncoding": "L'encodage des résultats n'est pas enregistré quand vous les exportez au format JSON, n'oubliez pas d'enregistrer le fichier que vous créez avec l'encodage souhaité.", - "saveToFileNotSupported": "L'enregistrement dans un fichier n'est pas pris en charge par la source de données de stockage", - "copySelection": "Copier", - "copyWithHeaders": "Copier avec les en-têtes", - "selectAll": "Tout sélectionner", - "maximize": "Maximiser", - "restore": "Restaurer", - "chart": "Graphique", - "visualizer": "Visualiseur" + "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { + "runActiveCell": "La touche de raccourci F5 nécessite la sélection d'une cellule de code. Sélectionnez une cellule de code à exécuter.", + "clearResultActiveCell": "L'effacement du résultat nécessite la sélection d'une cellule de code. Sélectionnez une cellule de code à exécuter." }, "sql/workbench/api/common/extHostModelView": { "unknownComponentType": "Type de composant inconnu. Vous devez utiliser ModelBuilder pour créer des objets", "invalidIndex": "L'index {0} n'est pas valide.", "unknownConfig": "Configuration des composants inconnue, vous devez utiliser ModelBuilder pour créer un objet de configuration" }, - "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { - "stepRow.stepID": "ID d'étape", - "stepRow.stepName": "Nom de l'étape", - "stepRow.message": "Message" + "sql/workbench/api/common/extHostModelViewDialog": { + "dialogDoneLabel": "Terminé", + "dialogCancelLabel": "Annuler", + "generateScriptLabel": "Générer le script", + "dialogNextLabel": "Suivant", + "dialogPreviousLabel": "Précédent", + "dashboardNotInitialized": "Les onglets ne sont pas initialisés" }, - "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { - "label.find": "Rechercher", - "placeholder.find": "Rechercher", - "label.previousMatchButton": "Correspondance précédente", - "label.nextMatchButton": "Correspondance suivante", - "label.closeButton": "Fermer", - "title.matchesCountLimit": "Votre recherche a retourné un grand nombre de résultats, seuls les 999 premières correspondances sont mises en surbrillance.", - "label.matchesLocation": "{0} sur {1}", - "label.noResults": "Aucun résultat" + "sql/workbench/api/common/extHostModelViewTree": { + "treeView.notRegistered": "Aucune arborescence avec l'ID \"{0}\" n'est inscrite." }, - "sql/workbench/contrib/charts/browser/chartView": { - "horizontalBarAltName": "Histogramme horizontal", - "barAltName": "Histogramme", - "lineAltName": "Ligne", - "pieAltName": "Camembert", - "scatterAltName": "Nuage de points", - "timeSeriesAltName": "Time Series", - "imageAltName": "Image", - "countAltName": "Nombre", - "tableAltName": "Table", - "doughnutAltName": "Anneau", - "charting.failedToGetRows": "L'obtention des lignes du jeu de données à afficher dans le graphique a échoué.", - "charting.unsupportedType": "Le type de graphique « {0} » n'est pas pris en charge." + "sql/workbench/api/common/extHostNotebook": { + "providerRequired": "Un NotebookProvider avec un providerId valide doit être passé à cette méthode", + "errNoProvider": "aucun fournisseur de notebooks", + "errNoManager": "Aucun gestionnaire", + "noServerManager": "Le gestionnaire du notebook {0} n'a pas de gestionnaire de serveur. Impossible d'y effectuer des opérations", + "noContentManager": "Le gestionnaire du notebook {0} n'a pas de gestionnaire de contenu. Impossible d'y effectuer des opérations", + "noSessionManager": "Le gestionnaire du notebook {0} n'a pas de gestionnaire de session. Impossible d'y exécuter des opérations" }, - "sql/workbench/contrib/notebook/browser/cellViews/code.component": { - "parametersText": "Paramètres" + "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { + "providerRequired": "Un NotebookProvider avec un providerId valide doit être passé à cette méthode" }, - "sql/workbench/services/connection/browser/localizedConstants": { - "onDidConnectMessage": "Connecté à", - "onDidDisconnectMessage": "Déconnecté", - "unsavedGroupLabel": "Connexions non enregistrées" + "sql/workbench/browser/actions": { + "manage": "Gérer", + "showDetails": "Afficher les détails", + "configureDashboardLearnMore": "En savoir plus", + "clearSavedAccounts": "Effacer tous les comptes enregistrés" }, - "sql/workbench/services/connection/browser/connectionBrowseTab": { - "connectionDialog.browser": "Parcourir (préversion)", - "connectionDialog.FilterPlaceHolder": "Tapez ici pour filtrer la liste", - "connectionDialog.FilterInputTitle": "Filtrer les connexions", - "connectionDialog.ApplyingFilter": "Application du filtre", - "connectionDialog.RemovingFilter": "Suppression du filtre", - "connectionDialog.FilterApplied": "Filtre appliqué", - "connectionDialog.FilterRemoved": "Filtre supprimé", - "savedConnections": "Connexions enregistrées", - "savedConnection": "Connexions enregistrées", - "connectionBrowserTree": "Arborescence du navigateur de connexion" + "sql/workbench/browser/actions.contribution": { + "previewFeatures.configTitle": "Fonctionnalités en préversion", + "previewFeatures.configEnable": "Activer les fonctionnalités en préversion non publiées", + "showConnectDialogOnStartup": "Afficher la boîte de dialogue de connexion au démarrage", + "enableObsoleteApiUsageNotificationTitle": "Notification d'API obsolète", + "enableObsoleteApiUsageNotification": "Activer/désactiver la notification d'utilisation d'API obsolète" }, - "sql/workbench/contrib/extensions/browser/staticRecommendations": { - "defaultRecommendations": "Cette extension est recommandée par Azure Data Studio." + "sql/workbench/browser/editData/editDataInput": { + "connectionFailure": "La connexion à la session de modification des données a échoué" }, - "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { - "neverShowAgain": "Ne plus afficher", - "ExtensionsRecommended": "Azure Data Studio a des recommandations d'extension.", - "VisualizerExtensionsRecommended": "Azure Data Studio a des recommandations d'extension pour la visualisation des données.\r\nAprès l'avoir installé, vous pouvez sélectionner l'icône Visualiseur pour visualiser les résultats de votre requête.", - "installAll": "Tout installer", - "showRecommendations": "Afficher les recommandations", - "scenarioTypeUndefined": "Le type de scénario pour les recommandations d'extension doit être fourni." + "sql/workbench/browser/editor/profiler/profilerInput": { + "profilerInput.profiler": "Profiler", + "profilerInput.notConnected": "Non connecté", + "profiler.sessionStopped": "La session XEvent Profiler s'est arrêtée de manière inattendue sur le serveur {0}.", + "profiler.sessionCreationError": "Erreur au démarrage d'une nouvelle session", + "profiler.eventsLost": "La session XEvent Profiler pour {0} a des événements perdus." }, - "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { - "welcomePage.previewBody": "Cette page de fonctionnalité est en préversion. Les fonctionnalités en préversion sont des nouvelles fonctionnalités en passe d'être définitivement intégrées dans le produit. Elles sont stables, mais ont besoin d'améliorations d'accessibilité supplémentaires. Nous vous invitons à nous faire part de vos commentaires en avant-première pendant leur développement.", - "welcomePage.preview": "Aperçu", - "welcomePage.createConnection": "Créer une connexion", - "welcomePage.createConnectionBody": "Connectez-vous à une instance de base de données en utilisant la boîte de dialogue de connexion.", - "welcomePage.runQuery": "Exécuter une requête", - "welcomePage.runQueryBody": "Interagir avec des données par le biais d'un éditeur de requête.", - "welcomePage.createNotebook": "Créer un notebook", - "welcomePage.createNotebookBody": "Générez un nouveau notebook à l'aide d'un éditeur de notebook natif.", - "welcomePage.deployServer": "Déployer un serveur", - "welcomePage.deployServerBody": "Créez une instance de service de données relationnelles sur la plateforme de votre choix.", - "welcomePage.resources": "Ressources", - "welcomePage.history": "Historique", - "welcomePage.name": "Nom", - "welcomePage.location": "Localisation", - "welcomePage.moreRecent": "Afficher plus", - "welcomePage.showOnStartup": "Afficher la page d'accueil au démarrage", - "welcomePage.usefuLinks": "Liens utiles", - "welcomePage.gettingStarted": "Démarrer", - "welcomePage.gettingStartedBody": "Découvrez les fonctionnalités offertes par Azure Data Studio et comment en tirer le meilleur parti.", - "welcomePage.documentation": "Documentation", - "welcomePage.documentationBody": "Visitez le centre de documentation pour obtenir des guides de démarrage rapide, des guides pratiques et des références pour PowerShell, les API, etc.", - "welcomePage.videoDescriptionOverview": "Vue d'ensemble d'Azure Data Studio", - "welcomePage.videoDescriptionIntroduction": "Présentation des notebooks Azure Data Studio | Données exposées", - "welcomePage.extensions": "Extensions", - "welcomePage.showAll": "Tout afficher", - "welcomePage.learnMore": "En savoir plus " + "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { + "resourceViewer.showActions": "Afficher les actions", + "resourceViewerInput.resourceViewer": "Visionneuse de ressources" }, - "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { - "notebookHistory.dateCreatedTooltip": "Date de création : ", - "notebookHistory.notebookErrorTooltip": "Erreur de notebook : ", - "notebookHistory.ErrorTooltip": "Erreur de travail : ", - "notebookHistory.pinnedTitle": "Épinglé", - "notebookHistory.recentRunsTitle": "Dernières exécutions", - "notebookHistory.pastRunsTitle": "Exécutions précédentes" + "sql/workbench/browser/modal/modal": { + "infoAltText": "Informations", + "warningAltText": "Avertissement", + "errorAltText": "Erreur", + "showMessageDetails": "Afficher les détails", + "copyMessage": "Copier", + "closeMessage": "Fermer", + "modal.back": "Précédent", + "hideMessageDetails": "Masquer les détails" + }, + "sql/workbench/browser/modal/optionsDialog": { + "optionsDialog.ok": "OK", + "optionsDialog.cancel": "Annuler" + }, + "sql/workbench/browser/modal/optionsDialogHelper": { + "optionsDialog.missingRequireField": " est nécessaire.", + "optionsDialog.invalidInput": "Entrée non valide. Valeur numérique attendue." + }, + "sql/workbench/browser/modelComponents/componentBase": { + "invalidIndex": "L'index {0} n'est pas valide." + }, + "sql/workbench/browser/modelComponents/declarativeTable.component": { + "blankValue": "vide", + "checkAllColumnLabel": "cocher toutes les cases dans la colonne : {0}", + "declarativeTable.showActions": "Afficher les actions" + }, + "sql/workbench/browser/modelComponents/dropdown.component": { + "loadingMessage": "Chargement", + "loadingCompletedMessage": "Chargement effectué" + }, + "sql/workbench/browser/modelComponents/inputbox.component": { + "invalidValueError": "Valeur non valide", + "period": "{0}. {1}" + }, + "sql/workbench/browser/modelComponents/loadingComponent.component": { + "loadingMessage": "Chargement", + "loadingCompletedMessage": "Chargement effectué" + }, + "sql/workbench/browser/modelComponents/queryTextEditor": { + "queryTextEditorAriaLabel": "éditeur de code vue modèle pour le modèle de vue." + }, + "sql/workbench/browser/modelComponents/viewBase": { + "componentTypeNotRegistered": "Composant introuvable pour le type {0}" + }, + "sql/workbench/browser/parts/editor/editorStatusModeSelect": { + "languageChangeUnsupported": "Le changement des types d'éditeur pour les fichiers non enregistrés n'est pas pris en charge" + }, + "sql/workbench/browser/scriptingActions": { + "scriptSelect": "Sélectionnez les 1000 premiers", + "scriptKustoSelect": "Prendre 10", + "scriptExecute": "Script d'exécution", + "scriptAlter": "Script de modification", + "editData": "Modifier les données", + "scriptCreate": "Script de création", + "scriptDelete": "Script de suppression" + }, + "sql/workbench/browser/scriptingUtils": { + "scriptSelectNotFound": "Aucun script n'a été retourné pendant l'appel du script sélectionné sur l'objet ", + "selectOperationName": "Sélectionner", + "createOperationName": "Créer", + "insertOperationName": "Insérer", + "updateOperationName": "Mettre à jour", + "deleteOperationName": "Supprimer", + "scriptNotFoundForObject": "Aucun script n'a été retourné pendant la création du script {0} sur l'objet {1}", + "scriptingFailed": "Échec des scripts", + "scriptNotFound": "Aucun script n'a été retourné pendant la création du script {0}" + }, + "sql/workbench/common/editor/query/queryEditorInput": { + "disconnected": "déconnecté" + }, + "sql/workbench/common/editor/query/queryResultsInput": { + "extensionsInputName": "Extension" + }, + "sql/workbench/common/theme": { + "verticalTabActiveBackground": "Couleur d’arrière-plan de l’onglet actif pour les onglets verticaux", + "dashboardBorder": "Couleur des bordures du tableau de bord", + "dashboardWidget": "Couleur du titre du widget de tableau de bord", + "dashboardWidgetSubtext": "Couleur du sous-texte du widget de tableau de bord", + "propertiesContainerPropertyValue": "Couleur des valeurs de propriété affichées dans le composant conteneur des propriétés", + "propertiesContainerPropertyName": "Couleur des noms de propriété affichées dans le composant conteneur des propriétés", + "toolbarOverflowShadow": "Couleur d’ombre de dépassement de la barre d’outils" + }, + "sql/workbench/contrib/accounts/browser/accountManagement.contribution": { + "carbon.extension.contributes.account.id": "Identificateur du type de compte", + "carbon.extension.contributes.account.icon": "(Facultatif) Icône utilisée pour représenter le compte dans l'interface utilisateur. Peut être un chemin de fichier ou une configuration à thèmes", + "carbon.extension.contributes.account.icon.light": "Chemin de l'icône quand un thème clair est utilisé", + "carbon.extension.contributes.account.icon.dark": "Chemin de l'icône quand un thème foncé est utilisé", + "carbon.extension.contributes.account": "Ajoute des icônes à un fournisseur de compte." + }, + "sql/workbench/contrib/assessment/browser/asmtActions": { + "asmtaction.server.getitems": "Voir les règles applicables", + "asmtaction.database.getitems": "Voir les règles applicables à {0}", + "asmtaction.server.invokeitems": "Appeler l'évaluation", + "asmtaction.database.invokeitems": "Appeler l'évaluation pour {0}", + "asmtaction.exportasscript": "Exporter sous forme de script", + "asmtaction.showsamples": "Voir toutes les règles et en savoir plus sur GitHub", + "asmtaction.generatehtmlreport": "Créer un rapport HTML", + "asmtaction.openReport": "Le rapport a été enregistré. Voulez-vous l'ouvrir ?", + "asmtaction.label.open": "Ouvrir", + "asmtaction.label.cancel": "Annuler" }, "sql/workbench/contrib/assessment/browser/asmtResultsView.component": { "asmt.NoResultsInitial": "Rien à afficher. Appeler l'évaluation pour obtenir des résultats", @@ -10821,110 +9612,6 @@ "asmt.TargetInstanceComplient": "L'instance {0} est entièrement conforme aux bonnes pratiques. Bon travail !", "asmt.TargetDatabaseComplient": "La base de données {0} est totalement conforme aux bonnes pratiques. Bon travail !" }, - "sql/workbench/contrib/charts/browser/chartTab": { - "chartTabTitle": "Graphique" - }, - "sql/workbench/contrib/queryPlan/browser/topOperations": { - "topOperations.operation": "Opération", - "topOperations.object": "Objet", - "topOperations.estCost": "Coût estimé", - "topOperations.estSubtreeCost": "Coût estimé de la sous-arborescence", - "topOperations.actualRows": "Lignes réelles", - "topOperations.estRows": "Lignes estimées", - "topOperations.actualExecutions": "Exécutions réelles", - "topOperations.estCPUCost": "Coût estimé du processeur", - "topOperations.estIOCost": "Coût estimé des E/S", - "topOperations.parallel": "Parallèle", - "topOperations.actualRebinds": "Reliaisons réelles", - "topOperations.estRebinds": "Reliaisons estimées", - "topOperations.actualRewinds": "Rembobinages réels", - "topOperations.estRewinds": "Rembobinages estimés", - "topOperations.partitioned": "Partitionné", - "topOperationsTitle": "Principales opérations" - }, - "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { - "servers.noConnections": "Aucune connexion.", - "serverTree.addConnection": "Ajouter une connexion" - }, - "sql/workbench/services/connection/browser/connectionWidget": { - "connectionWidget.AddAzureAccount": "Ajouter un compte...", - "defaultDatabaseOption": "", - "loadingDatabaseOption": "Chargement...", - "serverGroup": "Groupe de serveurs", - "defaultServerGroup": "", - "addNewServerGroup": "Ajouter un nouveau groupe...", - "noneServerGroup": "", - "connectionWidget.missingRequireField": "{0} est obligatoire.", - "connectionWidget.fieldWillBeTrimmed": "{0} est tronqué.", - "rememberPassword": "Se souvenir du mot de passe", - "connection.azureAccountDropdownLabel": "Compte", - "connectionWidget.refreshAzureCredentials": "Actualiser les informations d'identification du compte", - "connection.azureTenantDropdownLabel": "Locataire Azure AD", - "connectionName": "Nom (facultatif)", - "advanced": "Avancé...", - "connectionWidget.invalidAzureAccount": "Vous devez sélectionner un compte" - }, - "sql/workbench/contrib/backup/common/constants": { - "backup.labelDatabase": "Base de données", - "backup.labelFilegroup": "Fichiers et groupes de fichiers", - "backup.labelFull": "Complète", - "backup.labelDifferential": "Différentielle", - "backup.labelLog": "Journal des transactions", - "backup.labelDisk": "Disque", - "backup.labelUrl": "URL", - "backup.defaultCompression": "Utiliser le paramètre de serveur par défaut", - "backup.compressBackup": "Compresser la sauvegarde", - "backup.doNotCompress": "Ne pas compresser la sauvegarde", - "backup.serverCertificate": "Certificat de serveur", - "backup.asymmetricKey": "Clé asymétrique" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { - "searchWithoutFolder": "Vous n'avez ouvert aucun dossier contenant des notebooks/books. ", - "openNotebookFolder": "Ouvrir les notebooks", - "searchMaxResultsWarning": "Le jeu de résultats contient uniquement un sous-ensemble de toutes les correspondances. Soyez plus précis dans votre recherche de façon à limiter les résultats retournés.", - "searchInProgress": "Recherche en cours... - ", - "noResultsIncludesExcludes": "Résultats introuvables pour '{0}' excluant '{1}' - ", - "noResultsIncludes": "Résultats introuvables dans '{0}' - ", - "noResultsExcludes": "Résultats introuvables avec l'exclusion de '{0}' - ", - "noResultsFound": "Aucun résultat. Vérifiez les exclusions configurées dans vos paramètres et examinez vos fichiers gitignore -", - "rerunSearch.message": "Chercher à nouveau", - "cancelSearch.message": "Annuler la recherche", - "rerunSearchInAll.message": "Rechercher à nouveau dans tous les fichiers", - "openSettings.message": "Ouvrir les paramètres", - "ariaSearchResultsStatus": "La recherche a retourné {0} résultats dans {1} fichiers", - "ToggleCollapseAndExpandAction.label": "Activer/désactiver les options Réduire et Développer", - "CancelSearchAction.label": "Annuler la recherche", - "ExpandAllAction.label": "Tout développer", - "CollapseDeepestExpandedLevelAction.label": "Tout réduire", - "ClearSearchResultsAction.label": "Effacer les résultats de la recherche" - }, - "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { - "GuidedTour.connections": "Connexions", - "GuidedTour.makeConnections": "Connectez, interrogez et gérez vos connexions SQL Server, Azure, etc.", - "GuidedTour.one": "1", - "GuidedTour.next": "Suivant", - "GuidedTour.notebooks": "Notebooks", - "GuidedTour.gettingStartedNotebooks": "Démarrez en créant votre propre notebook ou collection de notebooks au même endroit.", - "GuidedTour.two": "2", - "GuidedTour.extensions": "Extensions", - "GuidedTour.addExtensions": "Étendez les fonctionnalités d'Azure Data Studio en installant des extensions développées par nous/Microsoft ainsi que par la communauté (vous !).", - "GuidedTour.three": "3", - "GuidedTour.settings": "Paramètres", - "GuidedTour.makeConnesetSettings": "Personnalisez Azure Data Studio en fonction de vos préférences. Vous pouvez configurer des paramètres comme l'enregistrement automatique et la taille des onglets, personnaliser vos raccourcis clavier et adopter le thème de couleur de votre choix.", - "GuidedTour.four": "4", - "GuidedTour.welcomePage": "Page d'accueil", - "GuidedTour.discoverWelcomePage": "Découvrez les fonctionnalités principales, les fichiers récemment ouverts et les extensions recommandées dans la page d'accueil. Pour plus d'informations sur le démarrage avec Azure Data Studio, consultez nos vidéos et notre documentation.", - "GuidedTour.five": "5", - "GuidedTour.finish": "Terminer", - "guidedTour": "Visite de bienvenue de l'utilisateur", - "hideGuidedTour": "Masquer la visite de bienvenue", - "GuidedTour.readMore": "En savoir plus", - "help": "Aide" - }, - "sql/workbench/contrib/editData/browser/editDataGridActions": { - "deleteRow": "Supprimer la ligne", - "revertRow": "Rétablir la ligne actuelle" - }, "sql/workbench/contrib/assessment/common/strings": { "asmt.section.api.title": "Informations d'API", "asmt.apiversion": "Version d'API :", @@ -10947,171 +9634,81 @@ "asmt.column.helpLink": "Lien d'aide", "asmt.sqlReport.severityMsg": "{0} : {1} élément(s)" }, - "sql/workbench/contrib/query/browser/messagePanel": { - "messagePanel": "Panneau des messages", - "copy": "Copier", - "copyAll": "Tout copier" + "sql/workbench/contrib/azure/browser/azure.contribution": { + "azure.openInAzurePortal.title": "Ouvrir dans le portail Azure" }, - "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { - "loadingMessage": "Chargement", - "loadingCompletedMessage": "Chargement effectué" + "sql/workbench/contrib/backup/browser/backup.component": { + "backup.backupName": "Nom de la sauvegarde", + "backup.recoveryModel": "Mode de récupération", + "backup.backupType": "Type de sauvegarde", + "backup.backupDevice": "Fichiers de sauvegarde", + "backup.algorithm": "Algorithme", + "backup.certificateOrAsymmetricKey": "Certificat ou clé asymétrique", + "backup.media": "Support", + "backup.mediaOption": "Sauvegarder sur le support de sauvegarde existant", + "backup.mediaOptionFormat": "Sauvegarder sur un nouveau support de sauvegarde", + "backup.existingMediaAppend": "Ajouter au jeu de sauvegarde existant", + "backup.existingMediaOverwrite": "Remplacer tous les jeux de sauvegarde existants", + "backup.newMediaSetName": "Nom du nouveau support de sauvegarde", + "backup.newMediaSetDescription": "Description du nouveau support de sauvegarde", + "backup.checksumContainer": "Effectuer la somme de contrôle avant d'écrire sur le support", + "backup.verifyContainer": "Vérifier la sauvegarde une fois terminée", + "backup.continueOnErrorContainer": "Continuer en cas d'erreur", + "backup.expiration": "Expiration", + "backup.setBackupRetainDays": "Définir le délai de conservation de sauvegarde en jours", + "backup.copyOnly": "Sauvegarde de copie uniquement", + "backup.advancedConfiguration": "Configuration avancée", + "backup.compression": "Compression", + "backup.setBackupCompression": "Définir la compression de sauvegarde", + "backup.encryption": "Chiffrement", + "backup.transactionLog": "Journal des transactions", + "backup.truncateTransactionLog": "Tronquer le journal des transactions", + "backup.backupTail": "Sauvegarder la fin du journal", + "backup.reliability": "Fiabilité", + "backup.mediaNameRequired": "Le nom de support est obligatoire", + "backup.noEncryptorWarning": "Aucun certificat ni clé asymétrique n'est disponible", + "addFile": "Ajouter un fichier", + "removeFile": "Supprimer les fichiers", + "backupComponent.invalidInput": "Entrée non valide. La valeur doit être supérieure ou égale à 0.", + "backupComponent.script": "Script", + "backupComponent.backup": "Sauvegarder", + "backupComponent.cancel": "Annuler", + "backup.containsBackupToUrlError": "Seule la sauvegarde dans un fichier est prise en charge", + "backup.backupFileRequired": "Le chemin du fichier de sauvegarde est obligatoire" }, - "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { - "clickOn": "Cliquer sur", - "plusCode": "+ Code", - "or": "ou", - "plusText": "+ Texte", - "toAddCell": "pour ajouter une cellule de code ou de texte" + "sql/workbench/contrib/backup/browser/backup.contribution": { + "backup": "Sauvegarder" }, - "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { - "stdInLabel": "StdIn :" + "sql/workbench/contrib/backup/browser/backupActions": { + "backup.isPreviewFeature": "Vous devez activer les fonctionnalités en préversion pour utiliser la sauvegarde", + "backup.commandNotSupportedForServer": "La commande Sauvegarder n'est pas prise en charge en dehors d’un contexte de base de données. Sélectionnez une base de données et réessayez.", + "backup.commandNotSupported": "La commande de sauvegarde n'est pas prise en charge pour les bases de données Azure SQL.", + "backupAction.backup": "Sauvegarder" }, - "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { - "expandCellContents": "Développer le contenu de la cellule de code", - "collapseCellContents": "Réduire le contenu de la cellule de code" + "sql/workbench/contrib/backup/common/constants": { + "backup.labelDatabase": "Base de données", + "backup.labelFilegroup": "Fichiers et groupes de fichiers", + "backup.labelFull": "Complète", + "backup.labelDifferential": "Différentielle", + "backup.labelLog": "Journal des transactions", + "backup.labelDisk": "Disque", + "backup.labelUrl": "URL", + "backup.defaultCompression": "Utiliser le paramètre de serveur par défaut", + "backup.compressBackup": "Compresser la sauvegarde", + "backup.doNotCompress": "Ne pas compresser la sauvegarde", + "backup.serverCertificate": "Certificat de serveur", + "backup.asymmetricKey": "Clé asymétrique" }, - "sql/workbench/contrib/query/browser/gridPanel": { - "xmlShowplan": "Plan d'exécution de requêtes XML", - "resultsGrid": "Grille de résultats" - }, - "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { - "buttonAdd": "Ajouter une cellule", - "optionCodeCell": "Cellule de code", - "optionTextCell": "Cellule de texte", - "buttonMoveDown": "Déplacer la cellule vers le bas", - "buttonMoveUp": "Déplacer la cellule vers le haut", - "buttonDelete": "Supprimer", - "codeCellsPreview": "Ajouter une cellule", - "codePreview": "Cellule de code", - "textPreview": "Cellule de texte" - }, - "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { - "sqlKernelError": "Erreur de noyau SQL", - "connectionRequired": "Une connexion doit être choisie pour exécuter des cellules de notebook", - "sqlMaxRowsDisplayed": "Affichage des {0} premières lignes." - }, - "sql/workbench/contrib/jobManagement/browser/jobsView.component": { - "jobColumns.name": "Nom", - "jobColumns.lastRun": "Dernière exécution", - "jobColumns.nextRun": "Exécution suivante", - "jobColumns.enabled": "Activé", - "jobColumns.status": "État", - "jobColumns.category": "Catégorie", - "jobColumns.runnable": "Exécutable", - "jobColumns.schedule": "Planification", - "jobColumns.lastRunOutcome": "Résultats de la dernière exécution", - "jobColumns.previousRuns": "Exécutions précédentes", - "jobsView.noSteps": "Aucune étape disponible pour ce travail.", - "jobsView.error": "Erreur : " - }, - "sql/workbench/browser/modelComponents/viewBase": { - "componentTypeNotRegistered": "Composant introuvable pour le type {0}" - }, - "sql/workbench/contrib/profiler/browser/profilerFindWidget": { - "label.find": "Rechercher", - "placeholder.find": "Rechercher", - "label.previousMatchButton": "Correspondance précédente", - "label.nextMatchButton": "Correspondance suivante", - "label.closeButton": "Fermer", - "title.matchesCountLimit": "Votre recherche a retourné un grand nombre de résultats, seuls les 999 premières correspondances sont mises en surbrillance.", - "label.matchesLocation": "{0} sur {1}", - "label.noResults": "Aucun résultat" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { - "dashboard.explorer.namePropertyDisplayValue": "Nom", - "dashboard.explorer.schemaDisplayValue": "Schéma", - "dashboard.explorer.objectTypeDisplayValue": "Type" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { - "insights.runQuery": "Exécuter la requête" - }, - "sql/workbench/contrib/notebook/browser/cellViews/output.component": { - "noMimeTypeFound": "Aucun renderer {0} pour la sortie. Types MIME : {1}", - "safe": "sécurisé ", - "noSelectorFound": "Aucun composant pour le sélecteur {0}", - "componentRenderError": "Erreur de rendu du composant : {0}" - }, - "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { - "loading": "Chargement..." - }, - "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { - "loading": "Chargement..." - }, - "sql/workbench/contrib/dashboard/browser/core/actions": { - "editDashboard": "Modifier", - "editDashboardExit": "Quitter", - "refreshWidget": "Actualiser", - "toggleMore": "Afficher les actions", - "deleteWidget": "Supprimer le widget", - "clickToUnpin": "Cliquer pour désépingler", - "clickToPin": "Cliquer pour épingler", - "addFeatureAction.openInstalledFeatures": "Ouvrir les fonctionnalités installées", - "collapseWidget": "Réduire le widget", - "expandWidget": "Développer le widget" - }, - "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { - "unknownDashboardContainerError": "{0} est un conteneur inconnu." - }, - "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { - "notebookColumns.name": "Nom", - "notebookColumns.targetDatbase": "Base de données cible", - "notebookColumns.lastRun": "Dernière exécution", - "notebookColumns.nextRun": "Exécution suivante", - "notebookColumns.status": "État", - "notebookColumns.lastRunOutcome": "Résultats de la dernière exécution", - "notebookColumns.previousRuns": "Exécutions précédentes", - "notebooksView.noSteps": "Aucune étape disponible pour ce travail.", - "notebooksView.error": "Erreur : ", - "notebooksView.notebookError": "Erreur de notebook : " - }, - "sql/base/browser/ui/table/plugins/rowDetailView": { - "rowDetailView.loadError": "Chargement de l'erreur..." - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { - "dashboard.explorer.actions": "Afficher les actions", - "explorerSearchNoMatchResultMessage": "Aucun élément correspondant n'a été trouvé", - "explorerSearchSingleMatchResultMessage": "Liste de recherche filtrée sur 1 élément", - "explorerSearchMatchResultMessage": "Liste de recherche filtrée sur {0} éléments" - }, - "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { - "agentUtilities.failed": "Échec", - "agentUtilities.succeeded": "Réussite", - "agentUtilities.retry": "Réessayer", - "agentUtilities.canceled": "Annulé", - "agentUtilities.inProgress": "En cours", - "agentUtilities.statusUnknown": "État inconnu", - "agentUtilities.executing": "Exécution", - "agentUtilities.waitingForThread": "En attente de thread", - "agentUtilities.betweenRetries": "Entre les tentatives", - "agentUtilities.idle": "Inactif", - "agentUtilities.suspended": "Suspendu", - "agentUtilities.obsolete": "[Obsolète]", - "agentUtilities.yes": "Oui", - "agentUtilities.no": "Non", - "agentUtilities.notScheduled": "Non planifié", - "agentUtilities.neverRun": "Ne jamais exécuter" - }, - "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { - "buttonBold": "Gras", - "buttonItalic": "Italique", - "buttonUnderline": "Souligné", - "buttonHighlight": "Recommandation", - "buttonCode": "Code", - "buttonLink": "Lien", - "buttonList": "Liste", - "buttonOrderedList": "Liste triée", - "buttonImage": "Image", - "buttonPreview": "Bouton bascule d'aperçu Markdown - désactivé", - "dropdownHeading": "Titre", - "optionHeading1": "Titre 1", - "optionHeading2": "Titre 2", - "optionHeading3": "Titre 3", - "optionParagraph": "Paragraphe", - "callout.insertLinkHeading": "Insérer un lien", - "callout.insertImageHeading": "Insérer une image", - "richTextViewButton": "Vue de texte enrichi", - "splitViewButton": "Mode fractionné", - "markdownViewButton": "Vue Markdown" + "sql/workbench/contrib/charts/browser/actions": { + "createInsightLabel": "Créer un insight", + "createInsightNoEditor": "Impossible de créer un insight, car l'éditeur actif n'est pas un éditeur SQL", + "myWidgetName": "Mon widget", + "configureChartLabel": "Configurer le graphique", + "copyChartLabel": "Copier comme une image", + "chartNotFound": "Aucun graphique à enregistrer", + "saveImageLabel": "Enregistrer comme une image", + "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", + "chartSaved": "Graphique enregistré dans le chemin : {0}" }, "sql/workbench/contrib/charts/browser/chartOptions": { "dataDirectionLabel": "Direction des données", @@ -11135,45 +9732,432 @@ "encodingOption": "Encodage", "imageFormatOption": "Format d'image" }, - "sql/base/browser/ui/panel/tabActions": { - "closeTab": "Fermer" + "sql/workbench/contrib/charts/browser/chartTab": { + "chartTabTitle": "Graphique" }, - "sql/platform/connection/common/connectionConfig": { - "invalidServerName": "Un groupe de serveurs du même nom existe déjà." + "sql/workbench/contrib/charts/browser/chartView": { + "horizontalBarAltName": "Histogramme horizontal", + "barAltName": "Histogramme", + "lineAltName": "Ligne", + "pieAltName": "Camembert", + "scatterAltName": "Nuage de points", + "timeSeriesAltName": "Time Series", + "imageAltName": "Image", + "countAltName": "Nombre", + "tableAltName": "Table", + "doughnutAltName": "Anneau", + "charting.failedToGetRows": "L'obtention des lignes du jeu de données à afficher dans le graphique a échoué.", + "charting.unsupportedType": "Le type de graphique « {0} » n'est pas pris en charge." + }, + "sql/workbench/contrib/charts/browser/charts.contribution": { + "builtinChartsConfigurationTitle": "Graphiques intégrés", + "builtinCharts.maxRowCountDescription": "Le nombre maximal de lignes à afficher pour les graphiques. Attention : augmenter ce nombre peut avoir un impact sur les performances." + }, + "sql/workbench/contrib/charts/browser/configureChartDialog": { + "configureChartDialog.close": "Fermer" + }, + "sql/workbench/contrib/charts/browser/graphInsight": { + "series": "Série {0}" + }, + "sql/workbench/contrib/charts/browser/imageInsight": { + "invalidImage": "La table n'a pas d'image valide" + }, + "sql/workbench/contrib/charts/browser/utils": { + "charts.maxAllowedRowsExceeded": "Le nombre maximal de lignes pour les graphiques intégrés a été dépassé, seules les premières {0} lignes sont utilisées. Pour configurer la valeur, vous pouvez ouvrir les paramètres utilisateur et rechercher : « builtinCharts.maxRowCount ».", + "charts.neverShowAgain": "Ne plus afficher" + }, + "sql/workbench/contrib/commandLine/electron-browser/commandLine": { + "connectingLabel": "Connexion : {0}", + "runningCommandLabel": "Exécution de la commande : {0}", + "openingNewQueryLabel": "Ouverture d'une nouvelle requête : {0}", + "warnServerRequired": "Connexion impossible, car aucune information du serveur n'a été fournie", + "errConnectUrl": "Impossible d'ouvrir l'URL en raison de l'erreur {0}", + "connectServerDetail": "Cette opération établit une connexion au serveur {0}", + "confirmConnect": "Voulez-vous vraiment vous connecter ?", + "open": "&&Ouvrir", + "connectingQueryLabel": "Connexion du fichier de requête" + }, + "sql/workbench/contrib/configuration/common/configurationUpgrader": { + "workbench.configuration.upgradeUser": "{0} a été remplacé par {1} dans vos paramètres utilisateur.", + "workbench.configuration.upgradeWorkspace": "{0} a été remplacé par {1} dans vos paramètres d'espace de travail." + }, + "sql/workbench/contrib/connection/browser/connection.contribution": { + "sql.maxRecentConnectionsDescription": "Nombre maximal de connexions récemment utilisées à stocker dans la liste de connexions.", + "sql.defaultEngineDescription": "Moteur SQL par défaut à utiliser. Définit le fournisseur de langage par défaut dans les fichiers .sql et la valeur par défaut quand vous créez une connexion.", + "connection.parseClipboardForConnectionStringDescription": "Essayez d'analyser le contenu du presse-papiers quand la boîte de dialogue de connexion est ouverte ou qu'une opération de collage est effectuée." + }, + "sql/workbench/contrib/connection/browser/connectionStatus": { + "status.connection.status": "État de la connexion" + }, + "sql/workbench/contrib/connection/common/connectionProviderExtension": { + "schema.providerId": "ID courant du fournisseur", + "schema.displayName": "Nom d'affichage du fournisseur", + "schema.notebookKernelAlias": "Alias du noyau de notebook pour le fournisseur", + "schema.iconPath": "Chemin de l'icône du type de serveur", + "schema.connectionOptions": "Options de connexion" + }, + "sql/workbench/contrib/connection/common/connectionTreeProviderExentionPoint": { + "connectionTreeProvider.schema.name": "Nom visible de l'utilisateur pour le fournisseur d'arborescence", + "connectionTreeProvider.schema.id": "ID du fournisseur, doit être le même que celui utilisé pendant l'inscription du fournisseur de données d'arborescence et doit commencer par « connectionDialog/ »" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardContainer.contribution": { + "azdata.extension.contributes.dashboard.container.id": "Identificateur unique de ce conteneur.", + "azdata.extension.contributes.dashboard.container.container": "Conteneur à afficher sous l'onglet.", + "azdata.extension.contributes.containers": "Fournit un ou plusieurs conteneurs de tableau de bord que les utilisateurs peuvent ajouter à leur tableau de bord.", + "dashboardContainer.contribution.noIdError": "Aucun ID de conteneur de tableau de bord spécifié pour l'extension.", + "dashboardContainer.contribution.noContainerError": "Aucun conteneur dans le conteneur de tableau de bord spécifié pour l'extension.", + "dashboardContainer.contribution.moreThanOneDashboardContainersError": "1 seul conteneur de tableau de bord doit être défini par espace.", + "dashboardTab.contribution.unKnownContainerType": "Type de conteneur inconnu défini dans le conteneur de tableau de bord pour l'extension." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardControlHostContainer.contribution": { + "dashboard.container.controlhost": "Controlhost à afficher sous cet onglet." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { + "dashboardNavSection.loadTabError": "La section \"{0}\" a un contenu non valide. Contactez le propriétaire de l'extension." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardGridContainer.contribution": { + "dashboard.container.gridtab.items": "Liste des widgets ou des vues web à afficher sous cet onglet.", + "gridContainer.invalidInputs": "les widgets ou les vues web sont attendus dans un conteneur de widgets pour l'extension." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardModelViewContainer.contribution": { + "dashboard.container.modelview": "Vue de modèles à afficher sous cet onglet." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardNavSection.contribution": { + "dashboard.container.left-nav-bar.id": "Identificateur unique pour cette section de navigation. Est transmis à l'extension pour toutes les demandes.", + "dashboard.container.left-nav-bar.icon": "(Facultatif) Icône utilisée pour représenter cette section de navigation dans l'interface utilisateur (chemin de fichier ou configuration à thèmes)", + "dashboard.container.left-nav-bar.icon.light": "Chemin de l'icône quand un thème clair est utilisé", + "dashboard.container.left-nav-bar.icon.dark": "Chemin de l'icône quand un thème foncé est utilisé", + "dashboard.container.left-nav-bar.title": "Titre de la section de navigation à montrer à l'utilisateur.", + "dashboard.container.left-nav-bar.container": "Conteneur à afficher dans cette section de navigation.", + "dashboard.container.left-nav-bar": "Liste des conteneurs de tableau de bord à afficher dans cette section de navigation.", + "navSection.missingTitle.error": "Aucun titre dans la section de navigation n'a été spécifié pour l'extension.", + "navSection.missingContainer.error": "Aucun conteneur dans la section de navigation n'a été spécifié pour l'extension.", + "navSection.moreThanOneDashboardContainersError": "1 seul conteneur de tableau de bord doit être défini par espace.", + "navSection.invalidContainer.error": "NAV_SECTION dans NAV_SECTION est un conteneur non valide pour l'extension." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWebviewContainer.contribution": { + "dashboard.container.webview": "Vue web à afficher sous cet onglet." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWidgetContainer.contribution": { + "dashboard.container.widgets": "Liste des widgets à afficher sous cet onglet.", + "widgetContainer.invalidInputs": "La liste des widgets est attendue à l'intérieur du conteneur de widgets pour l'extension." + }, + "sql/workbench/contrib/dashboard/browser/core/actions": { + "editDashboard": "Modifier", + "editDashboardExit": "Quitter", + "refreshWidget": "Actualiser", + "toggleMore": "Afficher les actions", + "deleteWidget": "Supprimer le widget", + "clickToUnpin": "Cliquer pour désépingler", + "clickToPin": "Cliquer pour épingler", + "addFeatureAction.openInstalledFeatures": "Ouvrir les fonctionnalités installées", + "collapseWidget": "Réduire le widget", + "expandWidget": "Développer le widget" + }, + "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { + "unknownDashboardContainerError": "{0} est un conteneur inconnu." }, "sql/workbench/contrib/dashboard/browser/core/dashboardPage.component": { "home": "Accueil", "missingConnectionInfo": "Aucune information de connexion pour ce tableau de bord", "dashboard.generalTabGroupHeader": "Général" }, - "sql/workbench/contrib/charts/browser/actions": { - "createInsightLabel": "Créer un insight", - "createInsightNoEditor": "Impossible de créer un insight, car l'éditeur actif n'est pas un éditeur SQL", - "myWidgetName": "Mon widget", - "configureChartLabel": "Configurer le graphique", - "copyChartLabel": "Copier comme une image", - "chartNotFound": "Aucun graphique à enregistrer", - "saveImageLabel": "Enregistrer comme une image", - "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", - "chartSaved": "Graphique enregistré dans le chemin : {0}" + "sql/workbench/contrib/dashboard/browser/core/dashboardTab.contribution": { + "azdata.extension.contributes.dashboard.tab.id": "Identificateur unique pour cet onglet. Est transmis à l'extension pour toutes les demandes.", + "azdata.extension.contributes.dashboard.tab.title": "Titre de l'onglet à montrer à l'utilisateur.", + "azdata.extension.contributes.dashboard.tab.description": "Description de cet onglet à montrer à l'utilisateur.", + "azdata.extension.contributes.tab.when": "Condition qui doit être true pour afficher cet élément", + "azdata.extension.contributes.tab.provider": "Définit les types de connexion avec lesquels cet onglet est compatible. La valeur par défaut est 'MSSQL' si aucune valeur n'est définie", + "azdata.extension.contributes.dashboard.tab.container": "Conteneur à afficher sous cet onglet.", + "azdata.extension.contributes.dashboard.tab.alwaysShow": "Indique si cet onglet doit toujours apparaître ou uniquement quand l'utilisateur l'ajoute.", + "azdata.extension.contributes.dashboard.tab.isHomeTab": "Indique si cet onglet doit être utilisé comme onglet d'accueil pour un type de connexion.", + "azdata.extension.contributes.dashboard.tab.group": "Identificateur unique du groupe auquel appartient cet onglet, valeur du groupe d'accueil : accueil.", + "dazdata.extension.contributes.dashboard.tab.icon": "(Facultatif) Icône utilisée pour représenter cet onglet dans l'interface utilisateur (chemin de fichier ou configuration à thèmes)", + "azdata.extension.contributes.dashboard.tab.icon.light": "Chemin de l'icône quand un thème clair est utilisé", + "azdata.extension.contributes.dashboard.tab.icon.dark": "Chemin de l'icône quand un thème foncé est utilisé", + "azdata.extension.contributes.tabs": "Fournit un ou plusieurs onglets que les utilisateurs peuvent ajouter à leur tableau de bord.", + "dashboardTab.contribution.noTitleError": "Aucun titre spécifié pour l'extension.", + "dashboardTab.contribution.noDescriptionWarning": "Aucune description spécifiée à afficher.", + "dashboardTab.contribution.noContainerError": "Aucun conteneur spécifié pour l'extension.", + "dashboardTab.contribution.moreThanOneDashboardContainersError": "1 seul conteneur de tableau de bord doit être défini par espace", + "azdata.extension.contributes.dashboard.tabGroup.id": "Identificateur unique de ce groupe d'onglets.", + "azdata.extension.contributes.dashboard.tabGroup.title": "Titre du groupe d'onglets.", + "azdata.extension.contributes.tabGroups": "Fournit un ou plusieurs groupes d'onglets que les utilisateurs peuvent ajouter à leur tableau de bord.", + "dashboardTabGroup.contribution.noIdError": "Aucun ID spécifié pour le groupe d'onglets.", + "dashboardTabGroup.contribution.noTitleError": "Aucun titre spécifié pour le groupe d'onglets.", + "administrationTabGroup": "Administration", + "monitoringTabGroup": "Supervision", + "performanceTabGroup": "Performances", + "securityTabGroup": "Sécurité", + "troubleshootingTabGroup": "Résolution des problèmes", + "settingsTabGroup": "Paramètres", + "databasesTabDescription": "onglet de bases de données", + "databasesTabTitle": "Bases de données" }, - "sql/workbench/contrib/notebook/browser/notebook.component": { - "addCodeLabel": "Ajouter du code", - "addTextLabel": "Ajouter du texte", - "createFile": "Créer un fichier", - "displayFailed": "Impossible d'afficher le contenu : {0}", - "codeCellsPreview": "Ajouter une cellule", - "codePreview": "Cellule de code", - "textPreview": "Cellule de texte", - "runAllPreview": "Tout exécuter", - "addCell": "Cellule", - "code": "Code", - "text": "Texte", - "runAll": "Exécuter les cellules", - "previousButtonLabel": "< Précédent", - "nextButtonLabel": "Suivant >", - "cellNotFound": "la cellule avec l'URI {0} est introuvable dans ce modèle", - "cellRunFailed": "L'exécution des cellules a échoué. Pour plus d'informations, consultez l'erreur dans la sortie de la cellule actuellement sélectionnée." + "sql/workbench/contrib/dashboard/browser/dashboard.contribution": { + "manage": "Gérer", + "dashboard.editor.label": "Tableau de bord" + }, + "sql/workbench/contrib/dashboard/browser/dashboardActions": { + "ManageAction": "Gérer" + }, + "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { + "opticon": "la propriété 'icon' peut être omise, ou doit être une chaîne ou un littéral de type '{dark, light}'" + }, + "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { + "dashboard.properties.property": "Définit une propriété à afficher sur le tableau de bord", + "dashboard.properties.property.displayName": "Valeur à utiliser comme étiquette de la propriété", + "dashboard.properties.property.value": "Valeur à atteindre dans l'objet", + "dashboard.properties.property.ignore": "Spécifier les valeurs à ignorer", + "dashboard.properties.property.default": "Valeur par défaut à afficher en cas d'omission ou d'absence de valeur", + "dashboard.properties.flavor": "Saveur pour définir les propriétés de tableau de bord", + "dashboard.properties.flavor.id": "ID de la saveur", + "dashboard.properties.flavor.condition": "Condition pour utiliser cette saveur", + "dashboard.properties.flavor.condition.field": "Champ à comparer", + "dashboard.properties.flavor.condition.operator": "Opérateur à utiliser pour la comparaison", + "dashboard.properties.flavor.condition.value": "Valeur avec laquelle comparer le champ", + "dashboard.properties.databaseProperties": "Propriétés à afficher pour la page de base de données", + "dashboard.properties.serverProperties": "Propriétés à afficher pour la page de serveur", + "carbon.extension.dashboard": "Définit que ce fournisseur prend en charge le tableau de bord", + "dashboard.id": "ID de fournisseur (par ex., MSSQL)", + "dashboard.properties": "Valeurs de propriété à afficher sur le tableau de bord" + }, + "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { + "azdata.extension.contributes.widget.when": "Condition qui doit être true pour afficher cet élément", + "azdata.extension.contributes.widget.hideHeader": "Indique s'il faut masquer l'en-tête du widget. La valeur par défaut est false", + "dashboardpage.tabName": "Titre du conteneur", + "dashboardpage.rowNumber": "Ligne du composant dans la grille", + "dashboardpage.rowSpan": "Rowspan du composant dans la grille. La valeur par défaut est 1. Utilisez '*' pour le définir sur le nombre de lignes dans la grille.", + "dashboardpage.colNumber": "Colonne du composant dans la grille", + "dashboardpage.colspan": "Colspan du composant dans la grille. La valeur par défaut est 1. Utilisez '*' pour le définir sur le nombre de colonnes dans la grille.", + "azdata.extension.contributes.dashboardPage.tab.id": "Identificateur unique pour cet onglet. Est transmis à l'extension pour toutes les demandes.", + "dashboardTabError": "L'onglet d'extension est inconnu ou non installé." + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { + "databasePageName": "Propriétés de la base de données" + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { + "dashboardDatabaseProperties": "Activer ou désactiver le widget de propriétés", + "dashboard.databaseproperties": "Valeurs de propriété à afficher", + "dashboard.databaseproperties.displayName": "Nom d'affichage de la propriété", + "dashboard.databaseproperties.value": "Valeur de l'objet d'informations de base de données", + "dashboard.databaseproperties.ignore": "Spécifiez des valeurs spécifiques à ignorer", + "recoveryModel": "Mode de récupération", + "lastDatabaseBackup": "Dernière sauvegarde de base de données", + "lastLogBackup": "Dernière sauvegarde de journal", + "compatibilityLevel": "Niveau de compatibilité", + "owner": "Propriétaire", + "dashboardDatabase": "Personnalise la page de tableau de bord de base de données", + "objectsWidgetTitle": "Recherche", + "dashboardDatabaseTabs": "Personnalise les onglets de tableau de bord de base de données" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { + "serverPageName": "Propriétés du serveur" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { + "dashboardServerProperties": "Activer ou désactiver le widget de propriétés", + "dashboard.serverproperties": "Valeurs de propriété à afficher", + "dashboard.serverproperties.displayName": "Nom d'affichage de la propriété", + "dashboard.serverproperties.value": "Valeur de l'objet d'informations de serveur", + "version": "Version", + "edition": "Édition", + "computerName": "Nom de l'ordinateur", + "osVersion": "Version de système d'exploitation", + "explorerWidgetsTitle": "Recherche", + "dashboardServer": "Personnalise la page de tableau de bord de serveur", + "dashboardServerTabs": "Personnalise les onglets de tableau de bord de serveur" + }, + "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { + "homeCrumb": "Accueil" + }, + "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { + "dashboard.changeDatabaseFailure": "Le changement de base de données a échoué" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { + "dashboard.explorer.actions": "Afficher les actions", + "explorerSearchNoMatchResultMessage": "Aucun élément correspondant n'a été trouvé", + "explorerSearchSingleMatchResultMessage": "Liste de recherche filtrée sur 1 élément", + "explorerSearchMatchResultMessage": "Liste de recherche filtrée sur {0} éléments" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { + "dashboard.explorer.namePropertyDisplayValue": "Nom", + "dashboard.explorer.schemaDisplayValue": "Schéma", + "dashboard.explorer.objectTypeDisplayValue": "Type" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { + "loadingObjects": "chargement des objets", + "loadingDatabases": "chargement des bases de données", + "loadingObjectsCompleted": "les objets ont été chargés.", + "loadingDatabasesCompleted": "les bases de données ont été chargées.", + "seachObjects": "Rechercher par nom de type (t:, v:, f:, ou sp:)", + "searchDatabases": "Rechercher dans les bases de données", + "dashboard.explorer.objectError": "Impossible de charger les objets", + "dashboard.explorer.databaseError": "Impossible de charger les bases de données" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { + "insights.runQuery": "Exécuter la requête" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { + "insightsWidgetLoadingMessage": "Chargement de {0}", + "insightsWidgetLoadingCompletedMessage": "{0} a été chargé", + "insights.autoRefreshOffState": "Actualisation automatique : désactivée", + "insights.lastUpdated": "Dernière mise à jour : {0} {1}", + "noResults": "Aucun résultat à afficher" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { + "insightWidgetDescription": "Ajoute un widget qui peut interroger un serveur ou une base de données, et afficher les résultats de plusieurs façons (par exemple, dans un graphique, sous forme de nombre total, etc.)", + "insightIdDescription": "Identificateur unique utilisé pour mettre en cache les résultats de l'insight.", + "insightQueryDescription": "Requête SQL à exécuter. Doit retourner exactement 1 jeu de résultat.", + "insightQueryFileDescription": "[Facultatif] Chemin d'un fichier contenant une requête. Utilisez-le si 'query' n'est pas défini.", + "insightAutoRefreshIntervalDescription": "[Facultatif] Intervalle d'actualisation automatique en minutes, si la valeur n'est pas définie, il n'y a pas d'actualisation automatique", + "actionTypes": "Actions à utiliser", + "actionDatabaseDescription": "Base de données cible de l'action. Peut être au format '${ columnName }' pour utiliser un nom de colonne piloté par les données.", + "actionServerDescription": "Serveur cible de l'action. Peut être au format '${ columnName }' pour utiliser un nom de colonne piloté par les données.", + "actionUserDescription": "Utilisateur cible de l'action. Peut être au format '${ columnName } pour utiliser un nom de colonne piloté par les données.", + "carbon.extension.contributes.insightType.id": "Identificateur de l'insight", + "carbon.extension.contributes.insights": "Ajoute des insights à la palette de tableau de bord." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { + "chartErrorMessage": "Le graphique ne peut pas être affiché avec les données spécifiées" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.contribution": { + "chartInsightDescription": "Affiche les résultats d'une requête dans un graphique sur le tableau de bord", + "colorMapDescription": "Mappe 'nom de colonne' -> couleur. Par exemple, ajouter 'colonne1': rouge pour que la colonne utilise la couleur rouge ", + "legendDescription": "Indique la position par défaut et la visibilité de la légende de graphique. Il s'agit des noms des colonnes de votre requête mappés à l'étiquette de chaque entrée du graphique", + "labelFirstColumnDescription": "Si la valeur de dataDirection est horizontale, la définition de ce paramètre sur true utilise la valeur des premières colonnes pour la légende.", + "columnsAsLabels": "Si la valeur de dataDirection est verticale, la définition de ce paramètre sur true utilise les noms de colonnes pour la légende.", + "dataDirectionDescription": "Définit si les données sont lues dans une colonne (vertical) ou une ligne (horizontal). Pour les séries chronologiques, ce paramètre est ignoré, car la direction doit être verticale.", + "showTopNData": "Si showTopNData est défini, seules les N premières données sont affichées dans le graphique." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/barChart.contribution": { + "yAxisMin": "Valeur minimale de l'axe Y", + "yAxisMax": "Valeur maximale de l'axe Y", + "barchart.yAxisLabel": "Étiquette de l'axe Y", + "xAxisMin": "Valeur minimale de l'axe X", + "xAxisMax": "Valeur maximale de l'axe X", + "barchart.xAxisLabel": "Étiquette de l'axe X" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/lineChart.contribution": { + "dataTypeDescription": "Indique la propriété de données d'un jeu de données pour un graphique." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/countInsight.contribution": { + "countInsightDescription": "Pour chaque colonne d'un jeu de résultats, affiche la valeur de la ligne 0 sous forme de chiffre suivi du nom de la colonne. Prend en charge '1 Healthy', '3 Unhealthy', par exemple, où 'Healthy' est le nom de la colonne et 1 est la valeur de la ligne 1, cellule 1" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/imageInsight.contribution": { + "imageInsightDescription": "Affiche une image, par exemple, celle retournée par une requête de type R utilisant ggplot2", + "imageFormatDescription": "Format attendu : JPEG, PNG ou un autre format ?", + "encodingDescription": "Cet objet est-il encodé en hexadécimal, base64 ou un autre format ?" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/tableInsight.contribution": { + "tableInsightDescription": "Affiche les résultats dans un tableau simple" + }, + "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { + "loadingProperties": "Chargement des propriétés", + "loadingPropertiesCompleted": "Les propriétés ont été chargées", + "dashboard.properties.error": "Impossible de charger les propriétés de tableau de bord" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorer.contribution": { + "databaseConnections": "Connexions de base de données", + "datasource.connections": "connexions de source de données", + "datasource.connectionGroups": "groupes de source de données", + "connectionsSortOrder.dateAdded": "Les connexions enregistrées sont triées en fonction des dates auxquelles elles ont été ajoutées.", + "connectionsSortOrder.displayName": "Les connexions enregistrées sont triées par ordre alphabétique de leurs noms d’affichage.", + "datasource.connectionsSortOrder": "Contrôle l’ordre de tri des connexions et des groupes de connexions enregistrés.", + "startupConfig": "Configuration de démarrage", + "startup.alwaysShowServersView": "True pour afficher la vue des serveurs au lancement d'Azure Data Studio par défaut, false pour afficher la dernière vue ouverte" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerExtensionPoint": { + "vscode.extension.contributes.view.id": "Identificateur de la vue. Utilisez-le pour inscrire un fournisseur de données au moyen de l'API 'vscode.window.registerTreeDataProviderForView', ainsi que pour déclencher l'activation de votre extension en inscrivant l'événement 'onView:${id}' dans 'activationEvents'.", + "vscode.extension.contributes.view.name": "Nom de la vue, contrôlable de visu. À afficher", + "vscode.extension.contributes.view.when": "Condition qui doit être true pour afficher cette vue", + "extension.contributes.dataExplorer": "Ajoute des vues à l'éditeur", + "extension.dataExplorer": "Ajoute des vues au conteneur Explorateur de données dans la barre d'activités", + "dataExplorer.contributed": "Ajoute des vues au conteneur de vues ajoutées", + "duplicateView1": "Impossible d'inscrire plusieurs vues avec le même ID '{0}' dans le conteneur de vues '{1}'", + "duplicateView2": "Une vue avec l'ID '{0}' est déjà inscrite dans le conteneur de vues '{1}'", + "requirearray": "les vues doivent figurer dans un tableau", + "requirestring": "la propriété '{0}' est obligatoire et doit être de type 'string'", + "optstring": "La propriété '{0}' peut être omise ou doit être de type 'string'" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { + "dataExplorer.servers": "Serveurs", + "dataexplorer.name": "Connexions", + "showDataExplorer": "Afficher les connexions" + }, + "sql/workbench/contrib/dataExplorer/browser/nodeActions.common.contribution": { + "disconnect": "Déconnecter", + "refresh": "Actualiser" + }, + "sql/workbench/contrib/editData/browser/editData.contribution": { + "showEditDataSqlPaneOnStartup": "Afficher le volet Modifier les données SQL au démarrage" + }, + "sql/workbench/contrib/editData/browser/editDataActions": { + "editData.run": "Exécuter", + "disposeEditFailure": "La modification de Dispose a échoué avec l'erreur : ", + "editData.stop": "Arrêter", + "editData.showSql": "Afficher le volet SQL", + "editData.closeSql": "Fermer le volet SQL" + }, + "sql/workbench/contrib/editData/browser/editDataEditor": { + "maxRowTaskbar": "Nombre maximal de lignes :" + }, + "sql/workbench/contrib/editData/browser/editDataGridActions": { + "deleteRow": "Supprimer la ligne", + "revertRow": "Rétablir la ligne actuelle" + }, + "sql/workbench/contrib/editData/browser/gridActions": { + "saveAsCsv": "Enregistrer au format CSV", + "saveAsJson": "Enregistrer au format JSON", + "saveAsExcel": "Enregistrer au format Excel", + "saveAsXml": "Enregistrer au format XML", + "copySelection": "Copier", + "copyWithHeaders": "Copier avec les en-têtes", + "selectAll": "Tout sélectionner" + }, + "sql/workbench/contrib/extensions/browser/contributionRenders": { + "tabs": "Onglets de tableau de bord ({0})", + "tabId": "ID", + "tabTitle": "Titre", + "tabDescription": "Description", + "insights": "Insights de tableau de bord ({0})", + "insightId": "ID", + "name": "Nom", + "insight condition": "Quand" + }, + "sql/workbench/contrib/extensions/browser/extensions.contribution": { + "workbench.extensions.getExtensionFromGallery.description": "Obtient des informations d’extension à partir de la galerie", + "workbench.extensions.getExtensionFromGallery.arg.name": "ID d'extension", + "notFound": "Extension '{0}' introuvable." + }, + "sql/workbench/contrib/extensions/browser/extensionsActions": { + "showRecommendations": "Afficher les recommandations", + "Install Extensions": "Installer les extensions", + "openExtensionAuthoringDocs": "Créer une extension..." + }, + "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { + "neverShowAgain": "Ne plus afficher", + "ExtensionsRecommended": "Azure Data Studio a des recommandations d'extension.", + "VisualizerExtensionsRecommended": "Azure Data Studio a des recommandations d'extension pour la visualisation des données.\r\nAprès l'avoir installé, vous pouvez sélectionner l'icône Visualiseur pour visualiser les résultats de votre requête.", + "installAll": "Tout installer", + "showRecommendations": "Afficher les recommandations", + "scenarioTypeUndefined": "Le type de scénario pour les recommandations d'extension doit être fourni." + }, + "sql/workbench/contrib/extensions/browser/staticRecommendations": { + "defaultRecommendations": "Cette extension est recommandée par Azure Data Studio." + }, + "sql/workbench/contrib/jobManagement/browser/agentView.component": { + "jobview.Jobs": "Travaux", + "jobview.Notebooks": "Notebooks", + "jobview.Alerts": "Alertes", + "jobview.Proxies": "Proxys", + "jobview.Operators": "Opérateurs" + }, + "sql/workbench/contrib/jobManagement/browser/alertsView.component": { + "jobAlertColumns.name": "Nom", + "jobAlertColumns.lastOccurrenceDate": "Dernière occurrence", + "jobAlertColumns.enabled": "Activé", + "jobAlertColumns.delayBetweenResponses": "Délai entre les réponses (en secondes)", + "jobAlertColumns.categoryName": "Nom de catégorie" }, "sql/workbench/contrib/jobManagement/browser/jobActions": { "jobaction.successLabel": "Réussite", @@ -11227,77 +10211,58 @@ "notebookaction.renameNotebook": "Renommer", "notebookaction.openLatestRun": "Ouvrir la dernière exécution" }, - "sql/workbench/contrib/assessment/browser/asmtActions": { - "asmtaction.server.getitems": "Voir les règles applicables", - "asmtaction.database.getitems": "Voir les règles applicables à {0}", - "asmtaction.server.invokeitems": "Appeler l'évaluation", - "asmtaction.database.invokeitems": "Appeler l'évaluation pour {0}", - "asmtaction.exportasscript": "Exporter sous forme de script", - "asmtaction.showsamples": "Voir toutes les règles et en savoir plus sur GitHub", - "asmtaction.generatehtmlreport": "Créer un rapport HTML", - "asmtaction.openReport": "Le rapport a été enregistré. Voulez-vous l'ouvrir ?", - "asmtaction.label.open": "Ouvrir", - "asmtaction.label.cancel": "Annuler" + "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { + "stepRow.stepID": "ID d'étape", + "stepRow.stepName": "Nom de l'étape", + "stepRow.message": "Message" }, - "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { - "data": "Données", - "connection": "Connexion", - "queryEditor": "Éditeur de requêtes", - "notebook": "Notebook", - "dashboard": "Tableau de bord", - "profiler": "Profiler" + "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { + "agent.steps": "Étapes" }, - "sql/workbench/contrib/extensions/browser/contributionRenders": { - "tabs": "Onglets de tableau de bord ({0})", - "tabId": "ID", - "tabTitle": "Titre", - "tabDescription": "Description", - "insights": "Insights de tableau de bord ({0})", - "insightId": "ID", - "name": "Nom", - "insight condition": "Quand" + "sql/workbench/contrib/jobManagement/browser/jobsView.component": { + "jobColumns.name": "Nom", + "jobColumns.lastRun": "Dernière exécution", + "jobColumns.nextRun": "Exécution suivante", + "jobColumns.enabled": "Activé", + "jobColumns.status": "État", + "jobColumns.category": "Catégorie", + "jobColumns.runnable": "Exécutable", + "jobColumns.schedule": "Planification", + "jobColumns.lastRunOutcome": "Résultats de la dernière exécution", + "jobColumns.previousRuns": "Exécutions précédentes", + "jobsView.noSteps": "Aucune étape disponible pour ce travail.", + "jobsView.error": "Erreur : " }, - "sql/workbench/contrib/charts/browser/imageInsight": { - "invalidImage": "La table n'a pas d'image valide" + "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { + "notebookHistory.dateCreatedTooltip": "Date de création : ", + "notebookHistory.notebookErrorTooltip": "Erreur de notebook : ", + "notebookHistory.ErrorTooltip": "Erreur de travail : ", + "notebookHistory.pinnedTitle": "Épinglé", + "notebookHistory.recentRunsTitle": "Dernières exécutions", + "notebookHistory.pastRunsTitle": "Exécutions précédentes" }, - "sql/workbench/contrib/notebook/browser/cellToolbarActions": { - "moreActionsLabel": "Plus", - "editLabel": "Modifier", - "closeLabel": "Fermer", - "convertCell": "Convertir la cellule", - "runAllAbove": "Exécuter les cellules au-dessus", - "runAllBelow": "Exécuter les cellules en dessous", - "codeAbove": "Insérer du code au-dessus", - "codeBelow": "Insérer du code en dessous", - "markdownAbove": "Insérer le texte au-dessus", - "markdownBelow": "Insérer le texte en dessous", - "collapseCell": "Réduire la cellule", - "expandCell": "Développer la cellule", - "makeParameterCell": "Créer une cellule de paramètre", - "RemoveParameterCell": "Supprimer la cellule de paramètre", - "clear": "Effacer le résultat" + "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { + "notebookColumns.name": "Nom", + "notebookColumns.targetDatbase": "Base de données cible", + "notebookColumns.lastRun": "Dernière exécution", + "notebookColumns.nextRun": "Exécution suivante", + "notebookColumns.status": "État", + "notebookColumns.lastRunOutcome": "Résultats de la dernière exécution", + "notebookColumns.previousRuns": "Exécutions précédentes", + "notebooksView.noSteps": "Aucune étape disponible pour ce travail.", + "notebooksView.error": "Erreur : ", + "notebooksView.notebookError": "Erreur de notebook : " }, - "sql/workbench/services/notebook/browser/models/clientSession": { - "clientSession.unknownError": "Une erreur s'est produite au démarrage d'une session de notebook", - "ServerNotStarted": "Le serveur n'a pas démarré pour une raison inconnue", - "kernelRequiresConnection": "Noyau {0} introuvable. Le noyau par défaut est utilisé à la place." + "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { + "jobOperatorsView.name": "Nom", + "jobOperatorsView.emailAddress": "Adresse e-mail", + "jobOperatorsView.enabled": "Activé" }, - "sql/workbench/contrib/charts/browser/graphInsight": { - "series": "Série {0}" - }, - "sql/workbench/contrib/charts/browser/configureChartDialog": { - "configureChartDialog.close": "Fermer" - }, - "sql/workbench/services/notebook/browser/models/notebookModel": { - "injectedParametersMsg": "# Paramètres injectés\r\n", - "kernelRequiresConnection": "Sélectionnez une connexion afin d'exécuter les cellules pour ce noyau", - "deleteCellFailed": "La suppression de la cellule a échoué.", - "changeKernelFailedRetry": "Le changement de noyau a échoué. Le noyau {0} est utilisé. Erreur : {1}", - "changeKernelFailed": "Le changement de noyau a échoué en raison de l'erreur : {0}", - "changeContextFailed": "Le changement de contexte a échoué : {0}", - "startSessionFailed": "Impossible de démarrer la session : {0}", - "shutdownClientSessionError": "Une erreur de session du client s'est produite pendant la fermeture du notebook : {0}", - "ProviderNoManager": "Gestionnaire de notebook introuvable pour le fournisseur {0}" + "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { + "jobProxiesView.accountName": "Nom de compte", + "jobProxiesView.credentialName": "Nom d'identification", + "jobProxiesView.description": "Description", + "jobProxiesView.isEnabled": "Activé" }, "sql/workbench/contrib/notebook/browser/calloutDialog/common/constants": { "callout.insertButton": "Insérer", @@ -11317,6 +10282,940 @@ "linkCallout.linkAddressLabel": "Adresse", "linkCallout.linkAddressPlaceholder": "Lier à un fichier existant ou une page web" }, + "sql/workbench/contrib/notebook/browser/cellToolbarActions": { + "moreActionsLabel": "Plus", + "editLabel": "Modifier", + "closeLabel": "Fermer", + "convertCell": "Convertir la cellule", + "runAllAbove": "Exécuter les cellules au-dessus", + "runAllBelow": "Exécuter les cellules en dessous", + "codeAbove": "Insérer du code au-dessus", + "codeBelow": "Insérer du code en dessous", + "markdownAbove": "Insérer le texte au-dessus", + "markdownBelow": "Insérer le texte en dessous", + "collapseCell": "Réduire la cellule", + "expandCell": "Développer la cellule", + "makeParameterCell": "Créer une cellule de paramètre", + "RemoveParameterCell": "Supprimer la cellule de paramètre", + "clear": "Effacer le résultat" + }, + "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { + "buttonAdd": "Ajouter une cellule", + "optionCodeCell": "Cellule de code", + "optionTextCell": "Cellule de texte", + "buttonMoveDown": "Déplacer la cellule vers le bas", + "buttonMoveUp": "Déplacer la cellule vers le haut", + "buttonDelete": "Supprimer", + "codeCellsPreview": "Ajouter une cellule", + "codePreview": "Cellule de code", + "textPreview": "Cellule de texte" + }, + "sql/workbench/contrib/notebook/browser/cellViews/code.component": { + "parametersText": "Paramètres" + }, + "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { + "notebook.failed": "Sélectionnez la cellule active et réessayez", + "runCell": "Exécuter la cellule", + "stopCell": "Annuler l'exécution", + "errorRunCell": "Erreur de la dernière exécution. Cliquer pour réexécuter" + }, + "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { + "expandCellContents": "Développer le contenu de la cellule de code", + "collapseCellContents": "Réduire le contenu de la cellule de code" + }, + "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { + "buttonBold": "Gras", + "buttonItalic": "Italique", + "buttonUnderline": "Souligné", + "buttonHighlight": "Recommandation", + "buttonCode": "Code", + "buttonLink": "Lien", + "buttonList": "Liste", + "buttonOrderedList": "Liste triée", + "buttonImage": "Image", + "buttonPreview": "Bouton bascule d'aperçu Markdown - désactivé", + "dropdownHeading": "Titre", + "optionHeading1": "Titre 1", + "optionHeading2": "Titre 2", + "optionHeading3": "Titre 3", + "optionParagraph": "Paragraphe", + "callout.insertLinkHeading": "Insérer un lien", + "callout.insertImageHeading": "Insérer une image", + "richTextViewButton": "Vue de texte enrichi", + "splitViewButton": "Mode fractionné", + "markdownViewButton": "Vue Markdown" + }, + "sql/workbench/contrib/notebook/browser/cellViews/output.component": { + "noMimeTypeFound": "Aucun renderer {0} pour la sortie. Types MIME : {1}", + "safe": "sécurisé ", + "noSelectorFound": "Aucun composant pour le sélecteur {0}", + "componentRenderError": "Erreur de rendu du composant : {0}" + }, + "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { + "clickOn": "Cliquer sur", + "plusCode": "+ Code", + "or": "ou", + "plusText": "+ Texte", + "toAddCell": "pour ajouter une cellule de code ou de texte", + "plusCodeAriaLabel": "Ajouter une cellule de code", + "plusTextAriaLabel": "Ajouter une cellule de texte" + }, + "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { + "stdInLabel": "StdIn :" + }, + "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { + "doubleClickEdit": "Double-cliquer pour modifier", + "addContent": "Ajouter du contenu ici..." + }, + "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { + "label.find": "Rechercher", + "placeholder.find": "Rechercher", + "label.previousMatchButton": "Correspondance précédente", + "label.nextMatchButton": "Correspondance suivante", + "label.closeButton": "Fermer", + "title.matchesCountLimit": "Votre recherche a retourné un grand nombre de résultats, seuls les 999 premières correspondances sont mises en surbrillance.", + "label.matchesLocation": "{0} sur {1}", + "label.noResults": "Aucun résultat" + }, + "sql/workbench/contrib/notebook/browser/notebook.component": { + "addCodeLabel": "Ajouter du code", + "addTextLabel": "Ajouter du texte", + "createFile": "Créer un fichier", + "displayFailed": "Impossible d'afficher le contenu : {0}", + "codeCellsPreview": "Ajouter une cellule", + "codePreview": "Cellule de code", + "textPreview": "Cellule de texte", + "runAllPreview": "Tout exécuter", + "addCell": "Cellule", + "code": "Code", + "text": "Texte", + "runAll": "Exécuter les cellules", + "previousButtonLabel": "< Précédent", + "nextButtonLabel": "Suivant >", + "cellNotFound": "la cellule avec l'URI {0} est introuvable dans ce modèle", + "cellRunFailed": "L'exécution des cellules a échoué. Pour plus d'informations, consultez l'erreur dans la sortie de la cellule actuellement sélectionnée." + }, + "sql/workbench/contrib/notebook/browser/notebook.contribution": { + "newNotebook": "Nouveau notebook", + "newQuery": "Nouveau notebook", + "workbench.action.setWorkspaceAndOpen": "Définir l'espace de travail et l'ouvrir", + "notebook.sqlStopOnError": "Noyau SQL : arrêtez l'exécution du notebook quand l'erreur se produit dans une cellule.", + "notebook.showAllKernels": "(Préversion) Affichez tous les noyaux du fournisseur de notebook actuel.", + "notebook.allowADSCommands": "Autorisez les notebooks à exécuter des commandes Azure Data Studio.", + "notebook.enableDoubleClickEdit": "Activer le double-clic pour modifier les cellules de texte dans les notebooks", + "notebook.richTextModeDescription": "Le texte est affiché sous forme de texte enrichi (également appelé WYSIWYG).", + "notebook.splitViewModeDescription": "Markdown s’affiche à gauche, avec un aperçu du texte rendu à droite.", + "notebook.markdownModeDescription": "Le texte s’affiche sous forme de Markdown.", + "notebook.defaultTextEditMode": "Mode Édition par défaut utilisé pour les cellules de texte", + "notebook.saveConnectionName": "(Préversion) Enregistrez le nom de connexion dans les métadonnées du notebook.", + "notebook.markdownPreviewLineHeight": "Contrôle la hauteur de ligne utilisée dans l'aperçu Markdown du notebook. Ce nombre est relatif à la taille de police.", + "notebook.showRenderedNotebookinDiffEditor": "(Aperçu) Afficher le bloc-notes rendu dans l’éditeur de différences.", + "notebook.maxRichTextUndoHistory": "Nombre maximal de modifications stockées dans l’historique des annulations pour l’éditeur de texte enrichi de bloc-notes.", + "searchConfigurationTitle": "Rechercher dans les notebooks", + "exclude": "Configurez des modèles glob pour exclure des fichiers et des dossiers dans les recherches en texte intégral et le mode Quick Open. Hérite tous les modèles glob du paramètre '#files.exclude#'. Découvrez plus d'informations sur les modèles glob [ici](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).", + "exclude.boolean": "Modèle Glob auquel les chemins de fichiers doivent correspondre. Affectez la valeur true ou false pour activer ou désactiver le modèle.", + "exclude.when": "Vérification supplémentaire des frères d'un fichier correspondant. Utilisez $(basename) comme variable pour le nom de fichier correspondant.", + "useRipgrep": "Ce paramètre est déprécié et remplacé par \"search.usePCRE2\".", + "useRipgrepDeprecated": "Déprécié. Utilisez \"search.usePCRE2\" pour prendre en charge la fonctionnalité regex avancée.", + "search.maintainFileSearchCache": "Si activé, le processus searchService est maintenu actif au lieu d'être arrêté au bout d'une heure d'inactivité. Ce paramètre conserve le cache de recherche de fichier en mémoire.", + "useIgnoreFiles": "Contrôle s'il faut utiliser les fichiers `.gitignore` et `.ignore` par défaut pendant la recherche de fichiers.", + "useGlobalIgnoreFiles": "Détermine s'il faut utiliser les fichiers généraux '.gitignore' et '.ignore' pendant la recherche de fichiers.", + "search.quickOpen.includeSymbols": "Indique s’il faut inclure les résultats d’une recherche de symbole global dans les résultats de fichier pour Quick Open.", + "search.quickOpen.includeHistory": "Indique si vous souhaitez inclure les résultats de fichiers récemment ouverts dans les résultats de fichiers pour Quick Open.", + "filterSortOrder.default": "Les entrées d'historique sont triées par pertinence en fonction de la valeur de filtre utilisée. Les entrées les plus pertinentes apparaissent en premier.", + "filterSortOrder.recency": "Les entrées d'historique sont triées par date. Les dernières entrées ouvertes sont affichées en premier.", + "filterSortOrder": "Contrôle l'ordre de tri de l'historique de l'éditeur en mode Quick Open pendant le filtrage.", + "search.followSymlinks": "Contrôle s'il faut suivre les symlinks pendant la recherche.", + "search.smartCase": "Faire une recherche non sensible à la casse si le modèle est tout en minuscules, dans le cas contraire, faire une rechercher sensible à la casse.", + "search.globalFindClipboard": "Contrôle si la vue de recherche doit lire ou modifier le presse-papiers partagé sur macOS.", + "search.location": "Contrôle si la recherche s’affiche comme une vue dans la barre latérale ou comme un panneau dans la zone de panneaux pour plus d'espace horizontal.", + "search.location.deprecationMessage": "Ce paramètre est déprécié. Utilisez le menu contextuel de la vue de recherche à la place.", + "search.collapseResults.auto": "Les fichiers avec moins de 10 résultats sont développés. Les autres sont réduits.", + "search.collapseAllResults": "Contrôle si les résultats de recherche seront réduits ou développés.", + "search.useReplacePreview": "Détermine s'il faut ouvrir l'aperçu du remplacement quand vous sélectionnez ou remplacez une correspondance.", + "search.showLineNumbers": "Détermine s'il faut afficher les numéros de ligne dans les résultats de recherche.", + "search.usePCRE2": "Détermine s'il faut utiliser le moteur regex PCRE2 dans la recherche de texte. Cette option permet d'utiliser des fonctionnalités regex avancées comme lookahead et les références arrière. Toutefois, les fonctionnalités PCRE2 ne sont pas toutes prises en charge, seulement celles qui sont aussi prises en charge par JavaScript.", + "usePCRE2Deprecated": "Déprécié. PCRE2 est utilisé automatiquement lors de l'utilisation de fonctionnalités regex qui ne sont prises en charge que par PCRE2.", + "search.actionsPositionAuto": "Positionnez la barre d'action à droite quand la vue de recherche est étroite et immédiatement après le contenu quand la vue de recherche est large.", + "search.actionsPositionRight": "Positionnez toujours la barre d'action à droite.", + "search.actionsPosition": "Contrôle le positionnement de la barre d'action sur des lignes dans la vue de recherche.", + "search.searchOnType": "Recherchez dans tous les fichiers à mesure que vous tapez.", + "search.seedWithNearestWord": "Activez l'essaimage de la recherche à partir du mot le plus proche du curseur quand l'éditeur actif n'a aucune sélection.", + "search.seedOnFocus": "Mettez à jour la requête de recherche d'espace de travail en fonction du texte sélectionné de l'éditeur quand vous placez le focus sur la vue de recherche. Cela se produit soit au moment du clic de souris, soit au déclenchement de la commande 'workbench.views.search.focus'.", + "search.searchOnTypeDebouncePeriod": "Quand '#search.searchOnType' est activé, contrôle le délai d'attente avant expiration en millisecondes entre l'entrée d'un caractère et le démarrage de la recherche. N'a aucun effet quand 'search.searchOnType' est désactivé.", + "search.searchEditor.doubleClickBehaviour.selectWord": "Double-cliquez pour sélectionner le mot sous le curseur.", + "search.searchEditor.doubleClickBehaviour.goToLocation": "Double-cliquez sur le résultat pour l'ouvrir dans le groupe d'éditeurs actif.", + "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Double-cliquez pour ouvrir le résultat dans le groupe d'éditeurs ouvert ou dans un nouveau groupe d'éditeurs le cas échéant.", + "search.searchEditor.doubleClickBehaviour": "Configurez ce qui se passe après un double clic sur un résultat dans un éditeur de recherche.", + "searchSortOrder.default": "Les résultats sont triés par dossier et noms de fichier, dans l'ordre alphabétique.", + "searchSortOrder.filesOnly": "Les résultats sont triés par noms de fichier en ignorant l'ordre des dossiers, dans l'ordre alphabétique.", + "searchSortOrder.type": "Les résultats sont triés par extensions de fichier dans l'ordre alphabétique.", + "searchSortOrder.modified": "Les résultats sont triés par date de dernière modification de fichier, dans l'ordre décroissant.", + "searchSortOrder.countDescending": "Les résultats sont triés par nombre dans chaque fichier, dans l'ordre décroissant.", + "searchSortOrder.countAscending": "Les résultats sont triés par nombre dans chaque fichier, dans l'ordre croissant.", + "search.sortOrder": "Contrôle l'ordre de tri des résultats de recherche." + }, + "sql/workbench/contrib/notebook/browser/notebookActions": { + "loading": "Chargement des noyaux...", + "changing": "Changement du noyau...", + "AttachTo": "Attacher à ", + "Kernel": "Noyau ", + "loadingContexts": "Chargement des contextes...", + "changeConnection": "Changer la connexion", + "selectConnection": "Sélectionner une connexion", + "localhost": "localhost", + "noKernel": "Pas de noyau", + "kernelNotSupported": "Ce bloc-notes ne peut pas être exécuté avec des paramètres, car le noyau n’est pas pris en charge. Utilisez les noyaux et le format pris en charge. [En savoir plus] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "noParametersCell": "Ce bloc-notes ne peut pas être exécuté avec des paramètres tant qu'une cellule de paramètre n'est pas ajoutée. [En savoir plus](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "noParametersInCell": "Ce bloc-notes ne peut pas s’exécuter avec des paramètres tant que des paramètres n’ont pas été ajoutés à la cellule de paramètres. [En savoir plus] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "clearResults": "Effacer les résultats", + "trustLabel": "Approuvé", + "untrustLabel": "Non approuvé", + "collapseAllCells": "Réduire les cellules", + "expandAllCells": "Développer les cellules", + "runParameters": "Exécuter avec des paramètres", + "noContextAvailable": "Aucun(e)", + "newNotebookAction": "Nouveau notebook", + "notebook.findNext": "Rechercher la chaîne suivante", + "notebook.findPrevious": "Rechercher la chaîne précédente" + }, + "sql/workbench/contrib/notebook/browser/notebookEditor": { + "notebookEditor.name": "Notebook Editor" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { + "notebookExplorer.searchResults": "Résultats de la recherche", + "searchPathNotFoundError": "Chemin de recherche introuvable : {0}", + "notebookExplorer.name": "Notebooks" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { + "searchWithoutFolder": "Vous n'avez ouvert aucun dossier contenant des notebooks/books. ", + "openNotebookFolder": "Ouvrir les notebooks", + "searchMaxResultsWarning": "Le jeu de résultats contient uniquement un sous-ensemble de toutes les correspondances. Soyez plus précis dans votre recherche de façon à limiter les résultats retournés.", + "searchInProgress": "Recherche en cours... - ", + "noResultsIncludesExcludes": "Résultats introuvables pour '{0}' excluant '{1}' - ", + "noResultsIncludes": "Résultats introuvables dans '{0}' - ", + "noResultsExcludes": "Résultats introuvables avec l'exclusion de '{0}' - ", + "noResultsFound": "Aucun résultat. Vérifiez les exclusions configurées dans vos paramètres et examinez vos fichiers gitignore -", + "rerunSearch.message": "Chercher à nouveau", + "rerunSearchInAll.message": "Rechercher à nouveau dans tous les fichiers", + "openSettings.message": "Ouvrir les paramètres", + "ariaSearchResultsStatus": "La recherche a retourné {0} résultats dans {1} fichiers", + "ToggleCollapseAndExpandAction.label": "Activer/désactiver les options Réduire et Développer", + "CancelSearchAction.label": "Annuler la recherche", + "ExpandAllAction.label": "Tout développer", + "CollapseDeepestExpandedLevelAction.label": "Tout réduire", + "ClearSearchResultsAction.label": "Effacer les résultats de la recherche" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { + "label.Search": "Rechercher : tapez le terme de recherche, puis appuyez sur Entrée pour lancer la recherche, ou sur Échap pour l'annuler", + "search.placeHolder": "Recherche" + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViews.component": { + "cellNotFound": "la cellule avec l'URI {0} est introuvable dans ce modèle", + "cellRunFailed": "L'exécution des cellules a échoué. Pour plus d'informations, consultez l'erreur dans la sortie de la cellule actuellement sélectionnée." + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsCodeCell.component": { + "viewsCodeCell.emptyCellText": "Exécutez cette cellule pour afficher les sorties." + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsGrid.component": { + "emptyText": "Cette vue est vide. Ajoutez une cellule à cette vue en cliquant sur le bouton Insérer des cellules." + }, + "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { + "copyFailed": "La copie a échoué avec l'erreur {0}", + "notebook.showChart": "Afficher le graphique", + "notebook.showTable": "Afficher la table" + }, + "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { + "noRendererFound": "Aucun renderer {0} pour la sortie. Elle a les types MIME suivants : {1}", + "safe": "(sécurisé) " + }, + "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { + "plotlyError": "Erreur d'affichage du graphe Plotly : {0}" + }, + "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { + "servers.noConnections": "Aucune connexion.", + "serverTree.addConnection": "Ajouter une connexion" + }, + "sql/workbench/contrib/objectExplorer/common/serverGroup.contribution": { + "serverGroup.colors": "Palette de couleurs du groupe de serveurs utilisée dans la viewlet Explorateur d'objets.", + "serverGroup.autoExpand": "Développez automatiquement les groupes de serveurs dans la viewlet Explorateur d'objets.", + "serverTree.useAsyncServerTree": "(Préversion) Utilisez la nouvelle arborescence de serveur asynchrone pour la vue des serveurs et la boîte de dialogue de connexion avec prise en charge des nouvelles fonctionnalités, comme le filtrage dynamique de nœuds." + }, + "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { + "data": "Données", + "connection": "Connexion", + "queryEditor": "Éditeur de requêtes", + "notebook": "Notebook", + "dashboard": "Tableau de bord", + "profiler": "Profiler", + "builtinCharts": "Graphiques intégrés" + }, + "sql/workbench/contrib/profiler/browser/profiler.contribution": { + "profiler.settings.viewTemplates": "Spécifie des modèles de vue", + "profiler.settings.sessionTemplates": "Spécifie les modèles de session", + "profiler.settings.Filters": "Filtres Profiler" + }, + "sql/workbench/contrib/profiler/browser/profilerActions": { + "profilerAction.connect": "Connecter", + "profilerAction.disconnect": "Déconnecter", + "start": "Démarrer", + "create": "Nouvelle session", + "profilerAction.pauseCapture": "Suspendre", + "profilerAction.resumeCapture": "Reprendre", + "profilerStop.stop": "Arrêter", + "profiler.clear": "Effacer les données", + "profiler.clearDataPrompt": "Voulez-vous vraiment effacer les données ?", + "profiler.yes": "Oui", + "profiler.no": "Non", + "profilerAction.autoscrollOn": "Défilement automatique : activé", + "profilerAction.autoscrollOff": "Défilement automatique : désactivé", + "profiler.toggleCollapsePanel": "Afficher/masquer le panneau réduit", + "profiler.editColumns": "Modifier les colonnes", + "profiler.findNext": "Rechercher la chaîne suivante", + "profiler.findPrevious": "Rechercher la chaîne précédente", + "profilerAction.newProfiler": "Lancer Profiler", + "profiler.filter": "Filtrer...", + "profiler.clearFilter": "Effacer le filtre", + "profiler.clearFilterPrompt": "Voulez-vous vraiment effacer les filtres ?" + }, + "sql/workbench/contrib/profiler/browser/profilerEditor": { + "profiler.viewSelectAccessibleName": "Sélectionner une vue", + "profiler.sessionSelectAccessibleName": "Sélectionner une session", + "profiler.sessionSelectLabel": "Sélectionner une session :", + "profiler.viewSelectLabel": "Sélectionner une vue :", + "text": "Texte", + "label": "Étiquette", + "profilerEditor.value": "Valeur", + "details": "Détails" + }, + "sql/workbench/contrib/profiler/browser/profilerFindWidget": { + "label.find": "Rechercher", + "placeholder.find": "Rechercher", + "label.previousMatchButton": "Correspondance précédente", + "label.nextMatchButton": "Correspondance suivante", + "label.closeButton": "Fermer", + "title.matchesCountLimit": "Votre recherche a retourné un grand nombre de résultats, seuls les 999 premières correspondances sont mises en surbrillance.", + "label.matchesLocation": "{0} sur {1}", + "label.noResults": "Aucun résultat" + }, + "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { + "profilerTextEditorAriaLabel": "Editeur Profiler pour le texte d'événement. En lecture seule" + }, + "sql/workbench/contrib/profiler/browser/profilerTableEditor": { + "ProfilerTableEditor.eventCountFiltered": "Événements (filtrés) : {0}/{1}", + "ProfilerTableEditor.eventCount": "Événements : {0}", + "status.eventCount": "Nombre d'événements" + }, + "sql/workbench/contrib/query/browser/actions": { + "saveAsCsv": "Enregistrer au format CSV", + "saveAsJson": "Enregistrer au format JSON", + "saveAsExcel": "Enregistrer au format Excel", + "saveAsXml": "Enregistrer au format XML", + "jsonEncoding": "L'encodage des résultats n'est pas enregistré quand vous les exportez au format JSON, n'oubliez pas d'enregistrer le fichier que vous créez avec l'encodage souhaité.", + "saveToFileNotSupported": "L'enregistrement dans un fichier n'est pas pris en charge par la source de données de stockage", + "copySelection": "Copier", + "copyWithHeaders": "Copier avec les en-têtes", + "selectAll": "Tout sélectionner", + "maximize": "Maximiser", + "restore": "Restaurer", + "chart": "Graphique", + "visualizer": "Visualiseur" + }, + "sql/workbench/contrib/query/browser/flavorStatus": { + "chooseSqlLang": "Choisir un langage SQL", + "changeProvider": "Changer le fournisseur de langage SQL", + "status.query.flavor": "Saveur de langage SQL", + "changeSqlProvider": "Changer le fournisseur de moteur SQL", + "alreadyConnected": "Une connexion qui utilise le moteur {0} existe déjà. Pour changer, déconnectez-vous ou changez de connexion", + "noEditor": "Aucun éditeur de texte actif actuellement", + "pickSqlProvider": "Sélectionner un fournisseur de langage" + }, + "sql/workbench/contrib/query/browser/gridPanel": { + "xmlShowplan": "Plan d'exécution de requêtes XML", + "resultsGrid": "Grille de résultats", + "resultsGrid.maxRowCountExceeded": "Le nombre maximal de lignes pour le filtrage/tri a été dépassé. Pour le mettre à jour, vous pouvez accéder aux paramètres utilisateur et modifier le paramètre : 'queryeditor.results. inMemoryDataProcessingThreshold'" + }, + "sql/workbench/contrib/query/browser/keyboardQueryActions": { + "focusOnCurrentQueryKeyboardAction": "Se concentrer sur la requête actuelle", + "runQueryKeyboardAction": "Exécuter la requête", + "runCurrentQueryKeyboardAction": "Exécuter la requête actuelle", + "copyQueryWithResultsKeyboardAction": "Copier la requête avec les résultats", + "queryActions.queryResultsCopySuccess": "La requête et les résultats ont été copiés.", + "runCurrentQueryWithActualPlanKeyboardAction": "Exécuter la requête actuelle avec le plan réel", + "cancelQueryKeyboardAction": "Annuler la requête", + "refreshIntellisenseKeyboardAction": "Actualiser le cache IntelliSense", + "toggleQueryResultsKeyboardAction": "Activer/désactiver les résultats de requête", + "ToggleFocusBetweenQueryEditorAndResultsAction": "Basculer le focus entre la requête et les résultats", + "queryShortcutNoEditor": "Le paramètre de l'éditeur est nécessaire pour exécuter un raccourci", + "parseSyntaxLabel": "Analyser la requête", + "queryActions.parseSyntaxSuccess": "Commandes exécutées", + "queryActions.parseSyntaxFailure": "La commande a échoué : ", + "queryActions.notConnected": "Connectez-vous à un serveur" + }, + "sql/workbench/contrib/query/browser/messagePanel": { + "messagePanel": "Panneau des messages", + "copy": "Copier", + "copyAll": "Tout copier" + }, + "sql/workbench/contrib/query/browser/query.contribution": { + "queryResultsEditor.name": "Résultats de la requête", + "newQuery": "Nouvelle requête", + "queryEditorConfigurationTitle": "Éditeur de requêtes", + "queryEditor.results.saveAsCsv.includeHeaders": "Quand la valeur est true, les en-têtes de colonne sont inclus dans l'enregistrement des résultats au format CSV", + "queryEditor.results.saveAsCsv.delimiter": "Délimiteur personnalisé à utiliser entre les valeurs pendant l'enregistrement au format CSV", + "queryEditor.results.saveAsCsv.lineSeperator": "Caractère(s) utilisé(s) pour séparer les lignes pendant l'enregistrement des résultats au format CSV", + "queryEditor.results.saveAsCsv.textIdentifier": "Caractère utilisé pour englober les champs de texte pendant l'enregistrement des résultats au format CSV", + "queryEditor.results.saveAsCsv.encoding": "Encodage de fichier utilisé pendant l'enregistrement des résultats au format CSV", + "queryEditor.results.saveAsXml.formatted": "Quand la valeur est true, la sortie XML est mise en forme pendant l'enregistrement des résultats au format XML", + "queryEditor.results.saveAsXml.encoding": "Encodage de fichier utilisé pendant l'enregistrement des résultats au format XML", + "queryEditor.results.streaming": "Activer le streaming des résultats, contient quelques problèmes visuels mineurs", + "queryEditor.results.copyIncludeHeaders": "Options de configuration pour copier les résultats de la Vue Résultats", + "queryEditor.results.copyRemoveNewLine": "Options de configuration pour copier les résultats multilignes de la vue Résultats", + "queryEditor.results.optimizedTable": "(Expérimental) Utilisez une table optimisée dans la sortie des résultats. Certaines fonctionnalités sont peut-être manquantes et en préparation.", + "queryEditor.inMemoryDataProcessingThreshold": "Contrôle le nombre maximal de lignes autorisées pour effectuer le filtrage et le tri en mémoire. Si ce nombre est dépassé, le tri et le filtrage sont désactivés. Avertissement : l’augmentation de cette valeur peut avoir un impact sur les performances.", + "queryEditor.results.openAfterSave": "Indique si le fichier doit être ouvert dans Azure Data Studio une fois le résultat enregistré.", + "queryEditor.messages.showBatchTime": "Spécifie si la durée d'exécution doit être indiquée pour chaque lot", + "queryEditor.messages.wordwrap": "Messages de retour automatique à la ligne", + "queryEditor.chart.defaultChartType": "Type de graphique par défaut à utiliser à l'ouverture de la visionneuse graphique à partir des résultats d'une requête", + "queryEditor.tabColorMode.off": "La coloration des onglets est désactivée", + "queryEditor.tabColorMode.border": "La bordure supérieure de chaque onglet de l'éditeur est colorée pour correspondre au groupe de serveurs concerné", + "queryEditor.tabColorMode.fill": "La couleur d'arrière-plan de chaque onglet de l'éditeur correspond au groupe de serveurs concerné", + "queryEditor.tabColorMode": "Contrôle comment colorer les onglets en fonction du groupe de serveurs de leur connexion active", + "queryEditor.showConnectionInfoInTitle": "Contrôle s'il faut montrer les informations de connexion d'un onglet dans le titre.", + "queryEditor.promptToSaveGeneratedFiles": "Inviter à enregistrer les fichiers SQL générés", + "queryShortcutDescription": "Définissez la combinaison de touches workbench.action.query.shortcut{0} pour exécuter le texte du raccourci en tant qu’appel de procédure ou exécution de la requête. Tout texte sélectionné dans l’éditeur de requête est passé en tant que paramètre à la fin de votre requête, ou vous pouvez le référencer avec {arg}" + }, + "sql/workbench/contrib/query/browser/queryActions": { + "newQueryTask.newQuery": "Nouvelle requête", + "runQueryLabel": "Exécuter", + "cancelQueryLabel": "Annuler", + "estimatedQueryPlan": "Expliquer", + "actualQueryPlan": "Réel", + "disconnectDatabaseLabel": "Déconnecter", + "changeConnectionDatabaseLabel": "Changer la connexion", + "connectDatabaseLabel": "Connecter", + "enablesqlcmdLabel": "Activer SQLCMD", + "disablesqlcmdLabel": "Désactiver SQLCMD", + "selectDatabase": "Sélectionner une base de données", + "changeDatabase.failed": "Le changement de base de données a échoué", + "changeDatabase.failedWithError": "Le changement de la base de données {0} a échoué", + "queryEditor.exportSqlAsNotebook": "Exporter au format Notebook" + }, + "sql/workbench/contrib/query/browser/queryEditor": { + "queryEditor.name": "Query Editor" + }, + "sql/workbench/contrib/query/browser/queryResultsView": { + "resultsTabTitle": "Résultats", + "messagesTabTitle": "Messages" + }, + "sql/workbench/contrib/query/browser/statusBarItems": { + "status.query.timeElapsed": "Temps écoulé", + "status.query.rowCount": "Nombre de lignes", + "rowCount": "{0} lignes", + "query.status.executing": "Exécution de la requête...", + "status.query.status": "État d'exécution", + "status.query.selection-summary": "Récapitulatif de la sélection", + "status.query.summaryText": "Moyenne : {0}, nombre : {1}, somme : {2}" + }, + "sql/workbench/contrib/query/common/resultsGrid.contribution": { + "resultsGridConfigurationTitle": "Grille de résultats et messages", + "fontFamily": "Contrôle la famille de polices.", + "fontWeight": "Contrôle l'épaisseur de police.", + "fontSize": "Contrôle la taille de police en pixels.", + "letterSpacing": "Contrôle l'espacement des lettres en pixels.", + "rowHeight": "Contrôle la hauteur de ligne en pixels", + "cellPadding": "Contrôle l'espacement des cellules en pixels", + "autoSizeColumns": "Dimensionnez automatiquement la largeur de colonne en fonction des résultats initiaux. Problèmes de performance possibles avec les grands nombres de colonnes ou les grandes cellules", + "maxColumnWidth": "Largeur maximale en pixels des colonnes dimensionnées automatiquement" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryActions": { + "toggleQueryHistory": "Activer/désactiver l'historique des requêtes", + "queryHistory.delete": "Supprimer", + "queryHistory.clearLabel": "Effacer tout l'historique", + "queryHistory.openQuery": "Ouvrir la requête", + "queryHistory.runQuery": "Exécuter la requête", + "queryHistory.toggleCaptureLabel": "Activer/désactiver la capture de l'historique des requêtes", + "queryHistory.disableCapture": "Suspendre la capture de l'historique des requêtes", + "queryHistory.enableCapture": "Démarrer la capture de l'historique des requêtes" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryRenderer": { + "succeeded": "succès", + "failed": "échec" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryView": { + "noQueriesMessage": "Aucune requête à afficher.", + "queryHistory.regTreeAriaLabel": "Historique des requêtes" + }, + "sql/workbench/contrib/queryHistory/electron-browser/queryHistory": { + "queryHistoryConfigurationTitle": "QueryHistory", + "queryHistoryCaptureEnabled": "Indique si la capture de l'historique des requêtes est activée. Si la valeur est false, les requêtes exécutées ne sont pas capturées.", + "queryHistory.clearLabel": "Effacer tout l'historique", + "queryHistory.disableCapture": "Suspendre la capture de l'historique des requêtes", + "queryHistory.enableCapture": "Démarrer la capture de l'historique des requêtes", + "viewCategory": "Voir", + "miViewQueryHistory": "&&Historique des requêtes", + "queryHistory": "Historique des requêtes" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlan": { + "queryPlanTitle": "Plan de requête" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlanEditor": { + "queryPlanEditor": "Query Plan Editor" + }, + "sql/workbench/contrib/queryPlan/browser/topOperations": { + "topOperations.operation": "Opération", + "topOperations.object": "Objet", + "topOperations.estCost": "Coût estimé", + "topOperations.estSubtreeCost": "Coût estimé de la sous-arborescence", + "topOperations.actualRows": "Lignes réelles", + "topOperations.estRows": "Lignes estimées", + "topOperations.actualExecutions": "Exécutions réelles", + "topOperations.estCPUCost": "Coût estimé du processeur", + "topOperations.estIOCost": "Coût estimé des E/S", + "topOperations.parallel": "Parallèle", + "topOperations.actualRebinds": "Reliaisons réelles", + "topOperations.estRebinds": "Reliaisons estimées", + "topOperations.actualRewinds": "Rembobinages réels", + "topOperations.estRewinds": "Rembobinages estimés", + "topOperations.partitioned": "Partitionné", + "topOperationsTitle": "Principales opérations" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewer.contribution": { + "resourceViewer": "Visionneuse de ressources" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { + "resourceViewer.refresh": "Actualiser" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { + "resourceViewerTable.openError": "Erreur d'ouverture du lien : {0}", + "resourceViewerTable.commandError": "Erreur durant l'exécution de la commande « {0} » : {1}" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { + "resourceViewer.ariaLabel": "Arborescence de la visionneuse de ressources" + }, + "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { + "extension.contributes.resourceView.resource.id": "Identificateur de la ressource.", + "extension.contributes.resourceView.resource.name": "Nom de la vue, contrôlable de visu. À afficher", + "extension.contributes.resourceView.resource.icon": "Chemin de l'icône de ressource.", + "extension.contributes.resourceViewResources": "Fournit une ressource dans la vue des ressources", + "requirestring": "la propriété '{0}' est obligatoire et doit être de type 'string'", + "optstring": "La propriété '{0}' peut être omise ou doit être de type 'string'" + }, + "sql/workbench/contrib/restore/browser/restore.contribution": { + "restore": "Restaurer", + "backup": "Restaurer" + }, + "sql/workbench/contrib/restore/browser/restoreActions": { + "restore.isPreviewFeature": "Vous devez activer les fonctionnalités en préversion pour utiliser la restauration", + "restore.commandNotSupportedOutsideContext": "La commande de Restaurer n'est pas prise en charge en dehors d’un contexte du serveur. Sélectionnez un serveur ou une base de données et réessayez.", + "restore.commandNotSupported": "La commande de restauration n'est pas prise en charge pour les bases de données Azure SQL.", + "restoreAction.restore": "Restaurer" + }, + "sql/workbench/contrib/scripting/browser/scripting.contribution": { + "scriptAsCreate": "Script de création", + "scriptAsDelete": "Script de suppression", + "scriptAsSelect": "Sélectionnez les 1000 premiers", + "scriptAsExecute": "Script d'exécution", + "scriptAsAlter": "Script de modification", + "editData": "Modifier les données", + "scriptSelect": "Sélectionnez les 1000 premiers", + "scriptKustoSelect": "Prendre 10", + "scriptCreate": "Script de création", + "scriptExecute": "Script d'exécution", + "scriptAlter": "Script de modification", + "scriptDelete": "Script de suppression", + "refreshNode": "Actualiser" + }, + "sql/workbench/contrib/scripting/browser/scriptingActions": { + "refreshError": "Erreur pendant l'actualisation du nœud « {0} » : {1}" + }, + "sql/workbench/contrib/tasks/browser/tasks.contribution": { + "inProgressTasksChangesBadge": "{0} tâches en cours", + "viewCategory": "Voir", + "tasks": "Tâches", + "miViewTasks": "&&Tâches" + }, + "sql/workbench/contrib/tasks/browser/tasksActions": { + "toggleTasks": "Activer/désactiver des tâches" + }, + "sql/workbench/contrib/tasks/browser/tasksRenderer": { + "succeeded": "succès", + "failed": "échec", + "inProgress": "en cours", + "notStarted": "non démarré", + "canceled": "annulé", + "canceling": "annulation" + }, + "sql/workbench/contrib/tasks/browser/tasksView": { + "noTaskMessage": "Aucun historique des tâches à afficher.", + "taskHistory.regTreeAriaLabel": "Historique des tâches", + "taskError": "Erreur de tâche" + }, + "sql/workbench/contrib/tasks/common/tasksAction": { + "cancelTask.cancel": "Annuler", + "errorMsgFromCancelTask": "Échec de l’annulation de la tâche.", + "taskAction.script": "Script" + }, + "sql/workbench/contrib/views/browser/treeView": { + "no-dataprovider": "Aucun fournisseur de données inscrit pouvant fournir des données de vue.", + "refresh": "Actualiser", + "collapseAll": "Tout réduire", + "command-error": "Erreur pendant l'exécution de la commande {1} : {0}. Probablement due à l'extension qui contribue à {1}." + }, + "sql/workbench/contrib/webview/browser/webViewDialog": { + "webViewDialog.ok": "OK", + "webViewDialog.close": "Fermer" + }, + "sql/workbench/contrib/welcome/gettingStarted/browser/abstractEnablePreviewFeatures": { + "enablePreviewFeatures.notice": "Les fonctionnalités en préversion améliorent votre expérience dans Azure Data Studio en vous donnant un accès total aux nouvelles fonctionnalités et améliorations. Vous pouvez en savoir plus sur les fonctionnalités en préversion [ici] ({0}). Voulez-vous activer les fonctionnalités en préversion ?", + "enablePreviewFeatures.yes": "Oui (recommandé)", + "enablePreviewFeatures.no": "Non", + "enablePreviewFeatures.never": "Non, ne plus afficher" + }, + "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { + "welcomePage.previewBody": "Cette page de fonctionnalité est en préversion. Les fonctionnalités en préversion sont des nouvelles fonctionnalités en passe d'être définitivement intégrées dans le produit. Elles sont stables, mais ont besoin d'améliorations d'accessibilité supplémentaires. Nous vous invitons à nous faire part de vos commentaires en avant-première pendant leur développement.", + "welcomePage.preview": "Aperçu", + "welcomePage.createConnection": "Créer une connexion", + "welcomePage.createConnectionBody": "Connectez-vous à une instance de base de données en utilisant la boîte de dialogue de connexion.", + "welcomePage.runQuery": "Exécuter une requête", + "welcomePage.runQueryBody": "Interagir avec des données par le biais d'un éditeur de requête.", + "welcomePage.createNotebook": "Créer un notebook", + "welcomePage.createNotebookBody": "Générez un nouveau notebook à l'aide d'un éditeur de notebook natif.", + "welcomePage.deployServer": "Déployer un serveur", + "welcomePage.deployServerBody": "Créez une instance de service de données relationnelles sur la plateforme de votre choix.", + "welcomePage.resources": "Ressources", + "welcomePage.history": "Historique", + "welcomePage.name": "Nom", + "welcomePage.location": "Localisation", + "welcomePage.moreRecent": "Afficher plus", + "welcomePage.showOnStartup": "Afficher la page d'accueil au démarrage", + "welcomePage.usefuLinks": "Liens utiles", + "welcomePage.gettingStarted": "Démarrer", + "welcomePage.gettingStartedBody": "Découvrez les fonctionnalités offertes par Azure Data Studio et comment en tirer le meilleur parti.", + "welcomePage.documentation": "Documentation", + "welcomePage.documentationBody": "Visitez le centre de documentation pour obtenir des guides de démarrage rapide, des guides pratiques et des références pour PowerShell, les API, etc.", + "welcomePage.videos": "Vidéos", + "welcomePage.videoDescriptionOverview": "Vue d'ensemble d'Azure Data Studio", + "welcomePage.videoDescriptionIntroduction": "Présentation des notebooks Azure Data Studio | Données exposées", + "welcomePage.extensions": "Extensions", + "welcomePage.showAll": "Tout afficher", + "welcomePage.learnMore": "En savoir plus " + }, + "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { + "GuidedTour.connections": "Connexions", + "GuidedTour.makeConnections": "Connectez, interrogez et gérez vos connexions SQL Server, Azure, etc.", + "GuidedTour.one": "1", + "GuidedTour.next": "Suivant", + "GuidedTour.notebooks": "Notebooks", + "GuidedTour.gettingStartedNotebooks": "Démarrez en créant votre propre notebook ou collection de notebooks au même endroit.", + "GuidedTour.two": "2", + "GuidedTour.extensions": "Extensions", + "GuidedTour.addExtensions": "Étendez les fonctionnalités d'Azure Data Studio en installant des extensions développées par nous/Microsoft ainsi que par la communauté (vous !).", + "GuidedTour.three": "3", + "GuidedTour.settings": "Paramètres", + "GuidedTour.makeConnesetSettings": "Personnalisez Azure Data Studio en fonction de vos préférences. Vous pouvez configurer des paramètres comme l'enregistrement automatique et la taille des onglets, personnaliser vos raccourcis clavier et adopter le thème de couleur de votre choix.", + "GuidedTour.four": "4", + "GuidedTour.welcomePage": "Page d'accueil", + "GuidedTour.discoverWelcomePage": "Découvrez les fonctionnalités principales, les fichiers récemment ouverts et les extensions recommandées dans la page d'accueil. Pour plus d'informations sur le démarrage avec Azure Data Studio, consultez nos vidéos et notre documentation.", + "GuidedTour.five": "5", + "GuidedTour.finish": "Terminer", + "guidedTour": "Visite de bienvenue de l'utilisateur", + "hideGuidedTour": "Masquer la visite de bienvenue", + "GuidedTour.readMore": "En savoir plus", + "help": "Aide" + }, + "sql/workbench/contrib/welcome/page/browser/welcomePage": { + "welcomePage": "Bienvenue", + "welcomePage.adminPack": "Pack d'administration SQL", + "welcomePage.showAdminPack": "Pack d'administration SQL", + "welcomePage.adminPackDescription": "Le pack d'administration de SQL Server est une collection d'extensions d'administration de base de données courantes qui vous permet de gérer SQL Server", + "welcomePage.sqlServerAgent": "SQL Server Agent", + "welcomePage.sqlServerProfiler": "SQL Server Profiler", + "welcomePage.sqlServerImport": "Importation SQL Server", + "welcomePage.sqlServerDacpac": "Package DAC SQL Server", + "welcomePage.powershell": "PowerShell", + "welcomePage.powershellDescription": "Écrire et exécuter des scripts PowerShell à l'aide de l'éditeur de requêtes complet d'Azure Data Studio", + "welcomePage.dataVirtualization": "Virtualisation des données", + "welcomePage.dataVirtualizationDescription": "Virtualiser les données avec SQL Server 2019 et créer des tables externes à l'aide d'Assistants interactifs", + "welcomePage.PostgreSQL": "PostgreSQL", + "welcomePage.PostgreSQLDescription": "Connecter, interroger et gérer les bases de données Postgres avec Azure Data Studio", + "welcomePage.extensionPackAlreadyInstalled": "Le support pour {0} est déjà installé.", + "welcomePage.willReloadAfterInstallingExtensionPack": "La fenêtre se recharge après l'installation d'un support supplémentaire pour {0}.", + "welcomePage.installingExtensionPack": "Installation d'un support supplémentaire pour {0}...", + "welcomePage.extensionPackNotFound": "Le support pour {0} avec l'ID {1} est introuvable.", + "welcomePage.newConnection": "Nouvelle connexion", + "welcomePage.newQuery": "Nouvelle requête", + "welcomePage.newNotebook": "Nouveau notebook", + "welcomePage.deployServer": "Déployer un serveur", + "welcome.title": "Bienvenue", + "welcomePage.new": "Nouveau", + "welcomePage.open": "Ouvrir…", + "welcomePage.openFile": "Ouvrir le fichier...", + "welcomePage.openFolder": "Ouvrir le dossier...", + "welcomePage.startTour": "Démarrer la visite guidée", + "closeTourBar": "Fermer la barre de présentation rapide", + "WelcomePage.TakeATour": "Voulez-vous voir une présentation rapide d'Azure Data Studio ?", + "WelcomePage.welcome": "Bienvenue !", + "welcomePage.openFolderWithPath": "Ouvrir le dossier {0} avec le chemin {1}", + "welcomePage.install": "Installer", + "welcomePage.installKeymap": "Installer le mappage de touches {0}", + "welcomePage.installExtensionPack": "Installer un support supplémentaire pour {0} ", + "welcomePage.installed": "Installé", + "welcomePage.installedKeymap": "Le mappage de touches '{0}' est déjà installé", + "welcomePage.installedExtensionPack": "Le support {0} est déjà installé.", + "ok": "OK", + "details": "Détails", + "welcomePage.background": "Couleur d'arrière-plan de la page d'accueil." + }, + "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { + "welcomePage.azdata": "Azure Data Studio", + "welcomePage.start": "Démarrer", + "welcomePage.newConnection": "Nouvelle connexion", + "welcomePage.newQuery": "Nouvelle requête", + "welcomePage.newNotebook": "Nouveau notebook", + "welcomePage.openFileMac": "Ouvrir un fichier", + "welcomePage.openFileLinuxPC": "Ouvrir un fichier", + "welcomePage.deploy": "Déployer", + "welcomePage.newDeployment": "Nouveau déploiement...", + "welcomePage.recent": "Récent", + "welcomePage.moreRecent": "Plus...", + "welcomePage.noRecentFolders": "Aucun dossier récent", + "welcomePage.help": "Aide", + "welcomePage.gettingStarted": "Démarrer", + "welcomePage.productDocumentation": "Documentation", + "welcomePage.reportIssue": "Signaler un problème ou une demande de fonctionnalité", + "welcomePage.gitHubRepository": "Dépôt GitHub", + "welcomePage.releaseNotes": "Notes de publication", + "welcomePage.showOnStartup": "Afficher la page d'accueil au démarrage", + "welcomePage.customize": "Personnaliser", + "welcomePage.extensions": "Extensions", + "welcomePage.extensionDescription": "Téléchargez les extensions dont vous avez besoin, notamment le pack d'administration SQL Server", + "welcomePage.keyboardShortcut": "Raccourcis clavier", + "welcomePage.keyboardShortcutDescription": "Rechercher vos commandes préférées et les personnaliser", + "welcomePage.colorTheme": "Thème de couleur", + "welcomePage.colorThemeDescription": "Personnalisez l'apparence de l'éditeur et de votre code", + "welcomePage.learn": "Apprendre", + "welcomePage.showCommands": "Rechercher et exécuter toutes les commandes", + "welcomePage.showCommandsDescription": "La palette de commandes ({0}) permet d'accéder rapidement aux commandes pour en rechercher une", + "welcomePage.azdataBlog": "Découvrir les nouveautés de la dernière version", + "welcomePage.azdataBlogDescription": "Nouveaux billets de blog mensuels mettant en avant nos nouvelles fonctionnalités", + "welcomePage.followTwitter": "Suivez-nous sur Twitter", + "welcomePage.followTwitterDescription": "Informez-vous de la façon dont la communauté utilise Azure Data Studio et discutez directement avec les ingénieurs." + }, + "sql/workbench/services/accountManagement/browser/accountDialog": { + "accountExplorer.name": "Comptes", + "linkedAccounts": "Comptes liés", + "accountDialog.close": "Fermer", + "accountDialog.noAccountLabel": "Aucun compte lié. Ajoutez un compte.", + "accountDialog.addConnection": "Ajouter un compte", + "accountDialog.noCloudsRegistered": "Aucun cloud n'est activé. Accéder à Paramètres -> Rechercher dans la configuration de compte Azure -> Activer au moins un cloud", + "accountDialog.didNotPickAuthProvider": "Vous n'avez sélectionné aucun fournisseur d'authentification. Réessayez." + }, + "sql/workbench/services/accountManagement/browser/accountDialogController": { + "accountDialog.addAccountErrorTitle": "Erreur d'ajout de compte" + }, + "sql/workbench/services/accountManagement/browser/accountListRenderer": { + "refreshCredentials": "Vous devez actualiser les informations d'identification de ce compte." + }, + "sql/workbench/services/accountManagement/browser/accountManagementService": { + "accountManagementService.close": "Fermer", + "loggingIn": "Ajout du compte...", + "refreshFailed": "L'actualisation du compte a été annulée par l'utilisateur" + }, + "sql/workbench/services/accountManagement/browser/accountPickerImpl": { + "azureAccount": "Compte Azure", + "azureTenant": "Locataire Azure" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { + "copyAndOpen": "Copier et ouvrir", + "oauthDialog.cancel": "Annuler", + "userCode": "Code utilisateur", + "website": "Site web" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { + "oauthFlyoutIsAlreadyOpen": "Impossible de démarrer une authentification OAuth automatique. Il y en a déjà une en cours." + }, + "sql/workbench/services/admin/common/adminService": { + "adminService.providerIdNotValidError": "La connexion est nécessaire pour interagir avec adminservice", + "adminService.noHandlerRegistered": "Aucun gestionnaire inscrit" + }, + "sql/workbench/services/assessment/common/assessmentService": { + "asmt.providerIdNotValidError": "La connexion est nécessaire pour interagir avec le service d'évaluation", + "asmt.noHandlerRegistered": "Aucun gestionnaire inscrit" + }, + "sql/workbench/services/connection/browser/advancedPropertiesController": { + "connectionAdvancedProperties": "Propriétés avancées", + "advancedProperties.discard": "Abandonner" + }, + "sql/workbench/services/connection/browser/cmsConnectionWidget": { + "serverDescription": "Description du serveur (facultatif)" + }, + "sql/workbench/services/connection/browser/connectionActions": { + "ClearRecentlyUsedLabel": "Effacer la liste", + "ClearedRecentConnections": "Liste des dernières connexions effacée", + "connectionAction.yes": "Oui", + "connectionAction.no": "Non", + "clearRecentConnectionMessage": "Voulez-vous vraiment supprimer toutes les connexions de la liste ?", + "connectionDialog.yes": "Oui", + "connectionDialog.no": "Non", + "delete": "Supprimer", + "connectionAction.GetCurrentConnectionString": "Obtenir la chaîne de connexion actuelle", + "connectionAction.connectionString": "Chaîne de connexion non disponible", + "connectionAction.noConnection": "Aucune connexion active disponible" + }, + "sql/workbench/services/connection/browser/connectionBrowseTab": { + "connectionDialog.browser": "Parcourir", + "connectionDialog.FilterPlaceHolder": "Tapez ici pour filtrer la liste", + "connectionDialog.FilterInputTitle": "Filtrer les connexions", + "connectionDialog.ApplyingFilter": "Application du filtre", + "connectionDialog.RemovingFilter": "Suppression du filtre", + "connectionDialog.FilterApplied": "Filtre appliqué", + "connectionDialog.FilterRemoved": "Filtre supprimé", + "savedConnections": "Connexions enregistrées", + "savedConnection": "Connexions enregistrées", + "connectionBrowserTree": "Arborescence du navigateur de connexion" + }, + "sql/workbench/services/connection/browser/connectionDialogService": { + "connectionError": "Erreur de connexion", + "kerberosErrorStart": "La connexion a échoué en raison d'une erreur Kerberos.", + "kerberosHelpLink": "L'aide pour configurer Kerberos est disponible sur {0}", + "kerberosKinit": "Si vous vous êtes déjà connecté, vous devez peut-être réexécuter kinit." + }, + "sql/workbench/services/connection/browser/connectionDialogWidget": { + "connection": "Connexion", + "connecting": "Connexion", + "connectType": "Type de connexion", + "recentConnectionTitle": "Récent", + "connectionDetailsTitle": "Détails de la connexion", + "connectionDialog.connect": "Connecter", + "connectionDialog.cancel": "Annuler", + "connectionDialog.recentConnections": "Connexions récentes", + "noRecentConnections": "Aucune connexion récente" + }, + "sql/workbench/services/connection/browser/connectionManagementService": { + "connection.noAzureAccount": "L'obtention d'un jeton de compte Azure pour la connexion a échoué", + "connectionNotAcceptedError": "Connexion non acceptée", + "connectionService.yes": "Oui", + "connectionService.no": "Non", + "cancelConnectionConfirmation": "Voulez-vous vraiment annuler cette connexion ?" + }, + "sql/workbench/services/connection/browser/connectionWidget": { + "connectionWidget.AddAzureAccount": "Ajouter un compte...", + "defaultDatabaseOption": "", + "loadingDatabaseOption": "Chargement...", + "serverGroup": "Groupe de serveurs", + "defaultServerGroup": "", + "addNewServerGroup": "Ajouter un nouveau groupe...", + "noneServerGroup": "", + "connectionWidget.missingRequireField": "{0} est obligatoire.", + "connectionWidget.fieldWillBeTrimmed": "{0} est tronqué.", + "rememberPassword": "Se souvenir du mot de passe", + "connection.azureAccountDropdownLabel": "Compte", + "connectionWidget.refreshAzureCredentials": "Actualiser les informations d'identification du compte", + "connection.azureTenantDropdownLabel": "Locataire Azure AD", + "connectionName": "Nom (facultatif)", + "advanced": "Avancé...", + "connectionWidget.invalidAzureAccount": "Vous devez sélectionner un compte" + }, + "sql/workbench/services/connection/browser/localizedConstants": { + "onDidConnectMessage": "Connecté à", + "onDidDisconnectMessage": "Déconnecté", + "unsavedGroupLabel": "Connexions non enregistrées" + }, + "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { + "newDashboardTab.openDashboardExtensions": "Ouvrir les extensions de tableau de bord", + "newDashboardTab.ok": "OK", + "newDashboardTab.cancel": "Annuler", + "newdashboardTabDialog.noExtensionLabel": "Aucune extension de tableau de bord n'est actuellement installée. Accédez au gestionnaire d'extensions pour explorer les extensions recommandées." + }, + "sql/workbench/services/dialog/browser/dialogPane": { + "wizardPageNumberDisplayText": "Étape {0}" + }, + "sql/workbench/services/dialog/common/dialogTypes": { + "dialogModalDoneButtonLabel": "Terminé", + "dialogModalCancelButtonLabel": "Annuler" + }, + "sql/workbench/services/editData/common/editQueryRunner": { + "query.initEditExecutionFailed": "L'initialisation de la session de modification des données a échoué : " + }, + "sql/workbench/services/errorMessage/browser/errorMessageDialog": { + "errorMessageDialog.ok": "OK", + "errorMessageDialog.close": "Fermer", + "errorMessageDialog.action": "Action", + "copyDetails": "Copier les détails" + }, + "sql/workbench/services/errorMessage/browser/errorMessageService": { + "error": "Erreur", + "warning": "Avertissement", + "info": "Informations", + "ignore": "Ignorer" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { + "filebrowser.filepath": "Chemin sélectionné", + "fileFilter": "Fichiers de type", + "fileBrowser.ok": "OK", + "fileBrowser.discard": "Ignorer" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialogController": { + "filebrowser.selectFile": "Sélectionnez un fichier" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { + "fileBrowser.regTreeAriaLabel": "Arborescence de l'explorateur de fichiers" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserService": { + "fileBrowserErrorMessage": "Une erreur s'est produite pendant le chargement de l'explorateur de fichiers.", + "fileBrowserErrorDialogTitle": "Erreur de l'explorateur de fichiers" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { + "allFiles": "Tous les fichiers" + }, + "sql/workbench/services/insights/browser/insightDialogActions": { + "workbench.action.insights.copySelection": "Copier la cellule" + }, + "sql/workbench/services/insights/browser/insightsDialogController": { + "insightsInputError": "Aucun profil de connexion n'a été passé au menu volant des insights", + "insightsError": "Erreur d'insights", + "insightsFileError": "Une erreur s'est produite à la lecture du fichier de requête : ", + "insightsConfigError": "Une erreur s'est produite à l'analyse de la configuration d'insight. Tableau/chaîne de requête ou fichier de requête introuvable" + }, + "sql/workbench/services/insights/browser/insightsDialogView": { + "insights.item": "Élément", + "insights.value": "Valeur", + "insightsDetailView.name": "Détails de l'insight", + "property": "Propriété", + "value": "Valeur", + "InsightsDialogTitle": "Insights", + "insights.dialog.items": "Éléments", + "insights.dialog.itemDetails": "Détails d'élément" + }, + "sql/workbench/services/insights/common/insightsUtils": { + "insightsDidNotFindResolvedFile": "Fichier de requête introuvable dans les chemins suivants :\r\n {0}" + }, + "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { + "agentUtilities.failed": "Échec", + "agentUtilities.succeeded": "Réussite", + "agentUtilities.retry": "Réessayer", + "agentUtilities.canceled": "Annulé", + "agentUtilities.inProgress": "En cours", + "agentUtilities.statusUnknown": "État inconnu", + "agentUtilities.executing": "Exécution", + "agentUtilities.waitingForThread": "En attente de thread", + "agentUtilities.betweenRetries": "Entre les tentatives", + "agentUtilities.idle": "Inactif", + "agentUtilities.suspended": "Suspendu", + "agentUtilities.obsolete": "[Obsolète]", + "agentUtilities.yes": "Oui", + "agentUtilities.no": "Non", + "agentUtilities.notScheduled": "Non planifié", + "agentUtilities.neverRun": "Ne jamais exécuter" + }, + "sql/workbench/services/jobManagement/common/jobManagementService": { + "providerIdNotValidError": "Une connexion est nécessaire pour interagir avec JobManagementService", + "noHandlerRegistered": "Aucun gestionnaire inscrit" + }, + "sql/workbench/services/notebook/browser/interfaces": { + "sqlKernel": "SQL" + }, "sql/workbench/services/notebook/browser/models/cell": { "runCellCancelled": "Exécution de cellule annulée", "executionCanceled": "L'exécution de requête a été annulée", @@ -11325,12 +11224,223 @@ "noDefaultKernel": "Aucun noyau disponible pour ce notebook", "commandSuccessful": "Commande exécutée" }, + "sql/workbench/services/notebook/browser/models/clientSession": { + "clientSession.unknownError": "Une erreur s'est produite au démarrage d'une session de notebook", + "ServerNotStarted": "Le serveur n'a pas démarré pour une raison inconnue", + "kernelRequiresConnection": "Noyau {0} introuvable. Le noyau par défaut est utilisé à la place." + }, "sql/workbench/services/notebook/browser/models/notebookContexts": { "selectConnection": "Sélectionner une connexion", "localhost": "localhost" }, - "sql/workbench/browser/parts/editor/editorStatusModeSelect": { - "languageChangeUnsupported": "Le changement des types d'éditeur pour les fichiers non enregistrés n'est pas pris en charge" + "sql/workbench/services/notebook/browser/models/notebookModel": { + "injectedParametersMsg": "# Paramètres injectés\r\n", + "kernelRequiresConnection": "Sélectionnez une connexion afin d'exécuter les cellules pour ce noyau", + "deleteCellFailed": "La suppression de la cellule a échoué.", + "changeKernelFailedRetry": "Le changement de noyau a échoué. Le noyau {0} est utilisé. Erreur : {1}", + "changeKernelFailed": "Le changement de noyau a échoué en raison de l'erreur : {0}", + "changeContextFailed": "Le changement de contexte a échoué : {0}", + "startSessionFailed": "Impossible de démarrer la session : {0}", + "shutdownClientSessionError": "Une erreur de session du client s'est produite pendant la fermeture du notebook : {0}", + "ProviderNoManager": "Gestionnaire de notebook introuvable pour le fournisseur {0}" + }, + "sql/workbench/services/notebook/browser/notebookServiceImpl": { + "notebookUriNotDefined": "Aucun URI passé pendant la création d'un gestionnaire de notebook", + "notebookServiceNoProvider": "Le fournisseur de notebooks n'existe pas" + }, + "sql/workbench/services/notebook/browser/notebookViews/notebookViewModel": { + "notebookView.nameTaken": "Une vue portant le nom {0} existe déjà dans ce bloc-notes." + }, + "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { + "sqlKernelError": "Erreur de noyau SQL", + "connectionRequired": "Une connexion doit être choisie pour exécuter des cellules de notebook", + "sqlMaxRowsDisplayed": "Affichage des {0} premières lignes." + }, + "sql/workbench/services/notebook/common/contracts": { + "notebook.richTextEditMode": "Texte riche", + "notebook.splitViewEditMode": "Mode fractionné", + "notebook.markdownEditMode": "Markdown" + }, + "sql/workbench/services/notebook/common/localContentManager": { + "nbformatNotRecognized": "nbformat v{0}.{1} non reconnu", + "nbNotSupported": "Ce fichier n'a pas un format de notebook valide", + "unknownCellType": "Type de cellule {0} inconnu", + "unrecognizedOutput": "Type de sortie {0} non reconnu", + "invalidMimeData": "Les données de {0} doivent être une chaîne ou un tableau de chaînes", + "unrecognizedOutputType": "Type de sortie {0} non reconnu" + }, + "sql/workbench/services/notebook/common/notebookRegistry": { + "carbon.extension.contributes.notebook.provider": "Identificateur du fournisseur de notebooks.", + "carbon.extension.contributes.notebook.fileExtensions": "Extensions de fichier à inscrire dans ce fournisseur de notebooks", + "carbon.extension.contributes.notebook.standardKernels": "Noyaux devant être standard avec ce fournisseur de notebooks", + "vscode.extension.contributes.notebook.providers": "Ajoute des fournisseurs de notebooks.", + "carbon.extension.contributes.notebook.magic": "Nom de la cellule magique, par exemple, '%%sql'.", + "carbon.extension.contributes.notebook.language": "Langage de cellule à utiliser si cette commande magique est incluse dans la cellule", + "carbon.extension.contributes.notebook.executionTarget": "Cible d'exécution facultative que cette commande magique indique, par exemple, Spark vs. SQL", + "carbon.extension.contributes.notebook.kernels": "Ensemble facultatif de noyaux, valable, par exemple, pour python3, pyspark, sql", + "vscode.extension.contributes.notebook.languagemagics": "Ajoute un langage de notebook." + }, + "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { + "loading": "Chargement..." + }, + "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { + "connectionTree.refresh": "Actualiser", + "connectionTree.editConnection": "Modifier la connexion", + "DisconnectAction": "Déconnecter", + "connectionTree.addConnection": "Nouvelle connexion", + "connectionTree.addServerGroup": "Nouveau groupe de serveurs", + "connectionTree.editServerGroup": "Modifier le groupe de serveurs", + "activeConnections": "Afficher les connexions actives", + "showAllConnections": "Afficher toutes les connexions", + "deleteConnection": "Supprimer la connexion", + "deleteConnectionGroup": "Supprimer le groupe" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerService": { + "OeSessionFailedError": "La création d'une session de l'Explorateur d'objets a échoué", + "nodeExpansionError": "Plusieurs erreurs :" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerViewTreeShim": { + "noProviderFound": "Développement impossible, car le fournisseur de connexion nécessaire '{0}' est introuvable", + "loginCanceled": "Annulé par l'utilisateur", + "firewallCanceled": "Boîte de dialogue de pare-feu annulée" + }, + "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { + "loading": "Chargement..." + }, + "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { + "treeAriaLabel": "Connexions récentes", + "serversAriaLabel": "Serveurs", + "treeCreation.regTreeAriaLabel": "Serveurs" + }, + "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { + "eventSort": "Trier par événement", + "nameColumn": "Trier par colonne", + "profilerColumnDialog.profiler": "Profiler", + "profilerColumnDialog.ok": "OK", + "profilerColumnDialog.cancel": "Annuler" + }, + "sql/workbench/services/profiler/browser/profilerFilterDialog": { + "profilerFilterDialog.clear": "Tout effacer", + "profilerFilterDialog.apply": "Appliquer", + "profilerFilterDialog.ok": "OK", + "profilerFilterDialog.cancel": "Annuler", + "profilerFilterDialog.title": "Filtres", + "profilerFilterDialog.remove": "Supprimer cette clause", + "profilerFilterDialog.saveFilter": "Enregistrer le filtre", + "profilerFilterDialog.loadFilter": "Charger le filtre", + "profilerFilterDialog.addClauseText": "Ajouter une clause", + "profilerFilterDialog.fieldColumn": "Champ", + "profilerFilterDialog.operatorColumn": "Opérateur", + "profilerFilterDialog.valueColumn": "Valeur", + "profilerFilterDialog.isNullOperator": "Est Null", + "profilerFilterDialog.isNotNullOperator": "N'est pas Null", + "profilerFilterDialog.containsOperator": "Contient", + "profilerFilterDialog.notContainsOperator": "Ne contient pas", + "profilerFilterDialog.startsWithOperator": "Commence par", + "profilerFilterDialog.notStartsWithOperator": "Ne commence pas par" + }, + "sql/workbench/services/query/common/queryModelService": { + "commitEditFailed": "La validation de la ligne a échoué : ", + "runQueryBatchStartMessage": "Exécution de la requête démarrée à ", + "runQueryStringBatchStartMessage": "L'exécution de la requête \"{0}\" a démarré", + "runQueryBatchStartLine": "Ligne {0}", + "msgCancelQueryFailed": "L'annulation de la requête a échoué : {0}", + "updateCellFailed": "La mise à jour de la cellule a échoué : " + }, + "sql/workbench/services/query/common/queryRunner": { + "query.ExecutionFailedError": "L'exécution a échoué en raison d'une erreur inattendue : {0}\t{1}", + "query.message.executionTime": "Durée d'exécution totale : {0}", + "query.message.startQueryWithRange": "L'exécution de la requête a démarré à la ligne {0}", + "query.message.startQuery": "Démarrage de l'exécution du lot {0}", + "elapsedBatchTime": "Durée d'exécution en lot : {0}", + "copyFailed": "La copie a échoué avec l'erreur {0}" + }, + "sql/workbench/services/query/common/resultSerializer": { + "msgSaveFailed": "L'enregistrement des résultats a échoué. ", + "resultsSerializer.saveAsFileTitle": "Choisir le fichier de résultats", + "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (valeurs séparées par des virgules)", + "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", + "resultsSerializer.saveAsFileExtensionExcelTitle": "Classeur Excel", + "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", + "resultsSerializer.saveAsFileExtensionTXTTitle": "Texte brut", + "savingFile": "Enregistrement du fichier...", + "msgSaveSucceeded": "Résultats enregistrés dans {0}", + "openFile": "Ouvrir un fichier" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { + "from": "De", + "to": "À", + "createNewFirewallRule": "Créer une règle de pare-feu", + "firewall.ok": "OK", + "firewall.cancel": "Annuler", + "firewallRuleDialogDescription": "L'adresse IP de votre client n'a pas accès au serveur. Connectez-vous à un compte Azure et créez une règle de pare-feu pour autoriser l'accès.", + "firewallRuleHelpDescription": "En savoir plus sur les paramètres de pare-feu", + "filewallRule": "Règle de pare-feu", + "addIPAddressLabel": "Ajouter l'adresse IP de mon client ", + "addIpRangeLabel": "Ajouter la plage d'adresses IP de mon sous-réseau" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialogController": { + "firewallDialog.addAccountErrorTitle": "Erreur d'ajout de compte", + "firewallRuleError": "Erreur de règle de pare-feu" + }, + "sql/workbench/services/restore/browser/restoreDialog": { + "backupFilePath": "Chemin du fichier de sauvegarde", + "targetDatabase": "Base de données cible", + "restoreDialog.restore": "Restaurer", + "restoreDialog.restoreTitle": "Restaurer la base de données", + "restoreDialog.database": "Base de données", + "restoreDialog.backupFile": "Fichier de sauvegarde", + "RestoreDialogTitle": "Restaurer la base de données", + "restoreDialog.cancel": "Annuler", + "restoreDialog.script": "Script", + "source": "Source", + "restoreFrom": "Restaurer à partir de", + "missingBackupFilePathError": "Le chemin du fichier de sauvegarde est obligatoire.", + "multipleBackupFilePath": "Entrez un ou plusieurs chemins de fichier séparés par des virgules", + "database": "Base de données", + "destination": "Destination", + "restoreTo": "Restaurer vers", + "restorePlan": "Plan de restauration", + "backupSetsToRestore": "Jeux de sauvegarde à restaurer", + "restoreDatabaseFileAs": "Restaurer les fichiers de base de données en tant que", + "restoreDatabaseFileDetails": "Restaurer les détails du fichier de base de données", + "logicalFileName": "Nom de fichier logique", + "fileType": "Type de fichier", + "originalFileName": "Nom de fichier d'origine", + "restoreAs": "Restaurer comme", + "restoreOptions": "Options de restauration", + "taillogBackup": "Sauvegarde de la fin du journal", + "serverConnection": "Connexions du serveur", + "generalTitle": "Général", + "filesTitle": "Fichiers", + "optionsTitle": "Options" + }, + "sql/workbench/services/restore/common/constants": { + "backup.filterBackupFiles": "Fichiers de sauvegarde", + "backup.allFiles": "Tous les fichiers" + }, + "sql/workbench/services/serverGroup/browser/serverGroupDialog": { + "ServerGroupsDialogTitle": "Groupes de serveurs", + "serverGroup.ok": "OK", + "serverGroup.cancel": "Annuler", + "connectionGroupName": "Nom de groupe de serveurs", + "MissingGroupNameError": "Le nom du groupe est obligatoire.", + "groupDescription": "Description de groupe", + "groupColor": "Couleur de groupe" + }, + "sql/workbench/services/serverGroup/common/serverGroupViewModel": { + "serverGroup.addServerGroup": "Ajouter un groupe de serveurs", + "serverGroup.editServerGroup": "Modifier le groupe de serveurs" + }, + "sql/workbench/services/tasks/common/tasksService": { + "InProgressWarning": "1 ou plusieurs tâches sont en cours. Voulez-vous vraiment quitter ?", + "taskService.yes": "Oui", + "taskService.no": "Non" + }, + "sql/workbench/update/electron-browser/releaseNotes": { + "gettingStarted": "Démarrer", + "showReleaseNotes": "Afficher la prise en main", + "miGettingStarted": "Pri&&se en main" } } } \ No newline at end of file diff --git a/i18n/ads-language-pack-it/package.json b/i18n/ads-language-pack-it/package.json index 99b8903141..ea2803e1fa 100644 --- a/i18n/ads-language-pack-it/package.json +++ b/i18n/ads-language-pack-it/package.json @@ -2,7 +2,7 @@ "name": "ads-language-pack-it", "displayName": "Italian Language Pack for Azure Data Studio", "description": "Language pack extension for Italian", - "version": "1.29.0", + "version": "1.31.0", "publisher": "Microsoft", "repository": { "type": "git", @@ -11,7 +11,7 @@ "license": "SEE SOURCE EULA LICENSE IN LICENSE.txt", "engines": { "vscode": "*", - "azdata": ">=1.29.0" + "azdata": "^0.0.0" }, "icon": "languagepack.png", "categories": [ @@ -164,6 +164,14 @@ "id": "vscode.yaml", "path": "./translations/extensions/yaml.i18n.json" }, + { + "id": "Microsoft.admin-tool-ext-win", + "path": "./translations/extensions/admin-tool-ext-win.i18n.json" + }, + { + "id": "Microsoft.agent", + "path": "./translations/extensions/agent.i18n.json" + }, { "id": "Microsoft.azurecore", "path": "./translations/extensions/azurecore.i18n.json" @@ -172,6 +180,18 @@ "id": "Microsoft.big-data-cluster", "path": "./translations/extensions/big-data-cluster.i18n.json" }, + { + "id": "Microsoft.cms", + "path": "./translations/extensions/cms.i18n.json" + }, + { + "id": "Microsoft.dacpac", + "path": "./translations/extensions/dacpac.i18n.json" + }, + { + "id": "Microsoft.import", + "path": "./translations/extensions/import.i18n.json" + }, { "id": "Microsoft.sqlservernotebook", "path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json" @@ -184,9 +204,17 @@ "id": "Microsoft.notebook", "path": "./translations/extensions/notebook.i18n.json" }, + { + "id": "Microsoft.profiler", + "path": "./translations/extensions/profiler.i18n.json" + }, { "id": "Microsoft.resource-deployment", "path": "./translations/extensions/resource-deployment.i18n.json" + }, + { + "id": "Microsoft.schema-compare", + "path": "./translations/extensions/schema-compare.i18n.json" } ] } diff --git a/i18n/ads-language-pack-it/translations/extensions/admin-tool-ext-win.i18n.json b/i18n/ads-language-pack-it/translations/extensions/admin-tool-ext-win.i18n.json new file mode 100644 index 0000000000..1d95090d09 --- /dev/null +++ b/i18n/ads-language-pack-it/translations/extensions/admin-tool-ext-win.i18n.json @@ -0,0 +1,26 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "adminToolExtWin.displayName": "Estensioni di strumenti di amministrazione di database per Windows", + "adminToolExtWin.description": "Consente di aggiungere altre funzionalità specifiche di Windows ad Azure Data Studio", + "adminToolExtWin.propertiesMenuItem": "Proprietà", + "adminToolExtWin.launchGswMenuItem": "Genera script..." + }, + "dist/main": { + "adminToolExtWin.noConnectionContextForProp": "Non è stato specificato alcun elemento ConnectionContext per handleLaunchSsmsMinPropertiesDialogCommand", + "adminToolExtWin.noOENode": "Non è stato possibile determinare il nodo di Esplora oggetti da connectionContext: {0}", + "adminToolExtWin.noConnectionContextForGsw": "Non è stato specificato alcun elemento ConnectionContext per handleLaunchSsmsMinPropertiesDialogCommand", + "adminToolExtWin.noConnectionProfile": "Non è stato specificato alcun elemento connectionProfile da connectionContext: {0}", + "adminToolExtWin.launchingDialogStatus": "Avvio della finestra di dialogo...", + "adminToolExtWin.ssmsMinError": "Si è verificato un errore durante la chiamata di SsmsMin con gli argomenti '{0}' - {1}" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-it/translations/extensions/agent.i18n.json b/i18n/ads-language-pack-it/translations/extensions/agent.i18n.json new file mode 100644 index 0000000000..3927c2def3 --- /dev/null +++ b/i18n/ads-language-pack-it/translations/extensions/agent.i18n.json @@ -0,0 +1,282 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/agentDialog": { + "agentDialog.OK": "OK", + "agentDialog.Cancel": "Annulla" + }, + "dist/dialogs/jobStepDialog": { + "jobStepDialog.fileBrowserTitle": "Trova file di database - ", + "jobStepDialog.ok": "OK", + "jobStepDialog.cancel": "Annulla", + "jobStepDialog.general": "Generale", + "jobStepDialog.advanced": "Avanzate", + "jobStepDialog.open": "Apri...", + "jobStepDialog.parse": "Analizza", + "jobStepDialog.successParse": "Il comando è stato analizzato.", + "jobStepDialog.failParse": "Il comando non è riuscito.", + "jobStepDialog.blankStepName": "Il nome del passaggio non può essere lasciato vuoto", + "jobStepDialog.processExitCode": "Codice di uscita processo di un comando riuscito:", + "jobStepDialog.stepNameLabel": "Nome del passaggio", + "jobStepDialog.typeLabel": "Tipo", + "jobStepDialog.runAsLabel": "Esegui come", + "jobStepDialog.databaseLabel": "Database", + "jobStepDialog.commandLabel": "Comando", + "jobStepDialog.successAction": "Azione in caso di operazione riuscita", + "jobStepDialog.failureAction": "Azione in caso di errore", + "jobStepDialog.runAsUser": "Esegui come utente", + "jobStepDialog.retryAttempts": "Numero di tentativi", + "jobStepDialog.retryInterval": "Intervallo tra tentativi (minuti)", + "jobStepDialog.logToTable": "Registra nella tabella", + "jobStepDialog.appendExistingTableEntry": "Accoda output a voce esistente nella tabella", + "jobStepDialog.includeStepOutputHistory": "Includi output del passaggio nella cronologia", + "jobStepDialog.outputFile": "File di output", + "jobStepDialog.appendOutputToFile": "Accoda output a file esistente", + "jobStepDialog.selectedPath": "Percorso selezionato", + "jobStepDialog.filesOfType": "File di tipo", + "jobStepDialog.fileName": "Nome file", + "jobStepDialog.allFiles": "Tutti i file (*)", + "jobStepDialog.newJobStep": "Nuovo passaggio del processo", + "jobStepDialog.editJobStep": "Modifica passaggio del processo", + "jobStepDialog.TSQL": "Script Transact-SQL (T-SQL)", + "jobStepDialog.powershell": "PowerShell", + "jobStepDialog.CmdExec": "Sistema operativo (CmdExec)", + "jobStepDialog.replicationDistribution": "Database di distribuzione repliche", + "jobStepDialog.replicationMerge": "Merge repliche", + "jobStepDialog.replicationQueueReader": "Lettore coda di repliche", + "jobStepDialog.replicationSnapshot": "Snapshot repliche", + "jobStepDialog.replicationTransactionLogReader": "Lettura log delle transazioni di replica", + "jobStepDialog.analysisCommand": "Comando di SQL Server Analysis Services", + "jobStepDialog.analysisQuery": "Query di SQL Server Analysis Services", + "jobStepDialog.servicesPackage": "Pacchetto SQL Server Integration Services", + "jobStepDialog.agentServiceAccount": "Account del servizio SQL Server Agent", + "jobStepDialog.nextStep": "Vai al passaggio successivo", + "jobStepDialog.quitJobSuccess": "Termina il processo segnalandone la riuscita", + "jobStepDialog.quitJobFailure": "Termina il processo segnalandone un errore" + }, + "dist/dialogs/pickScheduleDialog": { + "pickSchedule.jobSchedules": "Pianificazioni processi", + "pickSchedule.ok": "OK", + "pickSchedule.cancel": "Annulla", + "pickSchedule.availableSchedules": "Pianificazioni disponibili:", + "pickSchedule.scheduleName": "Nome", + "pickSchedule.scheduleID": "ID", + "pickSchedule.description": "Descrizione" + }, + "dist/dialogs/alertDialog": { + "alertDialog.createAlert": "Crea avviso", + "alertDialog.editAlert": "Modifica avviso", + "alertDialog.General": "Generale", + "alertDialog.Response": "Risposta", + "alertDialog.Options": "Opzioni", + "alertDialog.eventAlert": "Definizione di avviso di evento", + "alertDialog.Name": "Nome", + "alertDialog.Type": "Tipo", + "alertDialog.Enabled": "Abilitato", + "alertDialog.DatabaseName": "Nome del database", + "alertDialog.ErrorNumber": "Numero di errore", + "alertDialog.Severity": "Gravità", + "alertDialog.RaiseAlertContains": "Genera un avviso quando il messaggio contiene", + "alertDialog.MessageText": "Testo del messaggio", + "alertDialog.Severity001": "001 - Informazioni di sistema varie", + "alertDialog.Severity002": "002 - Riservato", + "alertDialog.Severity003": "003 - Riservato", + "alertDialog.Severity004": "004 - Riservato", + "alertDialog.Severity005": "005 - Riservato", + "alertDialog.Severity006": "006 - Riservato", + "alertDialog.Severity007": "007 - Notifica: informazioni sullo stato", + "alertDialog.Severity008": "008 - Notifica: richiesto intervento dell'utente", + "alertDialog.Severity009": "009 - Definito dall'utente", + "alertDialog.Severity010": "010 - Informazioni", + "alertDialog.Severity011": "011 - Oggetto di database specificato non trovato", + "alertDialog.Severity012": "012 - Inutilizzato", + "alertDialog.Severity013": "013 - Errore di sintassi nella transazione utente", + "alertDialog.Severity014": "014 - Autorizzazioni insufficienti", + "alertDialog.Severity015": "015 - Errore di sintassi nelle istruzioni SQL", + "alertDialog.Severity016": "016 - Errore dell'utente", + "alertDialog.Severity017": "017 - Risorse insufficienti", + "alertDialog.Severity018": "018 - Errore interno non irreversibile", + "alertDialog.Severity019": "019 - Errore irreversibile nella risorsa", + "alertDialog.Severity020": "020 - Errore irreversibile nel processo corrente", + "alertDialog.Severity021": "021 - Errore irreversibile nei processi di database", + "alertDialog.Severity022": "022 - Errore irreversibile: integrità tabella sospetta", + "alertDialog.Severity023": "023 - Errore irreversibile: integrità database sospetta", + "alertDialog.Severity024": "024 - Errore irreversibile: errore hardware", + "alertDialog.Severity025": "025 - Errore irreversibile", + "alertDialog.AllDatabases": "", + "alertDialog.ExecuteJob": "Esegui processo", + "alertDialog.ExecuteJobName": "Nome del processo", + "alertDialog.NotifyOperators": "Invia notifica a operatori", + "alertDialog.NewJob": "Nuovo processo", + "alertDialog.OperatorList": "Elenco operatori", + "alertDialog.OperatorName": "Operatore", + "alertDialog.OperatorEmail": "Posta elettronica", + "alertDialog.OperatorPager": "Cercapersone", + "alertDialog.NewOperator": "Nuovo operatore", + "alertDialog.IncludeErrorInEmail": "Includi testo dell'avviso in messaggi inviati tramite posta elettronica", + "alertDialog.IncludeErrorInPager": "Includi testo dell'avviso in messaggi inviati tramite cercapersone", + "alertDialog.AdditionalNotification": "Messaggio di notifica aggiuntivo da inviare", + "alertDialog.DelayMinutes": "Ritardo in minuti", + "alertDialog.DelaySeconds": "Ritardo in secondi" + }, + "dist/dialogs/operatorDialog": { + "createOperator.createOperator": "Crea operatore", + "createOperator.editOperator": "Modifica operatore", + "createOperator.General": "Generale", + "createOperator.Notifications": "Notifiche", + "createOperator.Name": "Nome", + "createOperator.Enabled": "Abilitato", + "createOperator.EmailName": "Indirizzo di posta elettronica", + "createOperator.PagerEmailName": "Indirizzo cercapersone", + "createOperator.PagerMondayCheckBox": "Lunedì", + "createOperator.PagerTuesdayCheckBox": "Martedì", + "createOperator.PagerWednesdayCheckBox": "Mercoledì", + "createOperator.PagerThursdayCheckBox": "Giovedì", + "createOperator.PagerFridayCheckBox": "Venerdì", + "createOperator.PagerSaturdayCheckBox": "Sabato", + "createOperator.PagerSundayCheckBox": "Domenica", + "createOperator.workdayBegin": "Inizio della giornata lavorativa", + "createOperator.workdayEnd": "Fine della giornata lavorativa", + "createOperator.PagerDutySchedule": "Pianificazione cercapersone per operatore in servizio", + "createOperator.AlertListHeading": "Elenco avvisi", + "createOperator.AlertNameColumnLabel": "Nome dell'avviso", + "createOperator.AlertEmailColumnLabel": "Posta elettronica", + "createOperator.AlertPagerColumnLabel": "Cercapersone" + }, + "dist/dialogs/jobDialog": { + "jobDialog.general": "Generale", + "jobDialog.steps": "Passaggi", + "jobDialog.schedules": "Pianificazioni", + "jobDialog.alerts": "Avvisi", + "jobDialog.notifications": "Notifiche", + "jobDialog.blankJobNameError": "Il nome del processo non può essere vuoto.", + "jobDialog.name": "Nome", + "jobDialog.owner": "Proprietario", + "jobDialog.category": "Categoria", + "jobDialog.description": "Descrizione", + "jobDialog.enabled": "Abilitato", + "jobDialog.jobStepList": "Elenco dei passaggi del processo", + "jobDialog.step": "Passaggio", + "jobDialog.type": "Tipo", + "jobDialog.onSuccess": "In caso di riuscita", + "jobDialog.onFailure": "In caso di errore", + "jobDialog.new": "Nuovo passaggio", + "jobDialog.edit": "Modifica passaggio", + "jobDialog.delete": "Elimina passaggio", + "jobDialog.moveUp": "Sposta passaggio su", + "jobDialog.moveDown": "Sposta passaggio giù", + "jobDialog.startStepAt": "Passaggio iniziale", + "jobDialog.notificationsTabTop": "Azioni da eseguire quando il processo viene completato", + "jobDialog.email": "Messaggio di posta elettronica", + "jobDialog.page": "Pagina", + "jobDialog.eventLogCheckBoxLabel": "Scrivi nel log eventi dell'applicazione di Windows", + "jobDialog.deleteJobLabel": "Elimina automaticamente il processo", + "jobDialog.schedulesaLabel": "Elenco pianificazioni", + "jobDialog.pickSchedule": "Seleziona pianificazione", + "jobDialog.removeSchedule": "Rimuovi pianificazione", + "jobDialog.alertsList": "Elenco avvisi", + "jobDialog.newAlert": "Nuovo avviso", + "jobDialog.alertNameLabel": "Nome dell'avviso", + "jobDialog.alertEnabledLabel": "Abilitato", + "jobDialog.alertTypeLabel": "Tipo", + "jobDialog.newJob": "Nuovo processo", + "jobDialog.editJob": "Modifica processo" + }, + "dist/data/jobData": { + "jobData.whenJobCompletes": "Al termine del processo", + "jobData.whenJobFails": "Se il processo non riesce", + "jobData.whenJobSucceeds": "Se il processo riesce", + "jobData.jobNameRequired": "È necessario specificare il nome del processo", + "jobData.saveErrorMessage": "L'aggiornamento del processo non è riuscito: '{0}'", + "jobData.newJobErrorMessage": "La creazione del processo non è riuscita: '{0}'", + "jobData.saveSucessMessage": "Il processo '{0}' è stato aggiornato", + "jobData.newJobSuccessMessage": "Il processo '{0}' è stato creato" + }, + "dist/data/jobStepData": { + "jobStepData.saveErrorMessage": "L'aggiornamento del passaggio non è riuscito: '{0}'", + "stepData.jobNameRequired": "È necessario specificare il nome del processo", + "stepData.stepNameRequired": "È necessario specificare il nome del passaggio" + }, + "dist/mainController": { + "mainController.notImplemented": "Questa funzionalità è in fase di sviluppo. Per provare le ultime novità, vedere la build più recente per utenti Insider.", + "agent.templateUploadSuccessful": "Il modello è stato aggiornato", + "agent.templateUploadError": "Errore di aggiornamento del modello", + "agent.unsavedFileSchedulingError": "Prima di pianificare il notebook, è necessario salvarlo. Salvare, quindi ripetere la pianificazione.", + "agent.AddNewConnection": "Aggiungere nuova connessione", + "agent.selectConnection": "Selezionare una connessione", + "agent.selectValidConnection": "Selezionare una connessione valida." + }, + "dist/data/alertData": { + "alertData.saveErrorMessage": "L'aggiornamento dell'avviso non è riuscito: '{0}'", + "alertData.DefaultAlertTypString": "Avviso per evento di SQL Server", + "alertDialog.PerformanceCondition": "Avviso relativo alle prestazioni di SQL Server", + "alertDialog.WmiEvent": "Avviso per evento WMI" + }, + "dist/dialogs/proxyDialog": { + "createProxy.createProxy": "Crea proxy", + "createProxy.editProxy": "Modifica proxy", + "createProxy.General": "Generale", + "createProxy.ProxyName": "Nome del proxy", + "createProxy.CredentialName": "Nome della credenziale", + "createProxy.Description": "Descrizione", + "createProxy.SubsystemName": "Sottosistema", + "createProxy.OperatingSystem": "Sistema operativo (CmdExec)", + "createProxy.ReplicationSnapshot": "Snapshot repliche", + "createProxy.ReplicationTransactionLog": "Lettura log delle transazioni di replica", + "createProxy.ReplicationDistributor": "Database di distribuzione repliche", + "createProxy.ReplicationMerge": "Merge repliche", + "createProxy.ReplicationQueueReader": "Lettore coda di repliche", + "createProxy.SSASQueryLabel": "Query di SQL Server Analysis Services", + "createProxy.SSASCommandLabel": "Comando di SQL Server Analysis Services", + "createProxy.SSISPackage": "Pacchetto SQL Server Integration Services", + "createProxy.PowerShell": "PowerShell" + }, + "dist/data/proxyData": { + "proxyData.saveErrorMessage": "L'aggiornamento del proxy non è riuscito: '{0}'", + "proxyData.saveSucessMessage": "Il proxy '{0}' è stato aggiornato", + "proxyData.newJobSuccessMessage": "Il proxy '{0}' è stato creato" + }, + "dist/dialogs/notebookDialog": { + "notebookDialog.newJob": "Nuovo processo notebook", + "notebookDialog.editJob": "Modifica processo notebook", + "notebookDialog.general": "Generale", + "notebookDialog.notebookSection": "Dettagli dei notebook", + "notebookDialog.templateNotebook": "Percorso del notebook", + "notebookDialog.targetDatabase": "Database di archiviazione", + "notebookDialog.executeDatabase": "Database di esecuzione", + "notebookDialog.defaultDropdownString": "Seleziona database", + "notebookDialog.jobSection": "Dettagli processo", + "notebookDialog.name": "Nome", + "notebookDialog.owner": "Proprietario", + "notebookDialog.schedulesaLabel": "Elenco pianificazioni", + "notebookDialog.pickSchedule": "Seleziona pianificazione", + "notebookDialog.removeSchedule": "Rimuovi pianificazione", + "notebookDialog.description": "Descrizione", + "notebookDialog.templatePath": "Selezionare un notebook da pianificare dal computer", + "notebookDialog.targetDatabaseInfo": "Selezionare un database per archiviare tutti i metadati e i risultati del processo del notebook", + "notebookDialog.executionDatabaseInfo": "Selezionare un database in cui verranno eseguite le query del notebook" + }, + "dist/data/notebookData": { + "notebookData.whenJobCompletes": "Quando il notebook completa", + "notebookData.whenJobFails": "Quando il notebook ha esito negativo", + "notebookData.whenJobSucceeds": "Quando il notebook ha esito positivo", + "notebookData.jobNameRequired": "È necessario specificare il nome del notebook", + "notebookData.templatePathRequired": "È necessario fornire il percorso del modello", + "notebookData.invalidNotebookPath": "Percorso del notebook non valido", + "notebookData.selectStorageDatabase": "Selezionare il database di archiviazione", + "notebookData.selectExecutionDatabase": "Selezionare il database di esecuzione", + "notebookData.jobExists": "Un processo con un nome simile esiste già", + "notebookData.saveErrorMessage": "Aggiornamento del blocco appunti non riuscito '{0}'", + "notebookData.newJobErrorMessage": "Creazione del notebook non riuscita '{0}'", + "notebookData.saveSucessMessage": "Il notebook '{0}' è stato aggiornato", + "notebookData.newJobSuccessMessage": "Il notebook '{0}' è stato creato" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-it/translations/extensions/azurecore.i18n.json b/i18n/ads-language-pack-it/translations/extensions/azurecore.i18n.json index 7ede009d25..a595a090ed 100644 --- a/i18n/ads-language-pack-it/translations/extensions/azurecore.i18n.json +++ b/i18n/ads-language-pack-it/translations/extensions/azurecore.i18n.json @@ -41,6 +41,7 @@ "dist/azureResource/utils": { "azure.resource.error": "Errore: {0}", "azure.accounts.getResourceGroups.queryError": "Errore durante il recupero dei gruppi di risorse per l'account {0} ({1}) sottoscrizione {2} ({3}) tenant {4}: {5}", + "azure.accounts.getLocations.queryError": "Errore durante il recupero delle posizioni per l'account {0} ({1}) sottoscrizione {2} ({3}) tenant {4} : {5}", "azure.accounts.runResourceQuery.errors.invalidQuery": "Query non valida", "azure.accounts.getSubscriptions.queryError": "Errore durante il recupero delle sottoscrizioni per l'account {0} tenant {1}: {2}", "azure.accounts.getSelectedSubscriptions.queryError": "Errore durante il recupero delle sottoscrizioni per l'account {0}: {1}" @@ -105,7 +106,7 @@ "azurecore.azureArcsqlManagedInstance": "Istanza gestita di SQL- Azure Arc", "azurecore.azureArcService": "Servizio dati - Azure Arc", "azurecore.sqlServerArc": "SQL Server - Azure Arc", - "azurecore.azureArcPostgres": "PostgreSQL Hyperscale con abilitazione di Azure Arc", + "azurecore.azureArcPostgres": "PostgreSQL Hyperscale abilitato per Azure Arc", "azure.unableToOpenAzureLink": "Non è possibile aprire il collegamento, mancano i valori richiesti", "azure.azureResourcesGridTitle": "Risorse di Azure (anteprima)", "azurecore.invalidAzureAccount": "Account non valido", @@ -141,7 +142,9 @@ "dist/azureResource/tree/flatAccountTreeNode": { "azure.resource.tree.accountTreeNode.titleLoading": "{0} - Caricamento...", "azure.resource.tree.accountTreeNode.title": "{0} ({1}/{2} sottoscrizioni)", - "azure.resource.tree.accountTreeNode.credentialError": "Non è stato possibile ottenere le credenziali per l'account {0}. Passare alla finestra di dialogo degli account e aggiornare l'account." + "azure.resource.tree.accountTreeNode.credentialError": "Non è stato possibile ottenere le credenziali per l'account {0}. Passare alla finestra di dialogo degli account e aggiornare l'account.", + "azure.resource.throttleerror": "Le richieste da questo account sono state limitate. Per riprovare, selezionare un numero inferiore di sottoscrizioni.", + "azure.resource.tree.loadresourceerror": "Si è verificato un errore durante il caricamento delle risorse di Azure: {0}" }, "dist/azureResource/tree/accountNotSignedInTreeNode": { "azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Accedi ad Azure..." @@ -203,6 +206,9 @@ "dist/azureResource/providers/kusto/kustoTreeDataProvider": { "azure.resource.providers.KustoContainerLabel": "Cluster di Esplora dati di Azure" }, + "dist/azureResource/providers/azuremonitor/azuremonitorTreeDataProvider": { + "azure.resource.providers.AzureMonitorContainerLabel": "Azure Monitor Workspace" + }, "dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": { "azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Server di Database di Azure per PostgreSQL" }, diff --git a/i18n/ads-language-pack-it/translations/extensions/big-data-cluster.i18n.json b/i18n/ads-language-pack-it/translations/extensions/big-data-cluster.i18n.json index a9463001a3..3b0ef6710b 100644 --- a/i18n/ads-language-pack-it/translations/extensions/big-data-cluster.i18n.json +++ b/i18n/ads-language-pack-it/translations/extensions/big-data-cluster.i18n.json @@ -201,4 +201,4 @@ "bdc.controllerTreeDataProvider.error": "Errore imprevisto durante il caricamento dei controller salvati: {0}" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-it/translations/extensions/cms.i18n.json b/i18n/ads-language-pack-it/translations/extensions/cms.i18n.json new file mode 100644 index 0000000000..9d08419096 --- /dev/null +++ b/i18n/ads-language-pack-it/translations/extensions/cms.i18n.json @@ -0,0 +1,146 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "cms.displayName": "Server di gestione centrale di SQL Server", + "cms.description": "Supporto per la gestione di Server di gestione centrale di SQL Server", + "cms.title": "Server di gestione centrale", + "cms.connectionProvider.displayName": "Microsoft SQL Server", + "cms.resource.explorer.title": "Server di gestione centrale", + "cms.resource.refresh.title": "Aggiorna", + "cms.resource.refreshServerGroup.title": "Aggiorna gruppo di server", + "cms.resource.deleteRegisteredServer.title": "Elimina", + "cms.resource.addRegisteredServer.title": "Nuova registrazione server...", + "cms.resource.deleteServerGroup.title": "Elimina", + "cms.resource.addServerGroup.title": "Nuovo gruppo di server...", + "cms.resource.registerCmsServer.title": "Aggiungi server di gestione centrale", + "cms.resource.deleteCmsServer.title": "Elimina", + "cms.configuration.title": "Configurazione di MSSQL", + "cms.query.displayBitAsNumber": "Consente di indicare se le colonne di tipo BIT devono essere visualizzate come numeri (1 o 0). Se è 'false', verranno visualizzate come 'true' o 'false'", + "cms.format.alignColumnDefinitionsInColumns": "Consente di indicare se le definizioni di colonna devono essere allineate", + "cms.format.datatypeCasing": "Consente di indicare se ai tipi di dati deve essere applicata la formattazione in lettere MAIUSCOLE o minuscole oppure se non deve essere applicata alcuna formattazione", + "cms.format.keywordCasing": "Consente di indicare se alle parole chiave deve essere applicata la formattazione in lettere MAIUSCOLE o minuscole oppure se non deve essere applicata alcuna formattazione", + "cms.format.placeCommasBeforeNextStatement": "Consente di indicare se le virgole devono essere inserite all'inizio di ogni istruzione in un elenco, ad esempio ', mycolumn2', anziché alla fine, ad esempio 'mycolumn1,'?", + "cms.format.placeSelectStatementReferencesOnNewLine": "Consente di indicare se i riferimenti agli oggetti in istruzioni select devono essere suddivisi su righe diverse. Ad esempio per 'SELECT C1, C2 FROM T1' sia C1 che C2 saranno su righe diverse", + "cms.logDebugInfo": "[Facoltativa] Registrare l'output di debug nella console (Visualizza -> Output), quindi selezionare il canale di output appropriato dall'elenco a discesa", + "cms.tracingLevel": "[Facoltativa] Livello di registrazione per i servizi back-end. Azure Data Studio genera un nome file a ogni avvio e, se il file esiste già, le voci del log vengono accodate a tale file. Per la pulizia dei file di log meno recenti, vedere le impostazioni logRetentionMinutes e logFilesRemovalLimit. Con l'impostazione predefinita di tracingLevel, la quantità di dati registrata non è eccessiva. Se si cambia il livello di dettaglio, la registrazione potrebbe diventare eccessiva e richiedere un notevole spazio su disco per i log. Il livello Error include quello Critical, il livello Warning include quello Error, il livello Information include quello Warning e il livello Verbose include quello Information", + "cms.logRetentionMinutes": "Numero di minuti per la conservazione dei file di log per i servizi di back-end. L'impostazione predefinita è 1 settimana.", + "cms.logFilesRemovalLimit": "Numero massimo di file meno recenti da rimuovere all'avvio per cui è scaduto il tempo impostato con mssql.logRetentionMinutes. I file che non vengono rimossi a causa di questa limitazione verranno rimossi al successivo avvio di Azure Data Studio.", + "ignorePlatformWarning": "[Facoltativa] Non visualizzare avvisi su piattaforme non supportate", + "onprem.databaseProperties.recoveryModel": "Modello di recupero", + "onprem.databaseProperties.lastBackupDate": "Ultimo backup del database", + "onprem.databaseProperties.lastLogBackupDate": "Ultimo backup del log", + "onprem.databaseProperties.compatibilityLevel": "Livello di compatibilità", + "onprem.databaseProperties.owner": "Proprietario", + "onprem.serverProperties.serverVersion": "Versione", + "onprem.serverProperties.serverEdition": "Edizione", + "onprem.serverProperties.machineName": "Nome del computer", + "onprem.serverProperties.osVersion": "Versione del sistema operativo", + "cloud.databaseProperties.azureEdition": "Edizione", + "cloud.databaseProperties.serviceLevelObjective": "Piano tariffario", + "cloud.databaseProperties.compatibilityLevel": "Livello di compatibilità", + "cloud.databaseProperties.owner": "Proprietario", + "cloud.serverProperties.serverVersion": "Versione", + "cloud.serverProperties.serverEdition": "Tipo", + "cms.provider.displayName": "Microsoft SQL Server", + "cms.connectionOptions.connectionName.displayName": "Nome (facoltativo)", + "cms.connectionOptions.connectionName.description": "Nome personalizzato della connessione", + "cms.connectionOptions.serverName.displayName": "Server", + "cms.connectionOptions.serverName.description": "Nome dell'istanza di SQL Server", + "cms.connectionOptions.serverDescription.displayName": "Descrizione del server", + "cms.connectionOptions.serverDescription.description": "Descrizione dell'istanza di SQL Server", + "cms.connectionOptions.authType.displayName": "Tipo di autenticazione", + "cms.connectionOptions.authType.description": "Specifica il metodo di autenticazione con SQL Server", + "cms.connectionOptions.authType.categoryValues.sqlLogin": "Account di accesso SQL", + "cms.connectionOptions.authType.categoryValues.integrated": "Autenticazione di Windows", + "cms.connectionOptions.authType.categoryValues.azureMFA": "Azure Active Directory - Universale con supporto MFA", + "cms.connectionOptions.userName.displayName": "Nome utente", + "cms.connectionOptions.userName.description": "Indica l'ID utente da usare per la connessione all'origine dati", + "cms.connectionOptions.password.displayName": "Password", + "cms.connectionOptions.password.description": "Indica la password da usare per la connessione all'origine dati", + "cms.connectionOptions.applicationIntent.displayName": "Finalità dell'applicazione", + "cms.connectionOptions.applicationIntent.description": "Dichiara il tipo di carico di lavoro dell'applicazione durante la connessione a un server", + "cms.connectionOptions.asynchronousProcessing.displayName": "Elaborazione asincrona", + "cms.connectionOptions.asynchronousProcessing.description": "Se è true, consente l'utilizzo della funzionalità asincrona nel provider di dati .NET Framework.", + "cms.connectionOptions.connectTimeout.displayName": "Timeout di connessione", + "cms.connectionOptions.connectTimeout.description": "Intervallo di tempo (in secondi) in cui attendere la connessione al server prima di interrompere il tentativo e generare un errore", + "cms.connectionOptions.currentLanguage.displayName": "Lingua corrente", + "cms.connectionOptions.currentLanguage.description": "Nome del record di lingua di SQL Server", + "cms.connectionOptions.columnEncryptionSetting.displayName": "Crittografia di colonna", + "cms.connectionOptions.columnEncryptionSetting.description": "Impostazione di crittografia di colonna predefinita per tutti i comandi della connessione", + "cms.connectionOptions.encrypt.displayName": "Crittografa", + "cms.connectionOptions.encrypt.description": "Se è true, SQL Server usa la crittografia SSL per tutti i dati scambiati tra il client e il server, se nel server è installato un certificato", + "cms.connectionOptions.persistSecurityInfo.displayName": "Salva in modo permanente le informazioni di sicurezza", + "cms.connectionOptions.persistSecurityInfo.description": "Se è false, le informazioni sensibili dal punto di vista della sicurezza, come la password, non vengono restituite nell'ambito della connessione", + "cms.connectionOptions.trustServerCertificate.displayName": "Considera attendibile il certificato del server", + "cms.connectionOptions.trustServerCertificate.description": "Se è true (ed encrypt=true), SQL Server usa la crittografia SSL per tutti i dati inviati tra il client e il server senza convalidare il certificato del server", + "cms.connectionOptions.attachedDBFileName.displayName": "Nome file del database collegato", + "cms.connectionOptions.attachedDBFileName.description": "Nome del file primario, incluso il nome del percorso completo, di un database collegabile", + "cms.connectionOptions.contextConnection.displayName": "Connessione al contesto", + "cms.connectionOptions.contextConnection.description": "Se è true, indica che la connessione deve provenire dal contesto SQL Server. Disponibile solo quando è in esecuzione nel processo SQL Server", + "cms.connectionOptions.port.displayName": "Porta", + "cms.connectionOptions.connectRetryCount.displayName": "Conteggio tentativi di connessione", + "cms.connectionOptions.connectRetryCount.description": "Numero di tentativi di ripristino della connessione", + "cms.connectionOptions.connectRetryInterval.displayName": "Intervallo tentativi di connessione", + "cms.connectionOptions.connectRetryInterval.description": "Ritardo tra tentativi di ripristino della connessione", + "cms.connectionOptions.applicationName.displayName": "Nome dell'applicazione", + "cms.connectionOptions.applicationName.description": "Nome dell'applicazione", + "cms.connectionOptions.workstationId.displayName": "ID workstation", + "cms.connectionOptions.workstationId.description": "Nome della workstation che si connette a SQL Server", + "cms.connectionOptions.pooling.displayName": "Pooling", + "cms.connectionOptions.pooling.description": "Se è true, l'oggetto connessione viene prelevato dal pool appropriato oppure, se necessario, viene creato e aggiunto al pool appropriato", + "cms.connectionOptions.maxPoolSize.displayName": "Dimensioni massime del pool", + "cms.connectionOptions.maxPoolSize.description": "Numero massimo di connessioni consentite nel pool", + "cms.connectionOptions.minPoolSize.displayName": "Dimensioni minime del pool", + "cms.connectionOptions.minPoolSize.description": "Numero minimo di connessioni consentite nel pool", + "cms.connectionOptions.loadBalanceTimeout.displayName": "Timeout durante il bilanciamento del carico", + "cms.connectionOptions.loadBalanceTimeout.description": "Tempo minimo (in secondi) in cui la connessione rimane attiva nel pool prima di essere eliminata definitivamente", + "cms.connectionOptions.replication.displayName": "Replica", + "cms.connectionOptions.replication.description": "Usato da SQL Server nella replica", + "cms.connectionOptions.attachDbFilename.displayName": "Collega nome file del database", + "cms.connectionOptions.failoverPartner.displayName": "Partner di failover", + "cms.connectionOptions.failoverPartner.description": "Nome o indirizzo di rete dell'istanza di SQL Server che funge da partner di failover", + "cms.connectionOptions.multiSubnetFailover.displayName": "Failover su più subnet", + "cms.connectionOptions.multipleActiveResultSets.displayName": "Multiple Active Result Set", + "cms.connectionOptions.multipleActiveResultSets.description": "Se è true, possono essere restituiti e letti più set di risultati da un'unica connessione", + "cms.connectionOptions.packetSize.displayName": "Dimensioni del pacchetto", + "cms.connectionOptions.packetSize.description": "Dimensioni in byte dei pacchetti di rete usati per comunicare con un'istanza di SQL Server", + "cms.connectionOptions.typeSystemVersion.displayName": "Versione del sistema di tipi", + "cms.connectionOptions.typeSystemVersion.description": "Indica il sistema di tipi di server esposto dal provider tramite l'oggetto DataReader" + }, + "dist/cmsResource/tree/cmsResourceTreeNode": { + "cms.resource.cmsResourceTreeNode.noResourcesLabel": "Non sono state trovate risorse" + }, + "dist/cmsResource/tree/cmsResourceEmptyTreeNode": { + "cms.resource.tree.CmsTreeNode.addCmsServerLabel": "Aggiungi server di gestione centrale..." + }, + "dist/cmsResource/tree/treeProvider": { + "cms.resource.tree.treeProvider.loadError": "Si è verificato un errore imprevisto durante il caricamento dei server salvati {0}", + "cms.resource.tree.treeProvider.loadingLabel": "Caricamento..." + }, + "dist/cmsResource/cmsResourceCommands": { + "cms.errors.sameCmsServerName": "Il gruppo di server di gestione centrale include già un server registrato denominato {0}", + "cms.errors.azureNotAllowed": "I server Azure SQL non possono essere usati come server di gestione centrale", + "cms.confirmDeleteServer": "Eliminare", + "cms.yes": "Sì", + "cms.no": "No", + "cms.AddServerGroup": "Aggiungi il gruppo di server", + "cms.OK": "OK", + "cms.Cancel": "Annulla", + "cms.ServerGroupName": "Nome del gruppo di server", + "cms.ServerGroupDescription": "Descrizione del gruppo di server", + "cms.errors.sameServerGroupName": "{0} include già un gruppo di server denominato {1}", + "cms.confirmDeleteGroup": "Eliminare" + }, + "dist/cmsUtils": { + "cms.errors.sameServerUnderCms": "Non è possibile aggiungere un server registrato condiviso con lo stesso nome del server di configurazione" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-it/translations/extensions/dacpac.i18n.json b/i18n/ads-language-pack-it/translations/extensions/dacpac.i18n.json new file mode 100644 index 0000000000..455c264e21 --- /dev/null +++ b/i18n/ads-language-pack-it/translations/extensions/dacpac.i18n.json @@ -0,0 +1,78 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "dacFx.settings": "Pacchetto di applicazione livello dati", + "dacFx.defaultSaveLocation": "Percorso completo della cartella in cui vengono salvati i file DACPAC e BAPAC per impostazione predefinita" + }, + "dist/localizedConstants": { + "dacFx.targetServer": "Server di destinazione", + "dacFx.sourceServer": "Server di origine", + "dacFx.sourceDatabase": "Database di origine", + "dacFx.targetDatabase": "Database di destinazione", + "dacfx.fileLocation": "Percorso file", + "dacfx.selectFile": "Seleziona file", + "dacfx.summaryTableTitle": "Riepilogo delle impostazioni", + "dacfx.version": "Versione", + "dacfx.setting": "Impostazione", + "dacfx.value": "Valore", + "dacFx.databaseName": "Nome database", + "dacFxDeploy.openFile": "Apri", + "dacFx.upgradeExistingDatabase": "Aggiorna database esistente", + "dacFx.newDatabase": "Nuovo database", + "dacfx.dataLossTextWithCount": "{0} delle azioni di distribuzione elencate potrebbero causare la perdita di dati. Assicurarsi di avere a disposizione un backup o uno snapshot in caso di problemi con la distribuzione.", + "dacFx.proceedDataLoss": "Procedi nonostante la possibile perdita di dati", + "dacfx.noDataLoss": "Non si verificherà alcuna perdita di dati dalle azioni di distribuzione elencate.", + "dacfx.dataLossText": "Le azioni di distribuzione potrebbero causare la perdita di dati. Assicurarsi di avere a disposizione un backup o uno snapshot in caso di problemi con la distribuzione.", + "dacfx.operation": "Operazione", + "dacfx.operationTooltip": "Operazione (Create, Alter, Delete) che verrà eseguita durante la distribuzione", + "dacfx.type": "Tipo", + "dacfx.typeTooltip": "Tipo di oggetto che sarà interessato dalla distribuzione", + "dacfx.object": "Oggetto", + "dacfx.objecTooltip": "Nome dell'oggetto che sarà interessato dalla distribuzione", + "dacfx.dataLoss": "Perdita di dati", + "dacfx.dataLossTooltip": "Le operazioni che possono comportare la perdita di dati sono contrassegnate da un simbolo di avviso", + "dacfx.save": "Salva", + "dacFx.versionText": "Versione (usare x.x.x.x dove x è un numero)", + "dacFx.deployDescription": "Distribuisci un file con estensione dacpac dell'applicazione livello dati in un'istanza di SQL Server [Distribuisci DACPAC]", + "dacFx.extractDescription": "Estrai un'applicazione livello dati da un'istanza di SQL Server in un file con estensione dacpac [Estrai DACPAC]", + "dacFx.importDescription": "Crea un database da un file con estensione bacpac [Importa BACPAC]", + "dacFx.exportDescription": "Esporta lo schema e i dati da un database nel formato di file logico con estensione bacpac [Esporta BACPAC]", + "dacfx.wizardTitle": "Procedura guidata per l'applicazione livello dati", + "dacFx.selectOperationPageName": "Seleziona un'operazione", + "dacFx.deployConfigPageName": "Seleziona impostazioni per Distribuisci DACPAC", + "dacFx.deployPlanPageName": "Esamina il piano di distribuzione", + "dacFx.summaryPageName": "Riepilogo", + "dacFx.extractConfigPageName": "Seleziona impostazioni per Estrai DACPAC", + "dacFx.importConfigPageName": "Seleziona impostazioni per Importa BACPAC", + "dacFx.exportConfigPageName": "Seleziona impostazioni per Esporta BACPAC", + "dacFx.deployButton": "Distribuisci", + "dacFx.extract": "Estrai", + "dacFx.import": "Importa", + "dacFx.export": "Esporta", + "dacFx.generateScriptButton": "Genera script", + "dacfx.scriptGeneratingMessage": "È possibile visualizzare lo stato della generazione dello script nella visualizzazione attività dopo la chiusura della procedura guidata. Lo script generato verrà aperto dopo il completamento.", + "dacfx.default": "predefinito", + "dacfx.deployPlanTableTitle": "Distribuire le operazioni del piano", + "dacfx.databaseNameExistsErrorMessage": "Esiste già un database con lo stesso nome nell'istanza di SQL Server", + "dacfx.undefinedFilenameErrorMessage": "Nome non definito", + "dacfx.filenameEndingInPeriodErrorMessage": "Il nome file non può terminare con un punto", + "dacfx.whitespaceFilenameErrorMessage": "Il nome file non può essere vuoto", + "dacfx.invalidFileCharsErrorMessage": "Caratteri di file non validi", + "dacfx.reservedWindowsFilenameErrorMessage": "Questo nome file è riservato per l'uso da parte di Windows. Scegliere un altro nome e riprovare", + "dacfx.reservedValueErrorMessage": "Nome file riservato. Scegliere un altro nome e riprovare", + "dacfx.trailingWhitespaceErrorMessage": "Il nome file non può terminare con uno spazio vuoto", + "dacfx.tooLongFilenameErrorMessage": "Il nome file ha più di 255 caratteri", + "dacfx.deployPlanErrorMessage": "La generazione del piano di distribuzione non è riuscita: '{0}'", + "dacfx.generateDeployErrorMessage": "La generazione dello script di distribuzione non è riuscita{0}'", + "dacfx.operationErrorMessage": "Operazione {0} non riuscita '{1}'" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-it/translations/extensions/import.i18n.json b/i18n/ads-language-pack-it/translations/extensions/import.i18n.json new file mode 100644 index 0000000000..f2b5f16f1b --- /dev/null +++ b/i18n/ads-language-pack-it/translations/extensions/import.i18n.json @@ -0,0 +1,66 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "flatfileimport.configuration.title": "Configurazione dell'importazione file flat", + "flatfileimport.logDebugInfo": "[Facoltativa] Registrare l'output di debug nella console (Visualizza -> Output), quindi selezionare il canale di output appropriato dall'elenco a discesa" + }, + "out/services/serviceClient": { + "serviceStarted": "{0} avviato", + "serviceStarting": "Avvio di {0}", + "flatFileImport.serviceStartFailed": "Non è stato possibile avviare {0}: {1}", + "installingServiceDetailed": "Installazione di {0} in {1}", + "installingService": "Installazione del servizio {0}", + "serviceInstalled": "{0} installato", + "downloadingService": "Download di {0}", + "downloadingServiceSize": "({0} KB)", + "downloadingServiceStatus": "Download di {0}", + "downloadingServiceComplete": "Il download {0} è stato completato", + "entryExtractedChannelMsg": "Estratto {0} ({1}/{2})" + }, + "out/common/constants": { + "import.serviceCrashButton": "Feedback", + "serviceCrashMessage": "non è stato possibile avviare il componente del servizio", + "flatFileImport.serverDropdownTitle": "Server in cui si trova il database", + "flatFileImport.databaseDropdownTitle": "Database in cui viene creata la tabella", + "flatFile.InvalidFileLocation": "Percorso file non valido. Provare un file di input diverso", + "flatFileImport.browseFiles": "Sfoglia", + "flatFileImport.openFile": "Apri", + "flatFileImport.fileTextboxTitle": "Percorso del file da importare", + "flatFileImport.tableTextboxTitle": "Nuovo nome della tabella", + "flatFileImport.schemaTextboxTitle": "Schema della tabella", + "flatFileImport.importData": "Importa dati", + "flatFileImport.next": "Avanti", + "flatFileImport.columnName": "Nome colonna", + "flatFileImport.dataType": "Tipo di dati", + "flatFileImport.primaryKey": "Chiave primaria", + "flatFileImport.allowNulls": "Consenti valori Null", + "flatFileImport.prosePreviewMessage": "Questa operazione ha analizzato la struttura del file di input per generare l'anteprima seguente per le prime 50 righe.", + "flatFileImport.prosePreviewMessageFail": "Questa operazione non è riuscita. Provare con un file di input diverso.", + "flatFileImport.refresh": "Aggiorna", + "flatFileImport.importInformation": "Informazioni sull'importazione", + "flatFileImport.importStatus": "Stato dell'importazione", + "flatFileImport.serverName": "Nome del server", + "flatFileImport.databaseName": "Nome del database", + "flatFileImport.tableName": "Nome della tabella", + "flatFileImport.tableSchema": "Schema della tabella", + "flatFileImport.fileImport": "File da importare", + "flatFileImport.success.norows": "✔ I dati sono stati inseriti in una tabella.", + "import.needConnection": "Connettersi a un server prima di usare questa procedura guidata.", + "import.needSQLConnection": "L'estensione SQL Server Import non supporta questo tipo di connessione", + "flatFileImport.wizardName": "Importazione guidata file flat", + "flatFileImport.page1Name": "Specifica il file di input", + "flatFileImport.page2Name": "Anteprima dati", + "flatFileImport.page3Name": "Modifica colonne", + "flatFileImport.page4Name": "Riepilogo", + "flatFileImport.importNewFile": "Importa nuovo file" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-it/translations/extensions/notebook.i18n.json b/i18n/ads-language-pack-it/translations/extensions/notebook.i18n.json index 75c4b58cc7..bf9f634f97 100644 --- a/i18n/ads-language-pack-it/translations/extensions/notebook.i18n.json +++ b/i18n/ads-language-pack-it/translations/extensions/notebook.i18n.json @@ -14,6 +14,8 @@ "notebook.configuration.title": "Configurazione di Notebook", "notebook.pythonPath.description": "Percorso locale dell'installazione di Python usata da Notebooks.", "notebook.useExistingPython.description": "Percorso locale di un'installazione preesistente di Python usata da Notebooks.", + "notebook.dontPromptPythonUpdate.description": "Non visualizzare la richiesta di aggiornamento di Python.", + "notebook.jupyterServerShutdownTimeout.description": "Tempo di attesa (in minuti) prima dell'arresto di un server dopo la chiusura di tutti i notebook. (Immettere 0 per non arrestare)", "notebook.overrideEditorTheming.description": "Esegue l'override delle impostazioni predefinite dell'editor di Notebook. Le impostazioni includono il colore di sfondo, il colore della riga corrente e il bordo", "notebook.maxTableRows.description": "Numero massimo di righe restituite per tabella nell'editor di Notebook", "notebook.trustedBooks.description": "I notebook contenuti in questi libri verranno considerati automaticamente attendibili.", @@ -21,6 +23,7 @@ "notebook.collapseBookItems.description": "Comprime gli elementi del libro al livello radice nel viewlet Notebook", "notebook.remoteBookDownloadTimeout.description": "Timeout di download in millisecondi per i libri GitHub", "notebook.pinnedNotebooks.description": "Notebook aggiunti dall'utente per l'area di lavoro corrente", + "notebook.allowRoot.description": "Allow Jupyter server to run as root user", "notebook.command.new": "Nuovo notebook", "notebook.command.open": "Apri notebook", "notebook.analyzeJupyterNotebook": "Analizza in Notebook", @@ -43,18 +46,21 @@ "title.managePackages": "Gestisci pacchetti", "title.SQL19PreviewBook": "Guida di SQL Server 2019", "books-preview-category": "Book di Jupyter", - "title.saveJupyterBook": "Salva book", - "title.trustBook": "Considera attendibile il libro", - "title.searchJupyterBook": "Cerca nel book", + "title.saveJupyterBook": "Salva il Jupyter Book", + "title.trustBook": "Jupyter Book attendibile", + "title.searchJupyterBook": "Cerca nel Jupyter Book", "title.SavedBooks": "Notebook", - "title.ProvidedBooks": "Libri forniti", + "title.ProvidedBooks": "Jupyter Book disponibili", "title.PinnedBooks": "Notebook aggiunti", "title.PreviewLocalizedBook": "Ottieni la Guida localizzata di SQL Server 2019", "title.openJupyterBook": "Apri libro Jupyter", "title.closeJupyterBook": "Chiudi libro Jupyter", - "title.closeJupyterNotebook": "Chiudi notebook Jupyter", + "title.closeNotebook": "Chiudere blocco appunti", + "title.removeNotebook": "Rimuovere il blocco appunti", + "title.addNotebook": "Aggiungere blocco appunti", + "title.addMarkdown": "Aggiungi file markdown", "title.revealInBooksViewlet": "Visualizza nei libri", - "title.createJupyterBook": "Crea libro (anteprima)", + "title.createJupyterBook": "Crea Jupyter Book", "title.openNotebookFolder": "Apri notebook nella cartella", "title.openRemoteJupyterBook": "Aggiungi libro remoto Jupyter", "title.pinNotebook": "Aggiungi notebook", @@ -77,74 +83,84 @@ "providerNotValidError": "I provider non MSSQL non sono supportati per i kernel Spark.", "allFiles": "Tutti i file", "labelSelectFolder": "Seleziona cartella", - "labelBookFolder": "Seleziona libro", + "labelBookFolder": "Seleziona Jupyter Book", "confirmReplace": "La cartella esiste già. Eliminarla e sostituirla?", "openNotebookCommand": "Apri notebook", "openMarkdownCommand": "Apri Markdown", "openExternalLinkCommand": "Apri collegamento esterno", - "msgBookTrusted": "Il libro è considerato attendibile nell'area di lavoro.", - "msgBookAlreadyTrusted": "Il libro è già considerato attendibile in questa area di lavoro.", - "msgBookUntrusted": "Il libro non è più considerato attendibile in questa area di lavoro", - "msgBookAlreadyUntrusted": "Il libro è già considerato non attendibile in questa area di lavoro.", - "msgBookPinned": "Il libro {0} è stato aggiunto nell'area di lavoro.", - "msgBookUnpinned": "Il libro {0} è stato rimosso da questa area di lavoro", - "bookInitializeFailed": "Non è stato possibile trovare un file del sommario nel libro specificato.", - "noBooksSelected": "Nessun libro è attualmente selezionato nel viewlet.", - "labelBookSection": "Seleziona sezione del libro", + "msgBookTrusted": "Jupyter Book è ora considerato attendibile nell'area di lavoro.", + "msgBookAlreadyTrusted": "Il Book è già considerato attendibile in questa area di lavoro.", + "msgBookUntrusted": "Il Book non è più considerato attendibile in questa area di lavoro", + "msgBookAlreadyUntrusted": "Il Book è già considerato non attendibile in questa area di lavoro.", + "msgBookPinned": "Il Book {0} è stato aggiunto nell'area di lavoro.", + "msgBookUnpinned": "Il Book {0} è stato rimosso da questa area di lavoro", + "bookInitializeFailed": "Non è stato possibile trovare un file del sommario nel Book specificato.", + "noBooksSelected": "Nessun Book è attualmente selezionato nel viewlet.", + "labelBookSection": "Seleziona la sezione Jupyter Book", "labelAddToLevel": "Aggiungi a questo livello", "missingFileError": "File mancante: {0} da {1}", "InvalidError.tocFile": "File toc non valido", "Invalid toc.yml": "Errore: {0} include un file toc.yml non corretto", "configFileError": "File di configurazione mancante", - "openBookError": "L'apertura del book {0} non è riuscita: {1}", - "readBookError": "Non è stato possibile leggere il libro {0}: {1}", + "openBookError": "Apertura Jupyter Book {0} non riuscita: {1}", + "readBookError": "Non è possibile leggere Jupyter Book {0}: {1}", "openNotebookError": "L'apertura del notebook {0} non è riuscita: {1}", "openMarkdownError": "L'apertura del markdown {0} non è riuscita: {1}", "openUntitledNotebookError": "L'apertura del notebook senza titolo {0} come senza titolo non è riuscita: {1}", "openExternalLinkError": "L'apertura del collegamento {0} non è riuscita: {1}", - "closeBookError": "La chiusura del libro {0} non è riuscita: {1}", + "closeBookError": "Chiusura Jupyter Book {0} non riuscita: {1}", "duplicateFileError": "Il file {0} esiste già nella cartella di destinazione {1} \r\n Il file è stato rinominato in {2} per evitare la perdita di dati.", - "editBookError": "Si è verificato un errore durante la modifica del libro {0}: {1}", - "selectBookError": "Si è verificato un errore durante la selezione di un libro o di una sezione da modificare: {0}", + "editBookError": "Errore durante la modifica del Book {0}: {1}", + "selectBookError": "Si è verificato un errore durante la selezione di un Jupyter Book o di una sezione da modificare: {0}", + "sectionNotFound": "Non è stato possibile trovare {0} in {1}.", "url": "URL", "repoUrl": "URL del repository", "location": "Posizione", - "addRemoteBook": "Aggiungi libro remoto", + "addRemoteBook": "Aggiungi libro remoto Jupyter", "onGitHub": "GitHub", "onsharedFile": "File condiviso", "releases": "Versioni", - "book": "Libro", + "book": "Jupyter Book", "version": "Versione", "language": "Lingua", - "booksNotFound": "Non sono attualmente disponibili libri nel collegamento fornito", + "booksNotFound": "Non sono attualmente disponibili Book nel collegamento fornito", "urlGithubError": "L'URL specificato non è un URL di una versione di GitHub", "search": "Cerca", "add": "Aggiungi", "close": "Chiudi", "invalidTextPlaceholder": "-", - "msgRemoteBookDownloadProgress": "Il download del libro remoto è in corso", - "msgRemoteBookDownloadComplete": "Il download del libro remoto è stato completato", - "msgRemoteBookDownloadError": "Si è verificato un errore durante il download del libro remoto", - "msgRemoteBookUnpackingError": "Si è verificato un errore durante la decompressione del libro remoto", - "msgRemoteBookDirectoryError": "Si è verificato un errore durante la creazione della directory del libro remoto", - "msgTaskName": "Download del libro remoto", + "msgRemoteBookDownloadProgress": "È in corso il download remoto del Jupyter Book", + "msgRemoteBookDownloadComplete": "Download remoto del Jupyter Book completato", + "msgRemoteBookDownloadError": "Errore durante il download remoto di Jupyter Book", + "msgRemoteBookUnpackingError": "Errore durante la decompressione del Jupyter Book remoto", + "msgRemoteBookDirectoryError": "Si è verificato un errore durante la creazione della directory del Book remoto", + "msgTaskName": "Download del Jupyter Book remoto", "msgResourceNotFound": "Risorsa non trovata", - "msgBookNotFound": "Libri non trovati", + "msgBookNotFound": "Jupyter Book non trovati", "msgReleaseNotFound": "Versioni non trovate", - "msgUndefinedAssetError": "Il libro selezionato non è valido", + "msgUndefinedAssetError": "Il Book selezionato non è valido", "httpRequestError": "La richiesta HTTP non è riuscita con errore: {0} {1}", "msgDownloadLocation": "Download di {0}", - "newGroup": "Nuovo gruppo", - "groupDescription": "I gruppi vengono usati per organizzare i notebook.", - "locationBrowser": "Sfoglia posizioni...", - "selectContentFolder": "Seleziona cartella del contenuto", + "newBook": "Nuovo libro Jupyter (anteprima)", + "bookDescription": "I libri Jupyter vengono usati per organizzare i blocchi appunti.", + "learnMore": "Altre informazioni.", + "contentFolder": "Cartella del contenuto", "browse": "Sfoglia", "create": "Crea", "name": "Nome", "saveLocation": "Salva posizione", - "contentFolder": "Cartella del contenuto (facoltativo)", + "contentFolderOptional": "Cartella del contenuto (facoltativo)", "msgContentFolderError": "Il percorso della cartella del contenuto non esiste", - "msgSaveFolderError": "Il percorso di salvataggio non esiste" + "msgSaveFolderError": "Il percorso di salvataggio non esiste.", + "msgCreateBookWarningMsg": "Errore durante il tentativo di accesso: {0}", + "newNotebook": "Nuovo blocco appunti (anteprima)", + "newMarkdown": "Nuovo markdown (anteprima)", + "fileExtension": "Estensione file", + "confirmOverwrite": "Il file esiste già. Si vuole davvero sovrascrivere il file?", + "title": "Titolo", + "fileName": "Nome file", + "msgInvalidSaveFolder": "Il percorso di salvataggio non è valido.", + "msgDuplicadFileName": "Il file {0} esiste già nella cartella di destinazione" }, "dist/jupyter/jupyterServerInstallation": { "msgInstallPkgProgress": "L'installazione delle dipendenze di Notebook è in corso", @@ -159,10 +175,16 @@ "msgInstallPkgFinish": "L'installazione delle dipendenze di Notebook è stata completata", "msgPythonRunningError": "Non è possibile sovrascrivere un'installazione esistente di Python mentre Python è in esecuzione. Chiudere gli eventuali notebook attivi prima di procedere.", "msgWaitingForInstall": "È già in corso un'altra installazione di Python. Attendere che venga completata.", + "msgShutdownNotebookSessions": "Le sessioni del notebook di Python attive verranno arrestate per l'aggiornamento. Procedere ora?", + "msgPythonVersionUpdatePrompt": "Python {0} è ora disponibile in Azure Data Studio. La versione corrente di Python (3.6.6) non sarà supportata da dicembre 2021. Eseguire ora l'aggiornamento a Python {0} ?", + "msgPythonVersionUpdateWarning": "Python {0} verrà installato e sostituirà Python 3.6.6. Alcuni pacchetti potrebbero non essere più compatibili con la nuova versione o potrebbero dover essere reinstallati. Verrà creato un notebook che consente di reinstallare tutti i pacchetti pip. Continuare con l'aggiornamento ora?", "msgDependenciesInstallationFailed": "L'installazione delle dipendenze di Notebook non è riuscita. Errore: {0}", "msgDownloadPython": "Download della versione locale di Python per la piattaforma {0} in {1}", "msgPackageRetrievalFailed": "Si è verificato un errore durante il tentativo di recuperare l'elenco dei pacchetti installati: {0}", - "msgGetPythonUserDirFailed": "Si è verificato un errore durante il recupero del percorso utente di Python: {0}" + "msgGetPythonUserDirFailed": "Si è verificato un errore durante il recupero del percorso utente di Python: {0}", + "yes": "Sì", + "no": "No", + "dontAskAgain": "Non chiedere più" }, "dist/dialog/configurePython/configurePythonWizard": { "configurePython.okButtonText": "Installa", @@ -270,7 +292,7 @@ }, "dist/protocol/notebookUriHandler": { "notebook.unsupportedAction": "L'azione {0} non è supportata per questo gestore", - "unsupportedScheme": "Non è possibile aprire il collegamento {0} perché sono supportati solo i collegamenti HTTP e HTTPS", + "unsupportedScheme": "Non è possibile aprire il collegamento {0} perché sono supportati solo i collegamenti HTTP, HTTPS e file", "notebook.confirmOpen": "Scaricare e aprire '{0}'?", "notebook.fileNotFound": "Non è stato possibile trovare il file specificato", "notebook.fileDownloadError": "La richiesta di apertura file non è riuscita. Errore: {0} {1}" diff --git a/i18n/ads-language-pack-it/translations/extensions/profiler.i18n.json b/i18n/ads-language-pack-it/translations/extensions/profiler.i18n.json new file mode 100644 index 0000000000..84f46deae6 --- /dev/null +++ b/i18n/ads-language-pack-it/translations/extensions/profiler.i18n.json @@ -0,0 +1,23 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/profilerCreateSessionDialog": { + "createSessionDialog.cancel": "Annulla", + "createSessionDialog.create": "Avvia", + "createSessionDialog.title": "Avvia nuova sessione del profiler", + "createSessionDialog.templatesInvalid": "L'elenco di modelli non è valido. Non è possibile aprire la finestra di dialogo", + "createSessionDialog.dialogOwnerInvalid": "Il proprietario della finestra di dialogo non è valido. Non è possibile aprire la finestra di dialogo", + "createSessionDialog.invalidProviderType": "Il tipo di provider non è valido. Non è possibile aprire la finestra di dialogo", + "createSessionDialog.selectTemplates": "Seleziona il modello di sessione:", + "createSessionDialog.enterSessionName": "Immetti il nome della sessione:", + "createSessionDialog.createSessionFailed": "Non è stato possibile creare una sessione" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-it/translations/extensions/resource-deployment.i18n.json b/i18n/ads-language-pack-it/translations/extensions/resource-deployment.i18n.json index 03cec8fcae..563e4068de 100644 --- a/i18n/ads-language-pack-it/translations/extensions/resource-deployment.i18n.json +++ b/i18n/ads-language-pack-it/translations/extensions/resource-deployment.i18n.json @@ -103,6 +103,10 @@ "azdataEulaNotAccepted": "La distribuzione non può continuare. Le condizioni di licenza dell'interfaccia della riga di comando di Azure Data non sono ancora state accettate. Accettare il contratto di licenza per abilitare le funzionalità che richiedono l'interfaccia della riga di comando di Azure Data.", "azdataEulaDeclined": "La distribuzione non può continuare. Le condizioni di licenza dell'interfaccia della riga di comando di Azure Data sono state rifiutate. È possibile accettare il contratto di licenza per continuare oppure annullare questa operazione", "deploymentDialog.RecheckEulaButton": "Accetta contratto di licenza e seleziona", + "resourceDeployment.extensionRequiredPrompt": "L'estensione \"{0}\" è necessaria per distribuire la risorsa, si vuole installarla subito?", + "resourceDeployment.install": "Installare", + "resourceDeployment.installingExtension": "Installazione dell'estensione \"{0}\" in corso...", + "resourceDeployment.unknownExtension": "Estensione \"{0}\" sconosciuta", "resourceTypePickerDialog.title": "Seleziona le opzioni di distribuzione", "resourceTypePickerDialog.resourceSearchPlaceholder": "Filtra risorse...", "resourceTypePickerDialog.tagsListViewTitle": "Categorie", @@ -264,7 +268,6 @@ "notebookType": "Tipo di notebook" }, "dist/main": { - "resourceDeployment.FailedToLoadExtension": "Non è stato possibile caricare l'estensione: {0}. È stato rilevato un errore nella definizione dei tipi di risorse nel file package.json. Per dettagli, vedere la console di debug.", "resourceDeployment.UnknownResourceType": "Il tipo di risorsa {0} non è definito" }, "dist/services/notebookService": { @@ -562,8 +565,8 @@ }, "dist/ui/toolsAndEulaSettingsPage": { "notebookWizard.toolsAndEulaPageTitle": "Prerequisiti di distribuzione", - "deploymentDialog.FailedEulaValidation": "Per procedere è necessario accettare le condizioni del contratto di licenza", "deploymentDialog.FailedToolsInstallation": "Alcuni strumenti non sono stati ancora individuati. Assicurarsi che siano installati, in esecuzione e individuabili", + "deploymentDialog.FailedEulaValidation": "Per procedere è necessario accettare le condizioni del contratto di licenza", "deploymentDialog.loadingRequiredToolsCompleted": "Caricamento delle informazioni sugli strumenti necessari completato", "deploymentDialog.loadingRequiredTools": "Caricamento delle informazioni sugli strumenti necessari", "resourceDeployment.AgreementTitle": "Accettare le condizioni per l'utilizzo", @@ -605,18 +608,9 @@ "dist/services/tools/azdataTool": { "resourceDeployment.AzdataDescription": "Interfaccia della riga di comando di Azure Data", "resourceDeployment.AzdataDisplayName": "Interfaccia della riga di comando di Azure Data", + "deploy.azdataExtMissing": "Per distribuire la risorsa, è necessario installare l'estensione AZURE Data CLI. Installare l'estensione tramite la raccolta estensioni e riprovare.", "deployCluster.GetToolVersionErrorInformation": "Errore durante il recupero delle informazioni sulla versione. Per altri dettagli, vedere il canale di output '{0}'", - "deployCluster.GetToolVersionError": "Errore durante il recupero delle informazioni sulla versione.{0}È stato ricevuto un output non valido. Ottenere l'output del comando della versione: '{1}' ", - "resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "eliminazione del file Azdata.msi scaricato in precedenza se presente…", - "resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "download di Azdata.msi e installazione di azdata-cli…", - "resourceDeployment.Azdata.DisplayingInstallationLog": "visualizzazione del log di installazione…", - "resourceDeployment.Azdata.TappingBrewRepository": "accesso al repository brew per azdata-cli…", - "resourceDeployment.Azdata.UpdatingBrewRepository": "aggiornamento del repository brew per l'installazione di azdata-cli…", - "resourceDeployment.Azdata.InstallingAzdata": "installazione di azdata…", - "resourceDeployment.Azdata.AptGetUpdate": "aggiornamento delle informazioni sul repository…", - "resourceDeployment.Azdata.AptGetPackages": "recupero dei pacchetti necessari per l'installazione di azdata…", - "resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "download e installazione della chiave di firma per azdata…", - "resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "aggiunta delle informazioni sul repository azdata…" + "deployCluster.GetToolVersionError": "Errore durante il recupero delle informazioni sulla versione.{0}È stato ricevuto un output non valido. Ottenere l'output del comando della versione: '{1}' " }, "dist/services/tools/azdataToolOld": { "resourceDeployment.AzdataDescription": "Interfaccia della riga di comando di Azure Data", @@ -636,4 +630,4 @@ "deploymentDialog.deploymentOptions": "Opzioni di distribuzione" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-it/translations/extensions/schema-compare.i18n.json b/i18n/ads-language-pack-it/translations/extensions/schema-compare.i18n.json new file mode 100644 index 0000000000..63077e8d6f --- /dev/null +++ b/i18n/ads-language-pack-it/translations/extensions/schema-compare.i18n.json @@ -0,0 +1,319 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "displayName": "Confronto schemi di SQL Server", + "description": "La funzionalità Confronto schemi di SQL Server per Azure Data Studio supporta il confronto degli schemi di database e pacchetti di applicazione livello dati.", + "schemaCompare.start": "Confronto schemi" + }, + "dist/localizedConstants": { + "schemaCompareDialog.ok": "OK", + "schemaCompareDialog.cancel": "Annulla", + "schemaCompareDialog.SourceTitle": "Origine", + "schemaCompareDialog.TargetTitle": "Destinazione", + "schemaCompareDialog.fileTextBoxLabel": "File", + "schemaCompare.dacpacRadioButtonLabel": "File dell'applicazione livello dati (con estensione dacpac)", + "schemaCompare.databaseButtonLabel": "Database", + "schemaCompare.radioButtonsLabel": "Tipo", + "schemaCompareDialog.serverDropdownTitle": "Server", + "schemaCompareDialog.databaseDropdownTitle": "Database", + "schemaCompare.dialogTitle": "Confronto schemi", + "schemaCompareDialog.differentSourceMessage": "È stato selezionato uno schema di origine diverso. Eseguire il confronto?", + "schemaCompareDialog.differentTargetMessage": "È stato selezionato uno schema di destinazione diverso. Eseguire il confronto?", + "schemaCompareDialog.differentSourceTargetMessage": "Sono stati selezionati schemi di origine e di destinazione diversi. Eseguire il confronto?", + "schemaCompareDialog.Yes": "Sì", + "schemaCompareDialog.No": "No", + "schemaCompareDialog.sourceTextBox": "File di origine", + "schemaCompareDialog.targetTextBox": "File di destinazione", + "schemaCompareDialog.sourceDatabaseDropdown": "Database di origine", + "schemaCompareDialog.targetDatabaseDropdown": "Database di destinazione", + "schemaCompareDialog.sourceServerDropdown": "Server di origine", + "schemaCompareDialog.targetServerDropdown": "Server di destinazione", + "schemaCompareDialog.defaultUser": "predefinito", + "schemaCompare.openFile": "Apri", + "schemaCompare.selectSourceFile": "Selezionare file di origine", + "schemaCompare.selectTargetFile": "Selezionare il file di destinazione", + "SchemaCompareOptionsDialog.Reset": "Reimposta", + "schemaCompareOptions.RecompareMessage": "Le opzioni sono state modificate. Ripetere il confronto?", + "SchemaCompare.SchemaCompareOptionsDialogLabel": "Opzioni di confronto schemi", + "SchemaCompare.GeneralOptionsLabel": "Opzioni generali", + "SchemaCompare.ObjectTypesOptionsLabel": "Includi tipi di oggetto", + "schemaCompare.CompareDetailsTitle": "Dettagli confronto", + "schemaCompare.ApplyConfirmation": "Aggiornare la destinazione?", + "schemaCompare.RecompareToRefresh": "Fare clic su Confronta per aggiornare il confronto.", + "schemaCompare.generateScriptEnabledButton": "Genera script per distribuire le modifiche nella destinazione", + "schemaCompare.generateScriptNoChanges": "Non sono presenti modifiche per cui generare lo script", + "schemaCompare.applyButtonEnabledTitle": "Applica modifiche alla destinazione", + "schemaCompare.applyNoChanges": "Non sono presenti modifiche da applicare", + "schemaCompare.includeExcludeInfoMessage": "Tenere presente che le operazioni di inclusione/esclusione possono richiedere qualche minuto per calcolare le dipendenze interessate", + "schemaCompare.deleteAction": "Elimina", + "schemaCompare.changeAction": "Modifica", + "schemaCompare.addAction": "Aggiungi", + "schemaCompare.differencesTableTitle": "Confronto tra origine e destinazione", + "schemaCompare.waitText": "Inizializzazione del confronto. L'operazione potrebbe richiedere qualche istante.", + "schemaCompare.startText": "Per confrontare due schemi, selezionare lo schema di origine e quello di destinazione, quindi fare clic su Confronta.", + "schemaCompare.noDifferences": "Non sono state trovate differenze di schema.", + "schemaCompare.typeColumn": "Tipo", + "schemaCompare.sourceNameColumn": "Nome origine", + "schemaCompare.includeColumnName": "Includi", + "schemaCompare.actionColumn": "Azione", + "schemaCompare.targetNameColumn": "Nome destinazione", + "schemaCompare.generateScriptButtonDisabledTitle": "L'opzione Genera script è abilitata quando la destinazione è un database", + "schemaCompare.applyButtonDisabledTitle": "L'opzione Applica è abilitata quando la destinazione è un database", + "schemaCompare.cannotExcludeMessageWithDependent": "Non è possibile escludere {0}. Esistono dipendenti inclusi, ad esempio {1}", + "schemaCompare.cannotIncludeMessageWithDependent": "Non è possibile includere {0}. Esistono dipendenti esclusi, ad esempio {1}", + "schemaCompare.cannotExcludeMessage": "Non è possibile escludere {0}. Esistono dipendenti inclusi", + "schemaCompare.cannotIncludeMessage": "Non è possibile includere {0}. Esistono dipendenti esclusi", + "schemaCompare.compareButton": "Confronta", + "schemaCompare.cancelCompareButton": "Arresta", + "schemaCompare.generateScriptButton": "Genera script", + "schemaCompare.optionsButton": "Opzioni", + "schemaCompare.updateButton": "Applica", + "schemaCompare.switchDirectionButton": "Cambia direzione", + "schemaCompare.switchButtonTitle": "Scambia origine e destinazione", + "schemaCompare.sourceButtonTitle": "Seleziona origine", + "schemaCompare.targetButtonTitle": "Seleziona destinazione", + "schemaCompare.openScmpButton": "Apri file con estensione scmp", + "schemaCompare.openScmpButtonTitle": "Carica origine, destinazione e opzioni salvate in un file con estensione scmp", + "schemaCompare.saveScmpButton": "Salva file con estensione scmp", + "schemaCompare.saveScmpButtonTitle": "Salva origine e destinazione, opzioni ed elementi esclusi", + "schemaCompare.saveFile": "Salva", + "schemaCompare.GetConnectionString": "Si desidera connettersi a {0}?", + "schemaCompare.selectConnection": "Selezionare connessione", + "SchemaCompare.IgnoreTableOptions": "Ignora opzioni di tabella", + "SchemaCompare.IgnoreSemicolonBetweenStatements": "Ignora punto e virgola tra istruzioni", + "SchemaCompare.IgnoreRouteLifetime": "Ignora durata route", + "SchemaCompare.IgnoreRoleMembership": "Ignora appartenenza al ruolo", + "SchemaCompare.IgnoreQuotedIdentifiers": "Ignora identificatori delimitati", + "SchemaCompare.IgnorePermissions": "Ignora autorizzazioni", + "SchemaCompare.IgnorePartitionSchemes": "Ignora schemi di partizione", + "SchemaCompare.IgnoreObjectPlacementOnPartitionScheme": "Ignora posizione oggetto nello schema di partizione", + "SchemaCompare.IgnoreNotForReplication": "Ignora non per la replica", + "SchemaCompare.IgnoreLoginSids": "Ignora SID di accesso", + "SchemaCompare.IgnoreLockHintsOnIndexes": "Ignora hint di blocco in indici", + "SchemaCompare.IgnoreKeywordCasing": "Ignora maiuscole/minuscole parole chiave", + "SchemaCompare.IgnoreIndexPadding": "Ignora riempimento indice", + "SchemaCompare.IgnoreIndexOptions": "Ignora opzioni di indice", + "SchemaCompare.IgnoreIncrement": "Ignora incremento", + "SchemaCompare.IgnoreIdentitySeed": "Ignora valore di inizializzazione Identity", + "SchemaCompare.IgnoreUserSettingsObjects": "Ignora oggetti impostazioni utente", + "SchemaCompare.IgnoreFullTextCatalogFilePath": "Ignora percorso del file di catalogo full-text", + "SchemaCompare.IgnoreWhitespace": "Ignora spazio vuoto", + "SchemaCompare.IgnoreWithNocheckOnForeignKeys": "Ignora WITH NOCHECK in chiavi esterne", + "SchemaCompare.VerifyCollationCompatibility": "Verifica compatibilità regole di confronto", + "SchemaCompare.UnmodifiableObjectWarnings": "Avvisi per oggetti non modificabili", + "SchemaCompare.TreatVerificationErrorsAsWarnings": "Considera errori di verifica come avvisi", + "SchemaCompare.ScriptRefreshModule": "Crea script per modulo di aggiornamento", + "SchemaCompare.ScriptNewConstraintValidation": "Crea script per convalida nuovi vincoli", + "SchemaCompare.ScriptFileSize": "Crea script per dimensioni file", + "SchemaCompare.ScriptDeployStateChecks": "Crea script per verifiche stato di distribuzione", + "SchemaCompare.ScriptDatabaseOptions": "Crea script per opzioni database", + "SchemaCompare.ScriptDatabaseCompatibility": "Crea script per compatibilità database", + "SchemaCompare.ScriptDatabaseCollation": "Crea script per regole di confronto database", + "SchemaCompare.RunDeploymentPlanExecutors": "Esegui executor di piani di distribuzione", + "SchemaCompare.RegisterDataTierApplication": "Registra applicazione del livello dati", + "SchemaCompare.PopulateFilesOnFileGroups": "Popola file in gruppi di file", + "SchemaCompare.NoAlterStatementsToChangeClrTypes": "Non modificare istruzioni per cambiare i tipi CLR", + "SchemaCompare.IncludeTransactionalScripts": "Includi script transazionali", + "SchemaCompare.IncludeCompositeObjects": "Includi oggetti compositi", + "SchemaCompare.AllowUnsafeRowLevelSecurityDataMovement": "Consenti spostamento dati con Sicurezza a livello di riga non sicuro", + "SchemaCompare.IgnoreWithNocheckOnCheckConstraints": "Ignora WITH NOCHECK in vincoli CHECK", + "SchemaCompare.IgnoreFillFactor": "Ignora fattore di riempimento", + "SchemaCompare.IgnoreFileSize": "Ignora dimensioni file", + "SchemaCompare.IgnoreFilegroupPlacement": "Ignora posizione filegroup", + "SchemaCompare.DoNotAlterReplicatedObjects": "Non modificare oggetti replicati", + "SchemaCompare.DoNotAlterChangeDataCaptureObjects": "Non modificare oggetti Change Data Capture", + "SchemaCompare.DisableAndReenableDdlTriggers": "Disabilita e riabilita trigger DDL", + "SchemaCompare.DeployDatabaseInSingleUserMode": "Distribuisci database in modalità utente singolo", + "SchemaCompare.CreateNewDatabase": "Crea nuovo database", + "SchemaCompare.CompareUsingTargetCollation": "Confronta usando regole di confronto di destinazione", + "SchemaCompare.CommentOutSetVarDeclarations": "Imposta come commento le dichiarazioni SetVar", + "SchemaCompare.BlockWhenDriftDetected": "Blocca se viene rilevata una deviazione", + "SchemaCompare.BlockOnPossibleDataLoss": "Blocca in caso di possibile perdita di dati", + "SchemaCompare.BackupDatabaseBeforeChanges": "Esegui backup del database prima delle modifiche", + "SchemaCompare.AllowIncompatiblePlatform": "Consenti piattaforma incompatibile", + "SchemaCompare.AllowDropBlockingAssemblies": "Consenti rimozione assembly di blocco", + "SchemaCompare.DropConstraintsNotInSource": "Rimuovi vincoli non nell'origine", + "SchemaCompare.DropDmlTriggersNotInSource": "Rimuovi trigger DML non nell'origine", + "SchemaCompare.DropExtendedPropertiesNotInSource": "Rimuovi proprietà estese non nell'origine", + "SchemaCompare.DropIndexesNotInSource": "Rimuovi indici non nell'origine", + "SchemaCompare.IgnoreFileAndLogFilePath": "Ignora percorso di file e file di log", + "SchemaCompare.IgnoreExtendedProperties": "Ignora proprietà estese", + "SchemaCompare.IgnoreDmlTriggerState": "Ignora stato trigger DML", + "SchemaCompare.IgnoreDmlTriggerOrder": "Ignora ordine trigger DML", + "SchemaCompare.IgnoreDefaultSchema": "Ignora schema predefinito", + "SchemaCompare.IgnoreDdlTriggerState": "Ignora stato trigger DDL", + "SchemaCompare.IgnoreDdlTriggerOrder": "Ignora ordine trigger DDL", + "SchemaCompare.IgnoreCryptographicProviderFilePath": "Ignora percorso file del provider del servizio di crittografia", + "SchemaCompare.VerifyDeployment": "Verifica distribuzione", + "SchemaCompare.IgnoreComments": "Ignora commenti", + "SchemaCompare.IgnoreColumnCollation": "Ignora regole di confronto delle colonne", + "SchemaCompare.IgnoreAuthorizer": "Ignora provider di autorizzazioni", + "SchemaCompare.IgnoreAnsiNulls": "Ignora ANSI NULLS", + "SchemaCompare.GenerateSmartDefaults": "Genera impostazioni predefinite intelligenti", + "SchemaCompare.DropStatisticsNotInSource": "Rimuovi statistiche non nell'origine", + "SchemaCompare.DropRoleMembersNotInSource": "Rimuovi membri del ruolo non nell'origine", + "SchemaCompare.DropPermissionsNotInSource": "Rimuovi autorizzazioni non nell'origine", + "SchemaCompare.DropObjectsNotInSource": "Rimuovi oggetti non nell'origine", + "SchemaCompare.IgnoreColumnOrder": "Ignora ordine delle colonne", + "SchemaCompare.Aggregates": "Aggregati", + "SchemaCompare.ApplicationRoles": "Ruoli applicazione", + "SchemaCompare.Assemblies": "Assembly", + "SchemaCompare.AssemblyFiles": "File di assembly", + "SchemaCompare.AsymmetricKeys": "Chiavi asimmetriche", + "SchemaCompare.BrokerPriorities": "Priorità di Service Broker", + "SchemaCompare.Certificates": "Certificati", + "SchemaCompare.ColumnEncryptionKeys": "Chiavi di crittografia della colonna", + "SchemaCompare.ColumnMasterKeys": "Chiavi master della colonna", + "SchemaCompare.Contracts": "Contratti", + "SchemaCompare.DatabaseOptions": "Opzioni database", + "SchemaCompare.DatabaseRoles": "Ruoli database", + "SchemaCompare.DatabaseTriggers": "Trigger database", + "SchemaCompare.Defaults": "Impostazioni predefinite", + "SchemaCompare.ExtendedProperties": "Proprietà estese", + "SchemaCompare.ExternalDataSources": "Origini dati esterne", + "SchemaCompare.ExternalFileFormats": "Formati di file esterni", + "SchemaCompare.ExternalStreams": "Flussi esterni", + "SchemaCompare.ExternalStreamingJobs": "Processi di streaming esterni", + "SchemaCompare.ExternalTables": "Tabelle esterne", + "SchemaCompare.Filegroups": "Filegroup", + "SchemaCompare.Files": "File", + "SchemaCompare.FileTables": "Tabelle file", + "SchemaCompare.FullTextCatalogs": "Cataloghi full-text", + "SchemaCompare.FullTextStoplists": "Elenchi di parole non significative full-text", + "SchemaCompare.MessageTypes": "Tipi di messaggio", + "SchemaCompare.PartitionFunctions": "Funzioni di partizione", + "SchemaCompare.PartitionSchemes": "Schemi di partizione", + "SchemaCompare.Permissions": "Autorizzazioni", + "SchemaCompare.Queues": "Code", + "SchemaCompare.RemoteServiceBindings": "Associazioni al servizio remoto", + "SchemaCompare.RoleMembership": "Appartenenza al ruolo", + "SchemaCompare.Rules": "Regole", + "SchemaCompare.ScalarValuedFunctions": "Funzioni a valori scalari", + "SchemaCompare.SearchPropertyLists": "Elenchi delle proprietà di ricerca", + "SchemaCompare.SecurityPolicies": "Criteri di sicurezza", + "SchemaCompare.Sequences": "Sequenze", + "SchemaCompare.Services": "Servizi", + "SchemaCompare.Signatures": "Firme", + "SchemaCompare.StoredProcedures": "Stored procedure", + "SchemaCompare.SymmetricKeys": "Chiavi simmetriche", + "SchemaCompare.Synonyms": "Sinonimi", + "SchemaCompare.Tables": "Tabelle", + "SchemaCompare.TableValuedFunctions": "Funzioni con valori di tabella", + "SchemaCompare.UserDefinedDataTypes": "Tipi di dati definiti dall'utente", + "SchemaCompare.UserDefinedTableTypes": "Tipi di tabella definiti dall'utente", + "SchemaCompare.ClrUserDefinedTypes": "Tipi CLR definiti dall'utente", + "SchemaCompare.Users": "Utenti", + "SchemaCompare.Views": "Visualizzazioni", + "SchemaCompare.XmlSchemaCollections": "Raccolte XML Schema", + "SchemaCompare.Audits": "Controlli", + "SchemaCompare.Credentials": "Credenziali", + "SchemaCompare.CryptographicProviders": "Provider del servizio di crittografia", + "SchemaCompare.DatabaseAuditSpecifications": "Specifiche di controllo database", + "SchemaCompare.DatabaseEncryptionKeys": "Chiavi di crittografia del database", + "SchemaCompare.DatabaseScopedCredentials": "Credenziali con ambito database", + "SchemaCompare.Endpoints": "Endpoint", + "SchemaCompare.ErrorMessages": "Messaggi di errore", + "SchemaCompare.EventNotifications": "Notifiche degli eventi", + "SchemaCompare.EventSessions": "Sessioni eventi", + "SchemaCompare.LinkedServerLogins": "Accessi server collegato", + "SchemaCompare.LinkedServers": "Server collegati", + "SchemaCompare.Logins": "Account di accesso", + "SchemaCompare.MasterKeys": "Chiavi master", + "SchemaCompare.Routes": "Route", + "SchemaCompare.ServerAuditSpecifications": "Specifiche di controllo server", + "SchemaCompare.ServerRoleMembership": "Appartenenze al ruolo del server", + "SchemaCompare.ServerRoles": "Ruoli del server", + "SchemaCompare.ServerTriggers": "Trigger server", + "SchemaCompare.Description.IgnoreTableOptions": "Specifica se le differenze nelle opzioni di tabella devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreSemicolonBetweenStatements": "Specifica se le differenze nei punti e virgola tra le istruzioni T-SQL verranno ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreRouteLifetime": "Specifica se le differenze nel tempo di conservazione in SQL Server della route nella tabella di routing devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreRoleMembership": "Specifica se le differenze nelle appartenenze al ruolo degli account di accesso devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreQuotedIdentifiers": "Specifica se le differenze nell'impostazione degli identificatori delimitati devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnorePermissions": "Specifica se le autorizzazioni devono essere ignorate.", + "SchemaCompare.Description.IgnorePartitionSchemes": "Specifica se le differenze negli schemi di partizione e nelle funzioni devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreObjectPlacementOnPartitionScheme": "Specifica se la posizione di un oggetto in uno schema di partizione deve essere ignorata o aggiornata quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreNotForReplication": "Specifica se le impostazioni Non per la replica devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreLoginSids": "Specifica se le differenze nell'ID di sicurezza (SID) devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreLockHintsOnIndexes": "Specifica se le differenze negli hint di blocco negli indici devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreKeywordCasing": "Specifica se le differenze nell'uso di maiuscole e minuscole delle parole chiave devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreIndexPadding": "Specifica se le differenze nel riempimento indice devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreIndexOptions": "Specifica se le differenze nelle opzioni di indice devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreIncrement": "Specifica se le differenze nell'incremento per una colonna Identity devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreIdentitySeed": "Specifica se le differenze nel valore di inizializzazione per una colonna Identity devono essere ignorate o aggiornate quando si pubblicano aggiornamenti in un database.", + "SchemaCompare.Description.IgnoreUserSettingsObjects": "Specifica se le differenze negli oggetti impostazioni utente devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreFullTextCatalogFilePath": "Specifica se le differenze nel percorso file per il catalogo full-text devono essere ignorate o se viene inviato un avviso quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreWhitespace": "Specifica se le differenze nello spazio vuoto devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreWithNocheckOnForeignKeys": "Specifica se le differenze nel valore della clausola WITH NOCHECK per chiavi esterne devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.VerifyCollationCompatibility": "Specifica se la compatibilità delle regole di confronto viene verificata.", + "SchemaCompare.Description.UnmodifiableObjectWarnings": "Specifica se devono essere generati avvisi quando vengono rilevate differenze negli oggetti che non possono essere modificati, ad esempio quando le dimensioni o i percorsi di file risultano diversi.", + "SchemaCompare.Description.TreatVerificationErrorsAsWarnings": "Specifica se gli errori rilevati durante la verifica della pubblicazione devono essere considerati avvisi. Il controllo viene effettuato sul piano di distribuzione generato prima che questo venga eseguito sul database di destinazione. La verifica del piano rileva problemi quali la perdita di oggetti della sola destinazione (ad esempio gli indici) che devono essere rimossi per apportare una modifica. La verifica inoltre individua le dipendenze (ad esempio una tabella o una visualizzazione) che sono presenti a causa di un riferimento a un progetto composito, ma che non esistono nel database di destinazione. È possibile scegliere di eseguire questo controllo per ottenere un elenco completo di tutti i problemi anziché l'arresto dell'azione di pubblicazione al primo errore.", + "SchemaCompare.Description.ScriptRefreshModule": "Includi istruzioni di aggiornamento alla fine dello script di pubblicazione.", + "SchemaCompare.Description.ScriptNewConstraintValidation": "Al termine della pubblicazione tutti i vincoli verranno verificati come un unico set, in modo da evitare errori di dati provocati da vincoli CHECK o di chiave esterna durante la pubblicazione. Se l'impostazione è False, i vincoli verranno pubblicati senza il controllo dei dati corrispondenti.", + "SchemaCompare.Description.ScriptFileSize": "Controlla se nell'aggiunta di un file a un filegroup vengono specificate le dimensioni.", + "SchemaCompare.Description.ScriptDeployStateChecks": "Specifica se le istruzioni vengono generate nello script di pubblicazione per verificare che il nome del database e il nome del server corrispondano ai nomi specificati nel progetto di database.", + "SchemaCompare.Description.ScriptDatabaseOptions": "Specifica se le proprietà del database di destinazione devono essere impostate o aggiornate durante l'azione di pubblicazione.", + "SchemaCompare.Description.ScriptDatabaseCompatibility": "Specifica se le differenze nella compatibilità del database devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.ScriptDatabaseCollation": "Specifica se le differenze nelle regole di confronto del database devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.RunDeploymentPlanExecutors": "Specifica se eseguire i collaboratori DeploymentPlanExecutor quando vengono eseguite le altre operazioni.", + "SchemaCompare.Description.RegisterDataTierApplication": "Specifica se lo schema viene registrato con il server di database.", + "SchemaCompare.Description.PopulateFilesOnFileGroups": "Specifica se viene anche creato un nuovo file quando si crea un nuovo oggetto FileGroup nel database di destinazione.", + "SchemaCompare.Description.NoAlterStatementsToChangeClrTypes": "Specifica che se durante la pubblicazione viene rilevata una differenza, viene sempre rimosso e ricreato un assembly invece di eseguire un'istruzione ALTER ASSEMBLY", + "SchemaCompare.Description.IncludeTransactionalScripts": "Specifica se usare quando possibile le istruzioni transazionali quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IncludeCompositeObjects": "Include tutti gli elementi compositi in un'unica operazione di pubblicazione.", + "SchemaCompare.Description.AllowUnsafeRowLevelSecurityDataMovement": "Non blocca il movimento di dati in una tabella con Sicurezza a livello di riga se questa proprietà è impostata su true. L'impostazione predefinita è false.", + "SchemaCompare.Description.IgnoreWithNocheckOnCheckConstraints": "Specifica se le differenze nel valore della clausola WITH NOCHECK per vincoli CHECK devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreFillFactor": "Specifica se le differenze nel fattore di riempimento per l'archiviazione degli indici devono essere ignorate o se viene inviato un avviso quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreFileSize": "Specifica se le differenze nelle dimensioni dei file devono essere ignorate o se viene inviato un avviso quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreFilegroupPlacement": "Specifica se le differenze nella posizione degli oggetti in FILEGROUP devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.DoNotAlterReplicatedObjects": "Specifica se gli oggetti replicati vengono identificati durante la verifica.", + "SchemaCompare.Description.DoNotAlterChangeDataCaptureObjects": "Se è true, gli oggetti Change Data Capture non vengono modificati.", + "SchemaCompare.Description.DisableAndReenableDdlTriggers": "Specifica se i trigger Data Definition Language (DDL) vengono disabilitati all'inizio del processo di pubblicazione e riabilitati alla fine del processo di pubblicazione.", + "SchemaCompare.Description.DeployDatabaseInSingleUserMode": "Se è true, il database viene impostato sulla modalità utente singolo prima della distribuzione.", + "SchemaCompare.Description.CreateNewDatabase": "Specifica se il database di destinazione deve essere aggiornato oppure rimosso e ricreato quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.CompareUsingTargetCollation": "Questa impostazione indica come vengono gestite le regole di confronto del database durante la distribuzione. Per impostazione predefinita, le regole di confronto del database di destinazione verranno aggiornate se non corrispondono alle regole di confronto specificate dall'origine. Quando questa opzione è impostata, è necessario usare le regole di confronto del server o del database di destinazione.", + "SchemaCompare.Description.CommentOutSetVarDeclarations": "Specifica se la dichiarazione delle variabili SETVAR verrà impostata come commento nello script di pubblicazione generato. È possibile scegliere questa opzione se si intende specificare i valori nella riga di comando usando uno strumento quale SQLCMD.EXE.", + "SchemaCompare.Description.BlockWhenDriftDetected": "Specifica se bloccare l'aggiornamento di un database il cui schema non corrisponde più alla registrazione o la cui registrazione è stata annullata.", + "SchemaCompare.Description.BlockOnPossibleDataLoss": "Specifica che, se esiste la possibilità di perdita di dati derivante dall'operazione di pubblicazione, l'episodio di pubblicazione deve essere interrotto.", + "SchemaCompare.Description.BackupDatabaseBeforeChanges": "Esegue il backup del database prima di distribuire eventuali modifiche.", + "SchemaCompare.Description.AllowIncompatiblePlatform": "Specifica se provare a eseguire l'azione nonostante sia incompatibile con le piattaforme di SQL Server.", + "SchemaCompare.Description.AllowDropBlockingAssemblies": "Questa proprietà viene usata dalla distribuzione SqlClr per causare la rimozione degli assembly di blocco come parte del piano di distribuzione. Per impostazione predefinita, gli assembly di blocco/riferimento bloccheranno un aggiornamento degli assembly se l'assembly a cui viene fatto riferimento deve essere rimosso.", + "SchemaCompare.Description.DropConstraintsNotInSource": "Specifica se i vincoli che non esistono nel file snapshot del database (con estensione dacpac) vengono rimossi dal database di destinazione quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.DropDmlTriggersNotInSource": "Specifica se i trigger DML che non esistono nel file snapshot del database (con estensione dacpac) vengono rimossi dal database di destinazione quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.DropExtendedPropertiesNotInSource": "Specifica se le proprietà estese che non esistono nel file snapshot del database (con estensione dacpac) vengono rimosse dal database di destinazione quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.DropIndexesNotInSource": "Specifica se gli indici che non esistono nel file snapshot del database (con estensione dacpac) vengono rimossi dal database di destinazione quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreFileAndLogFilePath": "Specifica se le differenze nel percorso dei file e dei file di log devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreExtendedProperties": "Specifica se le proprietà estese devono essere ignorate.", + "SchemaCompare.Description.IgnoreDmlTriggerState": "Specifica se le differenze nello stato abilitato o disabilitato dei trigger DML devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreDmlTriggerOrder": "Specifica se le differenze nell'ordine dei trigger DML (Data Manipulation Language) triggers devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreDefaultSchema": "Specifica se le differenze nello schema predefinito devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreDdlTriggerState": "Specifica se le differenze nello stato abilitato o disabilitato dei trigger DDL (Data Definition Language) devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreDdlTriggerOrder": "Specifica se le differenze nell'ordine dei trigger DDL (Data Definition Language) devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database o in un server.", + "SchemaCompare.Description.IgnoreCryptographicProviderFilePath": "Specifica se le differenze nel percorso file del provider del servizio di crittografia devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.VerifyDeployment": "Specifica se prima della pubblicazione devono essere eseguiti i controlli che arrestano l'azione di distribuzione quando vengono rilevati problemi che potrebbero impedire la corretta pubblicazione. Ad esempio, l'azione di pubblicazione potrebbe essere arrestata se le chiavi esterne presenti nel database di destinazione non esistono nel progetto di database e questa situazione genera errori durante la pubblicazione.", + "SchemaCompare.Description.IgnoreComments": "Specifica se le differenze nei commenti devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreColumnCollation": "Specifica se le differenze nelle regole di confronto colonna devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreAuthorizer": "Specifica se le differenze nel provider di autorizzazioni devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.IgnoreAnsiNulls": "Specifica se le differenze nell'impostazione ANSI NULLS devono essere ignorate o aggiornate quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.GenerateSmartDefaults": "Fornisce automaticamente un valore predefinito quando si aggiorna una tabella contenente dati con una colonna che non consente valori Null.", + "SchemaCompare.Description.DropStatisticsNotInSource": "Specifica se le statistiche che non esistono nel file snapshot del database (con estensione dacpac) vengono rimosse dal database di destinazione quando si esegue la pubblicazione in un database.", + "SchemaCompare.Description.DropRoleMembersNotInSource": "Specifica se i membri del ruolo non distribuiti nel file snapshot del database (con estensione dacpac) vengono rimossi dal database di destinazione quando si pubblicano aggiornamenti in un database.Fare doppio clic per modificare", - "addContent": "Aggiungere contenuto qui..." - }, - "sql/workbench/contrib/scripting/browser/scriptingActions": { - "refreshError": "Si è verificato un errore durante l'aggiornamento del nodo '{0}': {1}" - }, - "sql/workbench/api/common/extHostModelViewDialog": { - "dialogDoneLabel": "Fatto", - "dialogCancelLabel": "Annulla", - "generateScriptLabel": "Genera script", - "dialogNextLabel": "Avanti", - "dialogPreviousLabel": "Indietro", - "dashboardNotInitialized": "Le schede non sono inizializzate" - }, - "sql/workbench/browser/modal/optionsDialogHelper": { - "optionsDialog.missingRequireField": " è obbligatorio.", - "optionsDialog.invalidInput": "Input non valido. È previsto un valore numerico." - }, - "sql/workbench/services/restore/browser/restoreDialog": { - "backupFilePath": "Percorso del file di backup", - "targetDatabase": "Database di destinazione", - "restoreDialog.restore": "Ripristina", - "restoreDialog.restoreTitle": "Ripristina database", - "restoreDialog.database": "Database", - "restoreDialog.backupFile": "File di backup", - "RestoreDialogTitle": "Ripristina database", - "restoreDialog.cancel": "Annulla", - "restoreDialog.script": "Script", - "source": "Origine", - "restoreFrom": "Ripristina da", - "missingBackupFilePathError": "Il percorso del file di backup è obbligatorio.", - "multipleBackupFilePath": "Immettere uno o più percorsi di file separati da virgole", - "database": "Database", - "destination": "Destinazione", - "restoreTo": "Ripristina in", - "restorePlan": "Piano di ripristino", - "backupSetsToRestore": "Set di backup da ripristinare", - "restoreDatabaseFileAs": "Ripristina file di database come", - "restoreDatabaseFileDetails": "Dettagli del file di ripristino del database", - "logicalFileName": "Nome file logico", - "fileType": "Tipo di file", - "originalFileName": "Nome file originale", - "restoreAs": "Ripristina come", - "restoreOptions": "Opzioni di ripristino", - "taillogBackup": "Backup della parte finale del log", - "serverConnection": "Connessioni server", - "generalTitle": "Generale", - "filesTitle": "File", - "optionsTitle": "Opzioni" - }, - "sql/workbench/services/insights/browser/insightDialogActions": { - "workbench.action.insights.copySelection": "Copia cella" - }, - "sql/workbench/services/dialog/common/dialogTypes": { - "dialogModalDoneButtonLabel": "Fatto", - "dialogModalCancelButtonLabel": "Annulla" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { - "copyAndOpen": "Copia e apri", - "oauthDialog.cancel": "Annulla", - "userCode": "Codice utente", - "website": "Sito Web" - }, - "sql/workbench/browser/modelComponents/componentBase": { - "invalidIndex": "L'indice {0} non è valido." - }, - "sql/workbench/services/connection/browser/cmsConnectionWidget": { - "serverDescription": "Descrizione del server (facoltativa)" - }, - "sql/workbench/services/connection/browser/advancedPropertiesController": { - "connectionAdvancedProperties": "Proprietà avanzate", - "advancedProperties.discard": "Rimuovi" - }, - "sql/workbench/services/notebook/common/localContentManager": { - "nbformatNotRecognized": "nbformat v{0}.{1} non riconosciuto", - "nbNotSupported": "Il formato di notebook di questo file non è valido", - "unknownCellType": "Il tipo di cella {0} è sconosciuto", - "unrecognizedOutput": "Il tipo di output {0} non è riconosciuto", - "invalidMimeData": "I dati per {0} devono essere una stringa o una matrice di stringhe", - "unrecognizedOutputType": "Il tipo di output {0} non è riconosciuto" - }, - "sql/workbench/contrib/welcome/page/browser/welcomePage": { - "welcomePage": "Introduzione", - "welcomePage.adminPack": "Admin Pack di SQL", - "welcomePage.showAdminPack": "Admin Pack di SQL", - "welcomePage.adminPackDescription": "Admin Pack per SQL Server è una raccolta delle estensioni più usate per l'amministrazione di database per semplificare la gestione di SQL Server", - "welcomePage.powershell": "PowerShell", - "welcomePage.powershellDescription": "Consente di scrivere ed eseguire script di PowerShell usando l'editor di query avanzato di Azure Data Studio", - "welcomePage.dataVirtualization": "Virtualizzazione dei dati", - "welcomePage.dataVirtualizationDescription": "Virtualizza i dati con SQL Server 2019 e crea tabelle esterne tramite procedure guidate interattive", - "welcomePage.PostgreSQL": "PostgreSQL", - "welcomePage.PostgreSQLDescription": "È possibile connettersi, eseguire query e gestire database Postgres con Azure Data Studio", - "welcomePage.extensionPackAlreadyInstalled": "Il supporto per {0} è già installato.", - "welcomePage.willReloadAfterInstallingExtensionPack": "La finestra verrà ricaricata dopo l'installazione di supporto aggiuntivo per {0}.", - "welcomePage.installingExtensionPack": "Installazione di supporto aggiuntivo per {0} in corso...", - "welcomePage.extensionPackNotFound": "Il supporto per {0} con ID {1} non è stato trovato.", - "welcomePage.newConnection": "Nuova connessione", - "welcomePage.newQuery": "Nuova query", - "welcomePage.newNotebook": "Nuovo notebook", - "welcomePage.deployServer": "Distribuisci un server", - "welcome.title": "Introduzione", - "welcomePage.new": "Nuovo", - "welcomePage.open": "Apri…", - "welcomePage.openFile": "Apri file…", - "welcomePage.openFolder": "Apri cartella…", - "welcomePage.startTour": "Inizia la presentazione", - "closeTourBar": "Chiudi barra della presentazione", - "WelcomePage.TakeATour": "Visualizzare una presentazione di Azure Data Studio?", - "WelcomePage.welcome": "Introduzione", - "welcomePage.openFolderWithPath": "Apri la cartella {0} con percorso {1}", - "welcomePage.install": "Installa", - "welcomePage.installKeymap": "Installa mappatura tastiera {0}", - "welcomePage.installExtensionPack": "Installa supporto aggiuntivo per {0}", - "welcomePage.installed": "Installato", - "welcomePage.installedKeymap": "Mappatura tastiera {0} è già installata", - "welcomePage.installedExtensionPack": "Il supporto {0} è già installato", - "ok": "OK", - "details": "Dettagli", - "welcomePage.background": "Colore di sfondo della pagina di benvenuto." - }, - "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { - "profilerTextEditorAriaLabel": "Editor del profiler per il testo dell'evento. Di sola lettura" - }, - "sql/workbench/services/query/common/resultSerializer": { - "msgSaveFailed": "Non è stato possibile salvare i risultati. ", - "resultsSerializer.saveAsFileTitle": "Scegli file di risultati", - "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (delimitato da virgole)", - "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", - "resultsSerializer.saveAsFileExtensionExcelTitle": "Cartella di lavoro di Excel", - "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", - "resultsSerializer.saveAsFileExtensionTXTTitle": "Testo normale", - "savingFile": "Salvataggio del file...", - "msgSaveSucceeded": "I risultati sono stati salvati in {0}", - "openFile": "Apri file" - }, - "sql/base/browser/ui/panel/panel.component": { - "hideTextLabel": "Nascondi etichette di testo", - "showTextLabel": "Mostra etichette di testo" - }, - "sql/workbench/browser/modelComponents/queryTextEditor": { - "queryTextEditorAriaLabel": "editor del codice modelview per il modello di visualizzazione." - }, - "sql/workbench/browser/modal/modal": { - "infoAltText": "Informazioni", - "warningAltText": "Avviso", - "errorAltText": "Errore", - "showMessageDetails": "Mostra dettagli", - "copyMessage": "Copia", - "closeMessage": "Chiudi", - "modal.back": "Indietro", - "hideMessageDetails": "Nascondi dettagli" - }, - "sql/workbench/services/accountManagement/browser/accountDialog": { - "accountExplorer.name": "Account", - "linkedAccounts": "Account collegati", - "accountDialog.close": "Chiudi", - "accountDialog.noAccountLabel": "Non sono presenti account collegati. Aggiungere un account.", - "accountDialog.addConnection": "Aggiungi un account", - "accountDialog.noCloudsRegistered": "Nessun cloud abilitato. Passa a Impostazioni -> Cerca configurazione dell'account Azure -> Abilita almeno un cloud", - "accountDialog.didNotPickAuthProvider": "Non è stato selezionato alcun provider di autenticazione. Riprovare." - }, - "sql/workbench/services/query/common/queryRunner": { - "query.ExecutionFailedError": "L'esecuzione non è riuscita a causa di un errore imprevisto: {0}\t{1}", - "query.message.executionTime": "Tempo di esecuzione totale: {0}", - "query.message.startQueryWithRange": "L'esecuzione della query a riga {0} è stata avviata", - "query.message.startQuery": "Esecuzione del batch {0} avviata", - "elapsedBatchTime": "Tempo di esecuzione del batch: {0}", - "copyFailed": "La copia non è riuscita. Errore: {0}" - }, - "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { - "welcomePage.azdata": "Azure Data Studio", - "welcomePage.start": "Avvia", - "welcomePage.newConnection": "Nuova connessione", - "welcomePage.newQuery": "Nuova query", - "welcomePage.newNotebook": "Nuovo notebook", - "welcomePage.openFileMac": "Apri file", - "welcomePage.openFileLinuxPC": "Apri file", - "welcomePage.deploy": "Distribuisci", - "welcomePage.newDeployment": "Nuova distribuzione…", - "welcomePage.recent": "Recenti", - "welcomePage.moreRecent": "Altro...", - "welcomePage.noRecentFolders": "Non ci sono cartelle recenti", - "welcomePage.help": "Guida", - "welcomePage.gettingStarted": "Attività iniziali", - "welcomePage.productDocumentation": "Documentazione", - "welcomePage.reportIssue": "Segnala problema o invia richiesta di funzionalità", - "welcomePage.gitHubRepository": "Repository GitHub", - "welcomePage.releaseNotes": "Note sulla versione", - "welcomePage.showOnStartup": "Mostra la pagina iniziale all'avvio", - "welcomePage.customize": "Personalizza", - "welcomePage.extensions": "Estensioni", - "welcomePage.extensionDescription": "Download delle estensioni necessarie, tra cui il pacchetto di amministrazione di SQL Server", - "welcomePage.keyboardShortcut": "Tasti di scelta rapida", - "welcomePage.keyboardShortcutDescription": "Ricerca e personalizzazione dei comandi preferiti", - "welcomePage.colorTheme": "Tema colori", - "welcomePage.colorThemeDescription": "Tutto quel che serve per configurare editor e codice nel modo desiderato", - "welcomePage.learn": "Informazioni", - "welcomePage.showCommands": "Trova ed esegui tutti i comandi", - "welcomePage.showCommandsDescription": "Accesso e ricerca rapida di comandi dal riquadro comandi ({0})", - "welcomePage.azdataBlog": "Novità della release più recente", - "welcomePage.azdataBlogDescription": "Ogni mese nuovi post di blog che illustrano le nuove funzionalità", - "welcomePage.followTwitter": "Seguici su Twitter", - "welcomePage.followTwitterDescription": "È possibile tenersi aggiornati sull'utilizzo di Azure Data Studio nella community e parlare direttamente con i tecnici." - }, - "sql/workbench/contrib/profiler/browser/profilerActions": { - "profilerAction.connect": "Connetti", - "profilerAction.disconnect": "Disconnetti", - "start": "Avvia", - "create": "Nuova sessione", - "profilerAction.pauseCapture": "Sospendi", - "profilerAction.resumeCapture": "Riprendi", - "profilerStop.stop": "Arresta", - "profiler.clear": "Cancella dati", - "profiler.clearDataPrompt": "Cancellare i dati?", - "profiler.yes": "Sì", - "profiler.no": "No", - "profilerAction.autoscrollOn": "Scorrimento automatico: attivato", - "profilerAction.autoscrollOff": "Scorrimento automatico: disattivato", - "profiler.toggleCollapsePanel": "Attiva/Disattiva pannello compresso", - "profiler.editColumns": "Modifica colonne", - "profiler.findNext": "Trova la stringa successiva", - "profiler.findPrevious": "Trova la stringa precedente", - "profilerAction.newProfiler": "Avvia profiler", - "profiler.filter": "Filtro…", - "profiler.clearFilter": "Cancella filtro", - "profiler.clearFilterPrompt": "Cancellare i filtri?" - }, - "sql/workbench/contrib/profiler/browser/profilerTableEditor": { - "ProfilerTableEditor.eventCountFiltered": "Eventi (filtrati): {0}/{1}", - "ProfilerTableEditor.eventCount": "Eventi: {0}", - "status.eventCount": "Numero di eventi" - }, - "sql/base/browser/ui/table/formatters": { - "tableCell.NoDataAvailable": "dati non disponibili" - }, - "sql/workbench/contrib/query/browser/queryResultsView": { - "resultsTabTitle": "Risultati", - "messagesTabTitle": "Messaggi" - }, - "sql/workbench/browser/scriptingUtils": { - "scriptSelectNotFound": "Non è stato restituito alcuno script durante la chiamata dello script di selezione sull'oggetto ", - "selectOperationName": "Seleziona", - "createOperationName": "Crea", - "insertOperationName": "Inserisci", - "updateOperationName": "Aggiorna", - "deleteOperationName": "Elimina", - "scriptNotFoundForObject": "Non è stato restituito alcuno script durante la generazione dello script come {0} sull'oggetto {1}", - "scriptingFailed": "Generazione dello script non riuscita", - "scriptNotFound": "Non è stato restituito alcuno script durante la generazione dello script come {0}" - }, - "sql/platform/theme/common/colors": { - "tableHeaderBackground": "Colore di sfondo dell'intestazione tabella", - "tableHeaderForeground": "Colore primo piano dell'intestazione tabella", - "listFocusAndSelectionBackground": "Colore di sfondo dell'elenco o della tabella per l'elemento selezionato e con stato attivo quando l'elenco o la tabella è attiva", - "tableCellOutline": "Colore del contorno di una cella.", - "disabledInputBoxBackground": "Sfondo della casella di input disabilitata.", - "disabledInputBoxForeground": "Primo piano della casella di input disabilitata.", - "buttonFocusOutline": "Colore del contorno del pulsante con stato attivo.", - "disabledCheckboxforeground": "Primo piano della casella di controllo disabilitato.", - "agentTableBackground": "Colore di sfondo della tabella di SQL Agent.", - "agentCellBackground": "Colore di sfondo delle celle della tabella di SQL Agent.", - "agentTableHoverBackground": "Colore di sfondo della tabella di SQL Agent al passaggio del mouse.", - "agentJobsHeadingColor": "Colore di sfondo dell'intestazione di SQL Agent.", - "agentCellBorderColor": "Colore del bordo delle celle della tabella di SQL Agent.", - "resultsErrorColor": "Colore dell'errore nei messaggi dei risultati." - }, - "sql/workbench/contrib/backup/browser/backup.component": { - "backup.backupName": "Nome del backup", - "backup.recoveryModel": "Modello di recupero", - "backup.backupType": "Tipo di backup", - "backup.backupDevice": "File di backup", - "backup.algorithm": "Algoritmo", - "backup.certificateOrAsymmetricKey": "Certificato o chiave asimmetrica", - "backup.media": "Supporti", - "backup.mediaOption": "Esegui il backup sul set di supporti esistente", - "backup.mediaOptionFormat": "Esegui il backup su un nuovo set di supporti", - "backup.existingMediaAppend": "Accoda al set di backup esistente", - "backup.existingMediaOverwrite": "Sovrascrivi tutti i set di backup esistenti", - "backup.newMediaSetName": "Nome del nuovo set di supporti", - "backup.newMediaSetDescription": "Descrizione del nuovo set di supporti", - "backup.checksumContainer": "Esegui il checksum prima della scrittura sui supporti", - "backup.verifyContainer": "Verifica il backup al termine", - "backup.continueOnErrorContainer": "Continua in caso di errore", - "backup.expiration": "Scadenza", - "backup.setBackupRetainDays": "Imposta i giorni di mantenimento del backup", - "backup.copyOnly": "Backup di sola copia", - "backup.advancedConfiguration": "Configurazione avanzata", - "backup.compression": "Compressione", - "backup.setBackupCompression": "Imposta la compressione del backup", - "backup.encryption": "Crittografia", - "backup.transactionLog": "Log delle transazioni", - "backup.truncateTransactionLog": "Tronca il log delle transazioni", - "backup.backupTail": "Esegui il backup della coda del log", - "backup.reliability": "Affidabilità", - "backup.mediaNameRequired": "Il nome del supporto è obbligatorio", - "backup.noEncryptorWarning": "Non sono disponibili certificati o chiavi asimmetriche", - "addFile": "Aggiungi un file", - "removeFile": "Rimuovi file", - "backupComponent.invalidInput": "Input non valido. Il valore deve essere maggiore o uguale a 0.", - "backupComponent.script": "Script", - "backupComponent.backup": "Backup", - "backupComponent.cancel": "Annulla", - "backup.containsBackupToUrlError": "È supportato solo il backup su file", - "backup.backupFileRequired": "Il percorso del file di backup è obbligatorio" + "sql/platform/serialization/common/serializationService": { + "saveAsNotSupported": "Il salvataggio dei risultati in un formato diverso è disabilitato per questo provider di dati.", + "noSerializationProvider": "Non è possibile serializzare i dati perché non è stato registrato alcun provider", + "unknownSerializationError": "La serializzazione non è riuscita e si verificato un errore sconosciuto" }, "sql/platform/theme/common/colorRegistry": { "tileBorder": "Colore del bordo dei riquadri", @@ -10587,231 +9425,184 @@ "calloutDialogBodyBackground": "Sfondo del corpo della finestra di dialogo callout.", "calloutDialogShadowColor": "Colore di ombreggiatura della finestra di dialogo di callout." }, - "sql/workbench/contrib/views/browser/treeView": { - "no-dataprovider": "Non ci sono provider di dati registrati che possono fornire i dati della visualizzazione.", - "refresh": "Aggiorna", - "collapseAll": "Comprimi tutto", - "command-error": "Si è verificato un errore durante l'esecuzione del comando {1}: {0}. Il problema può dipendere dall'estensione che aggiunge come contributo {1}." + "sql/platform/theme/common/colors": { + "tableHeaderBackground": "Colore di sfondo dell'intestazione tabella", + "tableHeaderForeground": "Colore primo piano dell'intestazione tabella", + "listFocusAndSelectionBackground": "Colore di sfondo dell'elenco o della tabella per l'elemento selezionato e con stato attivo quando l'elenco o la tabella è attiva", + "tableCellOutline": "Colore del contorno di una cella.", + "disabledInputBoxBackground": "Sfondo della casella di input disabilitata.", + "disabledInputBoxForeground": "Primo piano della casella di input disabilitata.", + "buttonFocusOutline": "Colore del contorno del pulsante con stato attivo.", + "disabledCheckboxforeground": "Primo piano della casella di controllo disabilitato.", + "agentTableBackground": "Colore di sfondo della tabella di SQL Agent.", + "agentCellBackground": "Colore di sfondo delle celle della tabella di SQL Agent.", + "agentTableHoverBackground": "Colore di sfondo della tabella di SQL Agent al passaggio del mouse.", + "agentJobsHeadingColor": "Colore di sfondo dell'intestazione di SQL Agent.", + "agentCellBorderColor": "Colore del bordo delle celle della tabella di SQL Agent.", + "resultsErrorColor": "Colore dell'errore nei messaggi dei risultati." }, - "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { - "notebook.failed": "Selezionare la cella attiva e riprovare", - "runCell": "Esegui cella", - "stopCell": "Annulla esecuzione", - "errorRunCell": "Si è verificato un errore durante l'ultima esecuzione. Fare clic per ripetere l'esecuzione" + "sql/workbench/api/browser/mainThreadExtensionManagement": { + "workbench.generalObsoleteApiNotification": "Alcune delle estensioni caricate usano API obsolete. Per informazioni dettagliate, vedere la scheda Console della finestra Strumenti di sviluppo", + "dontShowAgain": "Non visualizzare più questo messaggio" }, - "sql/workbench/contrib/tasks/common/tasksAction": { - "cancelTask.cancel": "Annulla", - "errorMsgFromCancelTask": "L'annullamento dell'attività non è riuscito.", - "taskAction.script": "Script" - }, - "sql/base/browser/ui/taskbar/overflowActionbar": { - "toggleMore": "Attiva/Disattiva altro" - }, - "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { - "loadingSpinner.loading": "Caricamento" - }, - "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { - "homeCrumb": "Home page" - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { - "dashboardNavSection.loadTabError": "Il contenuto della sezione \"{0}\" non è valido. Contattare il proprietario dell'estensione." - }, - "sql/workbench/contrib/jobManagement/browser/agentView.component": { - "jobview.Jobs": "Processi", - "jobview.Notebooks": "Notebooks", - "jobview.Alerts": "Avvisi", - "jobview.Proxies": "Proxy", - "jobview.Operators": "Operatori" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { - "serverPageName": "Proprietà server" - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { - "databasePageName": "Proprietà database" - }, - "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { - "selectDeselectAll": "Seleziona/Deseleziona tutto" - }, - "sql/base/browser/ui/table/plugins/headerFilter.plugin": { - "headerFilter.showFilter": "Mostra filtro", - "headerFilter.ok": "OK", - "headerFilter.clear": "Cancella", - "headerFilter.cancel": "Annulla" - }, - "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { - "treeAriaLabel": "Connessioni recenti", - "serversAriaLabel": "Server", - "treeCreation.regTreeAriaLabel": "Server" - }, - "sql/workbench/services/restore/common/constants": { - "backup.filterBackupFiles": "File di backup", - "backup.allFiles": "Tutti i file" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { - "label.Search": "Cerca: digitare il termine di ricerca e premere INVIO per cercare oppure ESC per annullare", - "search.placeHolder": "Cerca" - }, - "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { - "dashboard.changeDatabaseFailure": "Non è stato possibile modificare il database" - }, - "sql/workbench/contrib/jobManagement/browser/alertsView.component": { - "jobAlertColumns.name": "Nome", - "jobAlertColumns.lastOccurrenceDate": "Ultima occorrenza", - "jobAlertColumns.enabled": "Abilitata", - "jobAlertColumns.delayBetweenResponses": "Ritardo tra le risposte (in sec)", - "jobAlertColumns.categoryName": "Nome della categoria" - }, - "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { - "jobOperatorsView.name": "Nome", - "jobOperatorsView.emailAddress": "Indirizzo di posta elettronica", - "jobOperatorsView.enabled": "Abilitata" - }, - "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { - "jobProxiesView.accountName": "Nome dell'account", - "jobProxiesView.credentialName": "Nome della credenziale", - "jobProxiesView.description": "Descrizione", - "jobProxiesView.isEnabled": "Abilitata" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { - "loadingObjects": "caricamento oggetti", - "loadingDatabases": "caricamento database", - "loadingObjectsCompleted": "caricamento oggetti completato.", - "loadingDatabasesCompleted": "caricamento database completato.", - "seachObjects": "Ricerca per nome di tipo (t:, v:, f: o sp:)", - "searchDatabases": "Cerca nei database", - "dashboard.explorer.objectError": "Non è possibile caricare gli oggetti", - "dashboard.explorer.databaseError": "Non è possibile caricare i database" - }, - "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { - "loadingProperties": "Caricamento delle proprietà", - "loadingPropertiesCompleted": "Caricamento delle proprietà completato", - "dashboard.properties.error": "Non è possibile caricare le proprietà del dashboard" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { - "insightsWidgetLoadingMessage": "Caricamento di {0}", - "insightsWidgetLoadingCompletedMessage": "Caricamento di {0} completato", - "insights.autoRefreshOffState": "Aggiornamento automatico: disattivato", - "insights.lastUpdated": "Ultimo aggiornamento: {0} {1}", - "noResults": "Non ci sono risultati da visualizzare" - }, - "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { - "agent.steps": "Passaggi" - }, - "sql/workbench/contrib/query/browser/actions": { - "saveAsCsv": "Salva in formato CSV", - "saveAsJson": "Salva in formato JSON", - "saveAsExcel": "Salva in formato Excel", - "saveAsXml": "Salva in formato XML", - "jsonEncoding": "La codifica dei risultati non verrà salvata quando si esporta in JSON. Ricordarsi di salvare con la codifica desiderata dopo la creazione del file.", - "saveToFileNotSupported": "Il salvataggio nel file non è supportato dall'origine dati di supporto", - "copySelection": "Copia", - "copyWithHeaders": "Copia con intestazioni", - "selectAll": "Seleziona tutto", - "maximize": "Ingrandisci", - "restore": "Ripristina", - "chart": "Grafico", - "visualizer": "Visualizzatore" + "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { + "runActiveCell": "Con il tasto di scelta rapida F5 è richiesta la selezione di una cella di codice. Selezionare una cella di codice da eseguire.", + "clearResultActiveCell": "Con Cancella risultati è richiesta la selezione di una cella di codice. Selezionare una cella di codice da eseguire." }, "sql/workbench/api/common/extHostModelView": { "unknownComponentType": "Tipo di componente sconosciuto. Per creare oggetti, è necessario usare ModelBuilder", "invalidIndex": "L'indice {0} non è valido.", "unknownConfig": "La configurazione del componente è sconosciuta. Per creare un oggetto di configurazione, è necessario usare ModelBuilder" }, - "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { - "stepRow.stepID": "ID passaggio", - "stepRow.stepName": "Nome del passaggio", - "stepRow.message": "Messaggio" + "sql/workbench/api/common/extHostModelViewDialog": { + "dialogDoneLabel": "Fatto", + "dialogCancelLabel": "Annulla", + "generateScriptLabel": "Genera script", + "dialogNextLabel": "Avanti", + "dialogPreviousLabel": "Indietro", + "dashboardNotInitialized": "Le schede non sono inizializzate" }, - "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { - "label.find": "Trova", - "placeholder.find": "Trova", - "label.previousMatchButton": "Corrispondenza precedente", - "label.nextMatchButton": "Corrispondenza successiva", - "label.closeButton": "Chiudi", - "title.matchesCountLimit": "La ricerca ha restituito un numero elevato di risultati. Verranno evidenziate solo le prime 999 corrispondenze.", - "label.matchesLocation": "{0} di {1}", - "label.noResults": "Nessun risultato" + "sql/workbench/api/common/extHostModelViewTree": { + "treeView.notRegistered": "Non è stata registrata alcuna visualizzazione struttura ad albero con ID '{0}'." }, - "sql/workbench/contrib/charts/browser/chartView": { - "horizontalBarAltName": "A barre orizzontali", - "barAltName": "A barre", - "lineAltName": "A linee", - "pieAltName": "A torta", - "scatterAltName": "A dispersione", - "timeSeriesAltName": "Serie temporale", - "imageAltName": "Immagine", - "countAltName": "Conteggio", - "tableAltName": "Tabella", - "doughnutAltName": "Ad anello", - "charting.failedToGetRows": "Non è stato possibile recuperare le righe per il set di dati da rappresentare nel grafico.", - "charting.unsupportedType": "Il tipo di grafico: '{0}' non è supportato." + "sql/workbench/api/common/extHostNotebook": { + "providerRequired": "È necessario passare a questo metodo un elemento NotebookProvider con providerId valido", + "errNoProvider": "non è stato trovato alcun provider di notebook", + "errNoManager": "Non è stato trovato alcun gestore", + "noServerManager": "Il gestore del notebook {0} non include un gestore di server. Non è possibile eseguirvi operazioni", + "noContentManager": "Il gestore del notebook {0} non include un gestore di contenuti. Non è possibile eseguirvi operazioni", + "noSessionManager": "Il gestore del notebook {0} non include un gestore di sessioni. Non è possibile eseguirvi operazioni" }, - "sql/workbench/contrib/notebook/browser/cellViews/code.component": { - "parametersText": "Parametri" + "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { + "providerRequired": "È necessario passare a questo metodo un elemento NotebookProvider con providerId valido" }, - "sql/workbench/services/connection/browser/localizedConstants": { - "onDidConnectMessage": "Connesso a", - "onDidDisconnectMessage": "Disconnesso", - "unsavedGroupLabel": "Connessioni non salvate" + "sql/workbench/browser/actions": { + "manage": "Gestisci", + "showDetails": "Mostra dettagli", + "configureDashboardLearnMore": "Altre informazioni", + "clearSavedAccounts": "Cancella tutti gli account salvati" }, - "sql/workbench/services/connection/browser/connectionBrowseTab": { - "connectionDialog.browser": "Sfoglia (anteprima)", - "connectionDialog.FilterPlaceHolder": "Digitare qui per filtrare l'elenco", - "connectionDialog.FilterInputTitle": "Filtra connessioni", - "connectionDialog.ApplyingFilter": "Applicazione filtro", - "connectionDialog.RemovingFilter": "Rimozione filtro", - "connectionDialog.FilterApplied": "Filtro applicato", - "connectionDialog.FilterRemoved": "Filtro rimosso", - "savedConnections": "Connessioni salvate", - "savedConnection": "Connessioni salvate", - "connectionBrowserTree": "Albero del visualizzatore connessioni" + "sql/workbench/browser/actions.contribution": { + "previewFeatures.configTitle": "Funzionalità di anteprima", + "previewFeatures.configEnable": "Abilita le funzionalità di anteprima non rilasciate", + "showConnectDialogOnStartup": "Mostra la finestra di dialogo della connessione all'avvio", + "enableObsoleteApiUsageNotificationTitle": "Notifica API obsolete", + "enableObsoleteApiUsageNotification": "Abilita/disabilita la notifica di utilizzo di API obsolete" }, - "sql/workbench/contrib/extensions/browser/staticRecommendations": { - "defaultRecommendations": "Questa estensione è consigliata da Azure Data Studio." + "sql/workbench/browser/editData/editDataInput": { + "connectionFailure": "Connessione alla sessione di modifica dati non riuscita" }, - "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { - "neverShowAgain": "Non visualizzare più questo messaggio", - "ExtensionsRecommended": "Azure Data Studio include estensioni consigliate.", - "VisualizerExtensionsRecommended": "Azure Data Studio include estensioni consigliate per la visualizzazione dei dati.\r\nUna volta installato, è possibile selezionare l'icona del visualizzatore per visualizzare i risultati della query.", - "installAll": "Installa tutto", - "showRecommendations": "Mostra elementi consigliati", - "scenarioTypeUndefined": "È necessario specificare il tipo di scenario per le estensioni consigliate." + "sql/workbench/browser/editor/profiler/profilerInput": { + "profilerInput.profiler": "Profiler", + "profilerInput.notConnected": "Non connesso", + "profiler.sessionStopped": "La sessione del profiler XEvent è stata arrestata in modo imprevisto nel server {0}.", + "profiler.sessionCreationError": "Si è verificato un errore durante l'avvio della nuova sessione", + "profiler.eventsLost": "Sono presenti eventi persi per la sessione del profiler XEvent per {0}." }, - "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { - "welcomePage.previewBody": "Questa pagina delle funzionalità è in anteprima. Le funzionalità in anteprima introducono nuove funzionalità che stanno per diventare una parte permanente del prodotto. Sono stabili, ma richiedono ulteriori miglioramenti per l'accessibilità. Apprezziamo il feedback iniziale degli utenti mentre sono in fase di sviluppo.", - "welcomePage.preview": "Anteprima", - "welcomePage.createConnection": "Crea una connessione", - "welcomePage.createConnectionBody": "Connettersi a un'istanza di database tramite la finestra di dialogo di connessione.", - "welcomePage.runQuery": "Esegui una query", - "welcomePage.runQueryBody": "Interagire con i dati tramite un editor di query.", - "welcomePage.createNotebook": "Crea un notebook", - "welcomePage.createNotebookBody": "Creare un nuovo notebook usando un editor di notebook nativo.", - "welcomePage.deployServer": "Distribuisci un server", - "welcomePage.deployServerBody": "Crea una nuova istanza di un servizio dati relazionale nella piattaforma scelta.", - "welcomePage.resources": "Risorse", - "welcomePage.history": "Cronologia", - "welcomePage.name": "Nome", - "welcomePage.location": "Posizione", - "welcomePage.moreRecent": "Mostra di più", - "welcomePage.showOnStartup": "Mostra la pagina iniziale all'avvio", - "welcomePage.usefuLinks": "Collegamenti utili", - "welcomePage.gettingStarted": "Attività iniziali", - "welcomePage.gettingStartedBody": "Scopri le funzionalità offerte da Azure Data Studio e impara a sfruttarle al meglio.", - "welcomePage.documentation": "Documentazione", - "welcomePage.documentationBody": "Visitare il centro documentazione per guide di avvio rapido, guide pratiche e riferimenti per PowerShell, API e così via.", - "welcomePage.videoDescriptionOverview": "Panoramica di Azure Data Studio", - "welcomePage.videoDescriptionIntroduction": "Introduzione ai notebook di Azure Data Studio | Dati esposti", - "welcomePage.extensions": "Estensioni", - "welcomePage.showAll": "Mostra tutto", - "welcomePage.learnMore": "Altre informazioni " + "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { + "resourceViewer.showActions": "Mostra azioni", + "resourceViewerInput.resourceViewer": "Visualizzatore risorse" }, - "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { - "notebookHistory.dateCreatedTooltip": "Data di creazione: ", - "notebookHistory.notebookErrorTooltip": "Errore del notebook: ", - "notebookHistory.ErrorTooltip": "Errore del processo: ", - "notebookHistory.pinnedTitle": "Aggiunta", - "notebookHistory.recentRunsTitle": "Esecuzioni recenti", - "notebookHistory.pastRunsTitle": "Esecuzioni precedenti" + "sql/workbench/browser/modal/modal": { + "infoAltText": "Informazioni", + "warningAltText": "Avviso", + "errorAltText": "Errore", + "showMessageDetails": "Mostra dettagli", + "copyMessage": "Copia", + "closeMessage": "Chiudi", + "modal.back": "Indietro", + "hideMessageDetails": "Nascondi dettagli" + }, + "sql/workbench/browser/modal/optionsDialog": { + "optionsDialog.ok": "OK", + "optionsDialog.cancel": "Annulla" + }, + "sql/workbench/browser/modal/optionsDialogHelper": { + "optionsDialog.missingRequireField": " è obbligatorio.", + "optionsDialog.invalidInput": "Input non valido. È previsto un valore numerico." + }, + "sql/workbench/browser/modelComponents/componentBase": { + "invalidIndex": "L'indice {0} non è valido." + }, + "sql/workbench/browser/modelComponents/declarativeTable.component": { + "blankValue": "vuoto", + "checkAllColumnLabel": "selezionare tutte le caselle di controllo nella colonna: {0}", + "declarativeTable.showActions": "Mostra azioni" + }, + "sql/workbench/browser/modelComponents/dropdown.component": { + "loadingMessage": "Caricamento", + "loadingCompletedMessage": "Caricamento completato" + }, + "sql/workbench/browser/modelComponents/inputbox.component": { + "invalidValueError": "Valore non valido", + "period": "{0}. {1}" + }, + "sql/workbench/browser/modelComponents/loadingComponent.component": { + "loadingMessage": "Caricamento in corso", + "loadingCompletedMessage": "Caricamento completato" + }, + "sql/workbench/browser/modelComponents/queryTextEditor": { + "queryTextEditorAriaLabel": "editor del codice modelview per il modello di visualizzazione." + }, + "sql/workbench/browser/modelComponents/viewBase": { + "componentTypeNotRegistered": "Non è stato possibile trovare il componente per il tipo {0}" + }, + "sql/workbench/browser/parts/editor/editorStatusModeSelect": { + "languageChangeUnsupported": "La modifica dei tipi di editor per file non salvati non è supportata" + }, + "sql/workbench/browser/scriptingActions": { + "scriptSelect": "Genera script come SELECT TOP 1000", + "scriptKustoSelect": "Take 10", + "scriptExecute": "Genera script come EXECUTE", + "scriptAlter": "Genera script come ALTER", + "editData": "Modifica dati", + "scriptCreate": "Genera script come CREATE", + "scriptDelete": "Genera script come DROP" + }, + "sql/workbench/browser/scriptingUtils": { + "scriptSelectNotFound": "Non è stato restituito alcuno script durante la chiamata dello script di selezione sull'oggetto ", + "selectOperationName": "Seleziona", + "createOperationName": "Crea", + "insertOperationName": "Inserisci", + "updateOperationName": "Aggiorna", + "deleteOperationName": "Elimina", + "scriptNotFoundForObject": "Non è stato restituito alcuno script durante la generazione dello script come {0} sull'oggetto {1}", + "scriptingFailed": "Generazione dello script non riuscita", + "scriptNotFound": "Non è stato restituito alcuno script durante la generazione dello script come {0}" + }, + "sql/workbench/common/editor/query/queryEditorInput": { + "disconnected": "disconnesso" + }, + "sql/workbench/common/editor/query/queryResultsInput": { + "extensionsInputName": "Estensione" + }, + "sql/workbench/common/theme": { + "verticalTabActiveBackground": "Colore di sfondo della scheda attiva per le schede verticali", + "dashboardBorder": "Colore per i bordi nel dashboard", + "dashboardWidget": "Colore del titolo del widget del dashboard", + "dashboardWidgetSubtext": "Colore per il sottotesto del widget del dashboard", + "propertiesContainerPropertyValue": "Colore per i valori delle proprietà visualizzati nel componente del contenitore delle proprietà", + "propertiesContainerPropertyName": "Colore per i nomi proprietà visualizzati nel componente del contenitore delle proprietà", + "toolbarOverflowShadow": "Colore ombra overflow barra degli strumenti" + }, + "sql/workbench/contrib/accounts/browser/accountManagement.contribution": { + "carbon.extension.contributes.account.id": "Identificatore del tipo di account", + "carbon.extension.contributes.account.icon": "(Facoltativa) Icona usata per rappresentare l'account nell'interfaccia utente. Percorso di file o configurazione che supporta i temi", + "carbon.extension.contributes.account.icon.light": "Percorso dell'icona quando viene usato un tema chiaro", + "carbon.extension.contributes.account.icon.dark": "Percorso dell'icona quando viene usato un tema scuro", + "carbon.extension.contributes.account": "Aggiunge come contributo le icone al provider di account." + }, + "sql/workbench/contrib/assessment/browser/asmtActions": { + "asmtaction.server.getitems": "Visualizza regole applicabili", + "asmtaction.database.getitems": "Visualizza regole applicabili per {0}", + "asmtaction.server.invokeitems": "Richiama valutazione", + "asmtaction.database.invokeitems": "Richiama valutazione per {0}", + "asmtaction.exportasscript": "Esporta come script", + "asmtaction.showsamples": "Visualizza tutte le regole e altre informazioni su GitHub", + "asmtaction.generatehtmlreport": "Crea report HTML", + "asmtaction.openReport": "Il report è stato salvato. Aprirlo?", + "asmtaction.label.open": "Apri", + "asmtaction.label.cancel": "Annulla" }, "sql/workbench/contrib/assessment/browser/asmtResultsView.component": { "asmt.NoResultsInitial": "Niente da mostrare. Richiamare la valutazione per ottenere risultati", @@ -10821,110 +9612,6 @@ "asmt.TargetInstanceComplient": "L'istanza {0} è totalmente conforme alle procedure consigliate. Ottimo lavoro!", "asmt.TargetDatabaseComplient": "Il database {0} è totalmente conforme alle procedure consigliate. Ottimo lavoro!" }, - "sql/workbench/contrib/charts/browser/chartTab": { - "chartTabTitle": "Grafico" - }, - "sql/workbench/contrib/queryPlan/browser/topOperations": { - "topOperations.operation": "Operazione", - "topOperations.object": "Oggetto", - "topOperations.estCost": "Costo stimato", - "topOperations.estSubtreeCost": "Costo sottoalbero stimato", - "topOperations.actualRows": "Righe effettive", - "topOperations.estRows": "Righe stimate", - "topOperations.actualExecutions": "Esecuzioni effettive", - "topOperations.estCPUCost": "Costo CPU stimato", - "topOperations.estIOCost": "Costo IO stimato", - "topOperations.parallel": "In parallelo", - "topOperations.actualRebinds": "Riassociazioni effettive", - "topOperations.estRebinds": "Riassociazioni stimate", - "topOperations.actualRewinds": "Ripristini effettivi", - "topOperations.estRewinds": "Ripristini stimati", - "topOperations.partitioned": "Partizionato", - "topOperationsTitle": "Operazioni più frequenti" - }, - "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { - "servers.noConnections": "Non sono state trovate connessioni.", - "serverTree.addConnection": "Aggiungi connessione" - }, - "sql/workbench/services/connection/browser/connectionWidget": { - "connectionWidget.AddAzureAccount": "Aggiungi un account...", - "defaultDatabaseOption": "", - "loadingDatabaseOption": "Caricamento...", - "serverGroup": "Gruppo di server", - "defaultServerGroup": "", - "addNewServerGroup": "Aggiungi nuovo gruppo...", - "noneServerGroup": "", - "connectionWidget.missingRequireField": "{0} è obbligatorio.", - "connectionWidget.fieldWillBeTrimmed": "{0} verrà tagliato.", - "rememberPassword": "Memorizza password", - "connection.azureAccountDropdownLabel": "Account", - "connectionWidget.refreshAzureCredentials": "Aggiorna credenziali dell'account", - "connection.azureTenantDropdownLabel": "Tenant di Azure AD", - "connectionName": "Nome (facoltativo)", - "advanced": "Avanzate...", - "connectionWidget.invalidAzureAccount": "È necessario selezionare un account" - }, - "sql/workbench/contrib/backup/common/constants": { - "backup.labelDatabase": "Database", - "backup.labelFilegroup": "File e filegroup", - "backup.labelFull": "Completo", - "backup.labelDifferential": "Differenziale", - "backup.labelLog": "Log delle transazioni", - "backup.labelDisk": "Disco", - "backup.labelUrl": "URL", - "backup.defaultCompression": "Usa l'impostazione predefinita del server", - "backup.compressBackup": "Comprimi il backup", - "backup.doNotCompress": "Non comprimere il backup", - "backup.serverCertificate": "Certificato del server", - "backup.asymmetricKey": "Chiave asimmetrica" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { - "searchWithoutFolder": "Non è stata aperta alcuna cartella contenente notebook/libri. ", - "openNotebookFolder": "Apri notebook", - "searchMaxResultsWarning": "Il set di risultati contiene solo un subset di tutte le corrispondenze. Eseguire una ricerca più specifica per ridurre il numero di risultati.", - "searchInProgress": "Ricerca in corso - ", - "noResultsIncludesExcludes": "Non sono stati trovati risultati in '{0}' escludendo '{1}' - ", - "noResultsIncludes": "Non sono stati trovati risultati in '{0}' - ", - "noResultsExcludes": "Non sono stati trovati risultati escludendo '{0}' - ", - "noResultsFound": "Non sono stati trovati risultati. Rivedere le impostazioni relative alle esclusioni configurate e verificare i file gitignore -", - "rerunSearch.message": "Cerca di nuovo", - "cancelSearch.message": "Annulla ricerca", - "rerunSearchInAll.message": "Cerca di nuovo in tutti i file", - "openSettings.message": "Apri impostazioni", - "ariaSearchResultsStatus": "La ricerca ha restituito {0} risultati in {1} file", - "ToggleCollapseAndExpandAction.label": "Attiva/Disattiva Comprimi ed espandi", - "CancelSearchAction.label": "Annulla ricerca", - "ExpandAllAction.label": "Espandi tutto", - "CollapseDeepestExpandedLevelAction.label": "Comprimi tutto", - "ClearSearchResultsAction.label": "Cancella risultati della ricerca" - }, - "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { - "GuidedTour.connections": "Connessioni", - "GuidedTour.makeConnections": "È possibile connettersi, eseguire query e gestire le connessioni da SQL Server, Azure e altro ancora.", - "GuidedTour.one": "1", - "GuidedTour.next": "Avanti", - "GuidedTour.notebooks": "Notebook", - "GuidedTour.gettingStartedNotebooks": "Iniziare a creare il proprio notebook o la propria raccolta di notebook in un'unica posizione.", - "GuidedTour.two": "2", - "GuidedTour.extensions": "Estensioni", - "GuidedTour.addExtensions": "Estendere le funzionalità di Azure Data Studio installando le estensioni sviluppate da Microsoft e dalla community di terze parti.", - "GuidedTour.three": "3", - "GuidedTour.settings": "Impostazioni", - "GuidedTour.makeConnesetSettings": "Personalizzare Azure Data Studio in base alle proprie preferenze. È possibile configurare impostazioni come il salvataggio automatico e le dimensioni delle schede, personalizzare i tasti di scelta rapida e scegliere il tema colori preferito.", - "GuidedTour.four": "4", - "GuidedTour.welcomePage": "Pagina iniziale", - "GuidedTour.discoverWelcomePage": "Individuare le funzionalità principali, i file aperti di recente e le estensioni consigliate nella pagina iniziale. Per altre informazioni su come iniziare a usare Azure Data Studio, vedere i video e la documentazione.", - "GuidedTour.five": "5", - "GuidedTour.finish": "Fine", - "guidedTour": "Presentazione iniziale", - "hideGuidedTour": "Nascondi presentazione iniziale", - "GuidedTour.readMore": "Altre informazioni", - "help": "Guida" - }, - "sql/workbench/contrib/editData/browser/editDataGridActions": { - "deleteRow": "Elimina riga", - "revertRow": "Ripristina la riga corrente" - }, "sql/workbench/contrib/assessment/common/strings": { "asmt.section.api.title": "Informazioni API", "asmt.apiversion": "Versione API:", @@ -10947,171 +9634,81 @@ "asmt.column.helpLink": "Collegamento alla Guida", "asmt.sqlReport.severityMsg": "{0}: {1} elemento/i" }, - "sql/workbench/contrib/query/browser/messagePanel": { - "messagePanel": "Pannello dei messaggi", - "copy": "Copia", - "copyAll": "Copia tutto" + "sql/workbench/contrib/azure/browser/azure.contribution": { + "azure.openInAzurePortal.title": "Apri nel portale di Azure" }, - "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { - "loadingMessage": "Caricamento", - "loadingCompletedMessage": "Caricamento completato" + "sql/workbench/contrib/backup/browser/backup.component": { + "backup.backupName": "Nome del backup", + "backup.recoveryModel": "Modello di recupero", + "backup.backupType": "Tipo di backup", + "backup.backupDevice": "File di backup", + "backup.algorithm": "Algoritmo", + "backup.certificateOrAsymmetricKey": "Certificato o chiave asimmetrica", + "backup.media": "Supporti", + "backup.mediaOption": "Esegui il backup sul set di supporti esistente", + "backup.mediaOptionFormat": "Esegui il backup su un nuovo set di supporti", + "backup.existingMediaAppend": "Accoda al set di backup esistente", + "backup.existingMediaOverwrite": "Sovrascrivi tutti i set di backup esistenti", + "backup.newMediaSetName": "Nome del nuovo set di supporti", + "backup.newMediaSetDescription": "Descrizione del nuovo set di supporti", + "backup.checksumContainer": "Esegui il checksum prima della scrittura sui supporti", + "backup.verifyContainer": "Verifica il backup al termine", + "backup.continueOnErrorContainer": "Continua in caso di errore", + "backup.expiration": "Scadenza", + "backup.setBackupRetainDays": "Imposta i giorni di mantenimento del backup", + "backup.copyOnly": "Backup di sola copia", + "backup.advancedConfiguration": "Configurazione avanzata", + "backup.compression": "Compressione", + "backup.setBackupCompression": "Imposta la compressione del backup", + "backup.encryption": "Crittografia", + "backup.transactionLog": "Log delle transazioni", + "backup.truncateTransactionLog": "Tronca il log delle transazioni", + "backup.backupTail": "Esegui il backup della coda del log", + "backup.reliability": "Affidabilità", + "backup.mediaNameRequired": "Il nome del supporto è obbligatorio", + "backup.noEncryptorWarning": "Non sono disponibili certificati o chiavi asimmetriche", + "addFile": "Aggiungi un file", + "removeFile": "Rimuovi file", + "backupComponent.invalidInput": "Input non valido. Il valore deve essere maggiore o uguale a 0.", + "backupComponent.script": "Script", + "backupComponent.backup": "Backup", + "backupComponent.cancel": "Annulla", + "backup.containsBackupToUrlError": "È supportato solo il backup su file", + "backup.backupFileRequired": "Il percorso del file di backup è obbligatorio" }, - "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { - "clickOn": "Fare clic su", - "plusCode": "+ Codice", - "or": "o", - "plusText": "+ Testo", - "toAddCell": "per aggiungere una cella di testo o codice" + "sql/workbench/contrib/backup/browser/backup.contribution": { + "backup": "Backup" }, - "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { - "stdInLabel": "STDIN:" + "sql/workbench/contrib/backup/browser/backupActions": { + "backup.isPreviewFeature": "Per usare il backup, è necessario abilitare le funzionalità di anteprima", + "backup.commandNotSupportedForServer": "Il comando Backup non è supportato all'esterno di un contesto di database. Selezionare un database e riprovare.", + "backup.commandNotSupported": "Il comando di backup non è supportato per i database SQL di Azure.", + "backupAction.backup": "Backup" }, - "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { - "expandCellContents": "Espandi contenuto cella codice", - "collapseCellContents": "Comprimi contenuto cella di codice" + "sql/workbench/contrib/backup/common/constants": { + "backup.labelDatabase": "Database", + "backup.labelFilegroup": "File e filegroup", + "backup.labelFull": "Completo", + "backup.labelDifferential": "Differenziale", + "backup.labelLog": "Log delle transazioni", + "backup.labelDisk": "Disco", + "backup.labelUrl": "URL", + "backup.defaultCompression": "Usa l'impostazione predefinita del server", + "backup.compressBackup": "Comprimi il backup", + "backup.doNotCompress": "Non comprimere il backup", + "backup.serverCertificate": "Certificato del server", + "backup.asymmetricKey": "Chiave asimmetrica" }, - "sql/workbench/contrib/query/browser/gridPanel": { - "xmlShowplan": "Showplan XML", - "resultsGrid": "Griglia dei risultati" - }, - "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { - "buttonAdd": "Aggiungi cella", - "optionCodeCell": "Cella di codice", - "optionTextCell": "Cella di testo", - "buttonMoveDown": "Sposta cella in basso", - "buttonMoveUp": "Sposta cella in alto", - "buttonDelete": "Elimina", - "codeCellsPreview": "Aggiungi cella", - "codePreview": "Cella di codice", - "textPreview": "Cella di testo" - }, - "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { - "sqlKernelError": "Errore del kernel SQL", - "connectionRequired": "Per eseguire le celle del notebook, è necessario scegliere una connessione", - "sqlMaxRowsDisplayed": "Visualizzazione delle prime {0} righe." - }, - "sql/workbench/contrib/jobManagement/browser/jobsView.component": { - "jobColumns.name": "Nome", - "jobColumns.lastRun": "Ultima esecuzione", - "jobColumns.nextRun": "Prossima esecuzione", - "jobColumns.enabled": "Abilitata", - "jobColumns.status": "Stato", - "jobColumns.category": "Categoria", - "jobColumns.runnable": "Eseguibile", - "jobColumns.schedule": "Pianificazione", - "jobColumns.lastRunOutcome": "Risultati ultima esecuzione", - "jobColumns.previousRuns": "Esecuzioni precedenti", - "jobsView.noSteps": "Non sono disponibili passaggi per questo processo.", - "jobsView.error": "Errore: " - }, - "sql/workbench/browser/modelComponents/viewBase": { - "componentTypeNotRegistered": "Non è stato possibile trovare il componente per il tipo {0}" - }, - "sql/workbench/contrib/profiler/browser/profilerFindWidget": { - "label.find": "Trova", - "placeholder.find": "Trova", - "label.previousMatchButton": "Risultato precedente", - "label.nextMatchButton": "Risultato successivo", - "label.closeButton": "Chiudi", - "title.matchesCountLimit": "La ricerca ha restituito un numero elevato di risultati. Verranno evidenziate solo le prime 999 corrispondenze.", - "label.matchesLocation": "{0} di {1}", - "label.noResults": "Nessun risultato" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { - "dashboard.explorer.namePropertyDisplayValue": "Nome", - "dashboard.explorer.schemaDisplayValue": "Schema", - "dashboard.explorer.objectTypeDisplayValue": "Tipo" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { - "insights.runQuery": "Esegui query" - }, - "sql/workbench/contrib/notebook/browser/cellViews/output.component": { - "noMimeTypeFound": "Non è stato possibile trovare alcun renderer {0} per l'output. Include i tipi MIME seguenti: {1}", - "safe": "sicuro ", - "noSelectorFound": "Non è stato possibile trovare alcun componente per il selettore {0}", - "componentRenderError": "Si è verificato un errore durante il rendering del componente: {0}" - }, - "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { - "loading": "Caricamento..." - }, - "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { - "loading": "Caricamento..." - }, - "sql/workbench/contrib/dashboard/browser/core/actions": { - "editDashboard": "Modifica", - "editDashboardExit": "Esci", - "refreshWidget": "Aggiorna", - "toggleMore": "Mostra azioni", - "deleteWidget": "Elimina widget", - "clickToUnpin": "Fare clic per rimuovere", - "clickToPin": "Fare clic per aggiungere", - "addFeatureAction.openInstalledFeatures": "Apri funzionalità installate", - "collapseWidget": "Comprimi widget", - "expandWidget": "Espandi widget" - }, - "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { - "unknownDashboardContainerError": "{0} è un contenitore sconosciuto." - }, - "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { - "notebookColumns.name": "Nome", - "notebookColumns.targetDatbase": "Database di destinazione", - "notebookColumns.lastRun": "Ultima esecuzione", - "notebookColumns.nextRun": "Prossima esecuzione", - "notebookColumns.status": "Stato", - "notebookColumns.lastRunOutcome": "Risultati ultima esecuzione", - "notebookColumns.previousRuns": "Esecuzioni precedenti", - "notebooksView.noSteps": "Non sono disponibili passaggi per questo processo.", - "notebooksView.error": "Errore: ", - "notebooksView.notebookError": "Errore del notebook: " - }, - "sql/base/browser/ui/table/plugins/rowDetailView": { - "rowDetailView.loadError": "Errore di caricamento..." - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { - "dashboard.explorer.actions": "Mostra azioni", - "explorerSearchNoMatchResultMessage": "Non sono stati trovati elementi corrispondenti", - "explorerSearchSingleMatchResultMessage": "Elenco di ricerca filtrato per 1 elemento", - "explorerSearchMatchResultMessage": "Elenco di ricerca filtrato per {0} elementi" - }, - "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { - "agentUtilities.failed": "Non riuscito", - "agentUtilities.succeeded": "Riuscito", - "agentUtilities.retry": "Riprova", - "agentUtilities.canceled": "Annullato", - "agentUtilities.inProgress": "In corso", - "agentUtilities.statusUnknown": "Stato sconosciuto", - "agentUtilities.executing": "In esecuzione", - "agentUtilities.waitingForThread": "In attesa del thread", - "agentUtilities.betweenRetries": "Tra tentativi", - "agentUtilities.idle": "Inattivo", - "agentUtilities.suspended": "Sospeso", - "agentUtilities.obsolete": "[Obsoleto]", - "agentUtilities.yes": "Sì", - "agentUtilities.no": "No", - "agentUtilities.notScheduled": "Non pianificato", - "agentUtilities.neverRun": "Mai eseguito" - }, - "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { - "buttonBold": "Grassetto", - "buttonItalic": "Corsivo", - "buttonUnderline": "Sottolineato", - "buttonHighlight": "Evidenziazione", - "buttonCode": "Codice", - "buttonLink": "Collegamento", - "buttonList": "Elenco", - "buttonOrderedList": "Elenco ordinato", - "buttonImage": "Immagine", - "buttonPreview": "Disattivazione anteprima Markdown", - "dropdownHeading": "Intestazione", - "optionHeading1": "Intestazione 1", - "optionHeading2": "Intestazione 2", - "optionHeading3": "Intestazione 3", - "optionParagraph": "Paragrafo", - "callout.insertLinkHeading": "Inserire il collegamento", - "callout.insertImageHeading": "Inserisci immagine", - "richTextViewButton": "Visualizzazione RTF", - "splitViewButton": "Doppia visualizzazione", - "markdownViewButton": "Visualizzazione Markdown" + "sql/workbench/contrib/charts/browser/actions": { + "createInsightLabel": "Crea dati analitici", + "createInsightNoEditor": "Non è possibile creare i dati analitici perché l'editor attivo non è un editor SQL", + "myWidgetName": "Widget personale", + "configureChartLabel": "Configura grafico", + "copyChartLabel": "Copia come immagine", + "chartNotFound": "Non è stato possibile trovare il grafico da salvare", + "saveImageLabel": "Salva come immagine", + "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", + "chartSaved": "Grafico salvato nel percorso: {0}" }, "sql/workbench/contrib/charts/browser/chartOptions": { "dataDirectionLabel": "Direzione dei dati", @@ -11135,45 +9732,432 @@ "encodingOption": "Codifica", "imageFormatOption": "Formato immagine" }, - "sql/base/browser/ui/panel/tabActions": { - "closeTab": "Chiudi" + "sql/workbench/contrib/charts/browser/chartTab": { + "chartTabTitle": "Grafico" }, - "sql/platform/connection/common/connectionConfig": { - "invalidServerName": "Esiste già un gruppo di server con lo stesso nome." + "sql/workbench/contrib/charts/browser/chartView": { + "horizontalBarAltName": "A barre orizzontali", + "barAltName": "A barre", + "lineAltName": "A linee", + "pieAltName": "A torta", + "scatterAltName": "A dispersione", + "timeSeriesAltName": "Serie temporale", + "imageAltName": "Immagine", + "countAltName": "Conteggio", + "tableAltName": "Tabella", + "doughnutAltName": "Ad anello", + "charting.failedToGetRows": "Non è stato possibile recuperare le righe per il set di dati da rappresentare nel grafico.", + "charting.unsupportedType": "Il tipo di grafico: '{0}' non è supportato." + }, + "sql/workbench/contrib/charts/browser/charts.contribution": { + "builtinChartsConfigurationTitle": "Grafici predefiniti", + "builtinCharts.maxRowCountDescription": "Numero massimo di righe per i grafici da visualizzare. Avviso: l'aumento di questo valore può influire sulle prestazioni." + }, + "sql/workbench/contrib/charts/browser/configureChartDialog": { + "configureChartDialog.close": "Chiudi" + }, + "sql/workbench/contrib/charts/browser/graphInsight": { + "series": "Serie {0}" + }, + "sql/workbench/contrib/charts/browser/imageInsight": { + "invalidImage": "La tabella non contiene un'immagine valida" + }, + "sql/workbench/contrib/charts/browser/utils": { + "charts.maxAllowedRowsExceeded": "È stato superato il numero massimo di righe per i grafici predefiniti. Vengono usate solo {0} prime righe. Per configurare il valore, è possibile aprire le impostazioni utente e cercare: 'builtinCharts.maxRowCount'.", + "charts.neverShowAgain": "Non visualizzare più questo messaggio" + }, + "sql/workbench/contrib/commandLine/electron-browser/commandLine": { + "connectingLabel": "Connessione: {0}", + "runningCommandLabel": "Esecuzione del comando: {0}", + "openingNewQueryLabel": "Apertura della nuova query: {0}", + "warnServerRequired": "Non è possibile connettersi perché non sono state fornite informazioni sul server", + "errConnectUrl": "Non è stato possibile aprire l'URL a causa dell'errore {0}", + "connectServerDetail": "Verrà eseguita la connessione al server {0}", + "confirmConnect": "Connettersi?", + "open": "&&Apri", + "connectingQueryLabel": "Connessione del file di query" + }, + "sql/workbench/contrib/configuration/common/configurationUpgrader": { + "workbench.configuration.upgradeUser": "{0} è stato sostituito con {1} nelle impostazioni utente.", + "workbench.configuration.upgradeWorkspace": "{0} è stato sostituito con {1} nelle impostazioni dell'area di lavoro." + }, + "sql/workbench/contrib/connection/browser/connection.contribution": { + "sql.maxRecentConnectionsDescription": "Numero massimo di connessioni usate di recente da archiviare nell'elenco delle connessioni.", + "sql.defaultEngineDescription": "Motore SQL predefinito da usare. Stabilisce il provider del linguaggio predefinito nei file con estensione sql e il valore predefinito da usare quando si crea una nuova connessione.", + "connection.parseClipboardForConnectionStringDescription": "Prova ad analizzare il contenuto degli appunti quando si apre la finestra di dialogo di connessione o si esegue un'operazione Incolla." + }, + "sql/workbench/contrib/connection/browser/connectionStatus": { + "status.connection.status": "Stato della connessione" + }, + "sql/workbench/contrib/connection/common/connectionProviderExtension": { + "schema.providerId": "ID comune del provider", + "schema.displayName": "Nome visualizzato del provider", + "schema.notebookKernelAlias": "Alias del kernel del notebook per il provider", + "schema.iconPath": "Percorso dell'icona per il tipo di server", + "schema.connectionOptions": "Opzioni per la connessione" + }, + "sql/workbench/contrib/connection/common/connectionTreeProviderExentionPoint": { + "connectionTreeProvider.schema.name": "Nome visibile dell'utente per il provider dell'albero", + "connectionTreeProvider.schema.id": "L'ID del provider deve essere lo stesso di quando si registra il provider di dati dell'albero e deve iniziare con 'connectionDialog/'" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardContainer.contribution": { + "azdata.extension.contributes.dashboard.container.id": "Identificatore univoco per questo contenitore.", + "azdata.extension.contributes.dashboard.container.container": "Contenitore che verrà visualizzato nella scheda.", + "azdata.extension.contributes.containers": "Aggiunge come contributo uno o più container di dashboard che gli utenti possono aggiungere al proprio dashboard.", + "dashboardContainer.contribution.noIdError": "Nel container di dashboard non è stato specificato alcun ID per l'estensione.", + "dashboardContainer.contribution.noContainerError": "Nel container di dashboard non è stato specificato alcun contenitore per l'estensione.", + "dashboardContainer.contribution.moreThanOneDashboardContainersError": "Per ogni spazio è necessario definire un solo container di dashboard.", + "dashboardTab.contribution.unKnownContainerType": "Nel container di dashboard è stato definito un tipo di contenitore sconosciuto per l'estensione." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardControlHostContainer.contribution": { + "dashboard.container.controlhost": "controlhost che verrà visualizzato in questa scheda." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { + "dashboardNavSection.loadTabError": "Il contenuto della sezione \"{0}\" non è valido. Contattare il proprietario dell'estensione." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardGridContainer.contribution": { + "dashboard.container.gridtab.items": "Elenco dei widget o delle webview che verranno visualizzati in questa scheda.", + "gridContainer.invalidInputs": "i widget o le webview devono trovarsi nel contenitore dei widget per l'estensione." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardModelViewContainer.contribution": { + "dashboard.container.modelview": "Visualizzazione basata su modello che verrà visualizzata in questa scheda." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardNavSection.contribution": { + "dashboard.container.left-nav-bar.id": "Identificatore univoco per questa sezione di spostamento. Verrà passato all'estensione per eventuali richieste.", + "dashboard.container.left-nav-bar.icon": "(Facoltativa) Icona usata per rappresentare la sezione di spostamento nell'interfaccia utente. Percorso di file o configurazione che supporta i temi", + "dashboard.container.left-nav-bar.icon.light": "Percorso dell'icona quando viene usato un tema chiaro", + "dashboard.container.left-nav-bar.icon.dark": "Percorso dell'icona quando viene usato un tema scuro", + "dashboard.container.left-nav-bar.title": "Titolo della sezione di spostamento da mostrare all'utente.", + "dashboard.container.left-nav-bar.container": "Contenitore che verrà visualizzato in questa sezione di spostamento.", + "dashboard.container.left-nav-bar": "Elenco di container di dashboard che verrà visualizzato in questa sezione di spostamento.", + "navSection.missingTitle.error": "Nella sezione di spostamento non è stato specificato alcun titolo per l'estensione.", + "navSection.missingContainer.error": "Nella sezione di spostamento non è stato specificato alcun contenitore per l'estensione.", + "navSection.moreThanOneDashboardContainersError": "Per ogni spazio è necessario definire un solo container di dashboard.", + "navSection.invalidContainer.error": "Un elemento NAV_SECTION all'interno di un altro elemento NAV_SECTION non è un contenitore valido per l'estensione." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWebviewContainer.contribution": { + "dashboard.container.webview": "Webview che verrà visualizzata in questa scheda." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWidgetContainer.contribution": { + "dashboard.container.widgets": "Elenco dei widget che verranno visualizzati in questa scheda.", + "widgetContainer.invalidInputs": "L'elenco dei widget deve trovarsi all'interno del contenitore dei widget per l'estensione." + }, + "sql/workbench/contrib/dashboard/browser/core/actions": { + "editDashboard": "Modifica", + "editDashboardExit": "Esci", + "refreshWidget": "Aggiorna", + "toggleMore": "Mostra azioni", + "deleteWidget": "Elimina widget", + "clickToUnpin": "Fare clic per rimuovere", + "clickToPin": "Fare clic per aggiungere", + "addFeatureAction.openInstalledFeatures": "Apri funzionalità installate", + "collapseWidget": "Comprimi widget", + "expandWidget": "Espandi widget" + }, + "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { + "unknownDashboardContainerError": "{0} è un contenitore sconosciuto." }, "sql/workbench/contrib/dashboard/browser/core/dashboardPage.component": { "home": "Home page", "missingConnectionInfo": "Non è stato possibile trovare le informazioni di connessione per questo dashboard", "dashboard.generalTabGroupHeader": "Generale" }, - "sql/workbench/contrib/charts/browser/actions": { - "createInsightLabel": "Crea dati analitici", - "createInsightNoEditor": "Non è possibile creare i dati analitici perché l'editor attivo non è un editor SQL", - "myWidgetName": "Widget personale", - "configureChartLabel": "Configura grafico", - "copyChartLabel": "Copia come immagine", - "chartNotFound": "Non è stato possibile trovare il grafico da salvare", - "saveImageLabel": "Salva come immagine", - "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", - "chartSaved": "Grafico salvato nel percorso: {0}" + "sql/workbench/contrib/dashboard/browser/core/dashboardTab.contribution": { + "azdata.extension.contributes.dashboard.tab.id": "Identificatore univoco per questa scheda. Verrà passato all'estensione per eventuali richieste.", + "azdata.extension.contributes.dashboard.tab.title": "Titolo della scheda da mostrare all'utente.", + "azdata.extension.contributes.dashboard.tab.description": "Descrizione di questa scheda che verrà mostrata all'utente.", + "azdata.extension.contributes.tab.when": "Condizione che deve essere vera per mostrare questo elemento", + "azdata.extension.contributes.tab.provider": "Definisce i tipi di connessione con cui è compatibile questa scheda. Se non viene impostato, il valore predefinito è 'MSSQL'", + "azdata.extension.contributes.dashboard.tab.container": "Contenitore che verrà visualizzato in questa scheda.", + "azdata.extension.contributes.dashboard.tab.alwaysShow": "Indica se questa scheda deve essere sempre visualizzata oppure solo quando viene aggiunta dall'utente.", + "azdata.extension.contributes.dashboard.tab.isHomeTab": "Indica se questa scheda deve essere usata come scheda iniziale per un tipo di connessione.", + "azdata.extension.contributes.dashboard.tab.group": "Identificatore univoco del gruppo a cui appartiene questa scheda, valore per il gruppo home: home.", + "dazdata.extension.contributes.dashboard.tab.icon": "(Facoltativo) Icona usata per rappresentare questa scheda nell'interfaccia utente. Percorso di file o configurazione che supporta i temi", + "azdata.extension.contributes.dashboard.tab.icon.light": "Percorso dell'icona quando viene usato un tema chiaro", + "azdata.extension.contributes.dashboard.tab.icon.dark": "Percorso dell'icona quando viene usato un tema scuro", + "azdata.extension.contributes.tabs": "Aggiunge come contributo una o più schede che gli utenti possono aggiungere al proprio dashboard.", + "dashboardTab.contribution.noTitleError": "Non è stato specificato alcun titolo per l'estensione.", + "dashboardTab.contribution.noDescriptionWarning": "Non è stata specificata alcuna descrizione da mostrare.", + "dashboardTab.contribution.noContainerError": "Non è stato specificato alcun contenitore per l'estensione.", + "dashboardTab.contribution.moreThanOneDashboardContainersError": "Per ogni spazio è necessario definire un solo container di dashboard", + "azdata.extension.contributes.dashboard.tabGroup.id": "Identificatore univoco per questo gruppo di schede.", + "azdata.extension.contributes.dashboard.tabGroup.title": "Titolo del gruppo di schede.", + "azdata.extension.contributes.tabGroups": "Fornisce uno o più gruppi di schede che gli utenti possono aggiungere al proprio dashboard.", + "dashboardTabGroup.contribution.noIdError": "Nessun ID specificato per il gruppo di schede.", + "dashboardTabGroup.contribution.noTitleError": "Nessun titolo specificato per il gruppo di schede.", + "administrationTabGroup": "Amministrazione", + "monitoringTabGroup": "Monitoraggio", + "performanceTabGroup": "Prestazioni", + "securityTabGroup": "Sicurezza", + "troubleshootingTabGroup": "Risoluzione dei problemi", + "settingsTabGroup": "Impostazioni", + "databasesTabDescription": "scheda database", + "databasesTabTitle": "Database" }, - "sql/workbench/contrib/notebook/browser/notebook.component": { - "addCodeLabel": "Aggiungi codice", - "addTextLabel": "Aggiungi testo", - "createFile": "Crea file", - "displayFailed": "Non è stato possibile visualizzare il contenuto: {0}", - "codeCellsPreview": "Aggiungi cella", - "codePreview": "Cella di codice", - "textPreview": "Cella di testo", - "runAllPreview": "Esegui tutti", - "addCell": "Cella", - "code": "Codice", - "text": "Testo", - "runAll": "Esegui celle", - "previousButtonLabel": "< Indietro", - "nextButtonLabel": "Avanti >", - "cellNotFound": "la cella con URI {0} non è stata trovata in questo modello", - "cellRunFailed": "Comando Esegui celle non riuscito. Per altre informazioni, vedere l'errore nell'output della cella attualmente selezionata." + "sql/workbench/contrib/dashboard/browser/dashboard.contribution": { + "manage": "Gestisci", + "dashboard.editor.label": "Dashboard" + }, + "sql/workbench/contrib/dashboard/browser/dashboardActions": { + "ManageAction": "Gestisci" + }, + "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { + "opticon": "la proprietà `icon` può essere omessa o deve essere una stringa o un valore letterale come `{dark, light}`" + }, + "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { + "dashboard.properties.property": "Definisce una proprietà da mostrare nel dashboard", + "dashboard.properties.property.displayName": "Indica il valore da usare come etichetta per la proprietà", + "dashboard.properties.property.value": "Indica il valore nell'oggetto per accedere al valore", + "dashboard.properties.property.ignore": "Specifica i valori da ignorare", + "dashboard.properties.property.default": "Valore predefinito da mostrare se l'impostazione viene ignorata o non viene indicato alcun valore", + "dashboard.properties.flavor": "Versione per la definizione delle proprietà del dashboard", + "dashboard.properties.flavor.id": "ID della versione", + "dashboard.properties.flavor.condition": "Condizione per usare questa versione", + "dashboard.properties.flavor.condition.field": "Campo da usare per il confronto", + "dashboard.properties.flavor.condition.operator": "Indica l'operatore da usare per il confronto", + "dashboard.properties.flavor.condition.value": "Valore con cui confrontare il campo", + "dashboard.properties.databaseProperties": "Proprietà da mostrare per la pagina del database", + "dashboard.properties.serverProperties": "Proprietà da mostrare per la pagina del server", + "carbon.extension.dashboard": "Definisce se questo provider supporta il dashboard", + "dashboard.id": "ID provider, ad esempio MSSQL", + "dashboard.properties": "Valori di proprietà da mostrare nel dashboard" + }, + "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { + "azdata.extension.contributes.widget.when": "Condizione che deve essere vera per mostrare questo elemento", + "azdata.extension.contributes.widget.hideHeader": "Indica se nascondere l'intestazione del widget. Il valore predefinito è false", + "dashboardpage.tabName": "Titolo del contenitore", + "dashboardpage.rowNumber": "Riga del componente nella griglia", + "dashboardpage.rowSpan": "rowspan del componente nella griglia. Il valore predefinito è 1. Usare '*' per impostare sul numero di righe della griglia.", + "dashboardpage.colNumber": "Colonna del componente nella griglia", + "dashboardpage.colspan": "colspan del componente nella griglia. Il valore predefinito è 1. Usare '*' per impostare sul numero di colonne della griglia.", + "azdata.extension.contributes.dashboardPage.tab.id": "Identificatore univoco per questa scheda. Verrà passato all'estensione per eventuali richieste.", + "dashboardTabError": "La scheda dell'estensione è sconosciuta o non è installata." + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { + "databasePageName": "Proprietà database" + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { + "dashboardDatabaseProperties": "Abilita o disabilita il widget delle proprietà", + "dashboard.databaseproperties": "Valori di proprietà da mostrare", + "dashboard.databaseproperties.displayName": "Nome visualizzato della proprietà", + "dashboard.databaseproperties.value": "Valore nell'oggetto informazioni database", + "dashboard.databaseproperties.ignore": "Specifica i valori da ignorare", + "recoveryModel": "Modello di recupero", + "lastDatabaseBackup": "Ultimo backup del database", + "lastLogBackup": "Ultimo backup del log", + "compatibilityLevel": "Livello di compatibilità", + "owner": "Proprietario", + "dashboardDatabase": "Personalizza la pagina del dashboard del database", + "objectsWidgetTitle": "Cerca", + "dashboardDatabaseTabs": "Personalizza le schede del dashboard del database" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { + "serverPageName": "Proprietà server" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { + "dashboardServerProperties": "Abilita o disabilita il widget delle proprietà", + "dashboard.serverproperties": "Valori di proprietà da mostrare", + "dashboard.serverproperties.displayName": "Nome visualizzato della proprietà", + "dashboard.serverproperties.value": "Valore nell'oggetto informazioni server", + "version": "Versione", + "edition": "Edizione", + "computerName": "Nome del computer", + "osVersion": "Versione del sistema operativo", + "explorerWidgetsTitle": "Cerca", + "dashboardServer": "Personalizza la pagina del dashboard del server", + "dashboardServerTabs": "Personalizza le schede del dashboard del server" + }, + "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { + "homeCrumb": "Home page" + }, + "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { + "dashboard.changeDatabaseFailure": "Non è stato possibile modificare il database" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { + "dashboard.explorer.actions": "Mostra azioni", + "explorerSearchNoMatchResultMessage": "Non sono stati trovati elementi corrispondenti", + "explorerSearchSingleMatchResultMessage": "Elenco di ricerca filtrato per 1 elemento", + "explorerSearchMatchResultMessage": "Elenco di ricerca filtrato per {0} elementi" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { + "dashboard.explorer.namePropertyDisplayValue": "Nome", + "dashboard.explorer.schemaDisplayValue": "Schema", + "dashboard.explorer.objectTypeDisplayValue": "Tipo" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { + "loadingObjects": "caricamento oggetti", + "loadingDatabases": "caricamento database", + "loadingObjectsCompleted": "caricamento oggetti completato.", + "loadingDatabasesCompleted": "caricamento database completato.", + "seachObjects": "Ricerca per nome di tipo (t:, v:, f: o sp:)", + "searchDatabases": "Cerca nei database", + "dashboard.explorer.objectError": "Non è possibile caricare gli oggetti", + "dashboard.explorer.databaseError": "Non è possibile caricare i database" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { + "insights.runQuery": "Esegui query" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { + "insightsWidgetLoadingMessage": "Caricamento di {0}", + "insightsWidgetLoadingCompletedMessage": "Caricamento di {0} completato", + "insights.autoRefreshOffState": "Aggiornamento automatico: disattivato", + "insights.lastUpdated": "Ultimo aggiornamento: {0} {1}", + "noResults": "Non ci sono risultati da visualizzare" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { + "insightWidgetDescription": "Aggiunge un widget in grado di eseguire una query su un server o un database e di visualizzare i risultati in vari modi, ovvero sotto forma di grafico, conteggio riepilogativo e altro ancora", + "insightIdDescription": "Identificatore univoco usato per memorizzare nella cache i risultati dei dati analitici.", + "insightQueryDescription": "Query SQL da eseguire. Dovrebbe restituire esattamente un solo set di risultati.", + "insightQueryFileDescription": "[Facoltativa] Percorso di un file contenente una query. Usare se 'query' non è impostato", + "insightAutoRefreshIntervalDescription": "[Facoltativa] Intervallo di aggiornamento automatico in minuti. Se non è impostato, non verrà eseguito alcun aggiornamento automatico", + "actionTypes": "Indica le azioni da usare", + "actionDatabaseDescription": "Database di destinazione per l'azione. È possibile usare il formato '${columnName}' per specificare un nome di colonna basata sui dati.", + "actionServerDescription": "Server di destinazione per l'azione. È possibile usare il formato '${columnName}' per specificare un nome di colonna basata sui dati.", + "actionUserDescription": "Utente di destinazione per l'azione. È possibile usare il formato '${columnName}' per specificare un nome di colonna basata sui dati.", + "carbon.extension.contributes.insightType.id": "Identificatore dei dati analitici", + "carbon.extension.contributes.insights": "Aggiunge come contributo i dati analitici al pannello del dashboard." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { + "chartErrorMessage": "Non è possibile visualizzare il grafico con i dati specificati" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.contribution": { + "chartInsightDescription": "Visualizza i risultati di una query sotto forma di grafico nel dashboard", + "colorMapDescription": "Esegue il mapping di 'nome colonna' al colore. Ad esempio, aggiungere 'column1': red se si vuole usare il colore rosso per questa colonna ", + "legendDescription": "Indica la posizione preferita e la visibilità della legenda del grafico. Questi sono i nomi di colonna estratti dalla query e associati all'etichetta di ogni voce del grafico", + "labelFirstColumnDescription": "Se dataDirection è impostato su horizontal e si imposta questa opzione su true, per la legenda viene usato il primo valore di ogni colonna.", + "columnsAsLabels": "Se dataDirection è impostato su vertical e si imposta questa opzione su true, per la legenda vengono usati i nomi delle colonne.", + "dataDirectionDescription": "Definisce se i dati vengono letti da una colonna (vertical) o da una riga (horizontal). Per la serie temporale questa impostazione viene ignorata perché la direzione deve essere verticale.", + "showTopNData": "Se è impostato showTopNData, vengono visualizzati solo i primi N dati del grafico." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/barChart.contribution": { + "yAxisMin": "Valore minimo dell'asse Y", + "yAxisMax": "Valore massimo dell'asse Y", + "barchart.yAxisLabel": "Etichetta per l'asse Y", + "xAxisMin": "Valore minimo dell'asse X", + "xAxisMax": "Valore massimo dell'asse X", + "barchart.xAxisLabel": "Etichetta per l'asse X" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/lineChart.contribution": { + "dataTypeDescription": "Indica la proprietà dati di un set di dati per un grafico." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/countInsight.contribution": { + "countInsightDescription": "Per ogni colonna in un set di risultati mostra il valore nella riga 0 sotto forma di numero seguito dal nome della colonna. Ad esempio '1 Attivi', '3 Disabilitati', dove 'Attivi' è il nome della colonna e 1 è il valore presente a riga 1 cella 1" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/imageInsight.contribution": { + "imageInsightDescription": "Visualizza un'immagine, ad esempio una restituita da una query R che usa ggplot2", + "imageFormatDescription": "Indica se il formato previsto è JPEG, PNG o di altro tipo.", + "encodingDescription": "Indica se viene codificato come hex, base64 o in un altro formato." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/tableInsight.contribution": { + "tableInsightDescription": "Visualizza i risultati in una tabella semplice" + }, + "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { + "loadingProperties": "Caricamento delle proprietà", + "loadingPropertiesCompleted": "Caricamento delle proprietà completato", + "dashboard.properties.error": "Non è possibile caricare le proprietà del dashboard" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorer.contribution": { + "databaseConnections": "Connessioni di database", + "datasource.connections": "connessioni a origine dati", + "datasource.connectionGroups": "gruppi di origine dati", + "connectionsSortOrder.dateAdded": "Le connessioni salvate vengono ordinate in base alle date aggiunte.", + "connectionsSortOrder.displayName": "Le connessioni salvate vengono ordinate in base ai rispettivi nomi visualizzati in ordine alfabetico.", + "datasource.connectionsSortOrder": "Controllare l'ordinamento delle connessioni salvate e dei gruppi di connessioni.", + "startupConfig": "Configurazione di avvio", + "startup.alwaysShowServersView": "È true se all'avvio di Azure Data Studio deve essere visualizzata la visualizzazione Server (impostazione predefinita); è false se deve essere visualizzata l'ultima visualizzazione aperta" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerExtensionPoint": { + "vscode.extension.contributes.view.id": "Identificatore della visualizzazione. Usare questa impostazione per registrare un provider di dati tramite l'API `vscode.window.registerTreeDataProviderForView`, nonché per avviare l'attivazione dell'estensione tramite la registrazione dell'evento `onView:${id}` in `activationEvents`.", + "vscode.extension.contributes.view.name": "Nome leggibile della visualizzazione. Verrà visualizzato", + "vscode.extension.contributes.view.when": "Condizione che deve essere vera per mostrare questa visualizzazione", + "extension.contributes.dataExplorer": "Aggiunge come contributo le visualizzazioni all'editor", + "extension.dataExplorer": "Aggiunge come contributo le visualizzazioni al contenitore Esplora dati nella barra attività", + "dataExplorer.contributed": "Aggiunge come contributo le visualizzazioni al contenitore delle visualizzazioni aggiunto come contributo", + "duplicateView1": "Non è possibile registrare più visualizzazioni con stesso ID `{0}` nel contenitore di visualizzazioni `{1}`", + "duplicateView2": "Una visualizzazione con ID `{0}` è già registrata nel contenitore di visualizzazioni `{1}`", + "requirearray": "le visualizzazioni devono essere una matrice", + "requirestring": "la proprietà `{0}` è obbligatoria e deve essere di tipo `string`", + "optstring": "la proprietà `{0}` può essere omessa o deve essere di tipo `string`" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { + "dataExplorer.servers": "Server", + "dataexplorer.name": "Connessioni", + "showDataExplorer": "Mostra connessioni" + }, + "sql/workbench/contrib/dataExplorer/browser/nodeActions.common.contribution": { + "disconnect": "Disconnetti", + "refresh": "Aggiorna" + }, + "sql/workbench/contrib/editData/browser/editData.contribution": { + "showEditDataSqlPaneOnStartup": "Mostra riquadro Modifica dati SQL all'avvio" + }, + "sql/workbench/contrib/editData/browser/editDataActions": { + "editData.run": "Esegui", + "disposeEditFailure": "Modifica del metodo Dispose non riuscita. Errore: ", + "editData.stop": "Arresta", + "editData.showSql": "Mostra riquadro SQL", + "editData.closeSql": "Chiudi riquadro SQL" + }, + "sql/workbench/contrib/editData/browser/editDataEditor": { + "maxRowTaskbar": "Numero massimo di righe:" + }, + "sql/workbench/contrib/editData/browser/editDataGridActions": { + "deleteRow": "Elimina riga", + "revertRow": "Ripristina la riga corrente" + }, + "sql/workbench/contrib/editData/browser/gridActions": { + "saveAsCsv": "Salva in formato CSV", + "saveAsJson": "Salva in formato JSON", + "saveAsExcel": "Salva in formato Excel", + "saveAsXml": "Salva in formato XML", + "copySelection": "Copia", + "copyWithHeaders": "Copia con intestazioni", + "selectAll": "Seleziona tutto" + }, + "sql/workbench/contrib/extensions/browser/contributionRenders": { + "tabs": "Schede del dashboard ({0})", + "tabId": "ID", + "tabTitle": "Titolo", + "tabDescription": "Descrizione", + "insights": "Dati analitici dashboard ({0})", + "insightId": "ID", + "name": "Nome", + "insight condition": "Quando" + }, + "sql/workbench/contrib/extensions/browser/extensions.contribution": { + "workbench.extensions.getExtensionFromGallery.description": "Recupera informazioni sull'estensione dalla raccolta", + "workbench.extensions.getExtensionFromGallery.arg.name": "ID estensione", + "notFound": "L'estensione '{0}' non è stata trovata." + }, + "sql/workbench/contrib/extensions/browser/extensionsActions": { + "showRecommendations": "Mostra elementi consigliati", + "Install Extensions": "Installa estensioni", + "openExtensionAuthoringDocs": "Crea un'estensione..." + }, + "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { + "neverShowAgain": "Non visualizzare più questo messaggio", + "ExtensionsRecommended": "Azure Data Studio include estensioni consigliate.", + "VisualizerExtensionsRecommended": "Azure Data Studio include estensioni consigliate per la visualizzazione dei dati.\r\nUna volta installato, è possibile selezionare l'icona del visualizzatore per visualizzare i risultati della query.", + "installAll": "Installa tutto", + "showRecommendations": "Mostra elementi consigliati", + "scenarioTypeUndefined": "È necessario specificare il tipo di scenario per le estensioni consigliate." + }, + "sql/workbench/contrib/extensions/browser/staticRecommendations": { + "defaultRecommendations": "Questa estensione è consigliata da Azure Data Studio." + }, + "sql/workbench/contrib/jobManagement/browser/agentView.component": { + "jobview.Jobs": "Processi", + "jobview.Notebooks": "Notebooks", + "jobview.Alerts": "Avvisi", + "jobview.Proxies": "Proxy", + "jobview.Operators": "Operatori" + }, + "sql/workbench/contrib/jobManagement/browser/alertsView.component": { + "jobAlertColumns.name": "Nome", + "jobAlertColumns.lastOccurrenceDate": "Ultima occorrenza", + "jobAlertColumns.enabled": "Abilitata", + "jobAlertColumns.delayBetweenResponses": "Ritardo tra le risposte (in sec)", + "jobAlertColumns.categoryName": "Nome della categoria" }, "sql/workbench/contrib/jobManagement/browser/jobActions": { "jobaction.successLabel": "Operazione riuscita", @@ -11227,77 +10211,58 @@ "notebookaction.renameNotebook": "Rinomina", "notebookaction.openLatestRun": "Apri ultima esecuzione" }, - "sql/workbench/contrib/assessment/browser/asmtActions": { - "asmtaction.server.getitems": "Visualizza regole applicabili", - "asmtaction.database.getitems": "Visualizza regole applicabili per {0}", - "asmtaction.server.invokeitems": "Richiama valutazione", - "asmtaction.database.invokeitems": "Richiama valutazione per {0}", - "asmtaction.exportasscript": "Esporta come script", - "asmtaction.showsamples": "Visualizza tutte le regole e altre informazioni su GitHub", - "asmtaction.generatehtmlreport": "Crea report HTML", - "asmtaction.openReport": "Il report è stato salvato. Aprirlo?", - "asmtaction.label.open": "Apri", - "asmtaction.label.cancel": "Annulla" + "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { + "stepRow.stepID": "ID passaggio", + "stepRow.stepName": "Nome del passaggio", + "stepRow.message": "Messaggio" }, - "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { - "data": "Dati", - "connection": "Connessione", - "queryEditor": "Editor di query", - "notebook": "Notebook", - "dashboard": "Dashboard", - "profiler": "Profiler" + "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { + "agent.steps": "Passaggi" }, - "sql/workbench/contrib/extensions/browser/contributionRenders": { - "tabs": "Schede del dashboard ({0})", - "tabId": "ID", - "tabTitle": "Titolo", - "tabDescription": "Descrizione", - "insights": "Dati analitici dashboard ({0})", - "insightId": "ID", - "name": "Nome", - "insight condition": "Quando" + "sql/workbench/contrib/jobManagement/browser/jobsView.component": { + "jobColumns.name": "Nome", + "jobColumns.lastRun": "Ultima esecuzione", + "jobColumns.nextRun": "Prossima esecuzione", + "jobColumns.enabled": "Abilitata", + "jobColumns.status": "Stato", + "jobColumns.category": "Categoria", + "jobColumns.runnable": "Eseguibile", + "jobColumns.schedule": "Pianificazione", + "jobColumns.lastRunOutcome": "Risultati ultima esecuzione", + "jobColumns.previousRuns": "Esecuzioni precedenti", + "jobsView.noSteps": "Non sono disponibili passaggi per questo processo.", + "jobsView.error": "Errore: " }, - "sql/workbench/contrib/charts/browser/imageInsight": { - "invalidImage": "La tabella non contiene un'immagine valida" + "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { + "notebookHistory.dateCreatedTooltip": "Data di creazione: ", + "notebookHistory.notebookErrorTooltip": "Errore del notebook: ", + "notebookHistory.ErrorTooltip": "Errore del processo: ", + "notebookHistory.pinnedTitle": "Aggiunta", + "notebookHistory.recentRunsTitle": "Esecuzioni recenti", + "notebookHistory.pastRunsTitle": "Esecuzioni precedenti" }, - "sql/workbench/contrib/notebook/browser/cellToolbarActions": { - "moreActionsLabel": "Altro", - "editLabel": "Modifica", - "closeLabel": "Chiudi", - "convertCell": "Converti cella", - "runAllAbove": "Esegui celle sopra", - "runAllBelow": "Esegui celle sotto", - "codeAbove": "Inserisci codice sopra", - "codeBelow": "Inserisci codice sotto", - "markdownAbove": "Inserisci testo sopra", - "markdownBelow": "Inserisci testo sotto", - "collapseCell": "Comprimi cella", - "expandCell": "Espandi cella", - "makeParameterCell": "Crea cella parametri", - "RemoveParameterCell": "Rimuovi cella parametri", - "clear": "Cancella risultato" + "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { + "notebookColumns.name": "Nome", + "notebookColumns.targetDatbase": "Database di destinazione", + "notebookColumns.lastRun": "Ultima esecuzione", + "notebookColumns.nextRun": "Prossima esecuzione", + "notebookColumns.status": "Stato", + "notebookColumns.lastRunOutcome": "Risultati ultima esecuzione", + "notebookColumns.previousRuns": "Esecuzioni precedenti", + "notebooksView.noSteps": "Non sono disponibili passaggi per questo processo.", + "notebooksView.error": "Errore: ", + "notebooksView.notebookError": "Errore del notebook: " }, - "sql/workbench/services/notebook/browser/models/clientSession": { - "clientSession.unknownError": "Si è verificato un errore durante l'avvio della sessione del notebook", - "ServerNotStarted": "Il server non è stato avviato per motivi sconosciuti", - "kernelRequiresConnection": "Il kernel {0} non è stato trovato. Verrà usato il kernel predefinito." + "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { + "jobOperatorsView.name": "Nome", + "jobOperatorsView.emailAddress": "Indirizzo di posta elettronica", + "jobOperatorsView.enabled": "Abilitata" }, - "sql/workbench/contrib/charts/browser/graphInsight": { - "series": "Serie {0}" - }, - "sql/workbench/contrib/charts/browser/configureChartDialog": { - "configureChartDialog.close": "Chiudi" - }, - "sql/workbench/services/notebook/browser/models/notebookModel": { - "injectedParametersMsg": "N. parametri inseriti\r\n", - "kernelRequiresConnection": "Selezionare una connessione per eseguire le celle per questo kernel", - "deleteCellFailed": "Non è stato possibile eliminare la cella.", - "changeKernelFailedRetry": "Non è stato possibile modificare il kernel. Verrà usato il kernel {0}. Errore: {1}", - "changeKernelFailed": "Non è stato possibile modificare il kernel a causa dell'errore: {0}", - "changeContextFailed": "La modifica del contesto non è riuscita: {0}", - "startSessionFailed": "Non è stato possibile avviare la sessione: {0}", - "shutdownClientSessionError": "Si è verificato un errore della sessione client durante la chiusura del notebook: {0}", - "ProviderNoManager": "Non è possibile trovare il gestore di notebook per il provider {0}" + "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { + "jobProxiesView.accountName": "Nome dell'account", + "jobProxiesView.credentialName": "Nome della credenziale", + "jobProxiesView.description": "Descrizione", + "jobProxiesView.isEnabled": "Abilitata" }, "sql/workbench/contrib/notebook/browser/calloutDialog/common/constants": { "callout.insertButton": "Inserisci", @@ -11317,6 +10282,940 @@ "linkCallout.linkAddressLabel": "Indirizzo", "linkCallout.linkAddressPlaceholder": "Collegare a un file o a una pagina Web esistente" }, + "sql/workbench/contrib/notebook/browser/cellToolbarActions": { + "moreActionsLabel": "Altro", + "editLabel": "Modifica", + "closeLabel": "Chiudi", + "convertCell": "Converti cella", + "runAllAbove": "Esegui celle sopra", + "runAllBelow": "Esegui celle sotto", + "codeAbove": "Inserisci codice sopra", + "codeBelow": "Inserisci codice sotto", + "markdownAbove": "Inserisci testo sopra", + "markdownBelow": "Inserisci testo sotto", + "collapseCell": "Comprimi cella", + "expandCell": "Espandi cella", + "makeParameterCell": "Crea cella parametri", + "RemoveParameterCell": "Rimuovi cella parametri", + "clear": "Cancella risultato" + }, + "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { + "buttonAdd": "Aggiungi cella", + "optionCodeCell": "Cella di codice", + "optionTextCell": "Cella di testo", + "buttonMoveDown": "Sposta cella in basso", + "buttonMoveUp": "Sposta cella in alto", + "buttonDelete": "Elimina", + "codeCellsPreview": "Aggiungi cella", + "codePreview": "Cella di codice", + "textPreview": "Cella di testo" + }, + "sql/workbench/contrib/notebook/browser/cellViews/code.component": { + "parametersText": "Parametri" + }, + "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { + "notebook.failed": "Selezionare la cella attiva e riprovare", + "runCell": "Esegui cella", + "stopCell": "Annulla esecuzione", + "errorRunCell": "Si è verificato un errore durante l'ultima esecuzione. Fare clic per ripetere l'esecuzione" + }, + "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { + "expandCellContents": "Espandi contenuto cella codice", + "collapseCellContents": "Comprimi contenuto cella di codice" + }, + "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { + "buttonBold": "Grassetto", + "buttonItalic": "Corsivo", + "buttonUnderline": "Sottolineato", + "buttonHighlight": "Evidenziazione", + "buttonCode": "Codice", + "buttonLink": "Collegamento", + "buttonList": "Elenco", + "buttonOrderedList": "Elenco ordinato", + "buttonImage": "Immagine", + "buttonPreview": "Disattivazione anteprima Markdown", + "dropdownHeading": "Intestazione", + "optionHeading1": "Intestazione 1", + "optionHeading2": "Intestazione 2", + "optionHeading3": "Intestazione 3", + "optionParagraph": "Paragrafo", + "callout.insertLinkHeading": "Inserire il collegamento", + "callout.insertImageHeading": "Inserisci immagine", + "richTextViewButton": "Visualizzazione RTF", + "splitViewButton": "Doppia visualizzazione", + "markdownViewButton": "Visualizzazione Markdown" + }, + "sql/workbench/contrib/notebook/browser/cellViews/output.component": { + "noMimeTypeFound": "Non è stato possibile trovare alcun renderer {0} per l'output. Include i tipi MIME seguenti: {1}", + "safe": "sicuro ", + "noSelectorFound": "Non è stato possibile trovare alcun componente per il selettore {0}", + "componentRenderError": "Si è verificato un errore durante il rendering del componente: {0}" + }, + "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { + "clickOn": "Fare clic su", + "plusCode": "+ Codice", + "or": "o", + "plusText": "+ Testo", + "toAddCell": "per aggiungere una cella di testo o codice", + "plusCodeAriaLabel": "Aggiungere cella di codice", + "plusTextAriaLabel": "Aggiungi una cella di testo" + }, + "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { + "stdInLabel": "STDIN:" + }, + "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { + "doubleClickEdit": "Fare doppio clic per modificare", + "addContent": "Aggiungere contenuto qui..." + }, + "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { + "label.find": "Trova", + "placeholder.find": "Trova", + "label.previousMatchButton": "Corrispondenza precedente", + "label.nextMatchButton": "Corrispondenza successiva", + "label.closeButton": "Chiudi", + "title.matchesCountLimit": "La ricerca ha restituito un numero elevato di risultati. Verranno evidenziate solo le prime 999 corrispondenze.", + "label.matchesLocation": "{0} di {1}", + "label.noResults": "Nessun risultato" + }, + "sql/workbench/contrib/notebook/browser/notebook.component": { + "addCodeLabel": "Aggiungi codice", + "addTextLabel": "Aggiungi testo", + "createFile": "Crea file", + "displayFailed": "Non è stato possibile visualizzare il contenuto: {0}", + "codeCellsPreview": "Aggiungi cella", + "codePreview": "Cella di codice", + "textPreview": "Cella di testo", + "runAllPreview": "Esegui tutti", + "addCell": "Cella", + "code": "Codice", + "text": "Testo", + "runAll": "Esegui celle", + "previousButtonLabel": "< Indietro", + "nextButtonLabel": "Avanti >", + "cellNotFound": "la cella con URI {0} non è stata trovata in questo modello", + "cellRunFailed": "Comando Esegui celle non riuscito. Per altre informazioni, vedere l'errore nell'output della cella attualmente selezionata." + }, + "sql/workbench/contrib/notebook/browser/notebook.contribution": { + "newNotebook": "Nuovo notebook", + "newQuery": "Nuovo notebook", + "workbench.action.setWorkspaceAndOpen": "Imposta area di lavoro e apri", + "notebook.sqlStopOnError": "Kernel SQL: arresta l'esecuzione di Notebook quando si verifica un errore in una cella.", + "notebook.showAllKernels": "(Anteprima) mostrare tutti i kernel per il provider di notebook corrente.", + "notebook.allowADSCommands": "Consentire ai notebook di eseguire i comandi di Azure Data Studio.", + "notebook.enableDoubleClickEdit": "Abilitare il doppio clic per modificare le celle di testo nei notebook", + "notebook.richTextModeDescription": "Il testo viene visualizzato come testo RTF, noto anche come WYSIWYG.", + "notebook.splitViewModeDescription": "Markdown visualizzato a sinistra, con un'anteprima del testo di cui è stato eseguito il rendering a destra.", + "notebook.markdownModeDescription": "Il testo viene visualizzato come Markdown.", + "notebook.defaultTextEditMode": "Modalità di modifica predefinita usata per le celle di testo", + "notebook.saveConnectionName": "(Anteprima) Salvare il nome della connessione nei metadati del notebook.", + "notebook.markdownPreviewLineHeight": "Controlla l'altezza della riga usata nell'anteprima Markdown del notebook. Questo numero è relativo alle dimensioni del carattere.", + "notebook.showRenderedNotebookinDiffEditor": "(Anteprima) Visualizzare il notebook di cui è eseguito il rendering nell'editor diff.", + "notebook.maxRichTextUndoHistory": "Numero massimo di modifiche archiviate nella cronologia di annullamento per l'editor di testo RTF del notebook.", + "searchConfigurationTitle": "Cerca nei notebook", + "exclude": "Consente di configurare i criteri GLOB per escludere file e cartelle nelle ricerche full-text e in Quick Open. Eredita tutti i criteri GLOB dall'impostazione `#files.exclude#`. Per altre informazioni sui criteri GLOB, fare clic [qui](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).", + "exclude.boolean": "Criterio GLOB da usare per trovare percorsi file. Impostare su True o False per abilitare o disabilitare il criterio.", + "exclude.when": "Controllo aggiuntivo sugli elementi di pari livello di un file corrispondente. Usare $(basename) come variabile del nome file corrispondente.", + "useRipgrep": "Questa impostazione è deprecata. Verrà ora eseguito il fallback a \"search.usePCRE2\".", + "useRipgrepDeprecated": "Deprecata. Per il supporto della funzionalità avanzate delle espressioni regex provare a usare \"search.usePCRE2\".", + "search.maintainFileSearchCache": "Se abilitato, il processo searchService verrà mantenuto attivo invece di essere arrestato dopo un'ora di inattività. In questo modo la cache di ricerca dei file rimarrà in memoria.", + "useIgnoreFiles": "Controlla se utilizzare i file `.gitignore` e `.ignore` durante la ricerca di file.", + "useGlobalIgnoreFiles": "Controlla se usare i file `.gitignore` e `.ignore` globali durante la ricerca di file.", + "search.quickOpen.includeSymbols": "Indica se includere i risultati di una ricerca di simboli globale nei risultati dei file per Quick Open.", + "search.quickOpen.includeHistory": "Indica se includere i risultati di file aperti di recente nel file dei risultati per Quick Open.", + "filterSortOrder.default": "Le voci della cronologia sono ordinate per pertinenza in base al valore di filtro usato. Le voci più pertinenti vengono visualizzate per prime.", + "filterSortOrder.recency": "Le voci della cronologia sono ordinate in base alla data. Le voci aperte più di recente vengono visualizzate per prime.", + "filterSortOrder": "Controlla l'ordinamento della cronologia dell'editor in Quick Open quando viene applicato il filtro.", + "search.followSymlinks": "Controlla se seguire i collegamenti simbolici durante la ricerca.", + "search.smartCase": "Esegue la ricera senza fare distinzione tra maiuscole/minuscole se il criterio è tutto minuscolo, in caso contrario esegue la ricerca facendo distinzione tra maiuscole/minuscole.", + "search.globalFindClipboard": "Controlla se il viewlet di ricerca deve leggere o modificare gli appunti di ricerca condivisi in macOS.", + "search.location": "Controlla se la ricerca verrà mostrata come visualizzazione nella barra laterale o come pannello nell'area pannelli per ottenere più spazio orizzontale.", + "search.location.deprecationMessage": "Questa impostazione è deprecata. Usare il menu di scelta rapida della visualizzazione di ricerca.", + "search.collapseResults.auto": "I file con meno di 10 risultati vengono espansi. Gli altri vengono compressi.", + "search.collapseAllResults": "Controlla se i risultati della ricerca verranno compressi o espansi.", + "search.useReplacePreview": "Controlla se aprire Anteprima sostituzione quando si seleziona o si sostituisce una corrispondenza.", + "search.showLineNumbers": "Controlla se visualizzare i numeri di riga per i risultati della ricerca.", + "search.usePCRE2": "Indica se usare il motore regex PCRE2 nella ricerca di testo. In questo modo è possibile usare alcune funzionalità avanzate di regex, come lookahead e backreference. Non sono però supportate tutte le funzionalità di PCRE2, ma solo quelle supportate anche da JavaScript.", + "usePCRE2Deprecated": "Deprecata. PCRE2 verrà usato automaticamente se si usano funzionalità regex supportate solo da PCRE2.", + "search.actionsPositionAuto": "Posiziona la barra azioni a destra quando la visualizzazione di ricerca è stretta e subito dopo il contenuto quando la visualizzazione di ricerca è ampia.", + "search.actionsPositionRight": "Posiziona sempre la barra azioni a destra.", + "search.actionsPosition": "Controlla il posizionamento in righe della barra azioni nella visualizzazione di ricerca.", + "search.searchOnType": "Cerca in tutti i file durante la digitazione.", + "search.seedWithNearestWord": "Abilita il seeding della ricerca a partire dalla parola più vicina al cursore quando non ci sono selezioni nell'editor attivo.", + "search.seedOnFocus": "Aggiorna la query di ricerca dell'area di lavoro in base al testo selezionato dell'editor quando lo stato attivo si trova nella visualizzazione di ricerca. Si verifica in caso di clic o quando si attiva il comando `workbench.views.search.focus`.", + "search.searchOnTypeDebouncePeriod": "Se `#search.searchOnType#` è abilitato, controlla il timeout in millisecondi tra la digitazione di un carattere e l'avvio della ricerca. Non ha effetto quando `search.searchOnType` è disabilitato.", + "search.searchEditor.doubleClickBehaviour.selectWord": "Facendo doppio clic viene selezionata la parola sotto il cursore.", + "search.searchEditor.doubleClickBehaviour.goToLocation": "Facendo doppio clic il risultato viene aperto nel gruppo di editor attivo.", + "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Facendo doppio clic il risultato viene aperto nel gruppo di editor laterale e viene creato un gruppo se non esiste ancora.", + "search.searchEditor.doubleClickBehaviour": "Configura l'effetto del doppio clic su un risultato nell'editor della ricerca.", + "searchSortOrder.default": "I risultati vengono visualizzati in ordine alfabetico in base ai nomi di file e cartella.", + "searchSortOrder.filesOnly": "I risultati vengono visualizzati in ordine alfabetico in base ai nomi file ignorando l'ordine delle cartelle.", + "searchSortOrder.type": "I risultati vengono visualizzati in ordine alfabetico in base all'estensione del file.", + "searchSortOrder.modified": "I risultati vengono visualizzati in ordine decrescente in base alla data dell'ultima modifica del file.", + "searchSortOrder.countDescending": "I risultati vengono visualizzati in ordine decrescente in base al conteggio per file.", + "searchSortOrder.countAscending": "I risultati vengono visualizzati in ordine crescente in base al conteggio per file.", + "search.sortOrder": "Controlla l'ordinamento dei risultati della ricerca." + }, + "sql/workbench/contrib/notebook/browser/notebookActions": { + "loading": "Caricamento dei kernel...", + "changing": "Modifica del kernel...", + "AttachTo": "Collega a ", + "Kernel": "Kernel ", + "loadingContexts": "Caricamento dei contesti...", + "changeConnection": "Cambia connessione", + "selectConnection": "Seleziona connessione", + "localhost": "localhost", + "noKernel": "Nessun kernel", + "kernelNotSupported": "Questo notebook non può essere eseguito con parametri perché il kernel non è supportato. Usare i kernel e il formato supportati. [Altre informazioni] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "noParametersCell": "Il notebook non può essere eseguito con parametri finché non viene aggiunta una cella di parametri. [Altre informazioni] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "noParametersInCell": "Il notebook non può essere eseguito con parametri finché non vengono aggiunti parametri alla cella dei parametri. [Altre informazioni] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "clearResults": "Cancella risultati", + "trustLabel": "Attendibile", + "untrustLabel": "Non attendibile", + "collapseAllCells": "Comprimi celle", + "expandAllCells": "Espandi celle", + "runParameters": "Esegui con parametri", + "noContextAvailable": "Nessuno", + "newNotebookAction": "Nuovo notebook", + "notebook.findNext": "Trova stringa successiva", + "notebook.findPrevious": "Trova stringa precedente" + }, + "sql/workbench/contrib/notebook/browser/notebookEditor": { + "notebookEditor.name": "Notebook Editor" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { + "notebookExplorer.searchResults": "Risultati della ricerca", + "searchPathNotFoundError": "Percorso di ricerca non trovato: {0}", + "notebookExplorer.name": "Notebook" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { + "searchWithoutFolder": "Non è stata aperta alcuna cartella contenente notebook/libri. ", + "openNotebookFolder": "Apri notebook", + "searchMaxResultsWarning": "Il set di risultati contiene solo un subset di tutte le corrispondenze. Eseguire una ricerca più specifica per ridurre il numero di risultati.", + "searchInProgress": "Ricerca in corso - ", + "noResultsIncludesExcludes": "Non sono stati trovati risultati in '{0}' escludendo '{1}' - ", + "noResultsIncludes": "Non sono stati trovati risultati in '{0}' - ", + "noResultsExcludes": "Non sono stati trovati risultati escludendo '{0}' - ", + "noResultsFound": "Non sono stati trovati risultati. Rivedere le impostazioni relative alle esclusioni configurate e verificare i file gitignore -", + "rerunSearch.message": "Cerca di nuovo", + "rerunSearchInAll.message": "Cerca di nuovo in tutti i file", + "openSettings.message": "Apri impostazioni", + "ariaSearchResultsStatus": "La ricerca ha restituito {0} risultati in {1} file", + "ToggleCollapseAndExpandAction.label": "Attiva/Disattiva Comprimi ed espandi", + "CancelSearchAction.label": "Annulla ricerca", + "ExpandAllAction.label": "Espandi tutto", + "CollapseDeepestExpandedLevelAction.label": "Comprimi tutto", + "ClearSearchResultsAction.label": "Cancella risultati della ricerca" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { + "label.Search": "Cerca: digitare il termine di ricerca e premere INVIO per cercare oppure ESC per annullare", + "search.placeHolder": "Cerca" + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViews.component": { + "cellNotFound": "la cella con URI {0} non è stata trovata in questo modello", + "cellRunFailed": "Comando Esegui celle non riuscito. Per altre informazioni, vedere l'errore nell'output della cella attualmente selezionata." + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsCodeCell.component": { + "viewsCodeCell.emptyCellText": "Eseguire questa cella per visualizzare gli output." + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsGrid.component": { + "emptyText": "Questa vista è vuota. Aggiungere una cella a questa vista facendo clic sul pulsante Inserisci celle." + }, + "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { + "copyFailed": "La copia non è riuscita. Errore: {0}", + "notebook.showChart": "Mostra grafico", + "notebook.showTable": "Mostra tabella" + }, + "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { + "noRendererFound": "Non è stato possibile trovare alcun renderer {0} per l'output. Include i tipi MIME seguenti: {1}", + "safe": "(sicuro) " + }, + "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { + "plotlyError": "Si è verificato un errore durante la visualizzazione del grafo Plotly: {0}" + }, + "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { + "servers.noConnections": "Non sono state trovate connessioni.", + "serverTree.addConnection": "Aggiungi connessione" + }, + "sql/workbench/contrib/objectExplorer/common/serverGroup.contribution": { + "serverGroup.colors": "Tavolozza dei colori del gruppo di server usata nel viewlet Esplora oggetti.", + "serverGroup.autoExpand": "Espande automaticamente i gruppi di server nel viewlet di Esplora oggetti.", + "serverTree.useAsyncServerTree": "(Anteprima) Usare il nuovo albero del server asincrono per la visualizzazione Server e la finestra di dialogo di connessione con il supporto di nuove funzionalità come i filtri dinamici dei nodi." + }, + "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { + "data": "Dati", + "connection": "Connessione", + "queryEditor": "Editor di query", + "notebook": "Notebook", + "dashboard": "Dashboard", + "profiler": "Profiler", + "builtinCharts": "Grafici predefiniti" + }, + "sql/workbench/contrib/profiler/browser/profiler.contribution": { + "profiler.settings.viewTemplates": "Specifica i modelli di visualizzazione", + "profiler.settings.sessionTemplates": "Specifica i modelli di sessione", + "profiler.settings.Filters": "Filtri profiler" + }, + "sql/workbench/contrib/profiler/browser/profilerActions": { + "profilerAction.connect": "Connetti", + "profilerAction.disconnect": "Disconnetti", + "start": "Avvia", + "create": "Nuova sessione", + "profilerAction.pauseCapture": "Sospendi", + "profilerAction.resumeCapture": "Riprendi", + "profilerStop.stop": "Arresta", + "profiler.clear": "Cancella dati", + "profiler.clearDataPrompt": "Cancellare i dati?", + "profiler.yes": "Sì", + "profiler.no": "No", + "profilerAction.autoscrollOn": "Scorrimento automatico: attivato", + "profilerAction.autoscrollOff": "Scorrimento automatico: disattivato", + "profiler.toggleCollapsePanel": "Attiva/Disattiva pannello compresso", + "profiler.editColumns": "Modifica colonne", + "profiler.findNext": "Trova la stringa successiva", + "profiler.findPrevious": "Trova la stringa precedente", + "profilerAction.newProfiler": "Avvia profiler", + "profiler.filter": "Filtro…", + "profiler.clearFilter": "Cancella filtro", + "profiler.clearFilterPrompt": "Cancellare i filtri?" + }, + "sql/workbench/contrib/profiler/browser/profilerEditor": { + "profiler.viewSelectAccessibleName": "Seleziona visualizzazione", + "profiler.sessionSelectAccessibleName": "Seleziona sessione", + "profiler.sessionSelectLabel": "Seleziona sessione:", + "profiler.viewSelectLabel": "Seleziona visualizzazione:", + "text": "Testo", + "label": "Etichetta", + "profilerEditor.value": "Valore", + "details": "Dettagli" + }, + "sql/workbench/contrib/profiler/browser/profilerFindWidget": { + "label.find": "Trova", + "placeholder.find": "Trova", + "label.previousMatchButton": "Risultato precedente", + "label.nextMatchButton": "Risultato successivo", + "label.closeButton": "Chiudi", + "title.matchesCountLimit": "La ricerca ha restituito un numero elevato di risultati. Verranno evidenziate solo le prime 999 corrispondenze.", + "label.matchesLocation": "{0} di {1}", + "label.noResults": "Nessun risultato" + }, + "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { + "profilerTextEditorAriaLabel": "Editor del profiler per il testo dell'evento. Di sola lettura" + }, + "sql/workbench/contrib/profiler/browser/profilerTableEditor": { + "ProfilerTableEditor.eventCountFiltered": "Eventi (filtrati): {0}/{1}", + "ProfilerTableEditor.eventCount": "Eventi: {0}", + "status.eventCount": "Numero di eventi" + }, + "sql/workbench/contrib/query/browser/actions": { + "saveAsCsv": "Salva in formato CSV", + "saveAsJson": "Salva in formato JSON", + "saveAsExcel": "Salva in formato Excel", + "saveAsXml": "Salva in formato XML", + "jsonEncoding": "La codifica dei risultati non verrà salvata quando si esporta in JSON. Ricordarsi di salvare con la codifica desiderata dopo la creazione del file.", + "saveToFileNotSupported": "Il salvataggio nel file non è supportato dall'origine dati di supporto", + "copySelection": "Copia", + "copyWithHeaders": "Copia con intestazioni", + "selectAll": "Seleziona tutto", + "maximize": "Ingrandisci", + "restore": "Ripristina", + "chart": "Grafico", + "visualizer": "Visualizzatore" + }, + "sql/workbench/contrib/query/browser/flavorStatus": { + "chooseSqlLang": "Scegli linguaggio SQL", + "changeProvider": "Cambia provider del linguaggio SQL", + "status.query.flavor": "Versione del linguaggio SQL", + "changeSqlProvider": "Cambia provider del motore SQL", + "alreadyConnected": "Esiste già una connessione che usa il motore {0}. Per cambiare, disconnettersi o cambiare connessione", + "noEditor": "Al momento non ci sono editor di testo attivi", + "pickSqlProvider": "Seleziona provider del linguaggio" + }, + "sql/workbench/contrib/query/browser/gridPanel": { + "xmlShowplan": "Showplan XML", + "resultsGrid": "Griglia dei risultati", + "resultsGrid.maxRowCountExceeded": "È stato superato il numero massimo di righe per il filtraggio o l'ordinamento. Per aggiornarlo, è possibile passare alle impostazioni utente e modificare l'impostazione 'queryEditor.results.inMemoryDataProcessingThreshold'" + }, + "sql/workbench/contrib/query/browser/keyboardQueryActions": { + "focusOnCurrentQueryKeyboardAction": "Stato attivo su query corrente", + "runQueryKeyboardAction": "Esegui query", + "runCurrentQueryKeyboardAction": "Esegui query corrente", + "copyQueryWithResultsKeyboardAction": "Copia query con risultati", + "queryActions.queryResultsCopySuccess": "Copia della query e dei risultati completata.", + "runCurrentQueryWithActualPlanKeyboardAction": "Esegui query corrente con piano effettivo", + "cancelQueryKeyboardAction": "Annulla query", + "refreshIntellisenseKeyboardAction": "Aggiorna cache IntelliSense", + "toggleQueryResultsKeyboardAction": "Attiva/Disattiva risultati della query", + "ToggleFocusBetweenQueryEditorAndResultsAction": "Alterna lo stato attivo tra la query e i risultati", + "queryShortcutNoEditor": "Per consentire l'esecuzione del tasto di scelta rapida, è necessario specificare il parametro Editor", + "parseSyntaxLabel": "Analizza query", + "queryActions.parseSyntaxSuccess": "I comandi sono stati completati", + "queryActions.parseSyntaxFailure": "Comando non riuscito: ", + "queryActions.notConnected": "Connettersi a un server" + }, + "sql/workbench/contrib/query/browser/messagePanel": { + "messagePanel": "Pannello dei messaggi", + "copy": "Copia", + "copyAll": "Copia tutto" + }, + "sql/workbench/contrib/query/browser/query.contribution": { + "queryResultsEditor.name": "Risultati query", + "newQuery": "Nuova query", + "queryEditorConfigurationTitle": "Editor di query", + "queryEditor.results.saveAsCsv.includeHeaders": "Se è impostata su true, le intestazioni di colonna vengono incluse quando si salvano i risultati in formato CSV", + "queryEditor.results.saveAsCsv.delimiter": "Delimitatore personalizzato da usare tra i valori quando si salvano i risultati in formato CSV", + "queryEditor.results.saveAsCsv.lineSeperator": "Caratteri usati per delimitare le righe quando si salvano i risultati in formato CSV", + "queryEditor.results.saveAsCsv.textIdentifier": "Carattere usato per racchiudere i campi di testo quando si salvano i risultati in formato CSV", + "queryEditor.results.saveAsCsv.encoding": "Codifica di file usata quando si salvano i risultati in formato CSV", + "queryEditor.results.saveAsXml.formatted": "Quando è true, l'output XML verrà formattato quando si salvano i risultati in formato XML", + "queryEditor.results.saveAsXml.encoding": "Codifica di file usata quando si salvano i risultati in formato XML", + "queryEditor.results.streaming": "Abilita lo streaming dei risultati. Contiene alcuni problemi minori relativi a oggetti visivi", + "queryEditor.results.copyIncludeHeaders": "Opzioni di configurazione per la copia di risultati dalla Visualizzazione risultati", + "queryEditor.results.copyRemoveNewLine": "Opzioni di configurazione per la copia di risultati su più righe dalla visualizzazione risultati", + "queryEditor.results.optimizedTable": "(Sperimentale) Usare una tabella ottimizzata per la visualizzazione dei risultati. Alcune funzionalità potrebbero mancare e sono in lavorazione.", + "queryEditor.inMemoryDataProcessingThreshold": "Controlla il numero massimo di righe consentite per l'applicazione di filtri e ordinamento in memoria. Se il numero viene superato, l'ordinamento e il filtro verranno disabilitati. Avviso: l'aumento di questo valore può influire sulle prestazioni.", + "queryEditor.results.openAfterSave": "Indica se aprire il file in Azure Data Studio dopo il salvataggio del risultato.", + "queryEditor.messages.showBatchTime": "Indicare se visualizzare il tempo di esecuzione per singoli batch", + "queryEditor.messages.wordwrap": "Messaggi con ritorno a capo automatico", + "queryEditor.chart.defaultChartType": "Tipo di grafico predefinito da usare quando si apre il visualizzatore grafico dai risultati di una query", + "queryEditor.tabColorMode.off": "La colorazione delle schede verrà disabilitata", + "queryEditor.tabColorMode.border": "Al bordo superiore di ogni scheda verrà applicato il colore del gruppo di server pertinente", + "queryEditor.tabColorMode.fill": "Il colore di sfondo di ogni scheda dell'editor sarà uguale a quello del gruppo di server pertinente", + "queryEditor.tabColorMode": "Controlla come colorare le schede in base al gruppo di server della connessione attiva", + "queryEditor.showConnectionInfoInTitle": "Controlla se visualizzare le informazioni sulla connessione per una scheda nel titolo.", + "queryEditor.promptToSaveGeneratedFiles": "Richiede di salvare i file SQL generati", + "queryShortcutDescription": "Impostare l'associazione dei tasti workbench.action.query.shortcut{0} per eseguire il testo del collegamento come chiamata di routine o esecuzione di query. Il testo selezionato nell'editor di query verrà passato come parametro alla fine della query oppure è possibile fare riferimento a esso con {arg}" + }, + "sql/workbench/contrib/query/browser/queryActions": { + "newQueryTask.newQuery": "Nuova query", + "runQueryLabel": "Esegui", + "cancelQueryLabel": "Annulla", + "estimatedQueryPlan": "Spiega", + "actualQueryPlan": "Effettivo", + "disconnectDatabaseLabel": "Disconnetti", + "changeConnectionDatabaseLabel": "Cambia connessione", + "connectDatabaseLabel": "Connetti", + "enablesqlcmdLabel": "Abilita SQLCMD", + "disablesqlcmdLabel": "Disabilita SQLCMD", + "selectDatabase": "Seleziona database", + "changeDatabase.failed": "Non è stato possibile modificare il database", + "changeDatabase.failedWithError": "Non è stato possibile modificare il database: {0}", + "queryEditor.exportSqlAsNotebook": "Esporta come notebook" + }, + "sql/workbench/contrib/query/browser/queryEditor": { + "queryEditor.name": "Query Editor" + }, + "sql/workbench/contrib/query/browser/queryResultsView": { + "resultsTabTitle": "Risultati", + "messagesTabTitle": "Messaggi" + }, + "sql/workbench/contrib/query/browser/statusBarItems": { + "status.query.timeElapsed": "Tempo trascorso", + "status.query.rowCount": "Numero di righe", + "rowCount": "{0} righe", + "query.status.executing": "Esecuzione della query...", + "status.query.status": "Stato esecuzione", + "status.query.selection-summary": "Riepilogo selezioni", + "status.query.summaryText": "Media: {0} Conteggio: {1} Somma: {2}" + }, + "sql/workbench/contrib/query/common/resultsGrid.contribution": { + "resultsGridConfigurationTitle": "Messaggi e griglia dei risultati", + "fontFamily": "Controlla la famiglia di caratteri.", + "fontWeight": "Controlla lo spessore del carattere.", + "fontSize": "Controlla le dimensioni del carattere in pixel.", + "letterSpacing": "Controlla la spaziatura tra le lettere in pixel.", + "rowHeight": "Controlla l'altezza delle righe in pixel", + "cellPadding": "Controlla la spaziatura interna celle in pixel", + "autoSizeColumns": "Ridimensiona automaticamente la larghezza delle colonne sui risultati iniziali. Potrebbero verificarsi problemi di prestazioni con un numero elevato di colonne o celle di grandi dimensioni", + "maxColumnWidth": "Larghezza massima in pixel per colonne con ridimensionamento automatico" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryActions": { + "toggleQueryHistory": "Attiva/Disattiva cronologia delle query", + "queryHistory.delete": "Elimina", + "queryHistory.clearLabel": "Cancella tutta la cronologia", + "queryHistory.openQuery": "Apri query", + "queryHistory.runQuery": "Esegui query", + "queryHistory.toggleCaptureLabel": "Attiva/Disattiva acquisizione della cronologia delle query", + "queryHistory.disableCapture": "Sospendi acquisizione della cronologia delle query", + "queryHistory.enableCapture": "Avvia acquisizione della cronologia delle query" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryRenderer": { + "succeeded": "riuscito", + "failed": "non riuscito" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryView": { + "noQueriesMessage": "Non ci sono query da visualizzare.", + "queryHistory.regTreeAriaLabel": "Cronologia delle query" + }, + "sql/workbench/contrib/queryHistory/electron-browser/queryHistory": { + "queryHistoryConfigurationTitle": "Cronologia query", + "queryHistoryCaptureEnabled": "Indica se l'acquisizione della cronologia delle query è abilitata. Se è false, le query eseguite non verranno acquisite.", + "queryHistory.clearLabel": "Cancella tutta la cronologia", + "queryHistory.disableCapture": "Sospendi acquisizione della cronologia delle query", + "queryHistory.enableCapture": "Avvia acquisizione della cronologia delle query", + "viewCategory": "Visualizza", + "miViewQueryHistory": "&&Cronologia delle query", + "queryHistory": "Cronologia delle query" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlan": { + "queryPlanTitle": "Piano di query" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlanEditor": { + "queryPlanEditor": "Query Plan Editor" + }, + "sql/workbench/contrib/queryPlan/browser/topOperations": { + "topOperations.operation": "Operazione", + "topOperations.object": "Oggetto", + "topOperations.estCost": "Costo stimato", + "topOperations.estSubtreeCost": "Costo sottoalbero stimato", + "topOperations.actualRows": "Righe effettive", + "topOperations.estRows": "Righe stimate", + "topOperations.actualExecutions": "Esecuzioni effettive", + "topOperations.estCPUCost": "Costo CPU stimato", + "topOperations.estIOCost": "Costo IO stimato", + "topOperations.parallel": "In parallelo", + "topOperations.actualRebinds": "Riassociazioni effettive", + "topOperations.estRebinds": "Riassociazioni stimate", + "topOperations.actualRewinds": "Ripristini effettivi", + "topOperations.estRewinds": "Ripristini stimati", + "topOperations.partitioned": "Partizionato", + "topOperationsTitle": "Operazioni più frequenti" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewer.contribution": { + "resourceViewer": "Visualizzatore risorse" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { + "resourceViewer.refresh": "Aggiorna" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { + "resourceViewerTable.openError": "Errore durante l'apertura del collegamento: {0}", + "resourceViewerTable.commandError": "Errore durante l'esecuzione del comando '{0}': {1}" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { + "resourceViewer.ariaLabel": "Albero del visualizzatore risorse" + }, + "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { + "extension.contributes.resourceView.resource.id": "Identificatore della risorsa.", + "extension.contributes.resourceView.resource.name": "Nome leggibile della visualizzazione. Verrà visualizzato", + "extension.contributes.resourceView.resource.icon": "Percorso dell'icona della risorsa.", + "extension.contributes.resourceViewResources": "Fornisce una risorsa alla visualizzazione risorse", + "requirestring": "la proprietà `{0}` è obbligatoria e deve essere di tipo `string`", + "optstring": "la proprietà `{0}` può essere omessa o deve essere di tipo `string`" + }, + "sql/workbench/contrib/restore/browser/restore.contribution": { + "restore": "Ripristina", + "backup": "Ripristina" + }, + "sql/workbench/contrib/restore/browser/restoreActions": { + "restore.isPreviewFeature": "Per usare il ripristino, è necessario abilitare le funzionalità di anteprima", + "restore.commandNotSupportedOutsideContext": "Il comando Ripristina non è supportato all'esterno di un contesto del server. Selezionare un server o un database e riprovare.", + "restore.commandNotSupported": "Il comando di ripristino non è supportato per i database SQL di Azure.", + "restoreAction.restore": "Ripristina" + }, + "sql/workbench/contrib/scripting/browser/scripting.contribution": { + "scriptAsCreate": "Genera script come CREATE", + "scriptAsDelete": "Genera script come DROP", + "scriptAsSelect": "Genera script come SELECT TOP 1000", + "scriptAsExecute": "Genera script come EXECUTE", + "scriptAsAlter": "Genera script come ALTER", + "editData": "Modifica dati", + "scriptSelect": "Genera script come SELECT TOP 1000", + "scriptKustoSelect": "Take 10", + "scriptCreate": "Genera script come CREATE", + "scriptExecute": "Genera script come EXECUTE", + "scriptAlter": "Genera script come ALTER", + "scriptDelete": "Genera script come DROP", + "refreshNode": "Aggiorna" + }, + "sql/workbench/contrib/scripting/browser/scriptingActions": { + "refreshError": "Si è verificato un errore durante l'aggiornamento del nodo '{0}': {1}" + }, + "sql/workbench/contrib/tasks/browser/tasks.contribution": { + "inProgressTasksChangesBadge": "{0} attività in corso", + "viewCategory": "Visualizza", + "tasks": "Attività", + "miViewTasks": "&&Attività" + }, + "sql/workbench/contrib/tasks/browser/tasksActions": { + "toggleTasks": "Attiva/Disattiva attività" + }, + "sql/workbench/contrib/tasks/browser/tasksRenderer": { + "succeeded": "riuscito", + "failed": "non riuscito", + "inProgress": "in corso", + "notStarted": "non avviato", + "canceled": "annullato", + "canceling": "in fase di annullamento" + }, + "sql/workbench/contrib/tasks/browser/tasksView": { + "noTaskMessage": "Non è disponibile alcuna cronologia attività da visualizzare.", + "taskHistory.regTreeAriaLabel": "Cronologia attività", + "taskError": "Errore attività" + }, + "sql/workbench/contrib/tasks/common/tasksAction": { + "cancelTask.cancel": "Annulla", + "errorMsgFromCancelTask": "Impossibile annullare l'attività.", + "taskAction.script": "Script" + }, + "sql/workbench/contrib/views/browser/treeView": { + "no-dataprovider": "Non ci sono provider di dati registrati che possono fornire i dati della visualizzazione.", + "refresh": "Aggiorna", + "collapseAll": "Comprimi tutto", + "command-error": "Si è verificato un errore durante l'esecuzione del comando {1}: {0}. Il problema può dipendere dall'estensione che aggiunge come contributo {1}." + }, + "sql/workbench/contrib/webview/browser/webViewDialog": { + "webViewDialog.ok": "OK", + "webViewDialog.close": "Chiudi" + }, + "sql/workbench/contrib/welcome/gettingStarted/browser/abstractEnablePreviewFeatures": { + "enablePreviewFeatures.notice": "Le funzionalità in anteprima consentono di migliorare l'esperienza in Azure Data Studio offrendo accesso completo a nuove funzionalità e miglioramenti. Per altre informazioni sulle funzionalità in anteprima, vedere [qui] ({0}). Abilitare le funzionalità in anteprima?", + "enablePreviewFeatures.yes": "Sì (scelta consigliata)", + "enablePreviewFeatures.no": "No", + "enablePreviewFeatures.never": "Non visualizzare più questo messaggio" + }, + "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { + "welcomePage.previewBody": "Questa pagina delle funzionalità è in anteprima. Le funzionalità in anteprima introducono nuove funzionalità che stanno per diventare una parte permanente del prodotto. Sono stabili, ma richiedono ulteriori miglioramenti per l'accessibilità. Apprezziamo il feedback iniziale degli utenti mentre sono in fase di sviluppo.", + "welcomePage.preview": "Anteprima", + "welcomePage.createConnection": "Crea una connessione", + "welcomePage.createConnectionBody": "Connettersi a un'istanza di database tramite la finestra di dialogo di connessione.", + "welcomePage.runQuery": "Esegui una query", + "welcomePage.runQueryBody": "Interagire con i dati tramite un editor di query.", + "welcomePage.createNotebook": "Crea un notebook", + "welcomePage.createNotebookBody": "Creare un nuovo notebook usando un editor di notebook nativo.", + "welcomePage.deployServer": "Distribuisci un server", + "welcomePage.deployServerBody": "Crea una nuova istanza di un servizio dati relazionale nella piattaforma scelta.", + "welcomePage.resources": "Risorse", + "welcomePage.history": "Cronologia", + "welcomePage.name": "Nome", + "welcomePage.location": "Posizione", + "welcomePage.moreRecent": "Mostra di più", + "welcomePage.showOnStartup": "Mostra la pagina iniziale all'avvio", + "welcomePage.usefuLinks": "Collegamenti utili", + "welcomePage.gettingStarted": "Attività iniziali", + "welcomePage.gettingStartedBody": "Scopri le funzionalità offerte da Azure Data Studio e impara a sfruttarle al meglio.", + "welcomePage.documentation": "Documentazione", + "welcomePage.documentationBody": "Visitare il centro documentazione per guide di avvio rapido, guide pratiche e riferimenti per PowerShell, API e così via.", + "welcomePage.videos": "Video", + "welcomePage.videoDescriptionOverview": "Panoramica di Azure Data Studio", + "welcomePage.videoDescriptionIntroduction": "Introduzione ai notebook di Azure Data Studio | Dati esposti", + "welcomePage.extensions": "Estensioni", + "welcomePage.showAll": "Mostra tutto", + "welcomePage.learnMore": "Altre informazioni " + }, + "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { + "GuidedTour.connections": "Connessioni", + "GuidedTour.makeConnections": "È possibile connettersi, eseguire query e gestire le connessioni da SQL Server, Azure e altro ancora.", + "GuidedTour.one": "1", + "GuidedTour.next": "Avanti", + "GuidedTour.notebooks": "Notebook", + "GuidedTour.gettingStartedNotebooks": "Iniziare a creare il proprio notebook o la propria raccolta di notebook in un'unica posizione.", + "GuidedTour.two": "2", + "GuidedTour.extensions": "Estensioni", + "GuidedTour.addExtensions": "Estendere le funzionalità di Azure Data Studio installando le estensioni sviluppate da Microsoft e dalla community di terze parti.", + "GuidedTour.three": "3", + "GuidedTour.settings": "Impostazioni", + "GuidedTour.makeConnesetSettings": "Personalizzare Azure Data Studio in base alle proprie preferenze. È possibile configurare impostazioni come il salvataggio automatico e le dimensioni delle schede, personalizzare i tasti di scelta rapida e scegliere il tema colori preferito.", + "GuidedTour.four": "4", + "GuidedTour.welcomePage": "Pagina iniziale", + "GuidedTour.discoverWelcomePage": "Individuare le funzionalità principali, i file aperti di recente e le estensioni consigliate nella pagina iniziale. Per altre informazioni su come iniziare a usare Azure Data Studio, vedere i video e la documentazione.", + "GuidedTour.five": "5", + "GuidedTour.finish": "Fine", + "guidedTour": "Presentazione iniziale", + "hideGuidedTour": "Nascondi presentazione iniziale", + "GuidedTour.readMore": "Altre informazioni", + "help": "Guida" + }, + "sql/workbench/contrib/welcome/page/browser/welcomePage": { + "welcomePage": "Introduzione", + "welcomePage.adminPack": "Admin Pack di SQL", + "welcomePage.showAdminPack": "Admin Pack di SQL", + "welcomePage.adminPackDescription": "Admin Pack per SQL Server è una raccolta delle estensioni più usate per l'amministrazione di database per semplificare la gestione di SQL Server", + "welcomePage.sqlServerAgent": "SQL Server Agent", + "welcomePage.sqlServerProfiler": "SQL Server Profiler", + "welcomePage.sqlServerImport": "Importazione di SQL Server", + "welcomePage.sqlServerDacpac": "SQL Server Dacpac", + "welcomePage.powershell": "PowerShell", + "welcomePage.powershellDescription": "Consente di scrivere ed eseguire script di PowerShell usando l'editor di query avanzato di Azure Data Studio", + "welcomePage.dataVirtualization": "Virtualizzazione dei dati", + "welcomePage.dataVirtualizationDescription": "Virtualizza i dati con SQL Server 2019 e crea tabelle esterne tramite procedure guidate interattive", + "welcomePage.PostgreSQL": "PostgreSQL", + "welcomePage.PostgreSQLDescription": "È possibile connettersi, eseguire query e gestire database Postgres con Azure Data Studio", + "welcomePage.extensionPackAlreadyInstalled": "Il supporto per {0} è già installato.", + "welcomePage.willReloadAfterInstallingExtensionPack": "La finestra verrà ricaricata dopo l'installazione di supporto aggiuntivo per {0}.", + "welcomePage.installingExtensionPack": "Installazione di supporto aggiuntivo per {0} in corso...", + "welcomePage.extensionPackNotFound": "Il supporto per {0} con ID {1} non è stato trovato.", + "welcomePage.newConnection": "Nuova connessione", + "welcomePage.newQuery": "Nuova query", + "welcomePage.newNotebook": "Nuovo notebook", + "welcomePage.deployServer": "Distribuisci un server", + "welcome.title": "Introduzione", + "welcomePage.new": "Nuovo", + "welcomePage.open": "Apri…", + "welcomePage.openFile": "Apri file…", + "welcomePage.openFolder": "Apri cartella…", + "welcomePage.startTour": "Inizia la presentazione", + "closeTourBar": "Chiudi barra della presentazione", + "WelcomePage.TakeATour": "Visualizzare una presentazione di Azure Data Studio?", + "WelcomePage.welcome": "Introduzione", + "welcomePage.openFolderWithPath": "Apri la cartella {0} con percorso {1}", + "welcomePage.install": "Installa", + "welcomePage.installKeymap": "Installa mappatura tastiera {0}", + "welcomePage.installExtensionPack": "Installa supporto aggiuntivo per {0}", + "welcomePage.installed": "Installato", + "welcomePage.installedKeymap": "Mappatura tastiera {0} è già installata", + "welcomePage.installedExtensionPack": "Il supporto {0} è già installato", + "ok": "OK", + "details": "Dettagli", + "welcomePage.background": "Colore di sfondo della pagina di benvenuto." + }, + "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { + "welcomePage.azdata": "Azure Data Studio", + "welcomePage.start": "Avvia", + "welcomePage.newConnection": "Nuova connessione", + "welcomePage.newQuery": "Nuova query", + "welcomePage.newNotebook": "Nuovo notebook", + "welcomePage.openFileMac": "Apri file", + "welcomePage.openFileLinuxPC": "Apri file", + "welcomePage.deploy": "Distribuisci", + "welcomePage.newDeployment": "Nuova distribuzione…", + "welcomePage.recent": "Recenti", + "welcomePage.moreRecent": "Altro...", + "welcomePage.noRecentFolders": "Non ci sono cartelle recenti", + "welcomePage.help": "Guida", + "welcomePage.gettingStarted": "Attività iniziali", + "welcomePage.productDocumentation": "Documentazione", + "welcomePage.reportIssue": "Segnala problema o invia richiesta di funzionalità", + "welcomePage.gitHubRepository": "Repository GitHub", + "welcomePage.releaseNotes": "Note sulla versione", + "welcomePage.showOnStartup": "Mostra la pagina iniziale all'avvio", + "welcomePage.customize": "Personalizza", + "welcomePage.extensions": "Estensioni", + "welcomePage.extensionDescription": "Download delle estensioni necessarie, tra cui il pacchetto di amministrazione di SQL Server", + "welcomePage.keyboardShortcut": "Tasti di scelta rapida", + "welcomePage.keyboardShortcutDescription": "Ricerca e personalizzazione dei comandi preferiti", + "welcomePage.colorTheme": "Tema colori", + "welcomePage.colorThemeDescription": "Tutto quel che serve per configurare editor e codice nel modo desiderato", + "welcomePage.learn": "Informazioni", + "welcomePage.showCommands": "Trova ed esegui tutti i comandi", + "welcomePage.showCommandsDescription": "Accesso e ricerca rapida di comandi dal riquadro comandi ({0})", + "welcomePage.azdataBlog": "Novità della release più recente", + "welcomePage.azdataBlogDescription": "Ogni mese nuovi post di blog che illustrano le nuove funzionalità", + "welcomePage.followTwitter": "Seguici su Twitter", + "welcomePage.followTwitterDescription": "È possibile tenersi aggiornati sull'utilizzo di Azure Data Studio nella community e parlare direttamente con i tecnici." + }, + "sql/workbench/services/accountManagement/browser/accountDialog": { + "accountExplorer.name": "Account", + "linkedAccounts": "Account collegati", + "accountDialog.close": "Chiudi", + "accountDialog.noAccountLabel": "Non sono presenti account collegati. Aggiungere un account.", + "accountDialog.addConnection": "Aggiungi un account", + "accountDialog.noCloudsRegistered": "Nessun cloud abilitato. Passa a Impostazioni -> Cerca configurazione dell'account Azure -> Abilita almeno un cloud", + "accountDialog.didNotPickAuthProvider": "Non è stato selezionato alcun provider di autenticazione. Riprovare." + }, + "sql/workbench/services/accountManagement/browser/accountDialogController": { + "accountDialog.addAccountErrorTitle": "Errore di aggiunta account" + }, + "sql/workbench/services/accountManagement/browser/accountListRenderer": { + "refreshCredentials": "È necessario aggiornare le credenziali per questo account." + }, + "sql/workbench/services/accountManagement/browser/accountManagementService": { + "accountManagementService.close": "Chiudi", + "loggingIn": "Aggiunta dell'account...", + "refreshFailed": "L'aggiornamento dell'account è stato annullato dall'utente" + }, + "sql/workbench/services/accountManagement/browser/accountPickerImpl": { + "azureAccount": "Account Azure", + "azureTenant": "Tenant di Azure" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { + "copyAndOpen": "Copia e apri", + "oauthDialog.cancel": "Annulla", + "userCode": "Codice utente", + "website": "Sito Web" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { + "oauthFlyoutIsAlreadyOpen": "Non è possibile avviare un OAuth automatico perché ne è già in corso uno." + }, + "sql/workbench/services/admin/common/adminService": { + "adminService.providerIdNotValidError": "Per interagire con adminservice, è richiesta la connessione", + "adminService.noHandlerRegistered": "Non ci sono gestori registrati" + }, + "sql/workbench/services/assessment/common/assessmentService": { + "asmt.providerIdNotValidError": "Per interagire con il servizio valutazione è necessaria una connessione", + "asmt.noHandlerRegistered": "Non ci sono gestori registrati" + }, + "sql/workbench/services/connection/browser/advancedPropertiesController": { + "connectionAdvancedProperties": "Proprietà avanzate", + "advancedProperties.discard": "Rimuovi" + }, + "sql/workbench/services/connection/browser/cmsConnectionWidget": { + "serverDescription": "Descrizione del server (facoltativa)" + }, + "sql/workbench/services/connection/browser/connectionActions": { + "ClearRecentlyUsedLabel": "Cancella elenco", + "ClearedRecentConnections": "L'elenco delle connessioni recenti è stato cancellato", + "connectionAction.yes": "Sì", + "connectionAction.no": "No", + "clearRecentConnectionMessage": "Eliminare tutte le connessioni dall'elenco?", + "connectionDialog.yes": "Sì", + "connectionDialog.no": "No", + "delete": "Elimina", + "connectionAction.GetCurrentConnectionString": "Ottieni la stringa di connessione corrente", + "connectionAction.connectionString": "La stringa di connessione non è disponibile", + "connectionAction.noConnection": "Non sono disponibili connessioni attive" + }, + "sql/workbench/services/connection/browser/connectionBrowseTab": { + "connectionDialog.browser": "Sfoglia", + "connectionDialog.FilterPlaceHolder": "Digitare qui per filtrare l'elenco", + "connectionDialog.FilterInputTitle": "Filtra connessioni", + "connectionDialog.ApplyingFilter": "Applicazione filtro", + "connectionDialog.RemovingFilter": "Rimozione filtro", + "connectionDialog.FilterApplied": "Filtro applicato", + "connectionDialog.FilterRemoved": "Filtro rimosso", + "savedConnections": "Connessioni salvate", + "savedConnection": "Connessioni salvate", + "connectionBrowserTree": "Albero del visualizzatore connessioni" + }, + "sql/workbench/services/connection/browser/connectionDialogService": { + "connectionError": "Errore di connessione", + "kerberosErrorStart": "La connessione non è riuscita a causa di un errore di Kerberos.", + "kerberosHelpLink": "Le informazioni sulla configurazione di Kerberos sono disponibili all'indirizzo {0}", + "kerberosKinit": "Se si è già eseguita la connessione, può essere necessario eseguire di nuovo kinit." + }, + "sql/workbench/services/connection/browser/connectionDialogWidget": { + "connection": "Connessione", + "connecting": "Connessione", + "connectType": "Tipo di connessione", + "recentConnectionTitle": "Recenti", + "connectionDetailsTitle": "Dettagli connessione", + "connectionDialog.connect": "Connetti", + "connectionDialog.cancel": "Annulla", + "connectionDialog.recentConnections": "Connessioni recenti", + "noRecentConnections": "Non ci sono connessioni recenti" + }, + "sql/workbench/services/connection/browser/connectionManagementService": { + "connection.noAzureAccount": "Non è stato possibile recuperare il token dell'account di Azure per la connessione", + "connectionNotAcceptedError": "Connessione non accettata", + "connectionService.yes": "Sì", + "connectionService.no": "No", + "cancelConnectionConfirmation": "Annullare questa connessione?" + }, + "sql/workbench/services/connection/browser/connectionWidget": { + "connectionWidget.AddAzureAccount": "Aggiungi un account...", + "defaultDatabaseOption": "", + "loadingDatabaseOption": "Caricamento...", + "serverGroup": "Gruppo di server", + "defaultServerGroup": "", + "addNewServerGroup": "Aggiungi nuovo gruppo...", + "noneServerGroup": "", + "connectionWidget.missingRequireField": "{0} è obbligatorio.", + "connectionWidget.fieldWillBeTrimmed": "{0} verrà tagliato.", + "rememberPassword": "Memorizza password", + "connection.azureAccountDropdownLabel": "Account", + "connectionWidget.refreshAzureCredentials": "Aggiorna credenziali dell'account", + "connection.azureTenantDropdownLabel": "Tenant di Azure AD", + "connectionName": "Nome (facoltativo)", + "advanced": "Avanzate...", + "connectionWidget.invalidAzureAccount": "È necessario selezionare un account" + }, + "sql/workbench/services/connection/browser/localizedConstants": { + "onDidConnectMessage": "Connesso a", + "onDidDisconnectMessage": "Disconnesso", + "unsavedGroupLabel": "Connessioni non salvate" + }, + "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { + "newDashboardTab.openDashboardExtensions": "Apri le estensioni del dashboard", + "newDashboardTab.ok": "OK", + "newDashboardTab.cancel": "Annulla", + "newdashboardTabDialog.noExtensionLabel": "Al momento non sono installate estensioni del dashboard. Passare a Gestione estensioni per esplorare le estensioni consigliate." + }, + "sql/workbench/services/dialog/browser/dialogPane": { + "wizardPageNumberDisplayText": "Passaggio {0}" + }, + "sql/workbench/services/dialog/common/dialogTypes": { + "dialogModalDoneButtonLabel": "Fatto", + "dialogModalCancelButtonLabel": "Annulla" + }, + "sql/workbench/services/editData/common/editQueryRunner": { + "query.initEditExecutionFailed": "L'inizializzazione della sessione di modifica dati non è riuscita: " + }, + "sql/workbench/services/errorMessage/browser/errorMessageDialog": { + "errorMessageDialog.ok": "OK", + "errorMessageDialog.close": "Chiudi", + "errorMessageDialog.action": "Azione", + "copyDetails": "Copia dettagli" + }, + "sql/workbench/services/errorMessage/browser/errorMessageService": { + "error": "Errore", + "warning": "Avviso", + "info": "Informazioni", + "ignore": "Ignora" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { + "filebrowser.filepath": "Percorso selezionato", + "fileFilter": "File di tipo", + "fileBrowser.ok": "OK", + "fileBrowser.discard": "Rimuovi" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialogController": { + "filebrowser.selectFile": "Seleziona un file" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { + "fileBrowser.regTreeAriaLabel": "Albero del visualizzatore file" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserService": { + "fileBrowserErrorMessage": "Si è verificato un errore durante il caricamento del visualizzatore file.", + "fileBrowserErrorDialogTitle": "Errore del visualizzatore file" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { + "allFiles": "Tutti i file" + }, + "sql/workbench/services/insights/browser/insightDialogActions": { + "workbench.action.insights.copySelection": "Copia cella" + }, + "sql/workbench/services/insights/browser/insightsDialogController": { + "insightsInputError": "Non è stato passato alcun profilo di connessione al riquadro a comparsa dei dati analitici", + "insightsError": "Errore nei dati analitici", + "insightsFileError": "Si è verificato un errore durante la lettura del file di query: ", + "insightsConfigError": "Si è verificato un errore durante l'analisi della configurazione dei dati analitici. Non è stato possibile trovare la matrice/stringa di query o il file di query" + }, + "sql/workbench/services/insights/browser/insightsDialogView": { + "insights.item": "Elemento", + "insights.value": "Valore", + "insightsDetailView.name": "Dettagli delle informazioni dettagliate", + "property": "Proprietà", + "value": "Valore", + "InsightsDialogTitle": "Dati analitici", + "insights.dialog.items": "Elementi", + "insights.dialog.itemDetails": "Dettagli elemento" + }, + "sql/workbench/services/insights/common/insightsUtils": { + "insightsDidNotFindResolvedFile": "Non è stato possibile trovare i file di query nei percorsi seguenti:\r\n {0}" + }, + "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { + "agentUtilities.failed": "Non riuscito", + "agentUtilities.succeeded": "Riuscito", + "agentUtilities.retry": "Riprova", + "agentUtilities.canceled": "Annullato", + "agentUtilities.inProgress": "In corso", + "agentUtilities.statusUnknown": "Stato sconosciuto", + "agentUtilities.executing": "In esecuzione", + "agentUtilities.waitingForThread": "In attesa del thread", + "agentUtilities.betweenRetries": "Tra tentativi", + "agentUtilities.idle": "Inattivo", + "agentUtilities.suspended": "Sospeso", + "agentUtilities.obsolete": "[Obsoleto]", + "agentUtilities.yes": "Sì", + "agentUtilities.no": "No", + "agentUtilities.notScheduled": "Non pianificato", + "agentUtilities.neverRun": "Mai eseguito" + }, + "sql/workbench/services/jobManagement/common/jobManagementService": { + "providerIdNotValidError": "Per interagire con JobManagementService, è richiesta la connessione", + "noHandlerRegistered": "Non ci sono gestori registrati" + }, + "sql/workbench/services/notebook/browser/interfaces": { + "sqlKernel": "SQL" + }, "sql/workbench/services/notebook/browser/models/cell": { "runCellCancelled": "Esecuzione della cella annullata", "executionCanceled": "L'esecuzione della query è stata annullata", @@ -11325,12 +11224,223 @@ "noDefaultKernel": "Non è disponibile alcun kernel per questo notebook", "commandSuccessful": "Comando eseguito correttamente" }, + "sql/workbench/services/notebook/browser/models/clientSession": { + "clientSession.unknownError": "Si è verificato un errore durante l'avvio della sessione del notebook", + "ServerNotStarted": "Il server non è stato avviato per motivi sconosciuti", + "kernelRequiresConnection": "Il kernel {0} non è stato trovato. Verrà usato il kernel predefinito." + }, "sql/workbench/services/notebook/browser/models/notebookContexts": { "selectConnection": "Seleziona connessione", "localhost": "localhost" }, - "sql/workbench/browser/parts/editor/editorStatusModeSelect": { - "languageChangeUnsupported": "La modifica dei tipi di editor per file non salvati non è supportata" + "sql/workbench/services/notebook/browser/models/notebookModel": { + "injectedParametersMsg": "N. parametri inseriti\r\n", + "kernelRequiresConnection": "Selezionare una connessione per eseguire le celle per questo kernel", + "deleteCellFailed": "Non è stato possibile eliminare la cella.", + "changeKernelFailedRetry": "Non è stato possibile modificare il kernel. Verrà usato il kernel {0}. Errore: {1}", + "changeKernelFailed": "Non è stato possibile modificare il kernel a causa dell'errore: {0}", + "changeContextFailed": "La modifica del contesto non è riuscita: {0}", + "startSessionFailed": "Non è stato possibile avviare la sessione: {0}", + "shutdownClientSessionError": "Si è verificato un errore della sessione client durante la chiusura del notebook: {0}", + "ProviderNoManager": "Non è possibile trovare il gestore di notebook per il provider {0}" + }, + "sql/workbench/services/notebook/browser/notebookServiceImpl": { + "notebookUriNotDefined": "Non è stato passato alcun URI durante la creazione di un gestore di notebook", + "notebookServiceNoProvider": "Il provider di notebook non esiste" + }, + "sql/workbench/services/notebook/browser/notebookViews/notebookViewModel": { + "notebookView.nameTaken": "Una vista con il nome {0} esiste già in questo notebook." + }, + "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { + "sqlKernelError": "Errore del kernel SQL", + "connectionRequired": "Per eseguire le celle del notebook, è necessario scegliere una connessione", + "sqlMaxRowsDisplayed": "Visualizzazione delle prime {0} righe." + }, + "sql/workbench/services/notebook/common/contracts": { + "notebook.richTextEditMode": "RTF", + "notebook.splitViewEditMode": "Doppia visualizzazione", + "notebook.markdownEditMode": "Markdown" + }, + "sql/workbench/services/notebook/common/localContentManager": { + "nbformatNotRecognized": "nbformat v{0}.{1} non riconosciuto", + "nbNotSupported": "Il formato di notebook di questo file non è valido", + "unknownCellType": "Il tipo di cella {0} è sconosciuto", + "unrecognizedOutput": "Il tipo di output {0} non è riconosciuto", + "invalidMimeData": "I dati per {0} devono essere una stringa o una matrice di stringhe", + "unrecognizedOutputType": "Il tipo di output {0} non è riconosciuto" + }, + "sql/workbench/services/notebook/common/notebookRegistry": { + "carbon.extension.contributes.notebook.provider": "Identificatore del provider di notebook.", + "carbon.extension.contributes.notebook.fileExtensions": "Indica le estensioni di file da registrare in questo provider di notebook", + "carbon.extension.contributes.notebook.standardKernels": "Indica i kernel che devono essere standard con questo provider di notebook", + "vscode.extension.contributes.notebook.providers": "Aggiunge come contributo i provider di notebook.", + "carbon.extension.contributes.notebook.magic": "Nome del comando magic per la cella, ad esempio '%%sql'.", + "carbon.extension.contributes.notebook.language": "Lingua da usare per la cella se questo comando magic è incluso nella cella", + "carbon.extension.contributes.notebook.executionTarget": "Destinazione di esecuzione facoltativa indicata da questo comando magic, ad esempio Spark rispetto a SQL", + "carbon.extension.contributes.notebook.kernels": "Set facoltativo di kernel per cui è valida questa impostazione, ad esempio python3, pyspark, sql", + "vscode.extension.contributes.notebook.languagemagics": "Aggiunge come contributo la lingua del notebook." + }, + "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { + "loading": "Caricamento..." + }, + "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { + "connectionTree.refresh": "Aggiorna", + "connectionTree.editConnection": "Modifica connessione", + "DisconnectAction": "Disconnetti", + "connectionTree.addConnection": "Nuova connessione", + "connectionTree.addServerGroup": "Nuovo gruppo di server", + "connectionTree.editServerGroup": "Modifica gruppo di server", + "activeConnections": "Mostra connessioni attive", + "showAllConnections": "Mostra tutte le connessioni", + "deleteConnection": "Elimina connessione", + "deleteConnectionGroup": "Elimina gruppo" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerService": { + "OeSessionFailedError": "Non è stato possibile creare la sessione di Esplora oggetti", + "nodeExpansionError": "Più errori:" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerViewTreeShim": { + "noProviderFound": "Non è possibile eseguire l'espansione perché il provider di connessione richiesto '{0}' non è stato trovato", + "loginCanceled": "Annullato dall'utente", + "firewallCanceled": "Finestra di dialogo del firewall annullata" + }, + "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { + "loading": "Caricamento..." + }, + "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { + "treeAriaLabel": "Connessioni recenti", + "serversAriaLabel": "Server", + "treeCreation.regTreeAriaLabel": "Server" + }, + "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { + "eventSort": "Ordina per evento", + "nameColumn": "Ordina per colonna", + "profilerColumnDialog.profiler": "Profiler", + "profilerColumnDialog.ok": "OK", + "profilerColumnDialog.cancel": "Annulla" + }, + "sql/workbench/services/profiler/browser/profilerFilterDialog": { + "profilerFilterDialog.clear": "Cancella tutto", + "profilerFilterDialog.apply": "Applica", + "profilerFilterDialog.ok": "OK", + "profilerFilterDialog.cancel": "Annulla", + "profilerFilterDialog.title": "Filtri", + "profilerFilterDialog.remove": "Rimuovi questa clausola", + "profilerFilterDialog.saveFilter": "Salva filtro", + "profilerFilterDialog.loadFilter": "Carica filtro", + "profilerFilterDialog.addClauseText": "Aggiungi una clausola", + "profilerFilterDialog.fieldColumn": "Campo", + "profilerFilterDialog.operatorColumn": "Operatore", + "profilerFilterDialog.valueColumn": "Valore", + "profilerFilterDialog.isNullOperator": "È Null", + "profilerFilterDialog.isNotNullOperator": "Non è Null", + "profilerFilterDialog.containsOperator": "Contiene", + "profilerFilterDialog.notContainsOperator": "Non contiene", + "profilerFilterDialog.startsWithOperator": "Inizia con", + "profilerFilterDialog.notStartsWithOperator": "Non inizia con" + }, + "sql/workbench/services/query/common/queryModelService": { + "commitEditFailed": "Commit della riga non riuscito: ", + "runQueryBatchStartMessage": "Esecuzione della query iniziata a ", + "runQueryStringBatchStartMessage": "Esecuzione della query \"{0}\" avviata", + "runQueryBatchStartLine": "Riga {0}", + "msgCancelQueryFailed": "Annullamento della query non riuscito: {0}", + "updateCellFailed": "Aggiornamento della cella non riuscito: " + }, + "sql/workbench/services/query/common/queryRunner": { + "query.ExecutionFailedError": "L'esecuzione non è riuscita a causa di un errore imprevisto: {0}\t{1}", + "query.message.executionTime": "Tempo di esecuzione totale: {0}", + "query.message.startQueryWithRange": "L'esecuzione della query a riga {0} è stata avviata", + "query.message.startQuery": "Esecuzione del batch {0} avviata", + "elapsedBatchTime": "Tempo di esecuzione del batch: {0}", + "copyFailed": "La copia non è riuscita. Errore: {0}" + }, + "sql/workbench/services/query/common/resultSerializer": { + "msgSaveFailed": "Non è stato possibile salvare i risultati. ", + "resultsSerializer.saveAsFileTitle": "Scegli file di risultati", + "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (delimitato da virgole)", + "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", + "resultsSerializer.saveAsFileExtensionExcelTitle": "Cartella di lavoro di Excel", + "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", + "resultsSerializer.saveAsFileExtensionTXTTitle": "Testo normale", + "savingFile": "Salvataggio del file...", + "msgSaveSucceeded": "I risultati sono stati salvati in {0}", + "openFile": "Apri file" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { + "from": "Da", + "to": "A", + "createNewFirewallRule": "Crea nuova regola firewall", + "firewall.ok": "OK", + "firewall.cancel": "Annulla", + "firewallRuleDialogDescription": "L'indirizzo IP client non ha accesso al server. Accedere a un account Azure e creare una nuova regola del firewall per consentire l'accesso.", + "firewallRuleHelpDescription": "Altre informazioni sulle impostazioni del firewall", + "filewallRule": "Regola del firewall", + "addIPAddressLabel": "Aggiungi IP client personale ", + "addIpRangeLabel": "Aggiungi intervallo di IP della sottorete personale" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialogController": { + "firewallDialog.addAccountErrorTitle": "Errore di aggiunta account", + "firewallRuleError": "Errore della regola del firewall" + }, + "sql/workbench/services/restore/browser/restoreDialog": { + "backupFilePath": "Percorso del file di backup", + "targetDatabase": "Database di destinazione", + "restoreDialog.restore": "Ripristina", + "restoreDialog.restoreTitle": "Ripristina database", + "restoreDialog.database": "Database", + "restoreDialog.backupFile": "File di backup", + "RestoreDialogTitle": "Ripristina database", + "restoreDialog.cancel": "Annulla", + "restoreDialog.script": "Script", + "source": "Origine", + "restoreFrom": "Ripristina da", + "missingBackupFilePathError": "Il percorso del file di backup è obbligatorio.", + "multipleBackupFilePath": "Immettere uno o più percorsi di file separati da virgole", + "database": "Database", + "destination": "Destinazione", + "restoreTo": "Ripristina in", + "restorePlan": "Piano di ripristino", + "backupSetsToRestore": "Set di backup da ripristinare", + "restoreDatabaseFileAs": "Ripristina file di database come", + "restoreDatabaseFileDetails": "Dettagli del file di ripristino del database", + "logicalFileName": "Nome file logico", + "fileType": "Tipo di file", + "originalFileName": "Nome file originale", + "restoreAs": "Ripristina come", + "restoreOptions": "Opzioni di ripristino", + "taillogBackup": "Backup della parte finale del log", + "serverConnection": "Connessioni server", + "generalTitle": "Generale", + "filesTitle": "File", + "optionsTitle": "Opzioni" + }, + "sql/workbench/services/restore/common/constants": { + "backup.filterBackupFiles": "File di backup", + "backup.allFiles": "Tutti i file" + }, + "sql/workbench/services/serverGroup/browser/serverGroupDialog": { + "ServerGroupsDialogTitle": "Gruppi di server", + "serverGroup.ok": "OK", + "serverGroup.cancel": "Annulla", + "connectionGroupName": "Nome del gruppo di server", + "MissingGroupNameError": "Il nome del gruppo è obbligatorio.", + "groupDescription": "Descrizione gruppo", + "groupColor": "Colore del gruppo" + }, + "sql/workbench/services/serverGroup/common/serverGroupViewModel": { + "serverGroup.addServerGroup": "Aggiungi gruppo di server", + "serverGroup.editServerGroup": "Modifica gruppo di server" + }, + "sql/workbench/services/tasks/common/tasksService": { + "InProgressWarning": "Sono in corso una o più attività. Uscire comunque?", + "taskService.yes": "Sì", + "taskService.no": "No" + }, + "sql/workbench/update/electron-browser/releaseNotes": { + "gettingStarted": "Attività iniziali", + "showReleaseNotes": "Mostra introduzione", + "miGettingStarted": "&&Introduzione" } } } \ No newline at end of file diff --git a/i18n/ads-language-pack-ja/package.json b/i18n/ads-language-pack-ja/package.json index 63a3805b9b..4c9581c64f 100644 --- a/i18n/ads-language-pack-ja/package.json +++ b/i18n/ads-language-pack-ja/package.json @@ -2,7 +2,7 @@ "name": "ads-language-pack-ja", "displayName": "Japanese Language Pack for Azure Data Studio", "description": "Language pack extension for Japanese", - "version": "1.29.0", + "version": "1.31.0", "publisher": "Microsoft", "repository": { "type": "git", @@ -11,7 +11,7 @@ "license": "SEE SOURCE EULA LICENSE IN LICENSE.txt", "engines": { "vscode": "*", - "azdata": ">=1.29.0" + "azdata": "^0.0.0" }, "icon": "languagepack.png", "categories": [ @@ -164,6 +164,14 @@ "id": "vscode.yaml", "path": "./translations/extensions/yaml.i18n.json" }, + { + "id": "Microsoft.admin-tool-ext-win", + "path": "./translations/extensions/admin-tool-ext-win.i18n.json" + }, + { + "id": "Microsoft.agent", + "path": "./translations/extensions/agent.i18n.json" + }, { "id": "Microsoft.azurecore", "path": "./translations/extensions/azurecore.i18n.json" @@ -172,6 +180,18 @@ "id": "Microsoft.big-data-cluster", "path": "./translations/extensions/big-data-cluster.i18n.json" }, + { + "id": "Microsoft.cms", + "path": "./translations/extensions/cms.i18n.json" + }, + { + "id": "Microsoft.dacpac", + "path": "./translations/extensions/dacpac.i18n.json" + }, + { + "id": "Microsoft.import", + "path": "./translations/extensions/import.i18n.json" + }, { "id": "Microsoft.sqlservernotebook", "path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json" @@ -184,9 +204,17 @@ "id": "Microsoft.notebook", "path": "./translations/extensions/notebook.i18n.json" }, + { + "id": "Microsoft.profiler", + "path": "./translations/extensions/profiler.i18n.json" + }, { "id": "Microsoft.resource-deployment", "path": "./translations/extensions/resource-deployment.i18n.json" + }, + { + "id": "Microsoft.schema-compare", + "path": "./translations/extensions/schema-compare.i18n.json" } ] } diff --git a/i18n/ads-language-pack-ja/translations/extensions/admin-tool-ext-win.i18n.json b/i18n/ads-language-pack-ja/translations/extensions/admin-tool-ext-win.i18n.json new file mode 100644 index 0000000000..31fe80ed96 --- /dev/null +++ b/i18n/ads-language-pack-ja/translations/extensions/admin-tool-ext-win.i18n.json @@ -0,0 +1,26 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "adminToolExtWin.displayName": "Database Administration Tool Extensions for Windows", + "adminToolExtWin.description": "Azure Data Studio に Windows 特有の他の機能を追加します", + "adminToolExtWin.propertiesMenuItem": "プロパティ", + "adminToolExtWin.launchGswMenuItem": "スクリプトの生成..." + }, + "dist/main": { + "adminToolExtWin.noConnectionContextForProp": "handleLaunchSsmsMinPropertiesDialogCommand に提供された ConnectionContext はありません", + "adminToolExtWin.noOENode": "connectionContext からオブジェクト エクスプローラー ノードを判別できませんでした: {0}", + "adminToolExtWin.noConnectionContextForGsw": "handleLaunchSsmsMinPropertiesDialogCommand に提供された ConnectionContext はありません", + "adminToolExtWin.noConnectionProfile": "connectionContext から提供された connectionProfile はありません: {0}", + "adminToolExtWin.launchingDialogStatus": "ダイアログを起動しています...", + "adminToolExtWin.ssmsMinError": "引数 '{0}' を伴う SsmsMin の呼び出しでエラーが発生しました - {1}" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ja/translations/extensions/agent.i18n.json b/i18n/ads-language-pack-ja/translations/extensions/agent.i18n.json new file mode 100644 index 0000000000..7cdb8ce58c --- /dev/null +++ b/i18n/ads-language-pack-ja/translations/extensions/agent.i18n.json @@ -0,0 +1,282 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/agentDialog": { + "agentDialog.OK": "OK", + "agentDialog.Cancel": "キャンセル" + }, + "dist/dialogs/jobStepDialog": { + "jobStepDialog.fileBrowserTitle": "データベース ファイルの検索 - ", + "jobStepDialog.ok": "OK", + "jobStepDialog.cancel": "キャンセル", + "jobStepDialog.general": "全般", + "jobStepDialog.advanced": "詳細", + "jobStepDialog.open": "開く...", + "jobStepDialog.parse": "解析", + "jobStepDialog.successParse": "コマンドは正常に解析されました。", + "jobStepDialog.failParse": "コマンドが失敗しました。", + "jobStepDialog.blankStepName": "ステップ名を空白のままにすることはできません", + "jobStepDialog.processExitCode": "成功したコマンドのプロセス終了コード:", + "jobStepDialog.stepNameLabel": "ステップ名", + "jobStepDialog.typeLabel": "種類", + "jobStepDialog.runAsLabel": "実行するアカウント名", + "jobStepDialog.databaseLabel": "データベース", + "jobStepDialog.commandLabel": "コマンド", + "jobStepDialog.successAction": "成功時のアクション", + "jobStepDialog.failureAction": "失敗時のアクション", + "jobStepDialog.runAsUser": "ユーザーとして実行", + "jobStepDialog.retryAttempts": "再試行回数", + "jobStepDialog.retryInterval": "再試行間隔 (分)", + "jobStepDialog.logToTable": "テーブルにログを記録する", + "jobStepDialog.appendExistingTableEntry": "テーブル内の既存のエントリに出力を追加する", + "jobStepDialog.includeStepOutputHistory": "履歴にステップ出力を含める", + "jobStepDialog.outputFile": "出力ファイル", + "jobStepDialog.appendOutputToFile": "既存のファイルに出力を追加する", + "jobStepDialog.selectedPath": "選択されたパス", + "jobStepDialog.filesOfType": "ファイルの種類", + "jobStepDialog.fileName": "ファイル名", + "jobStepDialog.allFiles": "すべてのファイル (*)", + "jobStepDialog.newJobStep": "新しいジョブ ステップ", + "jobStepDialog.editJobStep": "ジョブ ステップの編集", + "jobStepDialog.TSQL": "Transact-SQL スクリプト (T-SQL)", + "jobStepDialog.powershell": "PowerShell", + "jobStepDialog.CmdExec": "オペレーティング システム (CmdExec)", + "jobStepDialog.replicationDistribution": "レプリケーション ディストリビューター", + "jobStepDialog.replicationMerge": "レプリケーション マージ", + "jobStepDialog.replicationQueueReader": "レプリケーション キュー リーダー", + "jobStepDialog.replicationSnapshot": "レプリケーション スナップショット", + "jobStepDialog.replicationTransactionLogReader": "レプリケーション トランザクション ログ リーダー", + "jobStepDialog.analysisCommand": "SQL Server Analysis Services コマンド", + "jobStepDialog.analysisQuery": "SQL Server Analysis Services クエリ", + "jobStepDialog.servicesPackage": "SQL Server Integration Service パッケージ", + "jobStepDialog.agentServiceAccount": "SQL Server エージェント サービス アカウント", + "jobStepDialog.nextStep": "次のステップに移動", + "jobStepDialog.quitJobSuccess": "成功を報告してジョブを終了する", + "jobStepDialog.quitJobFailure": "失敗を報告してジョブを終了する" + }, + "dist/dialogs/pickScheduleDialog": { + "pickSchedule.jobSchedules": "ジョブ スケジュール", + "pickSchedule.ok": "OK", + "pickSchedule.cancel": "キャンセル", + "pickSchedule.availableSchedules": "利用可能なスケジュール:", + "pickSchedule.scheduleName": "名前", + "pickSchedule.scheduleID": "ID", + "pickSchedule.description": "説明" + }, + "dist/dialogs/alertDialog": { + "alertDialog.createAlert": "アラートの作成", + "alertDialog.editAlert": "アラートの編集", + "alertDialog.General": "全般", + "alertDialog.Response": "応答", + "alertDialog.Options": "オプション​​", + "alertDialog.eventAlert": "イベント アラート定義", + "alertDialog.Name": "名前", + "alertDialog.Type": "種類", + "alertDialog.Enabled": "有効", + "alertDialog.DatabaseName": "データベース名", + "alertDialog.ErrorNumber": "エラー番号", + "alertDialog.Severity": "重大度", + "alertDialog.RaiseAlertContains": "メッセージが含まれているときにアラートを出す", + "alertDialog.MessageText": "メッセージ テキスト", + "alertDialog.Severity001": "001 - 各種のシステム情報", + "alertDialog.Severity002": "002 - 予約済み", + "alertDialog.Severity003": "003 - 予約済み", + "alertDialog.Severity004": "004 - 予約済み", + "alertDialog.Severity005": "005 - 予約済み", + "alertDialog.Severity006": "006 - 予約済み", + "alertDialog.Severity007": "007 - 通知: 状態情報", + "alertDialog.Severity008": "008 - 通知: ユーザーの介入が必須", + "alertDialog.Severity009": "009 - ユーザー定義", + "alertDialog.Severity010": "010 - 情報", + "alertDialog.Severity011": "011 - 指定されたデータベース オブジェクトが見つかりません", + "alertDialog.Severity012": "012 - 未使用", + "alertDialog.Severity013": "013 - ユーザー トランザクションの構文エラー", + "alertDialog.Severity014": "014 - 必要なアクセス許可がありません", + "alertDialog.Severity015": "015 - SQL ステートメントの構文エラー", + "alertDialog.Severity016": "016 - 各種のユーザー エラー", + "alertDialog.Severity017": "017- リソース不足", + "alertDialog.Severity018": "018 - 致命的でない内部エラー", + "alertDialog.Severity019": "019 - リソースにおける致命的なエラー", + "alertDialog.Severity020": "020 - 現在のプロセス内の致命的なエラー", + "alertDialog.Severity021": "021 - データベース プロセスの致命的なエラー", + "alertDialog.Severity022": "022 - 致命的なエラー: テーブルの整合性を確認してください", + "alertDialog.Severity023": "023 - 致命的なエラー: データベースの整合性を確認してください", + "alertDialog.Severity024": "024 - 致命的なエラー: ハードウェア エラー", + "alertDialog.Severity025": "025 - 致命的なエラー", + "alertDialog.AllDatabases": "<すべてのデータベース>", + "alertDialog.ExecuteJob": "ジョブの実行", + "alertDialog.ExecuteJobName": "ジョブ名", + "alertDialog.NotifyOperators": "オペレーターに通知する", + "alertDialog.NewJob": "新しいジョブ", + "alertDialog.OperatorList": "演算子の一覧", + "alertDialog.OperatorName": "演算子", + "alertDialog.OperatorEmail": "電子メール", + "alertDialog.OperatorPager": "ポケットベル", + "alertDialog.NewOperator": "新しい演算子", + "alertDialog.IncludeErrorInEmail": "電子メールにアラート エラー テキストを含める", + "alertDialog.IncludeErrorInPager": "ポケットベルにアラート エラー テキストを含める", + "alertDialog.AdditionalNotification": "送信する付加的な通知メッセージ", + "alertDialog.DelayMinutes": "遅延 (分)", + "alertDialog.DelaySeconds": "遅延 (秒)" + }, + "dist/dialogs/operatorDialog": { + "createOperator.createOperator": "演算子の作成", + "createOperator.editOperator": "演算子の編集", + "createOperator.General": "全般", + "createOperator.Notifications": "通知", + "createOperator.Name": "名前", + "createOperator.Enabled": "有効", + "createOperator.EmailName": "電子メール名", + "createOperator.PagerEmailName": "ポケットベル電子メール名", + "createOperator.PagerMondayCheckBox": "月曜日", + "createOperator.PagerTuesdayCheckBox": "火曜日", + "createOperator.PagerWednesdayCheckBox": "水曜日", + "createOperator.PagerThursdayCheckBox": "木曜日", + "createOperator.PagerFridayCheckBox": "金曜日 ", + "createOperator.PagerSaturdayCheckBox": "土曜日", + "createOperator.PagerSundayCheckBox": "日曜日", + "createOperator.workdayBegin": "始業時刻", + "createOperator.workdayEnd": "終業時刻", + "createOperator.PagerDutySchedule": "ポケットベルの受信スケジュール", + "createOperator.AlertListHeading": "アラートの一覧", + "createOperator.AlertNameColumnLabel": "アラート名", + "createOperator.AlertEmailColumnLabel": "電子メール", + "createOperator.AlertPagerColumnLabel": "ポケットベル" + }, + "dist/dialogs/jobDialog": { + "jobDialog.general": "全般", + "jobDialog.steps": "ステップ", + "jobDialog.schedules": "スケジュール", + "jobDialog.alerts": "アラート", + "jobDialog.notifications": "通知", + "jobDialog.blankJobNameError": "ジョブの名前を空白にすることはできません。", + "jobDialog.name": "名前", + "jobDialog.owner": "所有者", + "jobDialog.category": "カテゴリ", + "jobDialog.description": "説明", + "jobDialog.enabled": "有効", + "jobDialog.jobStepList": "ジョブ ステップの一覧", + "jobDialog.step": "ステップ", + "jobDialog.type": "種類", + "jobDialog.onSuccess": "成功時", + "jobDialog.onFailure": "失敗時", + "jobDialog.new": "新しいステップ", + "jobDialog.edit": "ステップの編集", + "jobDialog.delete": "ステップの削除", + "jobDialog.moveUp": "ステップを上に移動", + "jobDialog.moveDown": "ステップを下に移動", + "jobDialog.startStepAt": "ステップの開始", + "jobDialog.notificationsTabTop": "ジョブ完了時に実行するアクション", + "jobDialog.email": "電子メール", + "jobDialog.page": "ページ", + "jobDialog.eventLogCheckBoxLabel": "Windows アプリケーション イベント ログに書き込む", + "jobDialog.deleteJobLabel": "自動的にジョブを削除", + "jobDialog.schedulesaLabel": "スケジュールの一覧", + "jobDialog.pickSchedule": "スケジュールを選択", + "jobDialog.removeSchedule": "スケジュールの削除", + "jobDialog.alertsList": "アラート一覧", + "jobDialog.newAlert": "新しいアラート", + "jobDialog.alertNameLabel": "アラート名", + "jobDialog.alertEnabledLabel": "有効", + "jobDialog.alertTypeLabel": "種類", + "jobDialog.newJob": "新しいジョブ", + "jobDialog.editJob": "ジョブの編集" + }, + "dist/data/jobData": { + "jobData.whenJobCompletes": "ジョブが完了するとき", + "jobData.whenJobFails": "ジョブが失敗するとき", + "jobData.whenJobSucceeds": "ジョブが成功するとき", + "jobData.jobNameRequired": "ジョブ名を指定する必要があります", + "jobData.saveErrorMessage": "ジョブの更新に失敗しました '{0}'", + "jobData.newJobErrorMessage": "ジョブの作成に失敗しました '{0}'", + "jobData.saveSucessMessage": "ジョブ '{0}' が正常に更新されました", + "jobData.newJobSuccessMessage": "ジョブ '{0}' が正常に作成されました" + }, + "dist/data/jobStepData": { + "jobStepData.saveErrorMessage": "ステップの更新に失敗しました '{0}'", + "stepData.jobNameRequired": "ジョブ名を指定する必要があります", + "stepData.stepNameRequired": "ステップ名を指定する必要があります" + }, + "dist/mainController": { + "mainController.notImplemented": "この機能は開発中です。最新の変更内容を試す場合には、最新のインサイダー ビルドをご確認ください。", + "agent.templateUploadSuccessful": "テンプレートが正常に更新されました", + "agent.templateUploadError": "テンプレートの更新エラー", + "agent.unsavedFileSchedulingError": "ノートブックは、スケジュールする前に保存する必要があります。保存してから、もう一度スケジュールを再試行してください。", + "agent.AddNewConnection": "新しい接続の追加", + "agent.selectConnection": "接続の選択", + "agent.selectValidConnection": "有効な接続を選択してください。" + }, + "dist/data/alertData": { + "alertData.saveErrorMessage": "アラートの更新に失敗しました '{0}'", + "alertData.DefaultAlertTypString": "SQL Server イベントのアラート", + "alertDialog.PerformanceCondition": "SQL Server パフォーマンス条件のアラート", + "alertDialog.WmiEvent": "WMI イベントのアラート" + }, + "dist/dialogs/proxyDialog": { + "createProxy.createProxy": "プロキシの作成", + "createProxy.editProxy": "プロキシの編集", + "createProxy.General": "全般", + "createProxy.ProxyName": "プロキシ名", + "createProxy.CredentialName": "資格情報名", + "createProxy.Description": "説明", + "createProxy.SubsystemName": "サブシステム", + "createProxy.OperatingSystem": "オペレーティング システム (CmdExec)", + "createProxy.ReplicationSnapshot": "レプリケーション スナップショット", + "createProxy.ReplicationTransactionLog": "レプリケーション トランザクション ログ リーダー", + "createProxy.ReplicationDistributor": "レプリケーション ディストリビューター", + "createProxy.ReplicationMerge": "レプリケーション マージ", + "createProxy.ReplicationQueueReader": "レプリケーション キュー リーダー", + "createProxy.SSASQueryLabel": "SQL Server Analysis Services クエリ", + "createProxy.SSASCommandLabel": "SQL Server Analysis Services コマンド", + "createProxy.SSISPackage": "SQL Server Integration Services パッケージ", + "createProxy.PowerShell": "PowerShell" + }, + "dist/data/proxyData": { + "proxyData.saveErrorMessage": "プロキシの更新に失敗しました '{0}'", + "proxyData.saveSucessMessage": "プロキシ '{0}' が正常に更新されました", + "proxyData.newJobSuccessMessage": "プロキシ '{0}' が正常に作成されました" + }, + "dist/dialogs/notebookDialog": { + "notebookDialog.newJob": "新しいノートブック ジョブ", + "notebookDialog.editJob": "ノートブック ジョブの編集", + "notebookDialog.general": "全般", + "notebookDialog.notebookSection": "ノートブックの詳細", + "notebookDialog.templateNotebook": "ノートブックのパス", + "notebookDialog.targetDatabase": "記憶域のデータベース", + "notebookDialog.executeDatabase": "実行データベース", + "notebookDialog.defaultDropdownString": "データベースの選択", + "notebookDialog.jobSection": "ジョブの詳細", + "notebookDialog.name": "名前", + "notebookDialog.owner": "所有者", + "notebookDialog.schedulesaLabel": "スケジュールの一覧", + "notebookDialog.pickSchedule": "スケジュールの選択", + "notebookDialog.removeSchedule": "スケジュールの削除", + "notebookDialog.description": "説明", + "notebookDialog.templatePath": "PC からスケジュールするノートブックを選択する", + "notebookDialog.targetDatabaseInfo": "すべてのノートブック ジョブのメタデータと結果を格納するデータベースを選択します", + "notebookDialog.executionDatabaseInfo": "ノートブックのクエリを実行するデータベースを選択します" + }, + "dist/data/notebookData": { + "notebookData.whenJobCompletes": "ノートブックが完了した場合", + "notebookData.whenJobFails": "ノートブックが失敗した場合", + "notebookData.whenJobSucceeds": "ノートブックが成功した場合", + "notebookData.jobNameRequired": "ノートブック名を指定する必要があります", + "notebookData.templatePathRequired": "テンプレート パスを指定する必要があります", + "notebookData.invalidNotebookPath": "無効なノートブック パス", + "notebookData.selectStorageDatabase": "ストレージ データベースの選択", + "notebookData.selectExecutionDatabase": "実行データベースの選択", + "notebookData.jobExists": "同様の名前のジョブが既に存在しています。", + "notebookData.saveErrorMessage": "ノートブックの更新に失敗しました '{0}'", + "notebookData.newJobErrorMessage": "ノートブックの作成に失敗しました '{0}'", + "notebookData.saveSucessMessage": "ノートブック '{0}' が正常に更新されました", + "notebookData.newJobSuccessMessage": "ノートブック '{0}' が正常に作成されました" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ja/translations/extensions/azurecore.i18n.json b/i18n/ads-language-pack-ja/translations/extensions/azurecore.i18n.json index e6823eee18..0ee22393db 100644 --- a/i18n/ads-language-pack-ja/translations/extensions/azurecore.i18n.json +++ b/i18n/ads-language-pack-ja/translations/extensions/azurecore.i18n.json @@ -41,6 +41,7 @@ "dist/azureResource/utils": { "azure.resource.error": "エラー: {0}", "azure.accounts.getResourceGroups.queryError": "アカウント {0} ({1}) サブスクリプション {2} ({3}) テナント {4} のリソース グループの取り込みでエラーが発生しました: {5}", + "azure.accounts.getLocations.queryError": "アカウント {0} ({1}) サブスクリプション {2} ({3}) テナント {4} の場所の取り込みでエラーが発生しました: {5}", "azure.accounts.runResourceQuery.errors.invalidQuery": "無効なクエリ", "azure.accounts.getSubscriptions.queryError": "アカウント {0} テナント {1} のサブスクリプションの取り込みでエラーが発生しました: {2}", "azure.accounts.getSelectedSubscriptions.queryError": "アカウント {0} のサブスクリプションの取り込みでエラーが発生しました: {1}" @@ -141,7 +142,9 @@ "dist/azureResource/tree/flatAccountTreeNode": { "azure.resource.tree.accountTreeNode.titleLoading": "{0} - 読み込んでいます...", "azure.resource.tree.accountTreeNode.title": "{0} ({1}/{2} サブスクリプション)", - "azure.resource.tree.accountTreeNode.credentialError": "アカウント {0} の資格情報を取得できませんでした。アカウント ダイアログに移動して、アカウントを更新してください。" + "azure.resource.tree.accountTreeNode.credentialError": "アカウント {0} の資格情報を取得できませんでした。アカウント ダイアログに移動して、アカウントを更新してください。", + "azure.resource.throttleerror": "このアカウントからの要求は抑えられています。再試行するには、より小さいサブスクリプション数を選択してください。", + "azure.resource.tree.loadresourceerror": "Azure リソースの読み込み中にエラーが発生しました: {0}" }, "dist/azureResource/tree/accountNotSignedInTreeNode": { "azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Azure にサインイン..." @@ -203,6 +206,9 @@ "dist/azureResource/providers/kusto/kustoTreeDataProvider": { "azure.resource.providers.KustoContainerLabel": "Azure Data Explorer クラスター" }, + "dist/azureResource/providers/azuremonitor/azuremonitorTreeDataProvider": { + "azure.resource.providers.AzureMonitorContainerLabel": "Azure Monitor Workspace" + }, "dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": { "azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Azure Database for PostgreSQL サーバー" }, diff --git a/i18n/ads-language-pack-ja/translations/extensions/big-data-cluster.i18n.json b/i18n/ads-language-pack-ja/translations/extensions/big-data-cluster.i18n.json index 4cff63fe12..8b386840de 100644 --- a/i18n/ads-language-pack-ja/translations/extensions/big-data-cluster.i18n.json +++ b/i18n/ads-language-pack-ja/translations/extensions/big-data-cluster.i18n.json @@ -50,7 +50,7 @@ "bdc-data-size-field": "データの容量 (GB)", "bdc-log-size-field": "ログの容量 (GB)", "bdc-agreement": "{0}、{1}、{2} に同意します。", - "microsoft-privacy-statement": "Microsoft のプライバシーに関する声明", + "microsoft-privacy-statement": "Microsoft プライバシー ステートメント", "bdc-agreement-azdata-eula": "azdata ライセンス条項", "bdc-agreement-bdc-eula": "SQL Server ライセンス条項" }, @@ -201,4 +201,4 @@ "bdc.controllerTreeDataProvider.error": "保存されたコントローラーの読み込み中に予期しないエラーが発生しました: {0}" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ja/translations/extensions/cms.i18n.json b/i18n/ads-language-pack-ja/translations/extensions/cms.i18n.json new file mode 100644 index 0000000000..5b363cce69 --- /dev/null +++ b/i18n/ads-language-pack-ja/translations/extensions/cms.i18n.json @@ -0,0 +1,146 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "cms.displayName": "SQL Server Central Management Servers", + "cms.description": "SQL Server Central Management Servers の管理のサポート", + "cms.title": "Central Management Servers", + "cms.connectionProvider.displayName": "Microsoft SQL Server", + "cms.resource.explorer.title": "Central Management Servers", + "cms.resource.refresh.title": "最新の情報に更新", + "cms.resource.refreshServerGroup.title": "サーバー グループの更新", + "cms.resource.deleteRegisteredServer.title": "削除", + "cms.resource.addRegisteredServer.title": "新しいサーバーの登録...", + "cms.resource.deleteServerGroup.title": "削除", + "cms.resource.addServerGroup.title": "新しいサーバー グループ...", + "cms.resource.registerCmsServer.title": "中央管理サーバーの追加", + "cms.resource.deleteCmsServer.title": "削除", + "cms.configuration.title": "MSSQL 構成", + "cms.query.displayBitAsNumber": "ビット列を数値 (1 または 0) として表示するかどうか。False の場合、ビット列は 'true' または 'false' として表示されます", + "cms.format.alignColumnDefinitionsInColumns": "列定義を揃えるかどうか", + "cms.format.datatypeCasing": "データ型を大文字、小文字、または 'なし' (元のまま) のいずれにフォーマットするか", + "cms.format.keywordCasing": "キーワードを大文字、小文字、または 'なし' (元のまま) のいずれにフォーマットするか", + "cms.format.placeCommasBeforeNextStatement": "コンマを、'mycolumn1,' のようにリスト内の各ステートメントの末尾に配置する代わりに ',mycolumn2' のように先頭に配置するかどうか", + "cms.format.placeSelectStatementReferencesOnNewLine": "たとえば 'SELECT C1, C2 FROM T1' の場合に C1 と C2 を別々の行にするように、Select ステートメント内のオブジェクトへの参照を別々の行に分割するかどうか", + "cms.logDebugInfo": "[省略可能] コンソールへのデバッグ出力をログに記録し ([表示] -> [出力])、ドロップダウンから適切な出力チャネルを選択します", + "cms.tracingLevel": "[省略可能] バックエンド サービスのログ レベル。Azure Data Studio は開始のたびにファイル名を生成し、そのファイルが既に存在する場合にはログ エントリが対象ファイルに追加されます。古いログ ファイルのクリーンアップについては、logRetentionMinutes と logFilesRemovalLimit の設定を参照してください。既定の tracingLevel では、ログに記録される数は多くありません。詳細レベルを変更すると、詳細なログが記録され、ログのためのディスク容量が必要になる場合があります。エラーには重大が含まれ、警告にはエラーが含まれ、情報には警告が含まれ、詳細には情報が含まれます", + "cms.logRetentionMinutes": "バックエンド サービスのログ ファイルを保持する分単位の時間。既定値は 1 週間です。", + "cms.logFilesRemovalLimit": "mssql.logRetentionMinutes の有効期限が切れた、起動時に削除する古いファイルの最大数。この制限のためにクリーンアップされないファイルは、Azure Data Studio の次回の起動時にクリーンアップされます。", + "ignorePlatformWarning": "[省略可能] サポートされていないプラットフォームの警告を表示しない", + "onprem.databaseProperties.recoveryModel": "復旧モデル", + "onprem.databaseProperties.lastBackupDate": "前回のデータベース バックアップ", + "onprem.databaseProperties.lastLogBackupDate": "最終ログ バックアップ", + "onprem.databaseProperties.compatibilityLevel": "互換性レベル", + "onprem.databaseProperties.owner": "所有者", + "onprem.serverProperties.serverVersion": "バージョン", + "onprem.serverProperties.serverEdition": "エディション", + "onprem.serverProperties.machineName": "コンピューター名", + "onprem.serverProperties.osVersion": "OS バージョン", + "cloud.databaseProperties.azureEdition": "エディション", + "cloud.databaseProperties.serviceLevelObjective": "価格レベル", + "cloud.databaseProperties.compatibilityLevel": "互換性レベル", + "cloud.databaseProperties.owner": "所有者", + "cloud.serverProperties.serverVersion": "バージョン", + "cloud.serverProperties.serverEdition": "種類", + "cms.provider.displayName": "Microsoft SQL Server", + "cms.connectionOptions.connectionName.displayName": "名前 (省略可能)", + "cms.connectionOptions.connectionName.description": "接続のカスタム名", + "cms.connectionOptions.serverName.displayName": "サーバー", + "cms.connectionOptions.serverName.description": "SQL Server インスタンスの名前", + "cms.connectionOptions.serverDescription.displayName": "サーバーの説明", + "cms.connectionOptions.serverDescription.description": "SQL Server インスタンスの説明", + "cms.connectionOptions.authType.displayName": "認証の種類", + "cms.connectionOptions.authType.description": "SQL Server での認証方法を指定します", + "cms.connectionOptions.authType.categoryValues.sqlLogin": "SQL ログイン", + "cms.connectionOptions.authType.categoryValues.integrated": "Windows 認証", + "cms.connectionOptions.authType.categoryValues.azureMFA": "Azure Active Directory - MFA サポート付きユニバーサル", + "cms.connectionOptions.userName.displayName": "ユーザー名", + "cms.connectionOptions.userName.description": "データ ソースへの接続時に使用するユーザー ID を示します", + "cms.connectionOptions.password.displayName": "パスワード", + "cms.connectionOptions.password.description": "データ ソースへの接続時に使用するパスワードを示します", + "cms.connectionOptions.applicationIntent.displayName": "アプリケーションの意図", + "cms.connectionOptions.applicationIntent.description": "サーバーに接続するときにアプリケーションのワークロードの種類を宣言します", + "cms.connectionOptions.asynchronousProcessing.displayName": "非同期処理", + "cms.connectionOptions.asynchronousProcessing.description": "True の場合は、.Net Framework Data Provider の非同期機能を使用できるようになります", + "cms.connectionOptions.connectTimeout.displayName": "接続タイムアウト", + "cms.connectionOptions.connectTimeout.description": "サーバーへの接続が確立されるまでに待機する時間 (秒)。この時間が経過すると接続要求を終了し、エラーを生成します", + "cms.connectionOptions.currentLanguage.displayName": "現在の言語", + "cms.connectionOptions.currentLanguage.description": "SQL Server 言語レコード名", + "cms.connectionOptions.columnEncryptionSetting.displayName": "列暗号化", + "cms.connectionOptions.columnEncryptionSetting.description": "接続上のすべてのコマンドの既定の列暗号化設定", + "cms.connectionOptions.encrypt.displayName": "暗号化", + "cms.connectionOptions.encrypt.description": "True の場合、SQL Server は、サーバーに証明書がインストールされている場合は、クライアントとサーバー間で送信されるすべてのデータに SSL 暗号化を使用します", + "cms.connectionOptions.persistSecurityInfo.displayName": "セキュリティ情報を保持する", + "cms.connectionOptions.persistSecurityInfo.description": "False の場合、パスワードなどのセキュリティによる保護が要求される情報は、接続しても返されません", + "cms.connectionOptions.trustServerCertificate.displayName": "サーバー証明書を信頼する", + "cms.connectionOptions.trustServerCertificate.description": "True (および encrypt=true) の場合、SQL Server は、サーバー証明書を検証せずに、クライアントとサーバーの間で送信されるすべてのデータに対して SSL 暗号化を使用します", + "cms.connectionOptions.attachedDBFileName.displayName": "添付された DB ファイルの名前", + "cms.connectionOptions.attachedDBFileName.description": "完全なパス名を含む、接続可能なデータベースのプライマリ ファイル名", + "cms.connectionOptions.contextConnection.displayName": "コンテキスト接続", + "cms.connectionOptions.contextConnection.description": "True の場合は、接続元が SQL Server のコンテキストであることを示します。SQL Server のプロセスで実行する場合のみ使用できます", + "cms.connectionOptions.port.displayName": "ポート", + "cms.connectionOptions.connectRetryCount.displayName": "接続の再試行回数", + "cms.connectionOptions.connectRetryCount.description": "接続を復元するための試行回数", + "cms.connectionOptions.connectRetryInterval.displayName": "接続の再試行間隔", + "cms.connectionOptions.connectRetryInterval.description": "接続を復元するための試行間の遅延", + "cms.connectionOptions.applicationName.displayName": "アプリケーション名", + "cms.connectionOptions.applicationName.description": "アプリケーションの名前", + "cms.connectionOptions.workstationId.displayName": "ワークステーション ID", + "cms.connectionOptions.workstationId.description": "SQL Server に接続しているワークステーションの名前", + "cms.connectionOptions.pooling.displayName": "プーリング", + "cms.connectionOptions.pooling.description": "True の場合、接続オブジェクトが適切なプールから取得されるか、または、必要に応じて接続オブジェクトが作成され、適切なプールに追加されます", + "cms.connectionOptions.maxPoolSize.displayName": "最大プール サイズ", + "cms.connectionOptions.maxPoolSize.description": "プールに保持される接続の最大数", + "cms.connectionOptions.minPoolSize.displayName": "最小プール サイズ", + "cms.connectionOptions.minPoolSize.description": "プールに保持される接続の最小数", + "cms.connectionOptions.loadBalanceTimeout.displayName": "負荷分散タイムアウト", + "cms.connectionOptions.loadBalanceTimeout.description": "この接続が破棄される前にプールに存在する最小時間 (秒)", + "cms.connectionOptions.replication.displayName": "レプリケーション", + "cms.connectionOptions.replication.description": "レプリケーション時に SQL Server によって使用されます", + "cms.connectionOptions.attachDbFilename.displayName": "添付 DB ファイル名", + "cms.connectionOptions.failoverPartner.displayName": "フェールオーバー パートナー", + "cms.connectionOptions.failoverPartner.description": "フェールオーバー パートナーとして機能する SQL Server インスタンスの名前またはネットワーク アドレス", + "cms.connectionOptions.multiSubnetFailover.displayName": "マルチ サブネット フェールオーバー", + "cms.connectionOptions.multipleActiveResultSets.displayName": "複数のアクティブな結果セット", + "cms.connectionOptions.multipleActiveResultSets.description": "True の場合は、1 つの接続から複数の結果セットが返され、これらを読み取ることができます", + "cms.connectionOptions.packetSize.displayName": "パケット サイズ", + "cms.connectionOptions.packetSize.description": "SQL Server インスタンスとの通信に使用されるネットワーク パケットのサイズ (バイト)", + "cms.connectionOptions.typeSystemVersion.displayName": "タイプ システムのバージョン", + "cms.connectionOptions.typeSystemVersion.description": "DataReader を通してプロバイダーが公開するサーバー タイプのシステムを示します" + }, + "dist/cmsResource/tree/cmsResourceTreeNode": { + "cms.resource.cmsResourceTreeNode.noResourcesLabel": "リソースは見つかりませんでした" + }, + "dist/cmsResource/tree/cmsResourceEmptyTreeNode": { + "cms.resource.tree.CmsTreeNode.addCmsServerLabel": "中央管理サーバーの追加..." + }, + "dist/cmsResource/tree/treeProvider": { + "cms.resource.tree.treeProvider.loadError": "保存されたサーバー {0} の読み込み中に予期しないエラーが発生しました。", + "cms.resource.tree.treeProvider.loadingLabel": "読み込み中..." + }, + "dist/cmsResource/cmsResourceCommands": { + "cms.errors.sameCmsServerName": "中央管理サーバー グループには、既に {0} という名前の登録済みサーバーがあります", + "cms.errors.azureNotAllowed": "Azure SQL サーバーは、Central Management Servers として使用できません", + "cms.confirmDeleteServer": "削除しますか", + "cms.yes": "はい", + "cms.no": "いいえ", + "cms.AddServerGroup": "サーバー グループの追加", + "cms.OK": "OK", + "cms.Cancel": "キャンセル", + "cms.ServerGroupName": "サーバー グループ名", + "cms.ServerGroupDescription": "サーバー グループの説明", + "cms.errors.sameServerGroupName": "{0} には既に {1} という名前のサーバー グループがあります", + "cms.confirmDeleteGroup": "削除しますか" + }, + "dist/cmsUtils": { + "cms.errors.sameServerUnderCms": "構成サーバーと同じ名前の共有登録サーバーを追加することはできません" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ja/translations/extensions/dacpac.i18n.json b/i18n/ads-language-pack-ja/translations/extensions/dacpac.i18n.json new file mode 100644 index 0000000000..7604b89f30 --- /dev/null +++ b/i18n/ads-language-pack-ja/translations/extensions/dacpac.i18n.json @@ -0,0 +1,78 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "dacFx.settings": "データ層アプリケーション パッケージ", + "dacFx.defaultSaveLocation": "既定で、.DACPAC と .BACPAC ファイルが保存されるフォルダーの完全パス" + }, + "dist/localizedConstants": { + "dacFx.targetServer": "ターゲット サーバー", + "dacFx.sourceServer": "ソース サーバー", + "dacFx.sourceDatabase": "ソース データベース", + "dacFx.targetDatabase": "ターゲット データベース", + "dacfx.fileLocation": "ファイルの場所", + "dacfx.selectFile": "ファイルの選択", + "dacfx.summaryTableTitle": "設定の概要", + "dacfx.version": "バージョン", + "dacfx.setting": "設定", + "dacfx.value": "値", + "dacFx.databaseName": "データベース名", + "dacFxDeploy.openFile": "開く", + "dacFx.upgradeExistingDatabase": "既存のデータベースのアップグレード", + "dacFx.newDatabase": "新しいデータベース", + "dacfx.dataLossTextWithCount": "リストされている {0} のデプロイ操作によってデータが失われる可能性があります。デプロイで生じる問題に備えて、バックアップまたはスナップショットが使用可能であることを確認してください。", + "dacFx.proceedDataLoss": "データ損失の可能性にかかわらず続行します", + "dacfx.noDataLoss": "リストされているデプロイ アクションによってデータ損失は生じません。", + "dacfx.dataLossText": "デプロイ操作によってデータが失われる可能性があります。デプロイで生じる問題に備えて、バックアップまたはスナップショットが使用可能であることを確認してください。", + "dacfx.operation": "操作", + "dacfx.operationTooltip": "デプロイ中に発生する操作 (作成、変更、削除)", + "dacfx.type": "種類", + "dacfx.typeTooltip": "デプロイによって影響を受けるオブジェクトの種類", + "dacfx.object": "オブジェクト", + "dacfx.objecTooltip": "デプロイによって影響を受けるオブジェクトの名前", + "dacfx.dataLoss": "データ損失", + "dacfx.dataLossTooltip": "データが失われる可能性のある操作には警告サインが表示されます", + "dacfx.save": "保存", + "dacFx.versionText": "バージョン (形式は x.x.x.x。x は数字)", + "dacFx.deployDescription": "データ層アプリケーションの .dacpac ファイルを SQL Server インスタンスにデプロイします [Dacpac のデプロイ]", + "dacFx.extractDescription": "SQL Server インスタンスのデータ層アプリケーションを .dacpac ファイルに抽出します [Dacpac の抽出]", + "dacFx.importDescription": ".bacpac ファイルからデータベースを作成します [Bacpac のインポート]", + "dacFx.exportDescription": "データベースのスキーマとデータを論理 .bacpac ファイル形式にエクスポートします [Bacpac のエクスポート]", + "dacfx.wizardTitle": "データ層アプリケーション ウィザード", + "dacFx.selectOperationPageName": "操作を選択します", + "dacFx.deployConfigPageName": "Dacpac のデプロイ設定を選択します", + "dacFx.deployPlanPageName": "デプロイ計画を確認します", + "dacFx.summaryPageName": "概要", + "dacFx.extractConfigPageName": "Dacpac の抽出設定を選択します", + "dacFx.importConfigPageName": "Bacpac のインポート設定を選択します", + "dacFx.exportConfigPageName": "Bacpac のエクスポート設定を選択します", + "dacFx.deployButton": "デプロイ", + "dacFx.extract": "抽出", + "dacFx.import": "インポート", + "dacFx.export": "エクスポート", + "dacFx.generateScriptButton": "スクリプトの生成", + "dacfx.scriptGeneratingMessage": "ウィザードを閉じた後、タスク ビューでスクリプト生成の状態を表示できます。完了すると、生成されたスクリプトが開きます。", + "dacfx.default": "既定", + "dacfx.deployPlanTableTitle": "デプロイ プランの操作", + "dacfx.databaseNameExistsErrorMessage": "SQL Server のインスタンスに同じ名前のデータベースが既に存在します。", + "dacfx.undefinedFilenameErrorMessage": "未定義の名前", + "dacfx.filenameEndingInPeriodErrorMessage": "ファイル名の末尾をピリオドにすることはできません", + "dacfx.whitespaceFilenameErrorMessage": "ファイル名を空白にすることはできません", + "dacfx.invalidFileCharsErrorMessage": "ファイル文字が無効です", + "dacfx.reservedWindowsFilenameErrorMessage": "このファイル名は Windows による使用のために予約されています。別の名前を選んで再実行してください", + "dacfx.reservedValueErrorMessage": "予約済みのファイル名です。別の名前を選択して、もう一度お試しください", + "dacfx.trailingWhitespaceErrorMessage": "ファイル名の末尾を空白にすることはできません", + "dacfx.tooLongFilenameErrorMessage": "ファイル名が 255 文字を超えています", + "dacfx.deployPlanErrorMessage": "デプロイ計画の生成に失敗しました '{0}'", + "dacfx.generateDeployErrorMessage": "デプロイ スクリプトの生成に失敗しました '{0}'", + "dacfx.operationErrorMessage": "{0} 操作に失敗しました '{1}'" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ja/translations/extensions/import.i18n.json b/i18n/ads-language-pack-ja/translations/extensions/import.i18n.json new file mode 100644 index 0000000000..85fdba957f --- /dev/null +++ b/i18n/ads-language-pack-ja/translations/extensions/import.i18n.json @@ -0,0 +1,66 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "flatfileimport.configuration.title": "フラット ファイル インポートの構成", + "flatfileimport.logDebugInfo": "[省略可能] コンソールへのデバッグ出力をログに記録し ([表示] -> [出力])、ドロップダウンから適切な出力チャネルを選択します" + }, + "out/services/serviceClient": { + "serviceStarted": "{0} が開始されました", + "serviceStarting": "{0} の開始中", + "flatFileImport.serviceStartFailed": "{0}を開始できませんでした: {1}", + "installingServiceDetailed": "{0} を {1} にインストールしています", + "installingService": "{0} サービスをインストールしています", + "serviceInstalled": "{0} がインストールされました", + "downloadingService": "{0} をダウンロードしています", + "downloadingServiceSize": "({0} KB)", + "downloadingServiceStatus": "{0} をダウンロードしています", + "downloadingServiceComplete": "{0} のダウンロードが完了しました", + "entryExtractedChannelMsg": "{0} を抽出しました ({1}/{2})" + }, + "out/common/constants": { + "import.serviceCrashButton": "フィードバックの送信", + "serviceCrashMessage": "サービス コンポーネントを開始できませんでした", + "flatFileImport.serverDropdownTitle": "データベースが含まれるサーバー", + "flatFileImport.databaseDropdownTitle": "テーブルが作成されているデータベース", + "flatFile.InvalidFileLocation": "ファイルの場所が無効です。別の入力ファイルをお試しください", + "flatFileImport.browseFiles": "参照", + "flatFileImport.openFile": "開く", + "flatFileImport.fileTextboxTitle": "インポートするファイルの場所", + "flatFileImport.tableTextboxTitle": "新しいテーブル名", + "flatFileImport.schemaTextboxTitle": "テーブル スキーマ", + "flatFileImport.importData": "データのインポート", + "flatFileImport.next": "次へ", + "flatFileImport.columnName": "列名", + "flatFileImport.dataType": "データ型", + "flatFileImport.primaryKey": "主キー", + "flatFileImport.allowNulls": "Null を許容", + "flatFileImport.prosePreviewMessage": "この操作によって、最初の 50 行までのプレビューを下に生成するために入力ファイル構造が分析されました。", + "flatFileImport.prosePreviewMessageFail": "この操作は失敗しました。別の入力ファイルをお試しください。", + "flatFileImport.refresh": "最新の情報に更新", + "flatFileImport.importInformation": "情報のインポート", + "flatFileImport.importStatus": "インポート状態", + "flatFileImport.serverName": "サーバー名", + "flatFileImport.databaseName": "データベース名", + "flatFileImport.tableName": "テーブル名", + "flatFileImport.tableSchema": "テーブル スキーマ", + "flatFileImport.fileImport": "インポートするファイル", + "flatFileImport.success.norows": "✔ テーブルにデータを正常に挿入しました。", + "import.needConnection": "このウィザードを使用する前に、サーバーに接続してください。", + "import.needSQLConnection": "SQL Server Import 拡張機能は、この種類の接続をサポートしていません", + "flatFileImport.wizardName": "フラット ファイルのインポート ウィザード", + "flatFileImport.page1Name": "入力ファイルを指定", + "flatFileImport.page2Name": "データのプレビュー", + "flatFileImport.page3Name": "列の変更", + "flatFileImport.page4Name": "概要", + "flatFileImport.importNewFile": "新しいファイルのインポート" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ja/translations/extensions/notebook.i18n.json b/i18n/ads-language-pack-ja/translations/extensions/notebook.i18n.json index f23d9f25f7..8957a998e9 100644 --- a/i18n/ads-language-pack-ja/translations/extensions/notebook.i18n.json +++ b/i18n/ads-language-pack-ja/translations/extensions/notebook.i18n.json @@ -14,6 +14,8 @@ "notebook.configuration.title": "Notebook 構成", "notebook.pythonPath.description": "ノートブックで使用される Python インストールへのローカル パス。", "notebook.useExistingPython.description": "ノートブックで使用される、以前から存在する Python インストールのローカル パス。", + "notebook.dontPromptPythonUpdate.description": "Python の更新を確認するメッセージを表示しません。", + "notebook.jupyterServerShutdownTimeout.description": "すべてのノートブックが閉じられた後、サーバーをシャットダウンするまでの待機時間 (分)。(シャットダウンしない場合は ”0” を入力してください)", "notebook.overrideEditorTheming.description": "Notebook エディターの既定の設定をオーバーライドします。設定には、背景色、現在の線の色、境界線が含まれます", "notebook.maxTableRows.description": "Notebook エディターでテーブルごとに返される行の最大数", "notebook.trustedBooks.description": "これらのブックに含まれるノートブックは、自動的に信頼されます。", @@ -21,6 +23,7 @@ "notebook.collapseBookItems.description": "Notebooks ビューレットのルート レベルでブック項目を折りたたみます", "notebook.remoteBookDownloadTimeout.description": "GitHub ブックのダウンロードのタイムアウト (ミリ秒)", "notebook.pinnedNotebooks.description": "ユーザーによって現在のワークスペースにピン留めされているノートブック", + "notebook.allowRoot.description": "Allow Jupyter server to run as root user", "notebook.command.new": "新しいノートブック", "notebook.command.open": "ノートブックを開く", "notebook.analyzeJupyterNotebook": "ノートブックで分析", @@ -43,18 +46,21 @@ "title.managePackages": "パッケージの管理", "title.SQL19PreviewBook": "SQL Server 2019 ガイド", "books-preview-category": "Jupyter ブック", - "title.saveJupyterBook": "ブックの保存", - "title.trustBook": "信頼ブック", - "title.searchJupyterBook": "ブックの検索", + "title.saveJupyterBook": "Jupyter ブックの保存", + "title.trustBook": "Jupyter ブックの信頼", + "title.searchJupyterBook": "Jupyter ブックの検索", "title.SavedBooks": "ノートブック", - "title.ProvidedBooks": "指定されたブック", + "title.ProvidedBooks": "提供されている Jupyter ブック", "title.PinnedBooks": "ピン留めされたノートブック", "title.PreviewLocalizedBook": "ローカライズ版 SQL Server 2019 ガイドの入手", "title.openJupyterBook": "Jupyter ブックを開く", "title.closeJupyterBook": "Jupyter ブックを閉じる", - "title.closeJupyterNotebook": "Jupyter Notebook を閉じる", + "title.closeNotebook": "ノートブックを閉じる", + "title.removeNotebook": "ノートブックの削除", + "title.addNotebook": "ノートブックの追加", + "title.addMarkdown": "マークダウン ファイルの追加", "title.revealInBooksViewlet": "ブックで公開する", - "title.createJupyterBook": "ブックの作成 (プレビュー)", + "title.createJupyterBook": "Jupyter ブックの作成", "title.openNotebookFolder": "フォルダー内のノートブックを開く", "title.openRemoteJupyterBook": "リモート Jupyter ブックの追加", "title.pinNotebook": "ノートブックのピン留め", @@ -77,74 +83,84 @@ "providerNotValidError": "MSSQL 以外のプロバイダーは、Spark カーネルでサポートされていません。", "allFiles": "すべてのファイル", "labelSelectFolder": "フォルダーの選択", - "labelBookFolder": "ブックの選択", + "labelBookFolder": "Jupyter ブックの選択", "confirmReplace": "フォルダーは既に存在します。このフォルダーを削除して置き換えますか?", "openNotebookCommand": "ノートブックを開く", "openMarkdownCommand": "マークダウンを開く", "openExternalLinkCommand": "外部リンクを開く", - "msgBookTrusted": "ブックはワークスペースで信頼されるようになりました。", - "msgBookAlreadyTrusted": "ブックはこのワークスペースで既に信頼されています。", - "msgBookUntrusted": "ブックはこのワークスペースで信頼されなくなりました", - "msgBookAlreadyUntrusted": "ブックは既にこのワークスペースで信頼されていません。", - "msgBookPinned": "ブック {0} はワークスペースにピン留めされました。", - "msgBookUnpinned": "ブック {0} はこのワークスペースにピン留めされなくなりました", - "bookInitializeFailed": "指定されたブックに目次ファイルが見つかりませんでした。", - "noBooksSelected": "ビューレットに現在選択されているブックがありません。", - "labelBookSection": "ブック セクションの選択", + "msgBookTrusted": "Jupyter ブックはワークスペースで信頼されるようになりました。", + "msgBookAlreadyTrusted": "Jupyter ブックはこのワークスペースで既に信頼されています。", + "msgBookUntrusted": "Jupyter ブックはこのワークスペースで信頼されなくなりました", + "msgBookAlreadyUntrusted": "Jupyter ブックは既にこのワークスペースで信頼されていません。", + "msgBookPinned": "Jupyter ブック {0} はワークスペースにピン留めされました。", + "msgBookUnpinned": "Jupyter ブック {0} はもうこのワークスペースにピン留めされていません", + "bookInitializeFailed": "指定された Jupyter ブックに目次ファイルが見つかりませんでした。", + "noBooksSelected": "ビューレットに現在選択されている Jupyter ブックがありません。", + "labelBookSection": "Jupyter ブックのセクションを選択", "labelAddToLevel": "このレベルに追加する", "missingFileError": "ファイル {0} が {1} から見つかりません ", "InvalidError.tocFile": "無効な toc ファイル", "Invalid toc.yml": "エラー: {0} に正しくない toc.yml ファイルがあります", "configFileError": "構成ファイルが見つかりません", - "openBookError": "ブック {0} を開けませんでした: {1}", - "readBookError": "ブック {0} の読み取りに失敗しました: {1}", + "openBookError": "Jupyter ブック {0} を開くことができませんでした: {1}", + "readBookError": "Jupyter ブック {0} を読み取ることができませんでした: {1}", "openNotebookError": "ノートブック {0} を開けませんでした: {1}", "openMarkdownError": "マークダウン {0} を開けませんでした: {1}", "openUntitledNotebookError": "無題のノートブック {0} を無題として開けませんでした: {1}", "openExternalLinkError": "リンク {0} を開けませんでした。{1}", - "closeBookError": "ブック {0} を閉じられませんでした: {1}", + "closeBookError": "Jupyter ブック {0} を閉じることができませんでした: {1}", "duplicateFileError": "ファイル {0} は、ターゲット フォルダー {1} に既に存在しています \r\n データの損失を防ぐために、ファイルの名前が {2} に変更されました。", - "editBookError": "ブック {0} の編集中にエラーが発生しました: {1}", - "selectBookError": "編集するブックまたはセクションの選択中にエラーが発生しました: {0}", + "editBookError": "Jupyter ブック {0} の編集中にエラーが発生しました: {1}", + "selectBookError": "編集する Jupyter ブックまたはセクションの選択中にエラーが発生しました: {0}", + "sectionNotFound": "{1} にセクション {0} が見つかりませんでした。", "url": "URL", "repoUrl": "リポジトリ URL", "location": "場所", - "addRemoteBook": "リモート ブックの追加", + "addRemoteBook": "リモート Jupyter ブックの追加", "onGitHub": "GitHub", "onsharedFile": "共有ファイル", "releases": "リリース", - "book": "ブック", + "book": "Jupyter ブック", "version": "バージョン", "language": "言語", - "booksNotFound": "指定されたリンクで現在利用可能なブックがありません", + "booksNotFound": "指定されたリンクで現在利用可能な Jupyter ブックがありません", "urlGithubError": "指定された URL は Github リリース URL ではありません", "search": "検索", "add": "追加", "close": "閉じる", "invalidTextPlaceholder": "-", - "msgRemoteBookDownloadProgress": "リモート ブックのダウンロードが進行中です", - "msgRemoteBookDownloadComplete": "リモート ブックのダウンロードが完了しました", - "msgRemoteBookDownloadError": "リモート ブックのダウンロード中にエラーが発生しました", - "msgRemoteBookUnpackingError": "リモート ブックの圧縮解除中にエラーが発生しました", - "msgRemoteBookDirectoryError": "リモート ブック ディレクトリの作成中にエラーが発生しました", - "msgTaskName": "リモート ブックをダウンロードしています", + "msgRemoteBookDownloadProgress": "リモート Jupyter ブックのダウンロードが進行中です", + "msgRemoteBookDownloadComplete": "リモート Jupyter ブックのダウンロードが完了しました", + "msgRemoteBookDownloadError": "リモート Jupyter ブックのダウンロード中にエラーが発生しました", + "msgRemoteBookUnpackingError": "リモート Jupyter ブックの圧縮解除中にエラーが発生しました", + "msgRemoteBookDirectoryError": "リモート Jupyter ブック ディレクトリの作成中にエラーが発生しました", + "msgTaskName": "リモート Jupyter ブックのダウンロード", "msgResourceNotFound": "リソースが見つかりません。", - "msgBookNotFound": "ブックが見つかりません", + "msgBookNotFound": "Jupyter ブックが見つかりません", "msgReleaseNotFound": "リリースが見つかりません", - "msgUndefinedAssetError": "選択したブックは無効です", + "msgUndefinedAssetError": "選択した Jupyter ブックは無効です", "httpRequestError": "HTTP 要求が失敗しました。エラー: {0} {1}", "msgDownloadLocation": "{0} にダウンロードしています", - "newGroup": "新しいグループ", - "groupDescription": "グループは、ノートブックを整理するために使用されます。", - "locationBrowser": "場所の参照...", - "selectContentFolder": "コンテンツ フォルダーの選択", + "newBook": "新しい Jupyter ブック (プレビュー)", + "bookDescription": "Jupyter ブックは、ノートブックを整理するために使用されます。", + "learnMore": "詳細情報。", + "contentFolder": "コンテンツ フォルダー", "browse": "参照", "create": "作成", "name": "名前", "saveLocation": "保存場所", - "contentFolder": "コンテンツ フォルダー (省略可能)", + "contentFolderOptional": "コンテンツ フォルダー (省略可能)", "msgContentFolderError": "コンテンツ フォルダーのパスが存在しません", - "msgSaveFolderError": "保存場所のパスが存在しません" + "msgSaveFolderError": "保存場所のパスが存在しません。", + "msgCreateBookWarningMsg": "アクセスしようとしているときにエラーが発生しました: {0}", + "newNotebook": "新しいノートブック (プレビュー)", + "newMarkdown": "新しいマークダウン (プレビュー)", + "fileExtension": "ファイル拡張子", + "confirmOverwrite": "ファイルは既に存在します。このファイルを上書きしますか?", + "title": "タイトル", + "fileName": "ファイル名", + "msgInvalidSaveFolder": "保存場所のパスが無効です。", + "msgDuplicadFileName": "移動先のフォルダーにファイル {0} が既に存在します" }, "dist/jupyter/jupyterServerInstallation": { "msgInstallPkgProgress": "Notebook 依存関係のインストールが進行中です", @@ -159,10 +175,16 @@ "msgInstallPkgFinish": "Notebook 依存関係のインストールが完了しました", "msgPythonRunningError": "Python の実行中は、既存の Python インストールを上書きできません。続行する前に、アクティブなノートブックを閉じてください。", "msgWaitingForInstall": "別の Python のインストールが現在進行中です。完了するのを待っています。", + "msgShutdownNotebookSessions": "更新のために、アクティブな Python ノートブック セッションがシャットダウンされます。今すぐ続行しますか?", + "msgPythonVersionUpdatePrompt": "Python {0} が Azure Data Studio で利用できるようになりました。現在の Python バージョン (3.6.6) は、2021 年 12 月にサポートされなくなります。今すぐ Python {0} に更新しますか?", + "msgPythonVersionUpdateWarning": "Python {0} がインストールされ、Python 3.6.6 が置換されます。一部のパッケージは、新しいバージョンとの互換性がなくなったか、再インストールが必要になる可能性があります。すべての pip パッケージの再インストールを支援するためにノートブックが作成されます。今すぐ更新を続行しますか?", "msgDependenciesInstallationFailed": "Notebook 依存関係のインストールに失敗しました。エラー: {0}", "msgDownloadPython": "{0} から {1} にプラットフォーム用のローカル Python をダウンロードしています", "msgPackageRetrievalFailed": "インストールされているパッケージの一覧を取得しようとしてエラーが発生しました: {0}", - "msgGetPythonUserDirFailed": "Python ユーザー パスの取得時にエラーが発生しました: {0}" + "msgGetPythonUserDirFailed": "Python ユーザー パスの取得時にエラーが発生しました: {0}", + "yes": "はい", + "no": "いいえ", + "dontAskAgain": "今後このメッセージを表示しない" }, "dist/dialog/configurePython/configurePythonWizard": { "configurePython.okButtonText": "インストール", @@ -270,7 +292,7 @@ }, "dist/protocol/notebookUriHandler": { "notebook.unsupportedAction": "このハンドラーではアクション {0} はサポートされていません", - "unsupportedScheme": "HTTP リンクと HTTPS リンクのみがサポートされているため、リンク {0} を開くことができません", + "unsupportedScheme": "HTTP、HTTPS、およびファイル リンクのみがサポートされているため、リンク {0} を開けません", "notebook.confirmOpen": "'{0}' をダウンロードして開きますか?", "notebook.fileNotFound": "指定されたファイルが見つかりませんでした", "notebook.fileDownloadError": "ファイルを開く要求に失敗しました。エラー: {0} {1}" diff --git a/i18n/ads-language-pack-ja/translations/extensions/profiler.i18n.json b/i18n/ads-language-pack-ja/translations/extensions/profiler.i18n.json new file mode 100644 index 0000000000..bab758bf39 --- /dev/null +++ b/i18n/ads-language-pack-ja/translations/extensions/profiler.i18n.json @@ -0,0 +1,23 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/profilerCreateSessionDialog": { + "createSessionDialog.cancel": "キャンセル", + "createSessionDialog.create": "開始", + "createSessionDialog.title": "新しいプロファイラー セッションの開始", + "createSessionDialog.templatesInvalid": "テンプレート リストが無効です。ダイアログを開くことができません", + "createSessionDialog.dialogOwnerInvalid": "ダイアログ所有者が無効です。ダイアログを開くことができません", + "createSessionDialog.invalidProviderType": "無効なプロバイダーの種類です。ダイアログを開くことができません", + "createSessionDialog.selectTemplates": "セッション テンプレートの選択:", + "createSessionDialog.enterSessionName": "セッション名を入力する:", + "createSessionDialog.createSessionFailed": "セッションを作成できませんでした" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ja/translations/extensions/resource-deployment.i18n.json b/i18n/ads-language-pack-ja/translations/extensions/resource-deployment.i18n.json index e7afa56192..48ac99bc94 100644 --- a/i18n/ads-language-pack-ja/translations/extensions/resource-deployment.i18n.json +++ b/i18n/ads-language-pack-ja/translations/extensions/resource-deployment.i18n.json @@ -103,6 +103,10 @@ "azdataEulaNotAccepted": "デプロイを続行できません。Azure Data CLI ライセンス条項にまだ同意していません。Azure Data CLI を必要とする機能を有効にするには、EULA に同意してください。", "azdataEulaDeclined": "デプロイを続行できません。Azure Data CLI のライセンス条項が拒否されました。EULA に同意して続行するか、この操作を取り消すことができます", "deploymentDialog.RecheckEulaButton": "EULA に同意して選択", + "resourceDeployment.extensionRequiredPrompt": "このリソースを展開するには、'{0}' の拡張機能が必要です。今すぐインストールしますか?", + "resourceDeployment.install": "インストール", + "resourceDeployment.installingExtension": "拡張機能 '{0}' をインストールしています...", + "resourceDeployment.unknownExtension": "不明な拡張機能 '{0}'", "resourceTypePickerDialog.title": "デプロイ オプションを選択します", "resourceTypePickerDialog.resourceSearchPlaceholder": "リソースのフィルター...", "resourceTypePickerDialog.tagsListViewTitle": "カテゴリ", @@ -264,7 +268,6 @@ "notebookType": "Notebook の種類" }, "dist/main": { - "resourceDeployment.FailedToLoadExtension": "拡張機能を読み込めませんでした: {0}。package.json のリソースの種類の定義でエラーが検出されました。詳しくは、デバッグ コンソールを確認してください。", "resourceDeployment.UnknownResourceType": "リソースの種類: {0} が定義されていません" }, "dist/services/notebookService": { @@ -562,8 +565,8 @@ }, "dist/ui/toolsAndEulaSettingsPage": { "notebookWizard.toolsAndEulaPageTitle": "デプロイの前提条件", - "deploymentDialog.FailedEulaValidation": "進めるには、エンド ユーザー使用許諾契約 (EULA) の条件に同意する必要があります。", "deploymentDialog.FailedToolsInstallation": "一部のツールがまだ検出されていません。それらがインストールされており、実行中で検出可能であることを確認してください", + "deploymentDialog.FailedEulaValidation": "進めるには、エンド ユーザー使用許諾契約 (EULA) の条件に同意する必要があります。", "deploymentDialog.loadingRequiredToolsCompleted": "必要なツール情報の読み込みが完了しました", "deploymentDialog.loadingRequiredTools": "必要なツール情報を読み込んでいます", "resourceDeployment.AgreementTitle": "利用規約に同意する", @@ -605,18 +608,9 @@ "dist/services/tools/azdataTool": { "resourceDeployment.AzdataDescription": "Azure Data コマンド ライン インターフェイス", "resourceDeployment.AzdataDisplayName": "Azure Data CLI", + "deploy.azdataExtMissing": "このリソースをデプロイするには、Azure Data CLI 拡張機能をインストールする必要があります。拡張機能ギャラリーを使用してインストールしてから、もう一度お試しください。", "deployCluster.GetToolVersionErrorInformation": "バージョン情報の取得でエラーが発生しました。詳細については、出力チャネル '{0}' を参照してください", - "deployCluster.GetToolVersionError": "バージョン情報の取得でエラーが発生しました。{0}無効な出力を受け取りました。バージョン取得コマンドの出力: '{1}'", - "resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "以前にダウンロードされた Azdata.msi が存在する場合にそれを削除しています...", - "resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "Azdata.msi をダウンロードして、azdata cli をインストールしています...", - "resourceDeployment.Azdata.DisplayingInstallationLog": "インストール ログを表示しています...", - "resourceDeployment.Azdata.TappingBrewRepository": "azdata-cli に brew リポジトリを利用しています...", - "resourceDeployment.Azdata.UpdatingBrewRepository": "azdata-cli インストール用に brew リポジトリを更新しています...", - "resourceDeployment.Azdata.InstallingAzdata": "azdata をインストールしています...", - "resourceDeployment.Azdata.AptGetUpdate": "リポジトリ情報を更新しています...", - "resourceDeployment.Azdata.AptGetPackages": "azdata インストールに必要なパッケージを取得しています...", - "resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "azdata の署名キーをダウンロードしてインストールしています...", - "resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "azdata リポジトリ情報を追加しています..." + "deployCluster.GetToolVersionError": "バージョン情報の取得でエラーが発生しました。{0}無効な出力を受け取りました。バージョン取得コマンドの出力: '{1}'" }, "dist/services/tools/azdataToolOld": { "resourceDeployment.AzdataDescription": "Azure Data コマンド ライン インターフェイス", @@ -636,4 +630,4 @@ "deploymentDialog.deploymentOptions": "デプロイ オプション" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ja/translations/extensions/schema-compare.i18n.json b/i18n/ads-language-pack-ja/translations/extensions/schema-compare.i18n.json new file mode 100644 index 0000000000..523aa741da --- /dev/null +++ b/i18n/ads-language-pack-ja/translations/extensions/schema-compare.i18n.json @@ -0,0 +1,319 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "displayName": "SQL Server Schema Compare", + "description": "Azure Data Studio 用 SQL Server Schema Compare では、データベースと dacpac のスキーマを比較できます。", + "schemaCompare.start": "Schema Compare" + }, + "dist/localizedConstants": { + "schemaCompareDialog.ok": "OK", + "schemaCompareDialog.cancel": "キャンセル", + "schemaCompareDialog.SourceTitle": "ソース", + "schemaCompareDialog.TargetTitle": "ターゲット", + "schemaCompareDialog.fileTextBoxLabel": "ファイル", + "schemaCompare.dacpacRadioButtonLabel": "データ層アプリケーション ファイル (.dacpac)", + "schemaCompare.databaseButtonLabel": "データベース", + "schemaCompare.radioButtonsLabel": "種類", + "schemaCompareDialog.serverDropdownTitle": "サーバー", + "schemaCompareDialog.databaseDropdownTitle": "データベース", + "schemaCompare.dialogTitle": "Schema Compare", + "schemaCompareDialog.differentSourceMessage": "別のソース スキーマが選択されました。比較を表示して比較しますか?", + "schemaCompareDialog.differentTargetMessage": "別のターゲット スキーマが選択されました。比較を表示して比較しますか?", + "schemaCompareDialog.differentSourceTargetMessage": "異なるソース スキーマとターゲット スキーマが選択されています。比較を表示して比較しますか?", + "schemaCompareDialog.Yes": "はい", + "schemaCompareDialog.No": "いいえ", + "schemaCompareDialog.sourceTextBox": "ソース ファイル", + "schemaCompareDialog.targetTextBox": "ターゲット ファイル", + "schemaCompareDialog.sourceDatabaseDropdown": "ソース データベース", + "schemaCompareDialog.targetDatabaseDropdown": "ターゲット データベース", + "schemaCompareDialog.sourceServerDropdown": "ソース サーバー", + "schemaCompareDialog.targetServerDropdown": "ターゲット サーバー", + "schemaCompareDialog.defaultUser": "既定", + "schemaCompare.openFile": "開く", + "schemaCompare.selectSourceFile": "ソース ファイルの選択", + "schemaCompare.selectTargetFile": "ターゲット ファイルの選択", + "SchemaCompareOptionsDialog.Reset": "リセット", + "schemaCompareOptions.RecompareMessage": "オプションが変更されました。比較を表示して再比較しますか?", + "SchemaCompare.SchemaCompareOptionsDialogLabel": "Schema Compare のオプション", + "SchemaCompare.GeneralOptionsLabel": "全般オプション", + "SchemaCompare.ObjectTypesOptionsLabel": "オブジェクトの種類を含める", + "schemaCompare.CompareDetailsTitle": "詳細の比較", + "schemaCompare.ApplyConfirmation": "ターゲットを更新しますか?", + "schemaCompare.RecompareToRefresh": "比較を更新するには、[比較] を押します。", + "schemaCompare.generateScriptEnabledButton": "ターゲットに変更をデプロイするスクリプトを生成します", + "schemaCompare.generateScriptNoChanges": "スクリプトに変更はありません", + "schemaCompare.applyButtonEnabledTitle": "ターゲットに変更を適用する", + "schemaCompare.applyNoChanges": "適用する変更はありません", + "schemaCompare.includeExcludeInfoMessage": "対象の依存関係を計算するために、包含/除外操作に少し時間がかかる場合があることにご注意ください", + "schemaCompare.deleteAction": "削除", + "schemaCompare.changeAction": "変更", + "schemaCompare.addAction": "追加", + "schemaCompare.differencesTableTitle": "ソースとターゲットの比較", + "schemaCompare.waitText": "比較を初期化します。しばらく時間がかかる場合があります。", + "schemaCompare.startText": "2 つのスキーマを比較するには、最初にソース スキーマとターゲット スキーマを選択し、[比較] を押します。", + "schemaCompare.noDifferences": "スキーマの違いは見つかりませんでした。", + "schemaCompare.typeColumn": "種類", + "schemaCompare.sourceNameColumn": "ソース名", + "schemaCompare.includeColumnName": "包含", + "schemaCompare.actionColumn": "アクション", + "schemaCompare.targetNameColumn": "ターゲット名", + "schemaCompare.generateScriptButtonDisabledTitle": "ターゲットがデータベースの場合にスクリプトの生成が有効になります", + "schemaCompare.applyButtonDisabledTitle": "ターゲットがデータベースの場合に適用が有効になります", + "schemaCompare.cannotExcludeMessageWithDependent": "{0} を除外することはできません。対象の依存関係が存在します ({1} など)", + "schemaCompare.cannotIncludeMessageWithDependent": "{0} を含めることはできません。対象外の依存関係が存在します ({1} など)", + "schemaCompare.cannotExcludeMessage": "{0} を除外することはできません。対象の依存関係が存在します", + "schemaCompare.cannotIncludeMessage": "{0} を含めることはできません。対象外の依存関係が存在します", + "schemaCompare.compareButton": "比較", + "schemaCompare.cancelCompareButton": "停止", + "schemaCompare.generateScriptButton": "スクリプトの生成", + "schemaCompare.optionsButton": "オプション​​", + "schemaCompare.updateButton": "適用", + "schemaCompare.switchDirectionButton": "方向の切り替え", + "schemaCompare.switchButtonTitle": "ソースとターゲットの切り替え", + "schemaCompare.sourceButtonTitle": "ソースの選択", + "schemaCompare.targetButtonTitle": "ターゲットの選択", + "schemaCompare.openScmpButton": ".scmp ファイルを開く", + "schemaCompare.openScmpButtonTitle": ".scmp ファイルに保存されたソース、ターゲット、およびオプションを読み込みます", + "schemaCompare.saveScmpButton": ".scmp ファイルを保存", + "schemaCompare.saveScmpButtonTitle": "ソース、ターゲット、オプション、および除外された要素を保存します", + "schemaCompare.saveFile": "保存", + "schemaCompare.GetConnectionString": "{0} に接続しますか?", + "schemaCompare.selectConnection": "接続の選択", + "SchemaCompare.IgnoreTableOptions": "テーブル オプションを無視する", + "SchemaCompare.IgnoreSemicolonBetweenStatements": "ステートメント間のセミコロンを無視する", + "SchemaCompare.IgnoreRouteLifetime": "ルートの有効期間を無視する", + "SchemaCompare.IgnoreRoleMembership": "ロール メンバーシップを無視する", + "SchemaCompare.IgnoreQuotedIdentifiers": "引用符で囲まれた識別子を無視する", + "SchemaCompare.IgnorePermissions": "アクセス許可を無視する", + "SchemaCompare.IgnorePartitionSchemes": "パーティション構成を無視する", + "SchemaCompare.IgnoreObjectPlacementOnPartitionScheme": "パーティション構成でのオブジェクトの位置を無視する", + "SchemaCompare.IgnoreNotForReplication": "レプリケーション用以外を無視する", + "SchemaCompare.IgnoreLoginSids": "ログイン SID を無視する", + "SchemaCompare.IgnoreLockHintsOnIndexes": "インデックスのロック ヒントを無視する", + "SchemaCompare.IgnoreKeywordCasing": "キーワードの大文字/小文字を無視する", + "SchemaCompare.IgnoreIndexPadding": "インデックス パディングを無視する", + "SchemaCompare.IgnoreIndexOptions": "インデックス オプションを無視する", + "SchemaCompare.IgnoreIncrement": "増分を無視する", + "SchemaCompare.IgnoreIdentitySeed": "ID シードを無視する", + "SchemaCompare.IgnoreUserSettingsObjects": "ユーザー設定オブジェクトを無視する", + "SchemaCompare.IgnoreFullTextCatalogFilePath": "フルテキスト カタログ FilePath を無視する", + "SchemaCompare.IgnoreWhitespace": "空白を無視する", + "SchemaCompare.IgnoreWithNocheckOnForeignKeys": "外部キーの With Nocheck を無視する", + "SchemaCompare.VerifyCollationCompatibility": "照合順序の互換性を確認する", + "SchemaCompare.UnmodifiableObjectWarnings": "変更できないオブジェクトの警告", + "SchemaCompare.TreatVerificationErrorsAsWarnings": "検証エラーを警告として扱う", + "SchemaCompare.ScriptRefreshModule": "スクリプトでの更新モジュール", + "SchemaCompare.ScriptNewConstraintValidation": "スクリプトでの新しい制約の検証", + "SchemaCompare.ScriptFileSize": "スクリプト ファイル サイズ", + "SchemaCompare.ScriptDeployStateChecks": "スクリプトでのデプロイ状態チェック", + "SchemaCompare.ScriptDatabaseOptions": "スクリプトでのデータベース オプション", + "SchemaCompare.ScriptDatabaseCompatibility": "スクリプトでのデータベース互換性", + "SchemaCompare.ScriptDatabaseCollation": "スクリプトでのデータベース照合順序", + "SchemaCompare.RunDeploymentPlanExecutors": "デプロイ計画 Executor の実行", + "SchemaCompare.RegisterDataTierApplication": "データ層アプリケーションの登録", + "SchemaCompare.PopulateFilesOnFileGroups": "ファイル グループに対してファイルを作成する", + "SchemaCompare.NoAlterStatementsToChangeClrTypes": "CLR 型を変更する ALTER ステートメントがない", + "SchemaCompare.IncludeTransactionalScripts": "トランザクション スクリプトを含める", + "SchemaCompare.IncludeCompositeObjects": "複合オブジェクトを含める", + "SchemaCompare.AllowUnsafeRowLevelSecurityDataMovement": "安全でない行レベル セキュリティ データ移動を許可する", + "SchemaCompare.IgnoreWithNocheckOnCheckConstraints": "CHECK 制約の With No check を無視する", + "SchemaCompare.IgnoreFillFactor": "FILL FACTOR を無視する", + "SchemaCompare.IgnoreFileSize": "ファイル サイズを無視する", + "SchemaCompare.IgnoreFilegroupPlacement": "ファイル グループの配置を無視する", + "SchemaCompare.DoNotAlterReplicatedObjects": "レプリケートされたオブジェクトを変更しない", + "SchemaCompare.DoNotAlterChangeDataCaptureObjects": "変更データ キャプチャ オブジェクトを変更しない", + "SchemaCompare.DisableAndReenableDdlTriggers": "DDL トリガーを無効にし、再び有効にする", + "SchemaCompare.DeployDatabaseInSingleUserMode": "シングル ユーザー モードでデータベースをデプロイする", + "SchemaCompare.CreateNewDatabase": "新しいデータベースの作成", + "SchemaCompare.CompareUsingTargetCollation": "ターゲットの照合順序を使用して比較する", + "SchemaCompare.CommentOutSetVarDeclarations": "コメント アウト セット変数宣言", + "SchemaCompare.BlockWhenDriftDetected": "ドリフトが検出されたときにブロックする", + "SchemaCompare.BlockOnPossibleDataLoss": "データ損失の可能性がある場合にブロックする", + "SchemaCompare.BackupDatabaseBeforeChanges": "変更前にデータベースをバックアップする", + "SchemaCompare.AllowIncompatiblePlatform": "互換性のないプラットフォームを許可する", + "SchemaCompare.AllowDropBlockingAssemblies": "ブロックしているアセンブリの削除を許可する", + "SchemaCompare.DropConstraintsNotInSource": "ソース内にない制約を削除する", + "SchemaCompare.DropDmlTriggersNotInSource": "ソース内にない DML トリガーを削除する", + "SchemaCompare.DropExtendedPropertiesNotInSource": "ソース内にない拡張プロパティを削除する", + "SchemaCompare.DropIndexesNotInSource": "ソース内にないインデックスを削除する", + "SchemaCompare.IgnoreFileAndLogFilePath": "ファイルおよびログ ファイル パスを無視する", + "SchemaCompare.IgnoreExtendedProperties": "拡張プロパティを無視する", + "SchemaCompare.IgnoreDmlTriggerState": "DML トリガーの状態を無視する", + "SchemaCompare.IgnoreDmlTriggerOrder": "DML トリガーの順序を無視する", + "SchemaCompare.IgnoreDefaultSchema": "既定のスキーマを無視する", + "SchemaCompare.IgnoreDdlTriggerState": "DDL トリガーの状態を無視する", + "SchemaCompare.IgnoreDdlTriggerOrder": "DDL トリガーの順序を無視する", + "SchemaCompare.IgnoreCryptographicProviderFilePath": "暗号化プロバイダーのファイル パスを無視する", + "SchemaCompare.VerifyDeployment": "デプロイを確認する", + "SchemaCompare.IgnoreComments": "コメントを無視する", + "SchemaCompare.IgnoreColumnCollation": "列の照合順序を無視する", + "SchemaCompare.IgnoreAuthorizer": "承認者を無視する", + "SchemaCompare.IgnoreAnsiNulls": "AnsiNulls を無視する", + "SchemaCompare.GenerateSmartDefaults": "SmartDefaults の生成", + "SchemaCompare.DropStatisticsNotInSource": "ソース内にない統計をドロップする", + "SchemaCompare.DropRoleMembersNotInSource": "ソースに含まれないロール メンバーをドロップする", + "SchemaCompare.DropPermissionsNotInSource": "ソース内にないアクセス許可をドロップする", + "SchemaCompare.DropObjectsNotInSource": "ソース内にないオブジェクトをドロップする", + "SchemaCompare.IgnoreColumnOrder": "列の順序を無視する", + "SchemaCompare.Aggregates": "集約", + "SchemaCompare.ApplicationRoles": "アプリケーション ロール", + "SchemaCompare.Assemblies": "アセンブリ", + "SchemaCompare.AssemblyFiles": "アセンブリ ファイル", + "SchemaCompare.AsymmetricKeys": "非対称キー", + "SchemaCompare.BrokerPriorities": "ブローカーの優先度", + "SchemaCompare.Certificates": "証明書", + "SchemaCompare.ColumnEncryptionKeys": "列暗号化キー", + "SchemaCompare.ColumnMasterKeys": "列マスター キー", + "SchemaCompare.Contracts": "コントラクト", + "SchemaCompare.DatabaseOptions": "データベース オプション", + "SchemaCompare.DatabaseRoles": "データベース ロール", + "SchemaCompare.DatabaseTriggers": "データベース トリガー", + "SchemaCompare.Defaults": "既定値", + "SchemaCompare.ExtendedProperties": "拡張プロパティ", + "SchemaCompare.ExternalDataSources": "外部データ ソース", + "SchemaCompare.ExternalFileFormats": "外部ファイル形式", + "SchemaCompare.ExternalStreams": "外部ストリーム", + "SchemaCompare.ExternalStreamingJobs": "外部ストリーミング ジョブ", + "SchemaCompare.ExternalTables": "外部テーブル", + "SchemaCompare.Filegroups": "ファイル グループ", + "SchemaCompare.Files": "ファイル", + "SchemaCompare.FileTables": "ファイル テーブル", + "SchemaCompare.FullTextCatalogs": "フルテキスト カタログ", + "SchemaCompare.FullTextStoplists": "フルテキスト ストップリスト", + "SchemaCompare.MessageTypes": "メッセージ型", + "SchemaCompare.PartitionFunctions": "パーティション関数", + "SchemaCompare.PartitionSchemes": "パーティション構成", + "SchemaCompare.Permissions": "アクセス許可", + "SchemaCompare.Queues": "キュー", + "SchemaCompare.RemoteServiceBindings": "リモート サービス バインド", + "SchemaCompare.RoleMembership": "ロール メンバーシップ", + "SchemaCompare.Rules": "ルール", + "SchemaCompare.ScalarValuedFunctions": "スカラー値関数", + "SchemaCompare.SearchPropertyLists": "検索プロパティ リスト", + "SchemaCompare.SecurityPolicies": "セキュリティ ポリシー", + "SchemaCompare.Sequences": "シーケンス", + "SchemaCompare.Services": "サービス", + "SchemaCompare.Signatures": "署名", + "SchemaCompare.StoredProcedures": "ストアド プロシージャ", + "SchemaCompare.SymmetricKeys": "対称キー", + "SchemaCompare.Synonyms": "シノニム", + "SchemaCompare.Tables": "テーブル", + "SchemaCompare.TableValuedFunctions": "テーブル値関数", + "SchemaCompare.UserDefinedDataTypes": "ユーザー定義データ型", + "SchemaCompare.UserDefinedTableTypes": "ユーザー定義テーブル型", + "SchemaCompare.ClrUserDefinedTypes": "Clr ユーザー定義型", + "SchemaCompare.Users": "ユーザー", + "SchemaCompare.Views": "ビュー", + "SchemaCompare.XmlSchemaCollections": "XML スキーマ コレクション", + "SchemaCompare.Audits": "監査", + "SchemaCompare.Credentials": "資格情報", + "SchemaCompare.CryptographicProviders": "暗号化プロバイダー", + "SchemaCompare.DatabaseAuditSpecifications": "データベース監査の仕様", + "SchemaCompare.DatabaseEncryptionKeys": "データベース暗号化キー", + "SchemaCompare.DatabaseScopedCredentials": "データベース スコープ資格情報", + "SchemaCompare.Endpoints": "エンドポイント", + "SchemaCompare.ErrorMessages": "エラー メッセージ", + "SchemaCompare.EventNotifications": "イベント通知", + "SchemaCompare.EventSessions": "イベント セッション", + "SchemaCompare.LinkedServerLogins": "リンク サーバー ログイン", + "SchemaCompare.LinkedServers": "リンク サーバー", + "SchemaCompare.Logins": "ログイン", + "SchemaCompare.MasterKeys": "マスター キー", + "SchemaCompare.Routes": "ルート", + "SchemaCompare.ServerAuditSpecifications": "サーバー監査の仕様", + "SchemaCompare.ServerRoleMembership": "サーバー ロール メンバーシップ", + "SchemaCompare.ServerRoles": "サーバー ロール", + "SchemaCompare.ServerTriggers": "サーバー トリガー", + "SchemaCompare.Description.IgnoreTableOptions": "データベースに公開するとき、テーブル オプションの相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreSemicolonBetweenStatements": "データベースに公開するとき、T-SQL ステートメント間のセミコロンの相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreRouteLifetime": "データベースに公開するとき、SQL Server がルーティング テーブルにルートを保持する時間の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreRoleMembership": "データベースに公開するとき、ログインのロール メンバーシップの相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreQuotedIdentifiers": "データベースに公開するとき、引用符で囲まれた識別子の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnorePermissions": "権限を無視するかを指定します。", + "SchemaCompare.Description.IgnorePartitionSchemes": "データベースに公開するとき、パーティション構成と関数の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreObjectPlacementOnPartitionScheme": "データベースに公開するとき、パーティション構成でのオブジェクトの位置を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreNotForReplication": "データベースに公開するとき、レプリケーションでは使わない設定を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreLoginSids": "データベースに公開するとき、セキュリティ ID 番号 (SID) の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreLockHintsOnIndexes": "データベースに公開するとき、インデックスのロック ヒントの相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreKeywordCasing": "データベースに公開するとき、キーワードの大文字と小文字の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreIndexPadding": "データベースに公開するとき、インデックス パディングの相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreIndexOptions": "データベースに公開するとき、インデックス オプションの相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreIncrement": "データベースに公開するとき、ID 列のインクリメントの相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreIdentitySeed": "データベースに公開するとき、ID 列のシードの相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreUserSettingsObjects": "データベースに公開するとき、ユーザー設定オブジェクトの相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreFullTextCatalogFilePath": "データベースに公開するとき、フルテキスト カタログのファイル パスの相違を無視するか、または警告を発するかを指定します。", + "SchemaCompare.Description.IgnoreWhitespace": "データベースに公開するとき、空白の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreWithNocheckOnForeignKeys": "データベースに公開するとき、外部キーの WITH NOCHECK 句の値の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.VerifyCollationCompatibility": "照合順序の互換性を確認するかを指定します。", + "SchemaCompare.Description.UnmodifiableObjectWarnings": "ファイルのサイズまたはパスが異なるなど、変更できない相違がオブジェクトに見つかった場合に、警告を生成するかを指定します。", + "SchemaCompare.Description.TreatVerificationErrorsAsWarnings": "公開の検証中に発生したエラーを警告として扱うかを指定します。デプロイ計画をターゲット データベースに対して実行する前に、生成されたデプロイ計画がチェックされます。計画の検証では、変更を加えるために取り除く必要のあるターゲットのみのオブジェクト (インデックスなど) の損失などの問題が検出されます。また、複合プロジェクトへの参照のためテーブルやビューなどに依存関係が存在するのに、それがターゲット データベースに存在しない状況も検出されます。すべての問題の完全な一覧を取得するには、最初のエラー発生時に公開操作を停止するのではなく、この方法を使用することをお勧めします。", + "SchemaCompare.Description.ScriptRefreshModule": "公開スクリプトの末尾に更新ステートメントを含めます。", + "SchemaCompare.Description.ScriptNewConstraintValidation": "公開の最後に、すべての制約が 1 つのセットとしてチェックされるため、公開の途中でチェックまたは外部キー制約によってデータ エラーが発生することを回避できます。False に設定した場合、対応するデータをチェックすることなく制約が公開されます。", + "SchemaCompare.Description.ScriptFileSize": "ファイル グループにファイルを追加するときにサイズを指定するかを設定します。", + "SchemaCompare.Description.ScriptDeployStateChecks": "データベース名とサーバー名がデータベース プロジェクトで指定された名前と一致していることを確認するステートメントを公開スクリプト内に生成するかを指定します。", + "SchemaCompare.Description.ScriptDatabaseOptions": "ターゲット データベースのプロパティを公開操作の一部として設定するか、更新するかを指定します。", + "SchemaCompare.Description.ScriptDatabaseCompatibility": "データベースに公開するとき、データベース互換性の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.ScriptDatabaseCollation": "データベースに公開するとき、データベース照合順序の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.RunDeploymentPlanExecutors": "他の操作が実行されているときに、DeploymentPlanExecutor の共同作成者を実行するかを指定します。", + "SchemaCompare.Description.RegisterDataTierApplication": "スキーマをデータベース サーバーに登録するかを指定します。", + "SchemaCompare.Description.PopulateFilesOnFileGroups": "ターゲット データベースで新しいファイル グループが作成されたときに新しいファイルも作成するかを指定します。", + "SchemaCompare.Description.NoAlterStatementsToChangeClrTypes": "アセンブリに相違がある場合、公開で ALTER ASSEMBLY ステートメントを発行するのではなく、常にアセンブリを削除して作成し直すことを指定します。", + "SchemaCompare.Description.IncludeTransactionalScripts": "データベースに公開するとき、可能であればトランザクション ステートメントを使用するかを指定します。", + "SchemaCompare.Description.IncludeCompositeObjects": "単一の公開操作の一部としてすべての複合要素を含めます。", + "SchemaCompare.Description.AllowUnsafeRowLevelSecurityDataMovement": "このプロパティが true に設定されている場合、行レベル セキュリティを使用するテーブルに対するデータ モーションをブロックしません。既定値は false です。", + "SchemaCompare.Description.IgnoreWithNocheckOnCheckConstraints": "データベースに公開するとき、CHECK 制約の WITH NOCHECK 句の値の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreFillFactor": "データベースに公開するとき、インデックス格納の FILL FACTOR の相違を無視するか、または警告を発するかを指定します。", + "SchemaCompare.Description.IgnoreFileSize": "データベースに公開するとき、ファイル サイズの相違を無視するか、または警告を発するかを指定します。", + "SchemaCompare.Description.IgnoreFilegroupPlacement": "データベースに公開するとき、FILEGROUP 内のオブジェクトの配置の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.DoNotAlterReplicatedObjects": "検証中に、レプリケートされるオブジェクトを特定するかを指定します。", + "SchemaCompare.Description.DoNotAlterChangeDataCaptureObjects": "true の場合、Change Data Capture オブジェクトは変更されません。", + "SchemaCompare.Description.DisableAndReenableDdlTriggers": "Data Definition Language (DDL) トリガーを公開プロセスの開始時点で無効にし、公開操作の終了時点で再び有効にするかを指定します。", + "SchemaCompare.Description.DeployDatabaseInSingleUserMode": "true の場合、データベースはデプロイ前にシングル ユーザー モードに設定されます。", + "SchemaCompare.Description.CreateNewDatabase": "データベースに公開するときに、ターゲット データベースを更新するか、削除して作成し直すかを指定します。", + "SchemaCompare.Description.CompareUsingTargetCollation": "この設定は、デプロイの際にデータベースの照合順序を処理する方法を決定します。既定では、ターゲット データベースの照合順序がソースによって指定された照合順序と一致しない場合は更新されます。このオプションを設定すると、ターゲット データベース (またはサーバー) の照合順序を使用する必要があります。", + "SchemaCompare.Description.CommentOutSetVarDeclarations": "生成された公開スクリプトで SETVAR 変数の宣言をコメントにするかを指定します。SQLCMD.EXE などのツールを使用して公開するときにコマンド ラインに値を指定する場合は、このオプションを選択することをお勧めします。", + "SchemaCompare.Description.BlockWhenDriftDetected": "スキーマがその登録内容と一致しなくなったか、登録が解除されているデータベースの更新を、ブロックするかを指定します。", + "SchemaCompare.Description.BlockOnPossibleDataLoss": "公開操作によるデータ損失の可能性がある場合に、今回の公開を終了するかを指定します。", + "SchemaCompare.Description.BackupDatabaseBeforeChanges": "変更をデプロイする前にデータベースをバックアップします。", + "SchemaCompare.Description.AllowIncompatiblePlatform": "互換性のない SQL Server プラットフォームであっても操作を行うかを指定します。", + "SchemaCompare.Description.AllowDropBlockingAssemblies": "このプロパティは、デプロイ計画の一部として、ブロックしているアセンブリを削除するために、SqlClr デプロイによって使用されます。既定では、参照しているアセンブリを削除する必要がある場合、ブロックまたは参照しているアセンブリは、アセンブリの更新をブロックします。", + "SchemaCompare.Description.DropConstraintsNotInSource": "データベースに公開するとき、データベース スナップショット (.dacpac) ファイルに存在しない制約をターゲット データベースから削除するかを指定します。", + "SchemaCompare.Description.DropDmlTriggersNotInSource": "データベースに公開するとき、データベース スナップショット (.dacpac) ファイルに存在しない DML トリガーが、ターゲット データベースから削除されるかを指定します。", + "SchemaCompare.Description.DropExtendedPropertiesNotInSource": "データベースに公開するとき、データベース スナップショット (.dacpac) ファイルに存在しない拡張プロパティをターゲット データベースから削除するかを指定します。", + "SchemaCompare.Description.DropIndexesNotInSource": "データベースに公開するとき、データベース スナップショット (.dacpac) ファイルに存在しないインデックスをターゲット データベースから削除するかを指定します。", + "SchemaCompare.Description.IgnoreFileAndLogFilePath": "データベースに公開するとき、ファイルおよびログ ファイルのパスの相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreExtendedProperties": "拡張プロパティを無視するかを指定します。", + "SchemaCompare.Description.IgnoreDmlTriggerState": "データベースに公開するとき、DML トリガーの有効または無効にされた状態の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreDmlTriggerOrder": "データベースに公開するとき、データ操作言語 (DML) トリガーの順序の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreDefaultSchema": "データベースに公開するとき、既定のスキーマの相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreDdlTriggerState": "データベースに公開するとき、データ定義言語 (DDL) トリガーの有効または無効にされた状態の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreDdlTriggerOrder": "データベースまたはサーバーに公開するとき、データ定義言語 (DDL) トリガーの順序の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreCryptographicProviderFilePath": "データベースに公開するとき、暗号化プロバイダーのファイル パスの相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.VerifyDeployment": "公開の成功を妨げるような問題が生じた場合に、公開操作を停止する前にチェックを実行するかを指定します。たとえば、データベース プロジェクトに存在しない外部キーがターゲット データベースにあって、公開時にエラーが発生すると、公開操作が停止することがあります。", + "SchemaCompare.Description.IgnoreComments": "データベースに公開するとき、コメントの相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreColumnCollation": "データベースに公開するとき、列の照合順序の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreAuthorizer": "データベースに公開するとき、Authorizer の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.IgnoreAnsiNulls": "データベースに公開するとき、ANSI NULLS 設定の相違を無視するか、更新するかを指定します。", + "SchemaCompare.Description.GenerateSmartDefaults": "NULL 値を許可しない列を使用してデータが含まれるテーブルを更新するときに、自動的に既定値を指定します。", + "SchemaCompare.Description.DropStatisticsNotInSource": "データベースに公開するとき、データベース スナップショット (.dacpac) ファイルに存在しない統計をターゲット データベースから削除するかを指定します。", + "SchemaCompare.Description.DropRoleMembersNotInSource": "データベースに更新を公開するとき、データベース スナップショット (.dacpac) ファイルで定義されていないロール メンバーをターゲット データベースから削除するかを指定します。 色をマップします。たとえば、「'column1': red」を追加して、この列で赤色が使用されるようにします ", - "legendDescription": "グラフの凡例の優先される位置と表示範囲を示します。これはクエリに基づく列名で、各グラフ項目のラベルにマップされます", - "labelFirstColumnDescription": "dataDirection が横の場合、true に設定すると凡例に最初の列値が使用されます。", - "columnsAsLabels": "dataDirection が縦の場合、true に設定すると凡例に列名が使用されます。", - "dataDirectionDescription": "データを列 (縦) 方向から、または行 (横) 方向から読み取るかを定義します。時系列の場合、方向は縦にする必要があるため、これは無視されます。", - "showTopNData": "showTopNData を設定すると、上位 N 個のデータのみがグラフに表示されます。" - }, - "sql/platform/dashboard/browser/insightRegistry": { - "schema.dashboardWidgets.InsightsRegistry": "ダッシュ ボードで使用されているウィジェット" - }, - "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { - "resourceViewer.showActions": "アクションの表示", - "resourceViewerInput.resourceViewer": "リソース ビューアー" - }, - "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { - "extension.contributes.resourceView.resource.id": "リソースの識別子。", - "extension.contributes.resourceView.resource.name": "ビューの判読できる名前。これが表示されます", - "extension.contributes.resourceView.resource.icon": "リソース アイコンへのパス。", - "extension.contributes.resourceViewResources": "リソースをリソース ビューに提供します", - "requirestring": "プロパティ `{0}` は必須で、`string` 型でなければなりません", - "optstring": "プロパティ `{0}` は省略するか、`string` 型にする必要があります" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { - "resourceViewer.ariaLabel": "リソース ビューアー ツリー" - }, - "sql/platform/dashboard/browser/widgetRegistry": { - "schema.dashboardWidgets.all": "ダッシュ ボードで使用されているウィジェット", - "schema.dashboardWidgets.database": "ダッシュ ボードで使用されているウィジェット", - "schema.dashboardWidgets.server": "ダッシュ ボードで使用されているウィジェット" - }, - "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { - "azdata.extension.contributes.widget.when": "この項目を表示するために true にする必要がある条件", - "azdata.extension.contributes.widget.hideHeader": "ウィジェットのヘッダーを非表示にするかどうか。既定値は false です。", - "dashboardpage.tabName": "コンテナーのタイトル", - "dashboardpage.rowNumber": "グリッド内のコンポーネントの行", - "dashboardpage.rowSpan": "グリッド内のコンポーネントの rowspan。既定値は 1 です。グリッド内の行数に設定するには '*' を使用します。", - "dashboardpage.colNumber": "グリッド内のコンポーネントの列", - "dashboardpage.colspan": "グリッドのコンポーネントの colspan。既定値は 1 です。グリッドの列数に設定するには '*' を使用します。", - "azdata.extension.contributes.dashboardPage.tab.id": "このタブの一意の識別子。すべての要求で拡張機能に渡されます。", - "dashboardTabError": "拡張機能タブが不明またはインストールされていません。" - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { - "dashboardDatabaseProperties": "プロパティ ウィジェットを有効または無効にする", - "dashboard.databaseproperties": "表示するプロパティ値", - "dashboard.databaseproperties.displayName": "プロパティの表示名", - "dashboard.databaseproperties.value": "データベース情報オブジェクトの値", - "dashboard.databaseproperties.ignore": "無視する特定の値を指定します", - "recoveryModel": "復旧モデル", - "lastDatabaseBackup": "前回のデータベース バックアップ", - "lastLogBackup": "最終ログ バックアップ", - "compatibilityLevel": "互換性レベル", - "owner": "所有者", - "dashboardDatabase": "データベース ダッシュボード ページをカスタマイズする", - "objectsWidgetTitle": "検索", - "dashboardDatabaseTabs": "データベース ダッシュボード タブをカスタマイズする" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { - "dashboardServerProperties": "プロパティ ウィジェットを有効または無効にする", - "dashboard.serverproperties": "表示するプロパティ値", - "dashboard.serverproperties.displayName": "プロパティの表示名", - "dashboard.serverproperties.value": "サーバー情報オブジェクトの値", - "version": "バージョン", - "edition": "エディション", - "computerName": "コンピューター名", - "osVersion": "OS バージョン", - "explorerWidgetsTitle": "検索", - "dashboardServer": "サーバー ダッシュ ボード ページをカスタマイズします", - "dashboardServerTabs": "サーバー ダッシュボードのタブをカスタマイズします" - }, - "sql/workbench/contrib/dashboard/browser/dashboardActions": { - "ManageAction": "管理" - }, - "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { - "opticon": "プロパティ `icon` は省略するか、文字列または `{dark, light}` などのリテラルにする必要があります" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { - "insightWidgetDescription": "ウィジェットを追加します。そこでは、サーバーまたはデータベースのクエリを実行して、その結果をグラフや集計されたカウントなどの複数の方法で表示できます", - "insightIdDescription": "分析情報の結果をキャッシュするために使用される一意識別子。", - "insightQueryDescription": "実行する SQL クエリ。返す結果セットは 1 つのみでなければなりません。", - "insightQueryFileDescription": "[省略可能] クエリを含むファイルへのパス。'クエリ' が設定されていない場合に使用します", - "insightAutoRefreshIntervalDescription": "[省略可能] 分単位の自動更新間隔。設定しないと、自動更新されません", - "actionTypes": "使用するアクション", - "actionDatabaseDescription": "アクションのターゲット データベース。形式 '${ columnName }' を使用して、データ ドリブン列名を使用できます。", - "actionServerDescription": "アクションのターゲット サーバー。形式 '${ columnName }' を使用して、データ ドリブン列名を使用できます。", - "actionUserDescription": "アクションのターゲット ユーザー。形式 '${ columnName }' を使用して、データ ドリブン列名を使用できます。", - "carbon.extension.contributes.insightType.id": "分析情報の識別子", - "carbon.extension.contributes.insights": "ダッシュボード パレットに分析情報を提供します。" - }, - "sql/workbench/contrib/backup/browser/backupActions": { - "backupAction.backup": "バックアップ", - "backup.isPreviewFeature": "バックアップを使用するにはプレビュー機能を有効にする必要があります", - "backup.commandNotSupported": "Azure SQL データベースでは、バックアップ コマンドはサポートされていません。", - "backup.commandNotSupportedForServer": "バックアップ コマンドは、サーバー コンテキストではサポートされていません。データベースを選択して、もう一度お試しください。" - }, - "sql/workbench/contrib/restore/browser/restoreActions": { - "restoreAction.restore": "復元", - "restore.isPreviewFeature": "復元を使用するには、プレビュー機能を有効にする必要があります", - "restore.commandNotSupported": "Azure SQL データベースでは、復元コマンドはサポートされていません。" - }, - "sql/workbench/contrib/extensions/browser/extensionsActions": { - "showRecommendations": "推奨事項を表示", - "Install Extensions": "拡張機能のインストール", - "openExtensionAuthoringDocs": "拡張機能の作成..." - }, - "sql/workbench/browser/editData/editDataInput": { - "connectionFailure": "編集データ セッションの接続に失敗しました" - }, - "sql/workbench/browser/modal/optionsDialog": { - "optionsDialog.ok": "OK", - "optionsDialog.cancel": "キャンセル" - }, - "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { - "newDashboardTab.openDashboardExtensions": "ダッシュボードの拡張機能を開く", - "newDashboardTab.ok": "OK", - "newDashboardTab.cancel": "キャンセル", - "newdashboardTabDialog.noExtensionLabel": "まだダッシュボードの拡張機能がインストールされていません。拡張機能マネージャーに移動し、推奨される拡張機能をご確認ください。" - }, - "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { - "filebrowser.filepath": "選択されたパス", - "fileFilter": "ファイルの種類", - "fileBrowser.ok": "OK", - "fileBrowser.discard": "破棄" - }, - "sql/workbench/services/insights/browser/insightsDialogController": { - "insightsInputError": "分析情報ポップアップに渡された接続プロファイルはありませんでした", - "insightsError": "分析情報エラー", - "insightsFileError": "クエリ ファイルの読み取り中にエラーが発生しました: ", - "insightsConfigError": "分析情報の構成の解析中にエラーが発生しました。クエリ配列/文字列、またはクエリ ファイルが見つかりませんでした" - }, - "sql/workbench/services/accountManagement/browser/accountPickerImpl": { - "azureAccount": "Azure アカウント", - "azureTenant": "Azure テナント" - }, - "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { - "showDataExplorer": "接続の表示", - "dataExplorer.servers": "サーバー", - "dataexplorer.name": "接続" - }, - "sql/workbench/contrib/tasks/browser/tasksView": { - "noTaskMessage": "表示するタスク履歴がありません。", - "taskHistory.regTreeAriaLabel": "タスク履歴", - "taskError": "タスク エラー" - }, - "sql/workbench/services/connection/browser/connectionActions": { - "ClearRecentlyUsedLabel": "リストのクリア", - "ClearedRecentConnections": "最近の接続履歴をクリアしました", - "connectionAction.yes": "はい", - "connectionAction.no": "いいえ", - "clearRecentConnectionMessage": "一覧からすべての接続を削除してよろしいですか?", - "connectionDialog.yes": "はい", - "connectionDialog.no": "いいえ", - "delete": "削除", - "connectionAction.GetCurrentConnectionString": "現在の接続文字列を取得する", - "connectionAction.connectionString": "接続文字列は使用できません", - "connectionAction.noConnection": "使用できるアクティブな接続がありません" - }, - "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { - "connectionTree.refresh": "最新の情報に更新", - "connectionTree.editConnection": "接続の編集", - "DisconnectAction": "切断", - "connectionTree.addConnection": "新しい接続", - "connectionTree.addServerGroup": "新しいサーバー グループ", - "connectionTree.editServerGroup": "サーバー グループの編集", - "activeConnections": "アクティブな接続を表示", - "showAllConnections": "すべての接続を表示", - "recentConnections": "最近の接続", - "deleteConnection": "接続の削除", - "deleteConnectionGroup": "グループの削除" - }, - "sql/workbench/contrib/editData/browser/editDataActions": { - "editData.run": "実行", - "disposeEditFailure": "編集内容の破棄がエラーで失敗しました: ", - "editData.stop": "停止", - "editData.showSql": "SQL ペインの表示", - "editData.closeSql": "SQL ペインを閉じる" - }, - "sql/workbench/browser/editor/profiler/profilerInput": { - "profilerInput.profiler": "プロファイラー", - "profilerInput.notConnected": "未接続", - "profiler.sessionStopped": "サーバー {0} で XEvent Profiler セッションが予期せず停止しました。", - "profiler.sessionCreationError": "新しいセッションを開始中にエラーが発生しました", - "profiler.eventsLost": "{0} の XEvent Profiler セッションのイベントが失われました。" - }, - "sql/workbench/browser/modelComponents/loadingComponent.component": { + "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { "loadingMessage": "読み込み中", "loadingCompletedMessage": "読み込み完了" }, - "sql/workbench/services/serverGroup/browser/serverGroupDialog": { - "ServerGroupsDialogTitle": "サーバー グループ", - "serverGroup.ok": "OK", - "serverGroup.cancel": "キャンセル", - "connectionGroupName": "サーバー グループ名", - "MissingGroupNameError": "グループ名が必須です。", - "groupDescription": "グループの説明", - "groupColor": "グループの色" + "sql/base/browser/ui/panel/panel.component": { + "hideTextLabel": "テキスト ラベルの非表示", + "showTextLabel": "テキスト ラベルの表示" }, - "sql/workbench/services/accountManagement/browser/accountDialogController": { - "accountDialog.addAccountErrorTitle": "アカウントの追加でのエラー" - }, - "sql/workbench/services/insights/browser/insightsDialogView": { - "insights.item": "アイテム", - "insights.value": "値", - "insightsDetailView.name": "分析情報の詳細", - "property": "プロパティ", - "value": "値", - "InsightsDialogTitle": "分析情報", - "insights.dialog.items": "アイテム", - "insights.dialog.itemDetails": "アイテムの詳細" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { - "oauthFlyoutIsAlreadyOpen": "自動 OAuth を開始できません。自動 OAuth は既に進行中です。" - }, - "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { - "eventSort": "イベントで並べ替え", - "nameColumn": "列で並べ替え", - "profilerColumnDialog.profiler": "プロファイラー", - "profilerColumnDialog.ok": "OK", - "profilerColumnDialog.cancel": "キャンセル" - }, - "sql/workbench/services/profiler/browser/profilerFilterDialog": { - "profilerFilterDialog.clear": "すべてクリア", - "profilerFilterDialog.apply": "適用", - "profilerFilterDialog.ok": "OK", - "profilerFilterDialog.cancel": "キャンセル", - "profilerFilterDialog.title": "フィルター", - "profilerFilterDialog.remove": "この句を削除する", - "profilerFilterDialog.saveFilter": "フィルターを保存する", - "profilerFilterDialog.loadFilter": "フィルターを読み込む", - "profilerFilterDialog.addClauseText": "句を追加する", - "profilerFilterDialog.fieldColumn": "フィールド", - "profilerFilterDialog.operatorColumn": "演算子", - "profilerFilterDialog.valueColumn": "値", - "profilerFilterDialog.isNullOperator": "Null である", - "profilerFilterDialog.isNotNullOperator": "Null でない", - "profilerFilterDialog.containsOperator": "含む", - "profilerFilterDialog.notContainsOperator": "含まない", - "profilerFilterDialog.startsWithOperator": "次で始まる", - "profilerFilterDialog.notStartsWithOperator": "次で始まらない" - }, - "sql/workbench/contrib/editData/browser/gridActions": { - "saveAsCsv": "CSV として保存", - "saveAsJson": "JSON として保存", - "saveAsExcel": "Excel として保存", - "saveAsXml": "XML として保存", - "copySelection": "コピー", - "copyWithHeaders": "ヘッダー付きでコピー", - "selectAll": "すべて選択" - }, - "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { - "dashboard.properties.property": "ダッシュ ボードに表示するプロパティを定義します", - "dashboard.properties.property.displayName": "プロパティのラベルとして使用する値", - "dashboard.properties.property.value": "値にアクセスするためのオブジェクト内の値", - "dashboard.properties.property.ignore": "無視される値を指定します", - "dashboard.properties.property.default": "無視されるか値がない場合に表示される既定値です", - "dashboard.properties.flavor": "ダッシュボードのプロパティを定義するためのフレーバー", - "dashboard.properties.flavor.id": "フレーバーの ID", - "dashboard.properties.flavor.condition": "このフレーバーを使用する条件", - "dashboard.properties.flavor.condition.field": "比較するフィールド", - "dashboard.properties.flavor.condition.operator": "比較に使用する演算子", - "dashboard.properties.flavor.condition.value": "フィールドを比較する値", - "dashboard.properties.databaseProperties": "データベース ページに表示するプロパティ", - "dashboard.properties.serverProperties": "サーバー ページに表示するプロパティ", - "carbon.extension.dashboard": "このプロバイダーがダッシュボードをサポートすることを定義します", - "dashboard.id": "プロバイダー ID (例: MSSQL)", - "dashboard.properties": "ダッシュボードに表示するプロパティ値" - }, - "sql/workbench/browser/modelComponents/inputbox.component": { - "invalidValueError": "無効な値", - "period": "{0}。{1}" - }, - "sql/workbench/browser/modelComponents/dropdown.component": { - "loadingMessage": "読み込み中", - "loadingCompletedMessage": "読み込み完了" - }, - "sql/workbench/browser/modelComponents/declarativeTable.component": { - "blankValue": "空白", - "checkAllColumnLabel": "列 {0} のすべてのチェック ボックスをオンにする" - }, - "sql/workbench/api/common/extHostModelViewTree": { - "treeView.notRegistered": "ID '{0}' のツリー ビューは登録されていません。" - }, - "sql/workbench/services/editData/common/editQueryRunner": { - "query.initEditExecutionFailed": "編集データ セッションを初期化できませんでした: " - }, - "sql/workbench/services/notebook/common/notebookRegistry": { - "carbon.extension.contributes.notebook.provider": "ノートブック プロバイダーの識別子。", - "carbon.extension.contributes.notebook.fileExtensions": "このノートブック プロバイダーにどのファイル拡張子を登録する必要があるか", - "carbon.extension.contributes.notebook.standardKernels": "このノートブック プロバイダーへの標準装備が必要なカーネル", - "vscode.extension.contributes.notebook.providers": "ノートブック プロバイダーを提供します。", - "carbon.extension.contributes.notebook.magic": "'%%sql' などのセル マジックの名前。", - "carbon.extension.contributes.notebook.language": "このセル マジックがセルに含まれる場合に使用されるセルの言語", - "carbon.extension.contributes.notebook.executionTarget": "Spark / SQL など、このマジックが示すオプションの実行対象", - "carbon.extension.contributes.notebook.kernels": "これが有効なカーネルのオプションのセット (python3、pyspark、sql など)", - "vscode.extension.contributes.notebook.languagemagics": "ノートブックの言語を提供します。" - }, - "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { - "runActiveCell": "F5 ショートカット キーでは、コード セルを選択する必要があります。実行するコード セルを選択してください。", - "clearResultActiveCell": "結果をクリアするには、コード セルを選択する必要があります。実行するコード セルを選択してください。" - }, - "sql/workbench/services/notebook/browser/interfaces": { - "sqlKernel": "SQL" - }, - "sql/workbench/contrib/editData/browser/editDataEditor": { - "maxRowTaskbar": "最大行数:" - }, - "sql/workbench/contrib/profiler/browser/profilerEditor": { - "profiler.viewSelectAccessibleName": "ビューの選択", - "profiler.sessionSelectAccessibleName": "セッションの選択", - "profiler.sessionSelectLabel": "セッションを選択:", - "profiler.viewSelectLabel": "ビューを選択:", - "text": "テキスト", - "label": "ラベル", - "profilerEditor.value": "値", - "details": "詳細" - }, - "sql/workbench/contrib/query/browser/statusBarItems": { - "status.query.timeElapsed": "経過時間", - "status.query.rowCount": "行数", - "rowCount": "{0} 行", - "query.status.executing": "クエリを実行しています...", - "status.query.status": "実行状態", - "status.query.selection-summary": "選択の要約", - "status.query.summaryText": "平均: {0} 数: {1} 合計: {2}" - }, - "sql/workbench/contrib/query/browser/flavorStatus": { - "chooseSqlLang": "SQL 言語の選択", - "changeProvider": "SQL 言語プロバイダーの変更", - "status.query.flavor": "SQL 言語のフレーバー", - "changeSqlProvider": "SQL エンジン プロバイダーの変更", - "alreadyConnected": "エンジン {0} を使用している接続が存在します。変更するには、切断するか、接続を変更してください", - "noEditor": "現時点でアクティブなテキスト エディターはありません", - "pickSqlProvider": "言語プロバイダーの選択" - }, - "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { - "plotlyError": "Plotly グラフの表示エラー: {0}" - }, - "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { - "noRendererFound": "出力用の {0} レンダラーが見つかりませんでした。次の MIME の種類があります: {1}。", - "safe": "(安全) " - }, - "sql/workbench/browser/scriptingActions": { - "scriptSelect": "上位 1000 を選択する", - "scriptKustoSelect": "10 個", - "scriptExecute": "実行としてのスクリプト", - "scriptAlter": "変更としてのスクリプト", - "editData": "データの編集", - "scriptCreate": "作成としてのスクリプト", - "scriptDelete": "ドロップとしてのスクリプト" - }, - "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { - "providerRequired": "有効な providerId を持つ NotebookProvider をこのメソッドに渡す必要があります" - }, - "sql/workbench/api/common/extHostNotebook": { - "providerRequired": "有効な providerId を持つ NotebookProvider をこのメソッドに渡す必要があります", - "errNoProvider": "ノートブック プロバイダーが見つかりません", - "errNoManager": "マネージャーが見つかりません", - "noServerManager": "ノートブック {0} の Notebook Manager にサーバー マネージャーがありません。それに対して操作を実行できません", - "noContentManager": "ノートブック {0} の Notebook Manager にコンテンツ マネージャーがありません。それに対して操作を実行できません", - "noSessionManager": "ノートブック {0} の Notebook Manager にセッション マネージャーがありません。それに対して操作を実行できません" - }, - "sql/workbench/services/connection/browser/connectionManagementService": { - "connection.noAzureAccount": "接続用の Azure アカウント トークンの取得に失敗しました", - "connectionNotAcceptedError": "接続が承認されていません", - "connectionService.yes": "はい", - "connectionService.no": "いいえ", - "cancelConnectionConfirmation": "この接続をキャンセルしてもよろしいですか?" - }, - "sql/workbench/contrib/webview/browser/webViewDialog": { - "webViewDialog.ok": "OK", - "webViewDialog.close": "閉じる" - }, - "sql/workbench/contrib/notebook/browser/notebookActions": { - "loading": "カーネルを読み込んでいます...", - "changing": "カーネルを変更しています...", - "AttachTo": "接続先: ", - "Kernel": "カーネル ", - "loadingContexts": "コンテキストを読み込んでいます...", - "changeConnection": "接続の変更", - "selectConnection": "接続を選択", - "localhost": "localhost", - "noKernel": "カーネルなし", - "clearResults": "結果のクリア", - "trustLabel": "信頼されています", - "untrustLabel": "信頼されていません", - "collapseAllCells": "セルを折りたたむ", - "expandAllCells": "セルを展開する", - "noContextAvailable": "なし", - "newNotebookAction": "新しいノートブック", - "notebook.findNext": "次の文字列を検索", - "notebook.findPrevious": "前の文字列を検索" - }, - "sql/workbench/contrib/queryPlan/browser/queryPlan": { - "queryPlanTitle": "クエリ プラン" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { - "resourceViewer.refresh": "最新の情報に更新" - }, - "sql/workbench/services/dialog/browser/dialogPane": { - "wizardPageNumberDisplayText": "ステップ {0}" - }, - "sql/base/parts/editableDropdown/browser/dropdown": { - "editableDropdown.errorValidate": "一覧からオプションを選択する必要があります", - "selectBox": "ボックスを選択" + "sql/base/browser/ui/panel/tabActions": { + "closeTab": "閉じる" }, "sql/base/browser/ui/selectBox/selectBox": { "alertErrorMessage": "エラー: {0}", "alertWarningMessage": "警告: {0}", "alertInfoMessage": "情報: {0}" }, - "sql/workbench/services/connection/browser/connectionDialogWidget": { - "connection": "接続", - "connecting": "接続しています", - "connectType": "接続の種類", - "recentConnectionTitle": "最近の接続", - "savedConnectionTitle": "保存された接続", - "connectionDetailsTitle": "接続の詳細", - "connectionDialog.connect": "接続", - "connectionDialog.cancel": "キャンセル", - "connectionDialog.recentConnections": "最近の接続", - "noRecentConnections": "最近の接続はありません", - "connectionDialog.savedConnections": "保存された接続", - "noSavedConnections": "保存された接続はありません" + "sql/base/browser/ui/table/formatters": { + "tableCell.NoDataAvailable": "利用できるデータはありません" }, - "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { - "fileBrowser.regTreeAriaLabel": "ファイル ブラウザー ツリー" + "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { + "selectDeselectAll": "すべて選択/選択解除" }, - "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { - "from": "開始", - "to": "終了", - "createNewFirewallRule": "新しいファイアウォール規則の作成", - "firewall.ok": "OK", - "firewall.cancel": "キャンセル", - "firewallRuleDialogDescription": "このクライアント IP アドレスではサーバーにアクセスできません。アクセスできるようにするには、Azure アカウントにサインインし、新しいファイアウォール規則を作成します。", - "firewallRuleHelpDescription": "ファイアウォール設定の詳細情報", - "filewallRule": "ファイアウォール規則", - "addIPAddressLabel": "自分のクライアント IP アドレスを追加 ", - "addIpRangeLabel": "自分のサブネット IP 範囲を追加" + "sql/base/browser/ui/table/plugins/headerFilter.plugin": { + "headerFilter.showFilter": "フィルターの表示", + "table.selectAll": "すべて選択", + "table.searchPlaceHolder": "検索", + "tableFilter.visibleCount": "{0} 件の結果", + "tableFilter.selectedCount": "{0} 件選択済み", + "table.sortAscending": "昇順で並べ替え", + "table.sortDescending": "降順で並べ替え", + "headerFilter.ok": "OK", + "headerFilter.clear": "クリア", + "headerFilter.cancel": "キャンセル", + "table.filterOptions": "フィルター オプション" }, - "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { - "allFiles": "すべてのファイル" + "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { + "loadingSpinner.loading": "読み込み中" }, - "sql/workbench/services/insights/common/insightsUtils": { - "insightsDidNotFindResolvedFile": "クエリ ファイルが、次のどのパスにも見つかりませんでした:\r\n {0}" + "sql/base/browser/ui/table/plugins/rowDetailView": { + "rowDetailView.loadError": "読み込みエラー..." }, - "sql/workbench/services/accountManagement/browser/accountListRenderer": { - "refreshCredentials": "このアカウントの資格情報を更新する必要があります。" + "sql/base/browser/ui/taskbar/overflowActionbar": { + "toggleMore": "詳細の切り替え" + }, + "sql/base/common/locConstants": { + "azuredatastudio": "Azure Data Studio", + "default": "自動更新チェックを有効にします。Azure Data Studio は、更新プログラムを自動的かつ定期的に確認します。", + "enableWindowsBackgroundUpdates": "Windows で新しい Azure Data Studio バージョンをバックグラウンドでダウンロードしてインストールできるようにする", + "showReleaseNotes": "更新後にリリース ノートを表示します。リリース ノートが新しい Web ブラウザー ウィンドウで開きます。", + "dashboard.toolbar": "ダッシュボード ツールバーのアクション メニュー", + "notebook.cellTitle": "ノートブックのセル タイトル メニュー", + "notebook.title": "ノートブックのタイトル メニュー", + "notebook.toolbar": "ノートブックのツール バー メニュー", + "dataExplorer.action": "dataexplorer ビュー コンテナーのタイトル アクション メニュー", + "dataExplorer.context": "データエクスプローラー項目のコンテキスト メニュー", + "objectExplorer.context": "オブジェクト エクスプローラー項目のコンテキスト メニュー", + "connectionDialogBrowseTree.context": "接続ダイアログの閲覧ツリーのコンテキスト メニュー", + "dataGrid.context": "データ グリッド項目のコンテキスト メニュー", + "extensionsPolicy": "拡張機能をダウンロードするためのセキュリティ ポリシーを設定します。", + "InstallVSIXAction.allowNone": "拡張機能のポリシーでは、拡張機能のインストールは許可されていません。拡張機能ポリシーを変更して、もう一度お試しください。", + "InstallVSIXAction.successReload": "VSIX からの {0} 拡張機能のインストールが完了しました。有効にするには、Azure Data Studio を再度読み込んでください。", + "postUninstallTooltip": "この拡張機能のアンインストールを完了するには、Azure Data Studio を再度読み込んでください。", + "postUpdateTooltip": "更新された拡張機能を有効にするには、Azure Data Studio を再度読み込んでください。", + "enable locally": "この拡張機能をローカルで有効にするには、Azure Data Studio を再度読み込んでください。", + "postEnableTooltip": "この拡張機能を有効にするには、Azure Data Studio を再度読み込んでください。", + "postDisableTooltip": "更新された拡張機能を無効にするには、Azure Data Studio を再度読み込んでください。", + "uninstallExtensionComplete": "拡張機能 {0}のアンインストールを完了するには、Azure Data Studio を再度読み込んでください。", + "enable remote": "この拡張機能を {0} で有効にするには、Azure Data Studio を再度読み込んでください。", + "installExtensionCompletedAndReloadRequired": "拡張機能 {0} のインストールが完了しました。これを有効にするには、Azure Data Studio を再度読み込んでください。", + "ReinstallAction.successReload": "拡張機能 {0}の再インストールを完了するには、Azure Data Studio を再度読み込んでください。", + "recommendedExtensions": "マーケット プレース", + "scenarioTypeUndefined": "拡張機能の推奨事項のシナリオの種類を指定する必要があります。", + "incompatible": "Azure Data Studio '{1}' と互換性がないため、拡張機能 '{0}' をインストールできません。", + "newQuery": "新しいクエリ", + "miNewQuery": "新しいクエリ(&Q)", + "miNewNotebook": "新しいノートブック(&N)", + "maxMemoryForLargeFilesMB": "大きなファイルを開こうとすると再起動後に Azure Data Studio に対して使用できるメモリを制御します。コマンド ラインで '--max-memory=NEWSIZE' を指定する場合と同じ効果があります。", + "updateLocale": "Azure Data Studio の UI 言語を {0} に変更して再起動しますか?", + "activateLanguagePack": "{0}で Azure Data Studio を使用するには、Azure Data Studio を再起動する必要があります。", + "watermark.newSqlFile": "新しい SQL ファイル", + "watermark.newNotebook": "新しいノートブック", + "miinstallVsix": "VSIX パッケージから拡張機能をインストールする" + }, + "sql/base/parts/editableDropdown/browser/dropdown": { + "editableDropdown.errorValidate": "一覧からオプションを選択する必要があります", + "selectBox": "ボックスを選択" }, "sql/platform/accounts/common/accountActions": { "addAccount": "アカウントを追加します", @@ -10190,354 +9358,24 @@ "refreshAccount": "資格情報を再入力してください", "NoAccountToRefresh": "更新するアカウントはありません" }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { - "showNotebookExplorer": "ノートブックの表示", - "notebookExplorer.searchResults": "検索結果", - "searchPathNotFoundError": "検索パスが見つかりません: {0}", - "notebookExplorer.name": "ノートブック" + "sql/platform/clipboard/browser/clipboardService": { + "imageCopyingNotSupported": "イメージのコピーはサポートされていません" }, - "sql/workbench/contrib/query/browser/keyboardQueryActions": { - "focusOnCurrentQueryKeyboardAction": "現在のクエリにフォーカスを移動する", - "runQueryKeyboardAction": "クエリの実行", - "runCurrentQueryKeyboardAction": "現在のクエリを実行", - "copyQueryWithResultsKeyboardAction": "結果を含むクエリのコピー", - "queryActions.queryResultsCopySuccess": "クエリと結果が正常にコピーされました。", - "runCurrentQueryWithActualPlanKeyboardAction": "実際のプランで現在のクエリを実行", - "cancelQueryKeyboardAction": "クエリのキャンセル", - "refreshIntellisenseKeyboardAction": "IntelliSense キャッシュの更新", - "toggleQueryResultsKeyboardAction": "クエリ結果の切り替え", - "ToggleFocusBetweenQueryEditorAndResultsAction": "クエリと結果の間のフォーカスの切り替え", - "queryShortcutNoEditor": "ショートカットを実行するにはエディター パラメーターが必須です", - "parseSyntaxLabel": "クエリの解析", - "queryActions.parseSyntaxSuccess": "コマンドが正常に完了しました", - "queryActions.parseSyntaxFailure": "コマンドが失敗しました: ", - "queryActions.notConnected": "サーバーに接続してください" + "sql/platform/connection/common/connectionConfig": { + "invalidServerName": "同じ名前のサーバー グループが既に存在します。" }, - "sql/workbench/contrib/tasks/browser/tasksRenderer": { - "succeeded": "成功", - "failed": "失敗", - "inProgress": "進行中", - "notStarted": "未開始", - "canceled": "キャンセル済み", - "canceling": "キャンセル中" + "sql/platform/dashboard/browser/insightRegistry": { + "schema.dashboardWidgets.InsightsRegistry": "ダッシュ ボードで使用されているウィジェット" }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { - "chartErrorMessage": "指定されたデータでグラフを表示できません" + "sql/platform/dashboard/browser/widgetRegistry": { + "schema.dashboardWidgets.all": "ダッシュ ボードで使用されているウィジェット", + "schema.dashboardWidgets.database": "ダッシュ ボードで使用されているウィジェット", + "schema.dashboardWidgets.server": "ダッシュ ボードで使用されているウィジェット" }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { - "resourceViewerTable.openError": "リンクを開いているときにエラーが発生しました: {0}", - "resourceViewerTable.commandError": "コマンド '{0}' の実行でエラーが発生しました: {1}" - }, - "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { - "copyFailed": "エラー {0} でコピーに失敗しました", - "notebook.showChart": "グラフの表示", - "notebook.showTable": "テーブルの表示" - }, - "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { - "doubleClickEdit": "ダブルクリックして編集", - "addContent": "ここにコンテンツを追加..." - }, - "sql/workbench/contrib/scripting/browser/scriptingActions": { - "refreshError": "ノード '{0}' の更新でエラーが発生しました: {1}" - }, - "sql/workbench/api/common/extHostModelViewDialog": { - "dialogDoneLabel": "完了", - "dialogCancelLabel": "キャンセル", - "generateScriptLabel": "スクリプトの生成", - "dialogNextLabel": "次へ", - "dialogPreviousLabel": "前へ", - "dashboardNotInitialized": "タブが初期化されていません" - }, - "sql/workbench/browser/modal/optionsDialogHelper": { - "optionsDialog.missingRequireField": " が必須です。", - "optionsDialog.invalidInput": "無効な入力です。数値が必要です。" - }, - "sql/workbench/services/restore/browser/restoreDialog": { - "backupFilePath": "バックアップ ファイルのパス", - "targetDatabase": "ターゲット データベース", - "restoreDialog.restore": "復元", - "restoreDialog.restoreTitle": "データベースの復元", - "restoreDialog.database": "データベース", - "restoreDialog.backupFile": "バックアップ ファイル", - "RestoreDialogTitle": "データベースの復元", - "restoreDialog.cancel": "キャンセル", - "restoreDialog.script": "スクリプト", - "source": "ソース", - "restoreFrom": "復元元", - "missingBackupFilePathError": "バックアップ ファイルのパスが必須です。", - "multipleBackupFilePath": "1つまたは複数のファイル パスをコンマで区切って入力してください。", - "database": "データベース", - "destination": "ターゲット", - "restoreTo": "復元先", - "restorePlan": "復元計画", - "backupSetsToRestore": "復元するバックアップ セット", - "restoreDatabaseFileAs": "データベース ファイルを名前を付けて復元", - "restoreDatabaseFileDetails": "データベース ファイルの詳細を復元する", - "logicalFileName": "論理ファイル名", - "fileType": "ファイルの種類", - "originalFileName": "元のファイル名", - "restoreAs": "復元ファイル名", - "restoreOptions": "復元オプション", - "taillogBackup": "ログ末尾のバックアップ", - "serverConnection": "サーバーの接続", - "generalTitle": "全般", - "filesTitle": "ファイル", - "optionsTitle": "オプション​​" - }, - "sql/workbench/services/insights/browser/insightDialogActions": { - "workbench.action.insights.copySelection": "セルをコピー" - }, - "sql/workbench/services/dialog/common/dialogTypes": { - "dialogModalDoneButtonLabel": "完了", - "dialogModalCancelButtonLabel": "キャンセル" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { - "copyAndOpen": "コピーして開く", - "oauthDialog.cancel": "キャンセル", - "userCode": "ユーザー コード", - "website": "Web サイト" - }, - "sql/workbench/browser/modelComponents/componentBase": { - "invalidIndex": "インデックス {0} が無効です。" - }, - "sql/workbench/services/connection/browser/cmsConnectionWidget": { - "serverDescription": "サーバーの説明 (省略可能)" - }, - "sql/workbench/services/connection/browser/advancedPropertiesController": { - "connectionAdvancedProperties": "詳細プロパティ", - "advancedProperties.discard": "破棄" - }, - "sql/workbench/services/notebook/common/localContentManager": { - "nbformatNotRecognized": "認識されない nbformat v{0}.{1}", - "nbNotSupported": "このファイルは有効なノートブック形式ではありません", - "unknownCellType": "セルの種類 {0} が不明", - "unrecognizedOutput": "出力の種類 {0} を認識できません", - "invalidMimeData": "{0} のデータは、文字列または文字列の配列である必要があります", - "unrecognizedOutputType": "出力の種類 {0} を認識できません" - }, - "sql/workbench/contrib/welcome/page/browser/welcomePage": { - "welcomePage": "ようこそ", - "welcomePage.adminPack": "SQL 管理パック", - "welcomePage.showAdminPack": "SQL 管理パック", - "welcomePage.adminPackDescription": "SQL Server の管理パックは、一般的なデータベース管理拡張機能のコレクションであり、SQL Server の管理に役立ちます", - "welcomePage.powershell": "PowerShell", - "welcomePage.powershellDescription": "Azure Data Studio のリッチ クエリ エディターを使用して PowerShell スクリプトを作成して実行します", - "welcomePage.dataVirtualization": "データ仮想化", - "welcomePage.dataVirtualizationDescription": "SQL Server 2019 を使用してデータを仮想化し、インタラクティブなウィザードを使用して外部テーブルを作成します", - "welcomePage.PostgreSQL": "PostgreSQL", - "welcomePage.PostgreSQLDescription": "Azure Data Studio で Postgres データベースを接続、クエリ、および管理します", - "welcomePage.extensionPackAlreadyInstalled": "{0} のサポートは既にインストールされています。", - "welcomePage.willReloadAfterInstallingExtensionPack": "{0} に追加のサポートをインストールしたあと、ウィンドウが再度読み込まれます。", - "welcomePage.installingExtensionPack": "{0} に追加のサポートをインストールしています...", - "welcomePage.extensionPackNotFound": "ID {1} のサポート {0} は見つかりませんでした。", - "welcomePage.newConnection": "新しい接続", - "welcomePage.newQuery": "新しいクエリ", - "welcomePage.newNotebook": "新しいノートブック", - "welcomePage.deployServer": "サーバーのデプロイ", - "welcome.title": "ようこそ", - "welcomePage.new": "新規", - "welcomePage.open": "開く…", - "welcomePage.openFile": "ファイルを開く…", - "welcomePage.openFolder": "フォルダーを開く", - "welcomePage.startTour": "ツアーの開始", - "closeTourBar": "クイック ツアー バーを閉じる", - "WelcomePage.TakeATour": "Azure Data Studio のクイック ツアーを開始しますか?", - "WelcomePage.welcome": "ようこそ", - "welcomePage.openFolderWithPath": "パス {1} のフォルダー {0} を開く", - "welcomePage.install": "インストール", - "welcomePage.installKeymap": "{0} キーマップのインストール", - "welcomePage.installExtensionPack": "{0} に追加のサポートをインストールする", - "welcomePage.installed": "インストール済み", - "welcomePage.installedKeymap": "{0} キーマップは既にインストールされています", - "welcomePage.installedExtensionPack": "{0} のサポートは既にインストールされています", - "ok": "OK", - "details": "詳細", - "welcomePage.background": "ウェルカム ページの背景色。" - }, - "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { - "profilerTextEditorAriaLabel": "イベント テキストの Profiler エディター。読み取り専用" - }, - "sql/workbench/services/query/common/resultSerializer": { - "msgSaveFailed": "結果を保存できませんでした。 ", - "resultsSerializer.saveAsFileTitle": "結果ファイルの選択", - "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (コンマ区切り)", - "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", - "resultsSerializer.saveAsFileExtensionExcelTitle": "Excel ブック", - "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", - "resultsSerializer.saveAsFileExtensionTXTTitle": "プレーン テキスト", - "savingFile": "ファイルを保存しています...", - "msgSaveSucceeded": "結果が {0} に正常に保存されました ", - "openFile": "ファイルを開く" - }, - "sql/base/browser/ui/panel/panel.component": { - "hideTextLabel": "テキスト ラベルの非表示", - "showTextLabel": "テキスト ラベルの表示" - }, - "sql/workbench/browser/modelComponents/queryTextEditor": { - "queryTextEditorAriaLabel": "ビュー モデル用のモードビュー コード エディター。" - }, - "sql/workbench/browser/modal/modal": { - "infoAltText": "情報", - "warningAltText": "警告", - "errorAltText": "エラー", - "showMessageDetails": "詳細の表示", - "copyMessage": "コピー", - "closeMessage": "閉じる", - "modal.back": "戻る", - "hideMessageDetails": "詳細を表示しない" - }, - "sql/workbench/services/accountManagement/browser/accountDialog": { - "accountExplorer.name": "アカウント", - "linkedAccounts": "リンクされたアカウント", - "accountDialog.close": "閉じる", - "accountDialog.noAccountLabel": "リンクされているアカウントはありません。アカウントを追加してください。", - "accountDialog.addConnection": "アカウントを追加する", - "accountDialog.noCloudsRegistered": "有効にされているクラウドがありません。[設定] -> [Azure アカウント構成の検索] に移動し、 少なくとも 1 つのクラウドを有効にしてください", - "accountDialog.didNotPickAuthProvider": "認証プロバイダーを選択していません。もう一度お試しください。" - }, - "sql/workbench/services/query/common/queryRunner": { - "query.ExecutionFailedError": "予期しないエラーにより、実行が失敗しました: {0} {1}", - "query.message.executionTime": "総実行時間: {0}", - "query.message.startQueryWithRange": "行 {0} でのクエリの実行が開始されました", - "query.message.startQuery": "バッチ {0} の実行を開始しました", - "elapsedBatchTime": "バッチ実行時間: {0}", - "copyFailed": "エラー {0} でコピーに失敗しました" - }, - "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { - "welcomePage.azdata": "Azure Data Studio", - "welcomePage.start": "開始", - "welcomePage.newConnection": "新しい接続", - "welcomePage.newQuery": "新しいクエリ", - "welcomePage.newNotebook": "新しいノートブック", - "welcomePage.openFileMac": "ファイルを開く", - "welcomePage.openFileLinuxPC": "ファイルを開く", - "welcomePage.deploy": "デプロイ", - "welcomePage.newDeployment": "新しいデプロイ…", - "welcomePage.recent": "最近", - "welcomePage.moreRecent": "その他...", - "welcomePage.noRecentFolders": "最近使用したフォルダーなし", - "welcomePage.help": "ヘルプ", - "welcomePage.gettingStarted": "はじめに", - "welcomePage.productDocumentation": "ドキュメント", - "welcomePage.reportIssue": "問題または機能要求を報告する", - "welcomePage.gitHubRepository": "GitHub リポジトリ", - "welcomePage.releaseNotes": "リリース ノート", - "welcomePage.showOnStartup": "起動時にウェルカム ページを表示する", - "welcomePage.customize": "カスタマイズ", - "welcomePage.extensions": "拡張", - "welcomePage.extensionDescription": "SQL Server 管理パックなど、必要な拡張機能をダウンロードする", - "welcomePage.keyboardShortcut": "キーボード ショートカット", - "welcomePage.keyboardShortcutDescription": "お気に入りのコマンドを見つけてカスタマイズする", - "welcomePage.colorTheme": "配色テーマ", - "welcomePage.colorThemeDescription": "エディターとコードの外観を自由に設定します", - "welcomePage.learn": "詳細", - "welcomePage.showCommands": "すべてのコマンドの検索と実行", - "welcomePage.showCommandsDescription": "コマンド パレット ({0}) にすばやくアクセスしてコマンドを検索します", - "welcomePage.azdataBlog": "最新リリースの新機能を見る", - "welcomePage.azdataBlogDescription": "毎月新機能を紹介する新しいブログ記事", - "welcomePage.followTwitter": "Twitter でフォローする", - "welcomePage.followTwitterDescription": "コミュニティがどのように Azure Data Studio を使用しているかについて、最新情報を把握し、エンジニアと直接話し合います。" - }, - "sql/workbench/contrib/profiler/browser/profilerActions": { - "profilerAction.connect": "接続", - "profilerAction.disconnect": "切断", - "start": "開始", - "create": "新しいセッション", - "profilerAction.pauseCapture": "一時停止", - "profilerAction.resumeCapture": "再開", - "profilerStop.stop": "停止", - "profiler.clear": "データのクリア", - "profiler.clearDataPrompt": "データをクリアしますか?", - "profiler.yes": "はい", - "profiler.no": "いいえ", - "profilerAction.autoscrollOn": "自動スクロール: オン", - "profilerAction.autoscrollOff": "自動スクロール: オフ", - "profiler.toggleCollapsePanel": "折りたたんだパネルを切り替える", - "profiler.editColumns": "列の編集", - "profiler.findNext": "次の文字列を検索", - "profiler.findPrevious": "前の文字列を検索", - "profilerAction.newProfiler": "Profiler を起動", - "profiler.filter": "フィルター...", - "profiler.clearFilter": "フィルターのクリア", - "profiler.clearFilterPrompt": "フィルターをクリアしますか?" - }, - "sql/workbench/contrib/profiler/browser/profilerTableEditor": { - "ProfilerTableEditor.eventCountFiltered": "イベント (フィルター処理済み): {0}/{1}", - "ProfilerTableEditor.eventCount": "イベント: {0}", - "status.eventCount": "イベント数" - }, - "sql/base/browser/ui/table/formatters": { - "tableCell.NoDataAvailable": "利用できるデータはありません" - }, - "sql/workbench/contrib/query/browser/queryResultsView": { - "resultsTabTitle": "結果", - "messagesTabTitle": "メッセージ" - }, - "sql/workbench/browser/scriptingUtils": { - "scriptSelectNotFound": "オブジェクトに対するスクリプトの選択を呼び出したときに返されたスクリプトはありません ", - "selectOperationName": "選択", - "createOperationName": "作成", - "insertOperationName": "挿入", - "updateOperationName": "更新", - "deleteOperationName": "削除", - "scriptNotFoundForObject": "オブジェクト {1} に対する {0} としてスクリプトを作成したときに返されたスクリプトはありません", - "scriptingFailed": "スクリプト作成に失敗しました", - "scriptNotFound": "{0} としてスクリプトを作成したときに返されたスクリプトはありません" - }, - "sql/platform/theme/common/colors": { - "tableHeaderBackground": "テーブル ヘッダーの背景色", - "tableHeaderForeground": "テーブル ヘッダーの前景色", - "listFocusAndSelectionBackground": "リスト/テーブルがアクティブなときに選択した項目とフォーカスのある項目のリスト/テーブル背景色", - "tableCellOutline": "セルの枠線の色。", - "disabledInputBoxBackground": "入力ボックスの背景が無効にされました。", - "disabledInputBoxForeground": "入力ボックスの前景が無効にされました。", - "buttonFocusOutline": "フォーカスしたときのボタンの外枠の色。", - "disabledCheckboxforeground": "チェック ボックスの前景が無効にされました。", - "agentTableBackground": "SQL Agent のテーブル背景色。", - "agentCellBackground": "SQL エージェントのテーブル セル背景色。", - "agentTableHoverBackground": "SQL Agent のテーブル ホバー背景色。", - "agentJobsHeadingColor": "SQL Agent の見出し背景色。", - "agentCellBorderColor": "SQL Agent のテーブル セル枠線色。", - "resultsErrorColor": "結果メッセージのエラー色。" - }, - "sql/workbench/contrib/backup/browser/backup.component": { - "backup.backupName": "バックアップ名", - "backup.recoveryModel": "復旧モデル", - "backup.backupType": "バックアップの種類", - "backup.backupDevice": "バックアップ ファイル", - "backup.algorithm": "アルゴリズム", - "backup.certificateOrAsymmetricKey": "証明書または非対称キー", - "backup.media": "メディア", - "backup.mediaOption": "既存のメディア セットにバックアップ", - "backup.mediaOptionFormat": "新しいメディア セットにバックアップ", - "backup.existingMediaAppend": "既存のバックアップ セットに追加", - "backup.existingMediaOverwrite": "既存のすべてのバックアップ セットを上書きする", - "backup.newMediaSetName": "新しいメディア セット名", - "backup.newMediaSetDescription": "新しいメディア セットの説明", - "backup.checksumContainer": "メディアに書き込む前にチェックサムを行う", - "backup.verifyContainer": "完了時にバックアップを検証する", - "backup.continueOnErrorContainer": "エラー時に続行", - "backup.expiration": "有効期限", - "backup.setBackupRetainDays": "バックアップ保持日数の設定", - "backup.copyOnly": "コピーのみのバックアップ", - "backup.advancedConfiguration": "高度な構成", - "backup.compression": "圧縮", - "backup.setBackupCompression": "バックアップの圧縮の設定", - "backup.encryption": "暗号化", - "backup.transactionLog": "トランザクション ログ", - "backup.truncateTransactionLog": "トランザクション ログの切り捨て", - "backup.backupTail": "ログ末尾のバックアップ", - "backup.reliability": "信頼性", - "backup.mediaNameRequired": "メディア名が必須です", - "backup.noEncryptorWarning": "使用可能な証明書または非対称キーがありません", - "addFile": "ファイルを追加", - "removeFile": "ファイルを削除", - "backupComponent.invalidInput": "入力が無効です。値は 0 以上でなければなりません。", - "backupComponent.script": "スクリプト", - "backupComponent.backup": "バックアップ", - "backupComponent.cancel": "キャンセル", - "backup.containsBackupToUrlError": "ファイルへのバックアップのみがサポートされています", - "backup.backupFileRequired": "バックアップ ファイルのパスが必須です" + "sql/platform/serialization/common/serializationService": { + "saveAsNotSupported": "このデータ プロバイダーに対して無効になっている別の形式で結果を保存しています。", + "noSerializationProvider": "プロバイダーが登録されていないため、データをシリアル化できません", + "unknownSerializationError": "不明なエラーにより、シリアル化に失敗しました" }, "sql/platform/theme/common/colorRegistry": { "tileBorder": "タイルの境界線の色", @@ -10587,231 +9425,184 @@ "calloutDialogBodyBackground": "吹き出しダイアログの本文の背景。", "calloutDialogShadowColor": "吹き出しダイアログ ボックスの影の色。" }, - "sql/workbench/contrib/views/browser/treeView": { - "no-dataprovider": "ビュー データを提供できるデータ プロバイダーが登録されていません。", - "refresh": "最新の情報に更新", - "collapseAll": "すべて折りたたむ", - "command-error": "コマンド {1} の実行中にエラー {0} が発生しました。{1} を提供する拡張機能が原因である可能性があります。" + "sql/platform/theme/common/colors": { + "tableHeaderBackground": "テーブル ヘッダーの背景色", + "tableHeaderForeground": "テーブル ヘッダーの前景色", + "listFocusAndSelectionBackground": "リスト/テーブルがアクティブなときに選択した項目とフォーカスのある項目のリスト/テーブル背景色", + "tableCellOutline": "セルの枠線の色。", + "disabledInputBoxBackground": "入力ボックスの背景が無効にされました。", + "disabledInputBoxForeground": "入力ボックスの前景が無効にされました。", + "buttonFocusOutline": "フォーカスしたときのボタンの外枠の色。", + "disabledCheckboxforeground": "チェック ボックスの前景が無効にされました。", + "agentTableBackground": "SQL Agent のテーブル背景色。", + "agentCellBackground": "SQL エージェントのテーブル セル背景色。", + "agentTableHoverBackground": "SQL Agent のテーブル ホバー背景色。", + "agentJobsHeadingColor": "SQL Agent の見出し背景色。", + "agentCellBorderColor": "SQL Agent のテーブル セル枠線色。", + "resultsErrorColor": "結果メッセージのエラー色。" }, - "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { - "notebook.failed": "アクティブなセルを選択して、もう一度お試しください", - "runCell": "セルの実行", - "stopCell": "実行のキャンセル", - "errorRunCell": "最後の実行でエラーが発生しました。もう一度実行するにはクリックしてください" + "sql/workbench/api/browser/mainThreadExtensionManagement": { + "workbench.generalObsoleteApiNotification": "読み込まれた拡張機能の一部は古い API を使用しています。[開発者ツール] ウィンドウの [コンソール] タブで詳細情報を確認してください。", + "dontShowAgain": "今後表示しない" }, - "sql/workbench/contrib/tasks/common/tasksAction": { - "cancelTask.cancel": "キャンセル", - "errorMsgFromCancelTask": "タスクをキャンセルできませんでした。", - "taskAction.script": "スクリプト" - }, - "sql/base/browser/ui/taskbar/overflowActionbar": { - "toggleMore": "詳細の切り替え" - }, - "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { - "loadingSpinner.loading": "読み込み中" - }, - "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { - "homeCrumb": "ホーム" - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { - "dashboardNavSection.loadTabError": "\"{0}\" セクションに無効なコンテンツがあります。機能拡張の所有者にお問い合わせください。" - }, - "sql/workbench/contrib/jobManagement/browser/agentView.component": { - "jobview.Jobs": "ジョブ", - "jobview.Notebooks": "ノートブック", - "jobview.Alerts": "アラート", - "jobview.Proxies": "プロキシ", - "jobview.Operators": "演算子" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { - "serverPageName": "サーバーのプロパティ" - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { - "databasePageName": "データベースのプロパティ" - }, - "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { - "selectDeselectAll": "すべて選択/選択解除" - }, - "sql/base/browser/ui/table/plugins/headerFilter.plugin": { - "headerFilter.showFilter": "フィルターの表示", - "headerFilter.ok": "OK", - "headerFilter.clear": "クリア", - "headerFilter.cancel": "キャンセル" - }, - "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { - "treeAriaLabel": "最近の接続", - "serversAriaLabel": "サーバー", - "treeCreation.regTreeAriaLabel": "サーバー" - }, - "sql/workbench/services/restore/common/constants": { - "backup.filterBackupFiles": "バックアップ ファイル", - "backup.allFiles": "すべてのファイル" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { - "label.Search": "検索: 検索語句を入力し Enter を押して検索するか、Esc を押して取り消します", - "search.placeHolder": "検索" - }, - "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { - "dashboard.changeDatabaseFailure": "データベースを変更できませんでした" - }, - "sql/workbench/contrib/jobManagement/browser/alertsView.component": { - "jobAlertColumns.name": "名前", - "jobAlertColumns.lastOccurrenceDate": "最後の発生", - "jobAlertColumns.enabled": "有効", - "jobAlertColumns.delayBetweenResponses": "応答間の遅延 (秒)", - "jobAlertColumns.categoryName": "カテゴリ名" - }, - "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { - "jobOperatorsView.name": "名前", - "jobOperatorsView.emailAddress": "電子メール アドレス", - "jobOperatorsView.enabled": "有効" - }, - "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { - "jobProxiesView.accountName": "アカウント名", - "jobProxiesView.credentialName": "資格情報名", - "jobProxiesView.description": "説明", - "jobProxiesView.isEnabled": "有効" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { - "loadingObjects": "オブジェクトを読み込んでいます", - "loadingDatabases": "データベースを読み込んでいます", - "loadingObjectsCompleted": "オブジェクトの読み込みが完了しました。", - "loadingDatabasesCompleted": "データベースの読み込みが完了しました。", - "seachObjects": "型の名前で検索する (t:、v:、f:、sp:)", - "searchDatabases": "検索データベース", - "dashboard.explorer.objectError": "オブジェクトを読み込めません", - "dashboard.explorer.databaseError": "データベースを読み込めません" - }, - "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { - "loadingProperties": "プロパティを読み込んでいます...", - "loadingPropertiesCompleted": "プロパティの読み込みが完了しました", - "dashboard.properties.error": "ダッシュボードのプロパティを読み込めません" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { - "insightsWidgetLoadingMessage": "{0} を読み込んでいます", - "insightsWidgetLoadingCompletedMessage": "{0} の読み込みが完了しました", - "insights.autoRefreshOffState": "自動更新: オフ", - "insights.lastUpdated": "最終更新日: {0} {1}", - "noResults": "表示する結果がありません。" - }, - "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { - "agent.steps": "ステップ" - }, - "sql/workbench/contrib/query/browser/actions": { - "saveAsCsv": "CSV として保存", - "saveAsJson": "JSON として保存", - "saveAsExcel": "Excel として保存", - "saveAsXml": "XML として保存", - "jsonEncoding": "JSON にエクスポートするときに結果のエンコードは保存されません。ファイルが作成されたら、目的のエンコードで保存することを忘れないでください。", - "saveToFileNotSupported": "バッキング データ ソースでファイルへの保存はサポートされていません", - "copySelection": "コピー", - "copyWithHeaders": "ヘッダー付きでコピー", - "selectAll": "すべて選択", - "maximize": "最大化", - "restore": "復元", - "chart": "グラフ", - "visualizer": "ビジュアライザー" + "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { + "runActiveCell": "F5 ショートカット キーでは、コード セルを選択する必要があります。実行するコード セルを選択してください。", + "clearResultActiveCell": "結果をクリアするには、コード セルを選択する必要があります。実行するコード セルを選択してください。" }, "sql/workbench/api/common/extHostModelView": { "unknownComponentType": "不明なコンポーネントの種類です。ModelBuilder を使用してオブジェクトを作成する必要があります", "invalidIndex": "インデックス {0} が無効です。", "unknownConfig": "不明なコンポーネント構成です。ModelBuilder を使用して構成オブジェクトを作成する必要があります" }, - "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { - "stepRow.stepID": "ステップ ID", - "stepRow.stepName": "ステップ名", - "stepRow.message": "メッセージ" + "sql/workbench/api/common/extHostModelViewDialog": { + "dialogDoneLabel": "完了", + "dialogCancelLabel": "キャンセル", + "generateScriptLabel": "スクリプトの生成", + "dialogNextLabel": "次へ", + "dialogPreviousLabel": "前へ", + "dashboardNotInitialized": "タブが初期化されていません" }, - "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { - "label.find": "検索", - "placeholder.find": "検索", - "label.previousMatchButton": "前の一致項目", - "label.nextMatchButton": "次の一致項目", - "label.closeButton": "閉じる", - "title.matchesCountLimit": "検索で多数の結果が返されました。最初の 999 件の一致のみ強調表示されます。", - "label.matchesLocation": "{0}/{1} 件", - "label.noResults": "結果なし" + "sql/workbench/api/common/extHostModelViewTree": { + "treeView.notRegistered": "ID '{0}' のツリー ビューは登録されていません。" }, - "sql/workbench/contrib/charts/browser/chartView": { - "horizontalBarAltName": "水平バー", - "barAltName": "バー", - "lineAltName": "直線", - "pieAltName": "円", - "scatterAltName": "散布", - "timeSeriesAltName": "時系列", - "imageAltName": "イメージ", - "countAltName": "カウント", - "tableAltName": "テーブル", - "doughnutAltName": "ドーナツ", - "charting.failedToGetRows": "グラフを作成するデータセットの行を取得できませんでした。", - "charting.unsupportedType": "グラフの種類 '{0}' はサポートされていません。" + "sql/workbench/api/common/extHostNotebook": { + "providerRequired": "有効な providerId を持つ NotebookProvider をこのメソッドに渡す必要があります", + "errNoProvider": "ノートブック プロバイダーが見つかりません", + "errNoManager": "マネージャーが見つかりません", + "noServerManager": "ノートブック {0} の Notebook Manager にサーバー マネージャーがありません。それに対して操作を実行できません", + "noContentManager": "ノートブック {0} の Notebook Manager にコンテンツ マネージャーがありません。それに対して操作を実行できません", + "noSessionManager": "ノートブック {0} の Notebook Manager にセッション マネージャーがありません。それに対して操作を実行できません" }, - "sql/workbench/contrib/notebook/browser/cellViews/code.component": { - "parametersText": "パラメーター" + "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { + "providerRequired": "有効な providerId を持つ NotebookProvider をこのメソッドに渡す必要があります" }, - "sql/workbench/services/connection/browser/localizedConstants": { - "onDidConnectMessage": "接続先", - "onDidDisconnectMessage": "切断", - "unsavedGroupLabel": "保存されていない接続" + "sql/workbench/browser/actions": { + "manage": "管理", + "showDetails": "詳細の表示", + "configureDashboardLearnMore": "詳細情報", + "clearSavedAccounts": "保存されているすべてのアカウントのクリア" }, - "sql/workbench/services/connection/browser/connectionBrowseTab": { - "connectionDialog.browser": "参照 (プレビュー)", - "connectionDialog.FilterPlaceHolder": "一覧にフィルターをかけるには、ここに入力します", - "connectionDialog.FilterInputTitle": "接続のフィルター", - "connectionDialog.ApplyingFilter": "フィルターを適用しています", - "connectionDialog.RemovingFilter": "フィルターを削除しています", - "connectionDialog.FilterApplied": "フィルター適用済み", - "connectionDialog.FilterRemoved": "フィルターが削除されました", - "savedConnections": "保存された接続", - "savedConnection": "保存された接続", - "connectionBrowserTree": "接続ブラウザー ツリー" + "sql/workbench/browser/actions.contribution": { + "previewFeatures.configTitle": "プレビュー機能", + "previewFeatures.configEnable": "未リリースのプレビュー機能を有効にする", + "showConnectDialogOnStartup": "起動時に接続ダイアログを表示", + "enableObsoleteApiUsageNotificationTitle": "古い API 通知", + "enableObsoleteApiUsageNotification": "古い API 使用状況通知を有効または無効にする" }, - "sql/workbench/contrib/extensions/browser/staticRecommendations": { - "defaultRecommendations": "この拡張機能は Azure Data Studio で推奨されます。" + "sql/workbench/browser/editData/editDataInput": { + "connectionFailure": "編集データ セッションの接続に失敗しました" }, - "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { - "neverShowAgain": "今後表示しない", - "ExtensionsRecommended": "Azure Data Studio には拡張機能の推奨事項があります。", - "VisualizerExtensionsRecommended": "Azure Data Studio には、データ可視化の拡張機能の推奨事項があります。\r\nインストールすると、ビジュアライザー アイコンを選択して、クエリ結果を視覚化できます。", - "installAll": "すべてをインストール", - "showRecommendations": "推奨事項を表示", - "scenarioTypeUndefined": "拡張機能の推奨事項のシナリオの種類を指定する必要があります。" + "sql/workbench/browser/editor/profiler/profilerInput": { + "profilerInput.profiler": "プロファイラー", + "profilerInput.notConnected": "未接続", + "profiler.sessionStopped": "サーバー {0} で XEvent Profiler セッションが予期せず停止しました。", + "profiler.sessionCreationError": "新しいセッションを開始中にエラーが発生しました", + "profiler.eventsLost": "{0} の XEvent Profiler セッションのイベントが失われました。" }, - "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { - "welcomePage.previewBody": "この機能ページはプレビュー段階です。プレビュー機能では、製品の永続的な部分になる予定の新しい機能が導入されています。これらは安定していますが、追加のアクセシビリティの改善が必要です。開発中の早期のフィードバックを歓迎しています。", - "welcomePage.preview": "プレビュー", - "welcomePage.createConnection": "接続の作成", - "welcomePage.createConnectionBody": "接続ダイアログを使用してデータベース インスタンスに接続します。", - "welcomePage.runQuery": "クエリの実行", - "welcomePage.runQueryBody": "クエリ エディターを使用してデータを操作します。", - "welcomePage.createNotebook": "ノートブックの作成", - "welcomePage.createNotebookBody": "ネイティブのノートブック エディターを使用して、新しいノートブックを作成します。", - "welcomePage.deployServer": "サーバーのデプロイ", - "welcomePage.deployServerBody": "選択したプラットフォームでリレーショナル データ サービスの新しいインスタンスを作成します。", - "welcomePage.resources": "リソース", - "welcomePage.history": "履歴", - "welcomePage.name": "名前", - "welcomePage.location": "場所", - "welcomePage.moreRecent": "さらに表示", - "welcomePage.showOnStartup": "起動時にウェルカム ページを表示する", - "welcomePage.usefuLinks": "役に立つリンク", - "welcomePage.gettingStarted": "はじめに", - "welcomePage.gettingStartedBody": "Azure Data Studio によって提供される機能を検出し、それらを最大限に活用する方法について説明します。", - "welcomePage.documentation": "ドキュメント", - "welcomePage.documentationBody": "PowerShell、API などのクイックスタート、攻略ガイド、リファレンスについては、ドキュメント センターを参照してください。", - "welcomePage.videoDescriptionOverview": "Azure Data Studio の概要", - "welcomePage.videoDescriptionIntroduction": "Azure Data Studio ノートブックの概要 | 公開されたデータ", - "welcomePage.extensions": "拡張", - "welcomePage.showAll": "すべて表示", - "welcomePage.learnMore": "詳細情報" + "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { + "resourceViewer.showActions": "アクションの表示", + "resourceViewerInput.resourceViewer": "リソース ビューアー" }, - "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { - "notebookHistory.dateCreatedTooltip": "作成日: ", - "notebookHistory.notebookErrorTooltip": "ノートブック エラー: ", - "notebookHistory.ErrorTooltip": "ジョブ エラー: ", - "notebookHistory.pinnedTitle": "ピン留めされました", - "notebookHistory.recentRunsTitle": "最近の実行", - "notebookHistory.pastRunsTitle": "過去の実行" + "sql/workbench/browser/modal/modal": { + "infoAltText": "情報", + "warningAltText": "警告", + "errorAltText": "エラー", + "showMessageDetails": "詳細の表示", + "copyMessage": "コピー", + "closeMessage": "閉じる", + "modal.back": "戻る", + "hideMessageDetails": "詳細を表示しない" + }, + "sql/workbench/browser/modal/optionsDialog": { + "optionsDialog.ok": "OK", + "optionsDialog.cancel": "キャンセル" + }, + "sql/workbench/browser/modal/optionsDialogHelper": { + "optionsDialog.missingRequireField": " が必須です。", + "optionsDialog.invalidInput": "無効な入力です。数値が必要です。" + }, + "sql/workbench/browser/modelComponents/componentBase": { + "invalidIndex": "インデックス {0} が無効です。" + }, + "sql/workbench/browser/modelComponents/declarativeTable.component": { + "blankValue": "空白", + "checkAllColumnLabel": "列 {0} のすべてのチェック ボックスをオンにする", + "declarativeTable.showActions": "アクションの表示" + }, + "sql/workbench/browser/modelComponents/dropdown.component": { + "loadingMessage": "読み込み中", + "loadingCompletedMessage": "読み込み完了" + }, + "sql/workbench/browser/modelComponents/inputbox.component": { + "invalidValueError": "無効な値", + "period": "{0}。{1}" + }, + "sql/workbench/browser/modelComponents/loadingComponent.component": { + "loadingMessage": "読み込み中", + "loadingCompletedMessage": "読み込み完了" + }, + "sql/workbench/browser/modelComponents/queryTextEditor": { + "queryTextEditorAriaLabel": "ビュー モデル用のモードビュー コード エディター。" + }, + "sql/workbench/browser/modelComponents/viewBase": { + "componentTypeNotRegistered": "型 {0} のコンポーネントが見つかりませんでした" + }, + "sql/workbench/browser/parts/editor/editorStatusModeSelect": { + "languageChangeUnsupported": "保存されていないファイルでの編集者の種類の変更はサポートされていません" + }, + "sql/workbench/browser/scriptingActions": { + "scriptSelect": "上位 1000 を選択する", + "scriptKustoSelect": "10 個", + "scriptExecute": "実行としてのスクリプト", + "scriptAlter": "変更としてのスクリプト", + "editData": "データの編集", + "scriptCreate": "作成としてのスクリプト", + "scriptDelete": "ドロップとしてのスクリプト" + }, + "sql/workbench/browser/scriptingUtils": { + "scriptSelectNotFound": "オブジェクトに対するスクリプトの選択を呼び出したときに返されたスクリプトはありません ", + "selectOperationName": "選択", + "createOperationName": "作成", + "insertOperationName": "挿入", + "updateOperationName": "更新", + "deleteOperationName": "削除", + "scriptNotFoundForObject": "オブジェクト {1} に対する {0} としてスクリプトを作成したときに返されたスクリプトはありません", + "scriptingFailed": "スクリプト作成に失敗しました", + "scriptNotFound": "{0} としてスクリプトを作成したときに返されたスクリプトはありません" + }, + "sql/workbench/common/editor/query/queryEditorInput": { + "disconnected": "切断されました" + }, + "sql/workbench/common/editor/query/queryResultsInput": { + "extensionsInputName": "拡張" + }, + "sql/workbench/common/theme": { + "verticalTabActiveBackground": "垂直タブのアクティブなタブの背景色", + "dashboardBorder": "ダッシュボードの境界線の色", + "dashboardWidget": "ダッシュボード ウィジェットのタイトルの色", + "dashboardWidgetSubtext": "ダッシュボード ウィジェット サブテキストの色", + "propertiesContainerPropertyValue": "プロパティ コンテナー コンポーネントに表示されるプロパティ色の値", + "propertiesContainerPropertyName": "プロパティ コンテナー コンポーネントに表示されるプロパティ名の色", + "toolbarOverflowShadow": "ツールバーのオーバーフローの影の色" + }, + "sql/workbench/contrib/accounts/browser/accountManagement.contribution": { + "carbon.extension.contributes.account.id": "アカウントの種類の識別子", + "carbon.extension.contributes.account.icon": "(省略可能) UI の accpunt を表すために使用するアイコン。ファイル パスまたはテーマを設定可能な構成のいずれかです", + "carbon.extension.contributes.account.icon.light": "明るいテーマを使用した場合のアイコンのパス", + "carbon.extension.contributes.account.icon.dark": "暗いテーマを使用した場合のアイコンのパス", + "carbon.extension.contributes.account": "アカウント プロバイダーにアイコンを提供します。" + }, + "sql/workbench/contrib/assessment/browser/asmtActions": { + "asmtaction.server.getitems": "適用可能な規則を表示する", + "asmtaction.database.getitems": "{0} に適用可能な規則を表示する", + "asmtaction.server.invokeitems": "評価の呼び出し", + "asmtaction.database.invokeitems": "{0} の評価の呼び出し", + "asmtaction.exportasscript": "スクリプトとしてエクスポート", + "asmtaction.showsamples": "すべての規則を表示し、GitHub の詳細を確認する", + "asmtaction.generatehtmlreport": "HTML レポートの作成", + "asmtaction.openReport": "レポートが保存されました。開きますか?", + "asmtaction.label.open": "開く", + "asmtaction.label.cancel": "キャンセル" }, "sql/workbench/contrib/assessment/browser/asmtResultsView.component": { "asmt.NoResultsInitial": "表示するものがありません。評価を呼び出して結果を取得します", @@ -10821,110 +9612,6 @@ "asmt.TargetInstanceComplient": "インスタンス {0} は、ベスト プラクティスに完全に準拠しています。お疲れさまでした。", "asmt.TargetDatabaseComplient": "データベース {0} は、ベスト プラクティスに完全に準拠しています。お疲れさまでした。" }, - "sql/workbench/contrib/charts/browser/chartTab": { - "chartTabTitle": "グラフ" - }, - "sql/workbench/contrib/queryPlan/browser/topOperations": { - "topOperations.operation": "操作", - "topOperations.object": "オブジェクト", - "topOperations.estCost": "推定コスト", - "topOperations.estSubtreeCost": "サブ ツリーの推定コスト", - "topOperations.actualRows": "実際の行数", - "topOperations.estRows": "推定行数", - "topOperations.actualExecutions": "実際の実行", - "topOperations.estCPUCost": "推定 CPU コスト", - "topOperations.estIOCost": "推定 IO コスト", - "topOperations.parallel": "並列", - "topOperations.actualRebinds": "実際の再バインド数", - "topOperations.estRebinds": "再バインドの推定数", - "topOperations.actualRewinds": "実際の巻き戻し数", - "topOperations.estRewinds": "巻き戻しの推定数", - "topOperations.partitioned": "パーティション分割", - "topOperationsTitle": "上位操作" - }, - "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { - "servers.noConnections": "接続が見つかりません。", - "serverTree.addConnection": "接続の追加" - }, - "sql/workbench/services/connection/browser/connectionWidget": { - "connectionWidget.AddAzureAccount": "アカウントを追加する...", - "defaultDatabaseOption": "<既定>", - "loadingDatabaseOption": "読み込んでいます...", - "serverGroup": "サーバー グループ", - "defaultServerGroup": "<既定>", - "addNewServerGroup": "新しいグループを追加する...", - "noneServerGroup": "<保存しない>", - "connectionWidget.missingRequireField": "{0} が必須です。", - "connectionWidget.fieldWillBeTrimmed": "{0} がトリミングされます。", - "rememberPassword": "パスワードを記憶する", - "connection.azureAccountDropdownLabel": "アカウント", - "connectionWidget.refreshAzureCredentials": "アカウントの資格情報を更新", - "connection.azureTenantDropdownLabel": "Azure AD テナント", - "connectionName": "名前 (省略可能)", - "advanced": "詳細設定...", - "connectionWidget.invalidAzureAccount": "アカウントを選択する必要があります" - }, - "sql/workbench/contrib/backup/common/constants": { - "backup.labelDatabase": "データベース", - "backup.labelFilegroup": "ファイルとファイル グループ", - "backup.labelFull": "完全", - "backup.labelDifferential": "差分", - "backup.labelLog": "トランザクション ログ", - "backup.labelDisk": "ディスク", - "backup.labelUrl": "URL", - "backup.defaultCompression": "既定のサーバー設定を使用する", - "backup.compressBackup": "バックアップの圧縮", - "backup.doNotCompress": "バックアップを圧縮しない", - "backup.serverCertificate": "サーバー証明書", - "backup.asymmetricKey": "非対称キー" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { - "searchWithoutFolder": "ノートブックまたはブックを格納するフォルダーを開いていません。", - "openNotebookFolder": "ノートブックを開く", - "searchMaxResultsWarning": "結果セットにはすべての一致項目のサブセットのみが含まれています。より限定的な検索条件を入力して、検索結果を絞り込んでください。", - "searchInProgress": "検索中です...", - "noResultsIncludesExcludes": "'{0}' に '{1}' を除外した結果はありません - ", - "noResultsIncludes": "'{0}' に結果はありません - ", - "noResultsExcludes": "'{0}' を除外した結果はありませんでした - ", - "noResultsFound": "結果がありません。除外構成の設定を確認し、gitignore ファイルを調べてください - ", - "rerunSearch.message": "もう一度検索", - "cancelSearch.message": "検索のキャンセル", - "rerunSearchInAll.message": "すべてのファイルでもう一度検索してください", - "openSettings.message": "設定を開く", - "ariaSearchResultsStatus": "検索により {1} 個のファイル内の {0} 件の結果が返されました", - "ToggleCollapseAndExpandAction.label": "折りたたみと展開の切り替え", - "CancelSearchAction.label": "検索のキャンセル", - "ExpandAllAction.label": "すべて展開", - "CollapseDeepestExpandedLevelAction.label": "すべて折りたたむ", - "ClearSearchResultsAction.label": "検索結果のクリア" - }, - "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { - "GuidedTour.connections": "接続", - "GuidedTour.makeConnections": "SQL Server、Azure などからの接続を接続、クエリ、および管理します。", - "GuidedTour.one": "1", - "GuidedTour.next": "次へ", - "GuidedTour.notebooks": "ノートブック", - "GuidedTour.gettingStartedNotebooks": "1 か所で独自のノートブックまたはノートブックのコレクションの作成を開始します。", - "GuidedTour.two": "2", - "GuidedTour.extensions": "拡張", - "GuidedTour.addExtensions": "Microsoft (私たち) だけでなくサードパーティ コミュニティ (あなた) が開発した拡張機能をインストールすることにより、Azure Data Studio の機能を拡張します。", - "GuidedTour.three": "3", - "GuidedTour.settings": "設定", - "GuidedTour.makeConnesetSettings": "好みに応じて Azure Data Studio をカスタマイズします。自動保存やタブ サイズなどの設定の構成、キーボード ショートカットのカスタマイズ、好きな配色テーマへの切り替えを行うことができます。", - "GuidedTour.four": "4", - "GuidedTour.welcomePage": "ウェルカム ページ", - "GuidedTour.discoverWelcomePage": "ウェルカム ページで、トップの機能、最近開いたファイル、推奨される拡張機能がわかります。Azure Data Studio で作業を開始する方法の詳細については、ビデオとドキュメントをご覧ください。", - "GuidedTour.five": "5", - "GuidedTour.finish": "完了", - "guidedTour": "ユーザー紹介ツアー", - "hideGuidedTour": "紹介ツアーの非表示", - "GuidedTour.readMore": "詳細情報", - "help": "ヘルプ" - }, - "sql/workbench/contrib/editData/browser/editDataGridActions": { - "deleteRow": "行の削除", - "revertRow": "現在の行を元に戻す" - }, "sql/workbench/contrib/assessment/common/strings": { "asmt.section.api.title": "API 情報", "asmt.apiversion": "API バージョン:", @@ -10947,171 +9634,81 @@ "asmt.column.helpLink": "ヘルプ リンク", "asmt.sqlReport.severityMsg": "{0}: {1} 項目" }, - "sql/workbench/contrib/query/browser/messagePanel": { - "messagePanel": "メッセージ パネル", - "copy": "コピー", - "copyAll": "すべてコピー" + "sql/workbench/contrib/azure/browser/azure.contribution": { + "azure.openInAzurePortal.title": "Azure Portal で開きます" }, - "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { - "loadingMessage": "読み込み中", - "loadingCompletedMessage": "読み込み完了" + "sql/workbench/contrib/backup/browser/backup.component": { + "backup.backupName": "バックアップ名", + "backup.recoveryModel": "復旧モデル", + "backup.backupType": "バックアップの種類", + "backup.backupDevice": "バックアップ ファイル", + "backup.algorithm": "アルゴリズム", + "backup.certificateOrAsymmetricKey": "証明書または非対称キー", + "backup.media": "メディア", + "backup.mediaOption": "既存のメディア セットにバックアップ", + "backup.mediaOptionFormat": "新しいメディア セットにバックアップ", + "backup.existingMediaAppend": "既存のバックアップ セットに追加", + "backup.existingMediaOverwrite": "既存のすべてのバックアップ セットを上書きする", + "backup.newMediaSetName": "新しいメディア セット名", + "backup.newMediaSetDescription": "新しいメディア セットの説明", + "backup.checksumContainer": "メディアに書き込む前にチェックサムを行う", + "backup.verifyContainer": "完了時にバックアップを検証する", + "backup.continueOnErrorContainer": "エラー時に続行", + "backup.expiration": "有効期限", + "backup.setBackupRetainDays": "バックアップ保持日数の設定", + "backup.copyOnly": "コピーのみのバックアップ", + "backup.advancedConfiguration": "高度な構成", + "backup.compression": "圧縮", + "backup.setBackupCompression": "バックアップの圧縮の設定", + "backup.encryption": "暗号化", + "backup.transactionLog": "トランザクション ログ", + "backup.truncateTransactionLog": "トランザクション ログの切り捨て", + "backup.backupTail": "ログ末尾のバックアップ", + "backup.reliability": "信頼性", + "backup.mediaNameRequired": "メディア名が必須です", + "backup.noEncryptorWarning": "使用可能な証明書または非対称キーがありません", + "addFile": "ファイルを追加", + "removeFile": "ファイルを削除", + "backupComponent.invalidInput": "入力が無効です。値は 0 以上でなければなりません。", + "backupComponent.script": "スクリプト", + "backupComponent.backup": "バックアップ", + "backupComponent.cancel": "キャンセル", + "backup.containsBackupToUrlError": "ファイルへのバックアップのみがサポートされています", + "backup.backupFileRequired": "バックアップ ファイルのパスが必須です" }, - "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { - "clickOn": "次をクリック", - "plusCode": "+ コード", - "or": "または", - "plusText": "+ テキスト", - "toAddCell": "コードまたはテキストのセルを追加するため" + "sql/workbench/contrib/backup/browser/backup.contribution": { + "backup": "バックアップ" }, - "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { - "stdInLabel": "StdIn:" + "sql/workbench/contrib/backup/browser/backupActions": { + "backup.isPreviewFeature": "バックアップを使用するにはプレビュー機能を有効にする必要があります", + "backup.commandNotSupportedForServer": "バックアップ コマンドは、データベース コンテキストの外ではサポートされていません。データベースを選択して、もう一度お試しください。", + "backup.commandNotSupported": "Azure SQL データベースでは、バックアップ コマンドはサポートされていません。", + "backupAction.backup": "バックアップ" }, - "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { - "expandCellContents": "コード セルの内容の展開", - "collapseCellContents": "コード セル コンテンツを折りたたむ" + "sql/workbench/contrib/backup/common/constants": { + "backup.labelDatabase": "データベース", + "backup.labelFilegroup": "ファイルとファイル グループ", + "backup.labelFull": "完全", + "backup.labelDifferential": "差分", + "backup.labelLog": "トランザクション ログ", + "backup.labelDisk": "ディスク", + "backup.labelUrl": "URL", + "backup.defaultCompression": "既定のサーバー設定を使用する", + "backup.compressBackup": "バックアップの圧縮", + "backup.doNotCompress": "バックアップを圧縮しない", + "backup.serverCertificate": "サーバー証明書", + "backup.asymmetricKey": "非対称キー" }, - "sql/workbench/contrib/query/browser/gridPanel": { - "xmlShowplan": "XML プラン表示", - "resultsGrid": "結果グリッド" - }, - "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { - "buttonAdd": "セルの追加", - "optionCodeCell": "コード セル", - "optionTextCell": "テキスト セル", - "buttonMoveDown": "セルを下に移動します", - "buttonMoveUp": "セルを上に移動します", - "buttonDelete": "削除", - "codeCellsPreview": "セルの追加", - "codePreview": "コード セル", - "textPreview": "テキスト セル" - }, - "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { - "sqlKernelError": "SQL カーネル エラー", - "connectionRequired": "ノートブックのセルを実行するには、接続を選択する必要があります", - "sqlMaxRowsDisplayed": "上位 {0} 行を表示しています。" - }, - "sql/workbench/contrib/jobManagement/browser/jobsView.component": { - "jobColumns.name": "名前", - "jobColumns.lastRun": "前回の実行", - "jobColumns.nextRun": "次回の実行", - "jobColumns.enabled": "有効", - "jobColumns.status": "状態", - "jobColumns.category": "カテゴリ", - "jobColumns.runnable": "実行可能", - "jobColumns.schedule": "スケジュール", - "jobColumns.lastRunOutcome": "前回の実行の結果", - "jobColumns.previousRuns": "以前の実行", - "jobsView.noSteps": "このジョブに利用できるステップはありません。", - "jobsView.error": "エラー: " - }, - "sql/workbench/browser/modelComponents/viewBase": { - "componentTypeNotRegistered": "型 {0} のコンポーネントが見つかりませんでした" - }, - "sql/workbench/contrib/profiler/browser/profilerFindWidget": { - "label.find": "検索", - "placeholder.find": "検索", - "label.previousMatchButton": "前の一致項目", - "label.nextMatchButton": "次の一致項目", - "label.closeButton": "閉じる", - "title.matchesCountLimit": "検索で多数の結果が返されました。最初の 999 件の一致のみ強調表示されます。", - "label.matchesLocation": "{0} / {1} 件", - "label.noResults": "結果なし" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { - "dashboard.explorer.namePropertyDisplayValue": "名前", - "dashboard.explorer.schemaDisplayValue": "スキーマ", - "dashboard.explorer.objectTypeDisplayValue": "種類" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { - "insights.runQuery": "クエリの実行" - }, - "sql/workbench/contrib/notebook/browser/cellViews/output.component": { - "noMimeTypeFound": "出力用の {0} レンダラーが見つかりませんでした。次の MIME の種類があります: {1}", - "safe": "安全 ", - "noSelectorFound": "セレクター {0} のコンポーネントが見つかりませんでした", - "componentRenderError": "コンポーネントのレンダリング エラー: {0}" - }, - "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { - "loading": "読み込んでいます..." - }, - "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { - "loading": "読み込んでいます..." - }, - "sql/workbench/contrib/dashboard/browser/core/actions": { - "editDashboard": "編集", - "editDashboardExit": "終了", - "refreshWidget": "最新の情報に更新", - "toggleMore": "アクションの表示", - "deleteWidget": "ウィジェットの削除", - "clickToUnpin": "クリックしてピン留めを外します", - "clickToPin": "クリックしてピン留めします", - "addFeatureAction.openInstalledFeatures": "インストールされている機能を開く", - "collapseWidget": "ウィジェットの折りたたみ", - "expandWidget": "ウィジェットの展開" - }, - "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { - "unknownDashboardContainerError": "{0} は不明なコンテナーです。" - }, - "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { - "notebookColumns.name": "名前", - "notebookColumns.targetDatbase": "ターゲット データベース", - "notebookColumns.lastRun": "前回の実行", - "notebookColumns.nextRun": "次回の実行", - "notebookColumns.status": "状態", - "notebookColumns.lastRunOutcome": "前回の実行の結果", - "notebookColumns.previousRuns": "以前の実行", - "notebooksView.noSteps": "このジョブに利用できるステップはありません。", - "notebooksView.error": "エラー: ", - "notebooksView.notebookError": "ノートブック エラー: " - }, - "sql/base/browser/ui/table/plugins/rowDetailView": { - "rowDetailView.loadError": "読み込みエラー..." - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { - "dashboard.explorer.actions": "アクションの表示", - "explorerSearchNoMatchResultMessage": "一致する項目が見つかりませんでした", - "explorerSearchSingleMatchResultMessage": "検索一覧が 1 項目にフィルター処理されました", - "explorerSearchMatchResultMessage": "検索一覧が {0} 項目にフィルター処理されました" - }, - "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { - "agentUtilities.failed": "失敗", - "agentUtilities.succeeded": "成功", - "agentUtilities.retry": "再試行", - "agentUtilities.canceled": "取り消されました", - "agentUtilities.inProgress": "進行中", - "agentUtilities.statusUnknown": "不明な状態", - "agentUtilities.executing": "実行中", - "agentUtilities.waitingForThread": "スレッドを待機しています", - "agentUtilities.betweenRetries": "再試行の間", - "agentUtilities.idle": "アイドル状態", - "agentUtilities.suspended": "中断中", - "agentUtilities.obsolete": "[古い]", - "agentUtilities.yes": "はい", - "agentUtilities.no": "いいえ", - "agentUtilities.notScheduled": "スケジュールが設定されていません", - "agentUtilities.neverRun": "実行しない" - }, - "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { - "buttonBold": "太字", - "buttonItalic": "斜体", - "buttonUnderline": "下線を付ける", - "buttonHighlight": "強調表示", - "buttonCode": "コード", - "buttonLink": "リンク", - "buttonList": "リスト", - "buttonOrderedList": "順序指定済みリスト", - "buttonImage": "イメージ", - "buttonPreview": "マークダウン プレビューの切り替え - オフ", - "dropdownHeading": "見出し", - "optionHeading1": "見出し 1", - "optionHeading2": "見出し 2", - "optionHeading3": "見出し 3", - "optionParagraph": "段落", - "callout.insertLinkHeading": "リンクの挿入", - "callout.insertImageHeading": "画像の挿入", - "richTextViewButton": "リッチ テキスト ビュー", - "splitViewButton": "分割ビュー", - "markdownViewButton": "マークダウン ビュー" + "sql/workbench/contrib/charts/browser/actions": { + "createInsightLabel": "分析情報の作成", + "createInsightNoEditor": "アクティブなエディターが SQL エディターではないため、分析情報を作成できません", + "myWidgetName": "マイ ウィジェット", + "configureChartLabel": "グラフの構成", + "copyChartLabel": "イメージとしてコピー", + "chartNotFound": "保存するグラフが見つかりませんでした", + "saveImageLabel": "イメージとして保存", + "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", + "chartSaved": "グラフが保存されたパス: {0}" }, "sql/workbench/contrib/charts/browser/chartOptions": { "dataDirectionLabel": "データの方向", @@ -11135,45 +9732,432 @@ "encodingOption": "エンコード", "imageFormatOption": "イメージ形式" }, - "sql/base/browser/ui/panel/tabActions": { - "closeTab": "閉じる" + "sql/workbench/contrib/charts/browser/chartTab": { + "chartTabTitle": "グラフ" }, - "sql/platform/connection/common/connectionConfig": { - "invalidServerName": "同じ名前のサーバー グループが既に存在します。" + "sql/workbench/contrib/charts/browser/chartView": { + "horizontalBarAltName": "水平バー", + "barAltName": "バー", + "lineAltName": "直線", + "pieAltName": "円", + "scatterAltName": "散布", + "timeSeriesAltName": "時系列", + "imageAltName": "イメージ", + "countAltName": "カウント", + "tableAltName": "テーブル", + "doughnutAltName": "ドーナツ", + "charting.failedToGetRows": "グラフを作成するデータセットの行を取得できませんでした。", + "charting.unsupportedType": "グラフの種類 '{0}' はサポートされていません。" + }, + "sql/workbench/contrib/charts/browser/charts.contribution": { + "builtinChartsConfigurationTitle": "組み込みグラフ", + "builtinCharts.maxRowCountDescription": "グラフに表示する最大の行数です。警告: これを大きくするとパフォーマンスに影響が及ぶ場合があります。" + }, + "sql/workbench/contrib/charts/browser/configureChartDialog": { + "configureChartDialog.close": "閉じる" + }, + "sql/workbench/contrib/charts/browser/graphInsight": { + "series": "系列 {0}" + }, + "sql/workbench/contrib/charts/browser/imageInsight": { + "invalidImage": "テーブルに有効なイメージが含まれていません" + }, + "sql/workbench/contrib/charts/browser/utils": { + "charts.maxAllowedRowsExceeded": "組み込みグラフの最大行カウントを超過しました。最初の {0} 行だけが使用されます。値を構成するには、ユーザー設定を開き、'builtinCharts.maxRowCount' を検索してください。", + "charts.neverShowAgain": "今後表示しない" + }, + "sql/workbench/contrib/commandLine/electron-browser/commandLine": { + "connectingLabel": "接続中: {0}", + "runningCommandLabel": "実行中のコマンド: {0}", + "openingNewQueryLabel": "新しいクエリを開いています: {0}", + "warnServerRequired": "サーバー情報が提供されていないため接続できません", + "errConnectUrl": "エラー {0} により URL を開くことができませんでした", + "connectServerDetail": "これにより、サーバー {0} に接続されます", + "confirmConnect": "接続しますか?", + "open": "開く(&&O)", + "connectingQueryLabel": "クエリ ファイルへの接続中" + }, + "sql/workbench/contrib/configuration/common/configurationUpgrader": { + "workbench.configuration.upgradeUser": "ユーザー設定の {0} は {1} に置き換えられました。", + "workbench.configuration.upgradeWorkspace": "ワークスペース設定の {0} は {1} に置き換えられました。" + }, + "sql/workbench/contrib/connection/browser/connection.contribution": { + "sql.maxRecentConnectionsDescription": "接続リストに格納する最近使用された接続の最大数。", + "sql.defaultEngineDescription": "使用する既定の SQL エンジン。.sql ファイル内の既定の言語プロバイダーが駆動され、新しい接続が作成されるときに既定で使用されます。", + "connection.parseClipboardForConnectionStringDescription": "接続ダイアログが開いたり、解析が実行されたりするときにクリップボードの内容の解析を試行します。" + }, + "sql/workbench/contrib/connection/browser/connectionStatus": { + "status.connection.status": "接続状態" + }, + "sql/workbench/contrib/connection/common/connectionProviderExtension": { + "schema.providerId": "プロバイダーの共通 ID", + "schema.displayName": "プロバイダーの表示名", + "schema.notebookKernelAlias": "プロバイダーの Notebook カーネル別名", + "schema.iconPath": "サーバーの種類のアイコン パス", + "schema.connectionOptions": "接続のオプション" + }, + "sql/workbench/contrib/connection/common/connectionTreeProviderExentionPoint": { + "connectionTreeProvider.schema.name": "ツリー プロバイダーのユーザー表示名", + "connectionTreeProvider.schema.id": "プロバイダーの ID は、ツリー データ プロバイダーを登録するときと同じである必要があり、'connectionDialog/' で始まる必要があります" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardContainer.contribution": { + "azdata.extension.contributes.dashboard.container.id": "このコンテナーの一意の識別子。", + "azdata.extension.contributes.dashboard.container.container": "タブに表示されるコンテナー。", + "azdata.extension.contributes.containers": "単一または複数のダッシュ ボード コンテナーを提供し、ユーザーが自分のダッシュボードに追加できるようにします。", + "dashboardContainer.contribution.noIdError": "ダッシュボード コンテナーに、拡張用に指定された ID はありません。", + "dashboardContainer.contribution.noContainerError": "ダッシュボード コンテナーに、拡張用に指定されたコンテナーはありません。", + "dashboardContainer.contribution.moreThanOneDashboardContainersError": "空間ごとにダッシュボード コンテナーを 1 つだけ定義する必要があります。", + "dashboardTab.contribution.unKnownContainerType": "拡張用にダッシュボード コンテナーで定義されているコンテナーの種類が不明です。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardControlHostContainer.contribution": { + "dashboard.container.controlhost": "このタブに表示される controlhost。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { + "dashboardNavSection.loadTabError": "\"{0}\" セクションに無効なコンテンツがあります。機能拡張の所有者にお問い合わせください。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardGridContainer.contribution": { + "dashboard.container.gridtab.items": "このタブに表示されるウィジェットまたは Web ビューのリスト。", + "gridContainer.invalidInputs": "ウィジェットや Web ビューが拡張機能用のウィジェット コンテナー内に必要です。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardModelViewContainer.contribution": { + "dashboard.container.modelview": "このタブに表示されるモデルに基づくビュー。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardNavSection.contribution": { + "dashboard.container.left-nav-bar.id": "このナビゲーション セクションの一意の識別子。すべての要求で拡張機能に渡されます。", + "dashboard.container.left-nav-bar.icon": "(省略可能) UI でこのナビゲーション セクションを表すために使用されるアイコン。ファイル パスまたはテーマを設定可能な構成のいずれかです", + "dashboard.container.left-nav-bar.icon.light": "明るいテーマを使用した場合のアイコンのパス", + "dashboard.container.left-nav-bar.icon.dark": "暗いテーマを使用した場合のアイコンのパス", + "dashboard.container.left-nav-bar.title": "ユーザーに表示するナビゲーション セクションのタイトル。", + "dashboard.container.left-nav-bar.container": "このナビゲーション セクションに表示されるコンテナー。", + "dashboard.container.left-nav-bar": "このナビゲーション セクションに表示されるダッシュボード コンテナーのリスト。", + "navSection.missingTitle.error": "ナビゲーション セクションに、拡張用に指定されたタイトルはありません。", + "navSection.missingContainer.error": "ナビゲーション セクションに、拡張用に指定されたコンテナーはありません。", + "navSection.moreThanOneDashboardContainersError": "空間ごとにダッシュボード コンテナーを 1 つだけ定義する必要があります。", + "navSection.invalidContainer.error": "NAV_SECTION 内の NAV_SECTION は拡張用に無効なコンテナーです。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWebviewContainer.contribution": { + "dashboard.container.webview": "このタブに表示される Web ビュー。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWidgetContainer.contribution": { + "dashboard.container.widgets": "このタブに表示されるウィジェットのリスト。", + "widgetContainer.invalidInputs": "拡張には、ウィジェット コンテナー内にウィジェットのリストが必要です。" + }, + "sql/workbench/contrib/dashboard/browser/core/actions": { + "editDashboard": "編集", + "editDashboardExit": "終了", + "refreshWidget": "最新の情報に更新", + "toggleMore": "アクションの表示", + "deleteWidget": "ウィジェットの削除", + "clickToUnpin": "クリックしてピン留めを外します", + "clickToPin": "クリックしてピン留めします", + "addFeatureAction.openInstalledFeatures": "インストールされている機能を開く", + "collapseWidget": "ウィジェットの折りたたみ", + "expandWidget": "ウィジェットの展開" + }, + "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { + "unknownDashboardContainerError": "{0} は不明なコンテナーです。" }, "sql/workbench/contrib/dashboard/browser/core/dashboardPage.component": { "home": "ホーム", "missingConnectionInfo": "このダッシュ ボードには接続情報が見つかりませんでした", "dashboard.generalTabGroupHeader": "全般" }, - "sql/workbench/contrib/charts/browser/actions": { - "createInsightLabel": "分析情報の作成", - "createInsightNoEditor": "アクティブなエディターが SQL エディターではないため、分析情報を作成できません", - "myWidgetName": "マイ ウィジェット", - "configureChartLabel": "グラフの構成", - "copyChartLabel": "イメージとしてコピー", - "chartNotFound": "保存するグラフが見つかりませんでした", - "saveImageLabel": "イメージとして保存", - "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", - "chartSaved": "グラフが保存されたパス: {0}" + "sql/workbench/contrib/dashboard/browser/core/dashboardTab.contribution": { + "azdata.extension.contributes.dashboard.tab.id": "このタブの一意の識別子。すべての要求で拡張機能に渡されます。", + "azdata.extension.contributes.dashboard.tab.title": "ユーザーを表示するタブのタイトル。", + "azdata.extension.contributes.dashboard.tab.description": "ユーザーに表示されるこのタブの説明。", + "azdata.extension.contributes.tab.when": "この項目を表示するために true にする必要がある条件", + "azdata.extension.contributes.tab.provider": "このタブと互換性のある接続の種類を定義します。設定されていない場合、既定値は 'MSSQL' に設定されます", + "azdata.extension.contributes.dashboard.tab.container": "このタブに表示されるコンテナー。", + "azdata.extension.contributes.dashboard.tab.alwaysShow": "このタブを常に表示するか、またはユーザーが追加したときにのみ表示するかどうか。", + "azdata.extension.contributes.dashboard.tab.isHomeTab": "このタブを接続の種類の [ホーム] タブとして使用するかどうか。", + "azdata.extension.contributes.dashboard.tab.group": "このタブが属しているグループの一意識別子。ホーム グループの値: home。", + "dazdata.extension.contributes.dashboard.tab.icon": "(省略可能) UI でこのタブを表すために使用されるアイコン。ファイル パスまたはテーマを設定可能な構成のいずれかです", + "azdata.extension.contributes.dashboard.tab.icon.light": "明るいテーマを使用した場合のアイコンのパス", + "azdata.extension.contributes.dashboard.tab.icon.dark": "暗いテーマを使用した場合のアイコンのパス", + "azdata.extension.contributes.tabs": "ユーザーがダッシュボードに追加する 1 つまたは、複数のタブを提供します。", + "dashboardTab.contribution.noTitleError": "拡張機能にタイトルが指定されていません。", + "dashboardTab.contribution.noDescriptionWarning": "表示するよう指定された説明はありません。", + "dashboardTab.contribution.noContainerError": "拡張機能にコンテナーが指定されていません。", + "dashboardTab.contribution.moreThanOneDashboardContainersError": "空間ごとにダッシュボード コンテナーを 1 つだけ定義する必要があります", + "azdata.extension.contributes.dashboard.tabGroup.id": "このタブ グループの一意識別子。", + "azdata.extension.contributes.dashboard.tabGroup.title": "タブ グループのタイトル。", + "azdata.extension.contributes.tabGroups": "ユーザーがダッシュボードに追加するための 1 つまたは複数のタブ グループを提供します。", + "dashboardTabGroup.contribution.noIdError": "タブ グループの ID が指定されていません。", + "dashboardTabGroup.contribution.noTitleError": "タブ グループのタイトルが指定されていません。", + "administrationTabGroup": "管理", + "monitoringTabGroup": "監視中", + "performanceTabGroup": "パフォーマンス", + "securityTabGroup": "セキュリティ", + "troubleshootingTabGroup": "トラブルシューティング", + "settingsTabGroup": "設定", + "databasesTabDescription": "データベース タブ", + "databasesTabTitle": "データベース" }, - "sql/workbench/contrib/notebook/browser/notebook.component": { - "addCodeLabel": "コードの追加", - "addTextLabel": "テキストの追加", - "createFile": "ファイルの作成", - "displayFailed": "コンテンツを表示できませんでした: {0}", - "codeCellsPreview": "セルの追加", - "codePreview": "コード セル", - "textPreview": "テキスト セル", - "runAllPreview": "すべて実行", - "addCell": "セル", - "code": "コード", - "text": "テキスト", - "runAll": "セルの実行", - "previousButtonLabel": "< 前へ", - "nextButtonLabel": "次へ >", - "cellNotFound": "URI {0} を含むセルは、このモデルには見つかりませんでした", - "cellRunFailed": "セルの実行に失敗しました。詳細については、現在選択されているセルの出力内のエラーをご覧ください。" + "sql/workbench/contrib/dashboard/browser/dashboard.contribution": { + "manage": "管理", + "dashboard.editor.label": "ダッシュボード" + }, + "sql/workbench/contrib/dashboard/browser/dashboardActions": { + "ManageAction": "管理" + }, + "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { + "opticon": "プロパティ `icon` は省略するか、文字列または `{dark, light}` などのリテラルにする必要があります" + }, + "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { + "dashboard.properties.property": "ダッシュ ボードに表示するプロパティを定義します", + "dashboard.properties.property.displayName": "プロパティのラベルとして使用する値", + "dashboard.properties.property.value": "値にアクセスするためのオブジェクト内の値", + "dashboard.properties.property.ignore": "無視される値を指定します", + "dashboard.properties.property.default": "無視されるか値がない場合に表示される既定値です", + "dashboard.properties.flavor": "ダッシュボードのプロパティを定義するためのフレーバー", + "dashboard.properties.flavor.id": "フレーバーの ID", + "dashboard.properties.flavor.condition": "このフレーバーを使用する条件", + "dashboard.properties.flavor.condition.field": "比較するフィールド", + "dashboard.properties.flavor.condition.operator": "比較に使用する演算子", + "dashboard.properties.flavor.condition.value": "フィールドを比較する値", + "dashboard.properties.databaseProperties": "データベース ページに表示するプロパティ", + "dashboard.properties.serverProperties": "サーバー ページに表示するプロパティ", + "carbon.extension.dashboard": "このプロバイダーがダッシュボードをサポートすることを定義します", + "dashboard.id": "プロバイダー ID (例: MSSQL)", + "dashboard.properties": "ダッシュボードに表示するプロパティ値" + }, + "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { + "azdata.extension.contributes.widget.when": "この項目を表示するために true にする必要がある条件", + "azdata.extension.contributes.widget.hideHeader": "ウィジェットのヘッダーを非表示にするかどうか。既定値は false です。", + "dashboardpage.tabName": "コンテナーのタイトル", + "dashboardpage.rowNumber": "グリッド内のコンポーネントの行", + "dashboardpage.rowSpan": "グリッド内のコンポーネントの rowspan。既定値は 1 です。グリッド内の行数に設定するには '*' を使用します。", + "dashboardpage.colNumber": "グリッド内のコンポーネントの列", + "dashboardpage.colspan": "グリッドのコンポーネントの colspan。既定値は 1 です。グリッドの列数に設定するには '*' を使用します。", + "azdata.extension.contributes.dashboardPage.tab.id": "このタブの一意の識別子。すべての要求で拡張機能に渡されます。", + "dashboardTabError": "拡張機能タブが不明またはインストールされていません。" + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { + "databasePageName": "データベースのプロパティ" + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { + "dashboardDatabaseProperties": "プロパティ ウィジェットを有効または無効にする", + "dashboard.databaseproperties": "表示するプロパティ値", + "dashboard.databaseproperties.displayName": "プロパティの表示名", + "dashboard.databaseproperties.value": "データベース情報オブジェクトの値", + "dashboard.databaseproperties.ignore": "無視する特定の値を指定します", + "recoveryModel": "復旧モデル", + "lastDatabaseBackup": "前回のデータベース バックアップ", + "lastLogBackup": "最終ログ バックアップ", + "compatibilityLevel": "互換性レベル", + "owner": "所有者", + "dashboardDatabase": "データベース ダッシュボード ページをカスタマイズする", + "objectsWidgetTitle": "検索", + "dashboardDatabaseTabs": "データベース ダッシュボード タブをカスタマイズする" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { + "serverPageName": "サーバーのプロパティ" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { + "dashboardServerProperties": "プロパティ ウィジェットを有効または無効にする", + "dashboard.serverproperties": "表示するプロパティ値", + "dashboard.serverproperties.displayName": "プロパティの表示名", + "dashboard.serverproperties.value": "サーバー情報オブジェクトの値", + "version": "バージョン", + "edition": "エディション", + "computerName": "コンピューター名", + "osVersion": "OS バージョン", + "explorerWidgetsTitle": "検索", + "dashboardServer": "サーバー ダッシュ ボード ページをカスタマイズします", + "dashboardServerTabs": "サーバー ダッシュボードのタブをカスタマイズします" + }, + "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { + "homeCrumb": "ホーム" + }, + "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { + "dashboard.changeDatabaseFailure": "データベースを変更できませんでした" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { + "dashboard.explorer.actions": "アクションの表示", + "explorerSearchNoMatchResultMessage": "一致する項目が見つかりませんでした", + "explorerSearchSingleMatchResultMessage": "検索一覧が 1 項目にフィルター処理されました", + "explorerSearchMatchResultMessage": "検索一覧が {0} 項目にフィルター処理されました" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { + "dashboard.explorer.namePropertyDisplayValue": "名前", + "dashboard.explorer.schemaDisplayValue": "スキーマ", + "dashboard.explorer.objectTypeDisplayValue": "種類" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { + "loadingObjects": "オブジェクトを読み込んでいます", + "loadingDatabases": "データベースを読み込んでいます", + "loadingObjectsCompleted": "オブジェクトの読み込みが完了しました。", + "loadingDatabasesCompleted": "データベースの読み込みが完了しました。", + "seachObjects": "型の名前で検索する (t:、v:、f:、sp:)", + "searchDatabases": "検索データベース", + "dashboard.explorer.objectError": "オブジェクトを読み込めません", + "dashboard.explorer.databaseError": "データベースを読み込めません" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { + "insights.runQuery": "クエリの実行" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { + "insightsWidgetLoadingMessage": "{0} を読み込んでいます", + "insightsWidgetLoadingCompletedMessage": "{0} の読み込みが完了しました", + "insights.autoRefreshOffState": "自動更新: オフ", + "insights.lastUpdated": "最終更新日: {0} {1}", + "noResults": "表示する結果がありません。" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { + "insightWidgetDescription": "ウィジェットを追加します。そこでは、サーバーまたはデータベースのクエリを実行して、その結果をグラフや集計されたカウントなどの複数の方法で表示できます", + "insightIdDescription": "分析情報の結果をキャッシュするために使用される一意識別子。", + "insightQueryDescription": "実行する SQL クエリ。返す結果セットは 1 つのみでなければなりません。", + "insightQueryFileDescription": "[省略可能] クエリを含むファイルへのパス。'クエリ' が設定されていない場合に使用します", + "insightAutoRefreshIntervalDescription": "[省略可能] 分単位の自動更新間隔。設定しないと、自動更新されません", + "actionTypes": "使用するアクション", + "actionDatabaseDescription": "アクションのターゲット データベース。形式 '${ columnName }' を使用して、データ ドリブン列名を使用できます。", + "actionServerDescription": "アクションのターゲット サーバー。形式 '${ columnName }' を使用して、データ ドリブン列名を使用できます。", + "actionUserDescription": "アクションのターゲット ユーザー。形式 '${ columnName }' を使用して、データ ドリブン列名を使用できます。", + "carbon.extension.contributes.insightType.id": "分析情報の識別子", + "carbon.extension.contributes.insights": "ダッシュボード パレットに分析情報を提供します。" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { + "chartErrorMessage": "指定されたデータでグラフを表示できません" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.contribution": { + "chartInsightDescription": "ダッシュボード上のグラフとしてクエリの結果を表示します", + "colorMapDescription": "'列名' -> 色をマップします。たとえば、「'column1': red」を追加して、この列で赤色が使用されるようにします ", + "legendDescription": "グラフの凡例の優先される位置と表示範囲を示します。これはクエリに基づく列名で、各グラフ項目のラベルにマップされます", + "labelFirstColumnDescription": "dataDirection が横の場合、true に設定すると凡例に最初の列値が使用されます。", + "columnsAsLabels": "dataDirection が縦の場合、true に設定すると凡例に列名が使用されます。", + "dataDirectionDescription": "データを列 (縦) 方向から、または行 (横) 方向から読み取るかを定義します。時系列の場合、方向は縦にする必要があるため、これは無視されます。", + "showTopNData": "showTopNData を設定すると、上位 N 個のデータのみがグラフに表示されます。" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/barChart.contribution": { + "yAxisMin": "Y 軸の最小値", + "yAxisMax": "Y 軸の最大値", + "barchart.yAxisLabel": "Y 軸のラベル", + "xAxisMin": "X 軸の最小値", + "xAxisMax": "X 軸の最大値", + "barchart.xAxisLabel": "X 軸のラベル" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/lineChart.contribution": { + "dataTypeDescription": "グラフのデータ セットのデータ プロパティを示します。" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/countInsight.contribution": { + "countInsightDescription": "結果セットの各列について、行 0 の値をカウントとして表示し、その後に列名が続きます。たとえば、'1 正常'、'3 異常' をサポートします。ここで、'正常' は列名、1 は行 1 セル 1 の値です。" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/imageInsight.contribution": { + "imageInsightDescription": "イメージを表示します。例: ggplot2 を使用して R クエリによって返されたイメージ", + "imageFormatDescription": "必要な形式は何ですか。JPEG、PNG、またはその他の形式ですか?", + "encodingDescription": "これは 16 進数、base64 または、他の形式でエンコードされていますか?" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/tableInsight.contribution": { + "tableInsightDescription": "単純なテーブルに結果を表示する" + }, + "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { + "loadingProperties": "プロパティを読み込んでいます...", + "loadingPropertiesCompleted": "プロパティの読み込みが完了しました", + "dashboard.properties.error": "ダッシュボードのプロパティを読み込めません" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorer.contribution": { + "databaseConnections": "データベース接続", + "datasource.connections": "データ ソース接続", + "datasource.connectionGroups": "データソース グループ", + "connectionsSortOrder.dateAdded": "保存された接続は、追加された日付順に並べ替えられます。", + "connectionsSortOrder.displayName": "保存された接続は、表示名のアルファベット順に並べ替えられます。", + "datasource.connectionsSortOrder": "保存された接続と接続グループの並べ替え順序を制御します。", + "startupConfig": "起動の構成", + "startup.alwaysShowServersView": "Azure Data Studio の起動時にサーバー ビューを表示する場合には true (既定)。最後に開いたビューを表示する場合には false" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerExtensionPoint": { + "vscode.extension.contributes.view.id": "ビューの識別子。`vscode.window.registerTreeDataProviderForView` API を介してデータ プロバイダーを登録するには、これを使用します。また、`onView:${id}` イベントを `activationEvents` に登録することによって、拡張機能のアクティブ化をトリガーするためにも使用できます。", + "vscode.extension.contributes.view.name": "ビューの判読できる名前。これが表示されます", + "vscode.extension.contributes.view.when": "このビューを表示するために満たす必要がある条件", + "extension.contributes.dataExplorer": "ビューをエディターに提供します", + "extension.dataExplorer": "アクティビティ バーのデータ エクスプローラー コンテナーにビューを提供します", + "dataExplorer.contributed": "コントリビューション ビュー コンテナーにビューを提供します", + "duplicateView1": "ビュー コンテナー '{1}'に同じ ID '{0}' のビューを複数登録できません", + "duplicateView2": "ビュー ID `{0}` はビュー コンテナー `{1}` に既に登録されています", + "requirearray": "ビューは配列にする必要があります", + "requirestring": "プロパティ `{0}` は必須で、`string` 型でなければなりません", + "optstring": "プロパティ `{0}` は省略するか、`string` 型にする必要があります" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { + "dataExplorer.servers": "サーバー", + "dataexplorer.name": "接続", + "showDataExplorer": "接続の表示" + }, + "sql/workbench/contrib/dataExplorer/browser/nodeActions.common.contribution": { + "disconnect": "切断", + "refresh": "最新の情報に更新" + }, + "sql/workbench/contrib/editData/browser/editData.contribution": { + "showEditDataSqlPaneOnStartup": "起動時にデータ SQL の編集ペインを表示する" + }, + "sql/workbench/contrib/editData/browser/editDataActions": { + "editData.run": "実行", + "disposeEditFailure": "編集内容の破棄がエラーで失敗しました: ", + "editData.stop": "停止", + "editData.showSql": "SQL ペインの表示", + "editData.closeSql": "SQL ペインを閉じる" + }, + "sql/workbench/contrib/editData/browser/editDataEditor": { + "maxRowTaskbar": "最大行数:" + }, + "sql/workbench/contrib/editData/browser/editDataGridActions": { + "deleteRow": "行の削除", + "revertRow": "現在の行を元に戻す" + }, + "sql/workbench/contrib/editData/browser/gridActions": { + "saveAsCsv": "CSV として保存", + "saveAsJson": "JSON として保存", + "saveAsExcel": "Excel として保存", + "saveAsXml": "XML として保存", + "copySelection": "コピー", + "copyWithHeaders": "ヘッダー付きでコピー", + "selectAll": "すべて選択" + }, + "sql/workbench/contrib/extensions/browser/contributionRenders": { + "tabs": "ダッシュボード タブ ({0})", + "tabId": "ID", + "tabTitle": "タイトル", + "tabDescription": "説明", + "insights": "ダッシュボード分析情報 ({0})", + "insightId": "ID", + "name": "名前", + "insight condition": "タイミング" + }, + "sql/workbench/contrib/extensions/browser/extensions.contribution": { + "workbench.extensions.getExtensionFromGallery.description": "ギャラリーから拡張機能情報を取得します", + "workbench.extensions.getExtensionFromGallery.arg.name": "拡張機能 ID", + "notFound": "拡張機能 '{0}' が見つかりませんでした。" + }, + "sql/workbench/contrib/extensions/browser/extensionsActions": { + "showRecommendations": "推奨事項を表示", + "Install Extensions": "拡張機能のインストール", + "openExtensionAuthoringDocs": "拡張機能の作成..." + }, + "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { + "neverShowAgain": "今後表示しない", + "ExtensionsRecommended": "Azure Data Studio には拡張機能の推奨事項があります。", + "VisualizerExtensionsRecommended": "Azure Data Studio には、データ可視化の拡張機能の推奨事項があります。\r\nインストールすると、ビジュアライザー アイコンを選択して、クエリ結果を視覚化できます。", + "installAll": "すべてをインストール", + "showRecommendations": "推奨事項を表示", + "scenarioTypeUndefined": "拡張機能の推奨事項のシナリオの種類を指定する必要があります。" + }, + "sql/workbench/contrib/extensions/browser/staticRecommendations": { + "defaultRecommendations": "この拡張機能は Azure Data Studio で推奨されます。" + }, + "sql/workbench/contrib/jobManagement/browser/agentView.component": { + "jobview.Jobs": "ジョブ", + "jobview.Notebooks": "ノートブック", + "jobview.Alerts": "アラート", + "jobview.Proxies": "プロキシ", + "jobview.Operators": "演算子" + }, + "sql/workbench/contrib/jobManagement/browser/alertsView.component": { + "jobAlertColumns.name": "名前", + "jobAlertColumns.lastOccurrenceDate": "最後の発生", + "jobAlertColumns.enabled": "有効", + "jobAlertColumns.delayBetweenResponses": "応答間の遅延 (秒)", + "jobAlertColumns.categoryName": "カテゴリ名" }, "sql/workbench/contrib/jobManagement/browser/jobActions": { "jobaction.successLabel": "成功", @@ -11227,77 +10211,58 @@ "notebookaction.renameNotebook": "名前の変更", "notebookaction.openLatestRun": "最新の実行を開く" }, - "sql/workbench/contrib/assessment/browser/asmtActions": { - "asmtaction.server.getitems": "適用可能な規則を表示する", - "asmtaction.database.getitems": "{0} に適用可能な規則を表示する", - "asmtaction.server.invokeitems": "評価の呼び出し", - "asmtaction.database.invokeitems": "{0} の評価の呼び出し", - "asmtaction.exportasscript": "スクリプトとしてエクスポート", - "asmtaction.showsamples": "すべての規則を表示し、GitHub の詳細を確認する", - "asmtaction.generatehtmlreport": "HTML レポートの作成", - "asmtaction.openReport": "レポートが保存されました。開きますか?", - "asmtaction.label.open": "開く", - "asmtaction.label.cancel": "キャンセル" + "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { + "stepRow.stepID": "ステップ ID", + "stepRow.stepName": "ステップ名", + "stepRow.message": "メッセージ" }, - "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { - "data": "データ", - "connection": "接続", - "queryEditor": "クエリ エディター", - "notebook": "ノートブック", - "dashboard": "ダッシュボード", - "profiler": "Profiler" + "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { + "agent.steps": "ステップ" }, - "sql/workbench/contrib/extensions/browser/contributionRenders": { - "tabs": "ダッシュボード タブ ({0})", - "tabId": "ID", - "tabTitle": "タイトル", - "tabDescription": "説明", - "insights": "ダッシュボード分析情報 ({0})", - "insightId": "ID", - "name": "名前", - "insight condition": "タイミング" + "sql/workbench/contrib/jobManagement/browser/jobsView.component": { + "jobColumns.name": "名前", + "jobColumns.lastRun": "前回の実行", + "jobColumns.nextRun": "次回の実行", + "jobColumns.enabled": "有効", + "jobColumns.status": "状態", + "jobColumns.category": "カテゴリ", + "jobColumns.runnable": "実行可能", + "jobColumns.schedule": "スケジュール", + "jobColumns.lastRunOutcome": "前回の実行の結果", + "jobColumns.previousRuns": "以前の実行", + "jobsView.noSteps": "このジョブに利用できるステップはありません。", + "jobsView.error": "エラー: " }, - "sql/workbench/contrib/charts/browser/imageInsight": { - "invalidImage": "テーブルに有効なイメージが含まれていません" + "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { + "notebookHistory.dateCreatedTooltip": "作成日: ", + "notebookHistory.notebookErrorTooltip": "ノートブック エラー: ", + "notebookHistory.ErrorTooltip": "ジョブ エラー: ", + "notebookHistory.pinnedTitle": "ピン留めされました", + "notebookHistory.recentRunsTitle": "最近の実行", + "notebookHistory.pastRunsTitle": "過去の実行" }, - "sql/workbench/contrib/notebook/browser/cellToolbarActions": { - "moreActionsLabel": "その他", - "editLabel": "編集", - "closeLabel": "閉じる", - "convertCell": "セルの変換", - "runAllAbove": "上のセルの実行", - "runAllBelow": "下のセルの実行", - "codeAbove": "コードを上に挿入", - "codeBelow": "コードを下に挿入", - "markdownAbove": "テキストを上に挿入", - "markdownBelow": "テキストを下に挿入", - "collapseCell": "セルを折りたたむ", - "expandCell": "セルの展開", - "makeParameterCell": "パラメーター セルの作成", - "RemoveParameterCell": "パラメーター セルの削除", - "clear": "結果のクリア" + "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { + "notebookColumns.name": "名前", + "notebookColumns.targetDatbase": "ターゲット データベース", + "notebookColumns.lastRun": "前回の実行", + "notebookColumns.nextRun": "次回の実行", + "notebookColumns.status": "状態", + "notebookColumns.lastRunOutcome": "前回の実行の結果", + "notebookColumns.previousRuns": "以前の実行", + "notebooksView.noSteps": "このジョブに利用できるステップはありません。", + "notebooksView.error": "エラー: ", + "notebooksView.notebookError": "ノートブック エラー: " }, - "sql/workbench/services/notebook/browser/models/clientSession": { - "clientSession.unknownError": "ノートブック セッションの開始中にエラーが発生しました。", - "ServerNotStarted": "不明な理由によりサーバーが起動しませんでした", - "kernelRequiresConnection": "カーネル {0} が見つかりませんでした。既定のカーネルが代わりに使用されます。" + "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { + "jobOperatorsView.name": "名前", + "jobOperatorsView.emailAddress": "電子メール アドレス", + "jobOperatorsView.enabled": "有効" }, - "sql/workbench/contrib/charts/browser/graphInsight": { - "series": "系列 {0}" - }, - "sql/workbench/contrib/charts/browser/configureChartDialog": { - "configureChartDialog.close": "閉じる" - }, - "sql/workbench/services/notebook/browser/models/notebookModel": { - "injectedParametersMsg": "# Injected-Parameters\r\n", - "kernelRequiresConnection": "このカーネルのセルを実行する接続を選択してください", - "deleteCellFailed": "セルの削除に失敗しました。", - "changeKernelFailedRetry": "カーネルの変更に失敗しました。カーネル {0} が使用されます。エラー: {1}", - "changeKernelFailed": "次のエラーにより、カーネルの変更に失敗しました: {0}", - "changeContextFailed": "コンテキストの変更に失敗しました: {0}", - "startSessionFailed": "セッションを開始できませんでした: {0}", - "shutdownClientSessionError": "ノートブックを閉じるときにクライアント セッション エラーが発生しました: {0}", - "ProviderNoManager": "プロバイダー {0} のノートブック マネージャーが見つかりません" + "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { + "jobProxiesView.accountName": "アカウント名", + "jobProxiesView.credentialName": "資格情報名", + "jobProxiesView.description": "説明", + "jobProxiesView.isEnabled": "有効" }, "sql/workbench/contrib/notebook/browser/calloutDialog/common/constants": { "callout.insertButton": "挿入", @@ -11317,6 +10282,940 @@ "linkCallout.linkAddressLabel": "アドレス", "linkCallout.linkAddressPlaceholder": "既存のファイルまたは Web ページへのリンク" }, + "sql/workbench/contrib/notebook/browser/cellToolbarActions": { + "moreActionsLabel": "その他", + "editLabel": "編集", + "closeLabel": "閉じる", + "convertCell": "セルの変換", + "runAllAbove": "上のセルの実行", + "runAllBelow": "下のセルの実行", + "codeAbove": "コードを上に挿入", + "codeBelow": "コードを下に挿入", + "markdownAbove": "テキストを上に挿入", + "markdownBelow": "テキストを下に挿入", + "collapseCell": "セルを折りたたむ", + "expandCell": "セルの展開", + "makeParameterCell": "パラメーター セルの作成", + "RemoveParameterCell": "パラメーター セルの削除", + "clear": "結果のクリア" + }, + "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { + "buttonAdd": "セルの追加", + "optionCodeCell": "コード セル", + "optionTextCell": "テキスト セル", + "buttonMoveDown": "セルを下に移動します", + "buttonMoveUp": "セルを上に移動します", + "buttonDelete": "削除", + "codeCellsPreview": "セルの追加", + "codePreview": "コード セル", + "textPreview": "テキスト セル" + }, + "sql/workbench/contrib/notebook/browser/cellViews/code.component": { + "parametersText": "パラメーター" + }, + "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { + "notebook.failed": "アクティブなセルを選択して、もう一度お試しください", + "runCell": "セルの実行", + "stopCell": "実行のキャンセル", + "errorRunCell": "最後の実行でエラーが発生しました。もう一度実行するにはクリックしてください" + }, + "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { + "expandCellContents": "コード セルの内容の展開", + "collapseCellContents": "コード セル コンテンツを折りたたむ" + }, + "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { + "buttonBold": "太字", + "buttonItalic": "斜体", + "buttonUnderline": "下線を付ける", + "buttonHighlight": "強調表示", + "buttonCode": "コード", + "buttonLink": "リンク", + "buttonList": "リスト", + "buttonOrderedList": "順序指定済みリスト", + "buttonImage": "イメージ", + "buttonPreview": "マークダウン プレビューの切り替え - オフ", + "dropdownHeading": "見出し", + "optionHeading1": "見出し 1", + "optionHeading2": "見出し 2", + "optionHeading3": "見出し 3", + "optionParagraph": "段落", + "callout.insertLinkHeading": "リンクの挿入", + "callout.insertImageHeading": "画像の挿入", + "richTextViewButton": "リッチ テキスト ビュー", + "splitViewButton": "分割ビュー", + "markdownViewButton": "マークダウン ビュー" + }, + "sql/workbench/contrib/notebook/browser/cellViews/output.component": { + "noMimeTypeFound": "出力用の {0} レンダラーが見つかりませんでした。次の MIME の種類があります: {1}", + "safe": "安全 ", + "noSelectorFound": "セレクター {0} のコンポーネントが見つかりませんでした", + "componentRenderError": "コンポーネントのレンダリング エラー: {0}" + }, + "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { + "clickOn": "次をクリック", + "plusCode": "+ コード", + "or": "または", + "plusText": "+ テキスト", + "toAddCell": "コードまたはテキストのセルを追加するため", + "plusCodeAriaLabel": "コード セルの追加", + "plusTextAriaLabel": "テキスト セルの追加" + }, + "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { + "stdInLabel": "StdIn:" + }, + "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { + "doubleClickEdit": "ダブルクリックして編集", + "addContent": "ここにコンテンツを追加..." + }, + "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { + "label.find": "検索", + "placeholder.find": "検索", + "label.previousMatchButton": "前の一致項目", + "label.nextMatchButton": "次の一致項目", + "label.closeButton": "閉じる", + "title.matchesCountLimit": "検索で多数の結果が返されました。最初の 999 件の一致のみ強調表示されます。", + "label.matchesLocation": "{0}/{1} 件", + "label.noResults": "結果なし" + }, + "sql/workbench/contrib/notebook/browser/notebook.component": { + "addCodeLabel": "コードの追加", + "addTextLabel": "テキストの追加", + "createFile": "ファイルの作成", + "displayFailed": "コンテンツを表示できませんでした: {0}", + "codeCellsPreview": "セルの追加", + "codePreview": "コード セル", + "textPreview": "テキスト セル", + "runAllPreview": "すべて実行", + "addCell": "セル", + "code": "コード", + "text": "テキスト", + "runAll": "セルの実行", + "previousButtonLabel": "< 前へ", + "nextButtonLabel": "次へ >", + "cellNotFound": "URI {0} を含むセルは、このモデルには見つかりませんでした", + "cellRunFailed": "セルの実行に失敗しました。詳細については、現在選択されているセルの出力内のエラーをご覧ください。" + }, + "sql/workbench/contrib/notebook/browser/notebook.contribution": { + "newNotebook": "新しいノートブック", + "newQuery": "新しいノートブック", + "workbench.action.setWorkspaceAndOpen": "ワークスペースを設定して開く", + "notebook.sqlStopOnError": "SQL カーネル: セルでエラーが発生したときに Notebook の実行を停止します。", + "notebook.showAllKernels": "(プレビュー) 現在のノートブック プロバイダーのすべてのカーネルを表示します。", + "notebook.allowADSCommands": "ノートブックでの Azure Data Studio コマンドの実行を許可します。", + "notebook.enableDoubleClickEdit": "ノートブックのテキスト セルのダブルクリックして編集を有効する", + "notebook.richTextModeDescription": "テキストはリッチ テキスト (WYSIWYG とも呼ばれる) として表示されます。", + "notebook.splitViewModeDescription": "マークダウンが左側に表示され、レンダリングされたテキストの右側にプレビューが表示されます。", + "notebook.markdownModeDescription": "テキストはマークダウンとして表示されます。", + "notebook.defaultTextEditMode": "テキスト セルに使用される既定の編集モード", + "notebook.saveConnectionName": "(プレビュー) ノートブック メタデータに接続名を保存します。", + "notebook.markdownPreviewLineHeight": "ノートブック マークダウン プレビューで使用される行の高さを制御します。この数値はフォント サイズを基準とします。", + "notebook.showRenderedNotebookinDiffEditor": "(プレビュー) レンダリングされたノートブックを差分エディターで表示します。", + "notebook.maxRichTextUndoHistory": "ノートブックのリッチ テキスト エディターを元に戻す操作の履歴に格納される変更の最大数です。", + "searchConfigurationTitle": "ノートブックの検索", + "exclude": "フルテキスト検索および Quick Open でファイルやフォルダーを除外するための glob パターンを構成します。'#files.exclude#' 設定からすべての glob パターンを継承します。glob パターンの詳細については、[こちら](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options) を参照してください。", + "exclude.boolean": "ファイル パスの照合基準となる glob パターン。これを true または false に設定すると、パターンがそれぞれ有効/無効になります。", + "exclude.when": "一致するファイルの兄弟をさらにチェックします。一致するファイル名の変数として $(basename) を使用します。", + "useRipgrep": "この設定は推奨されず、現在 \"search.usePCRE2\" にフォール バックします。", + "useRipgrepDeprecated": "推奨されません。高度な正規表現機能サポートのために \"search.usePCRE2\" の利用を検討してください。", + "search.maintainFileSearchCache": "有効にすると、searchService プロセスは 1 時間操作がない場合でもシャットダウンされず、アクティブな状態に保たれます。これにより、ファイル検索キャッシュがメモリに保持されます。", + "useIgnoreFiles": "ファイルを検索するときに、`.gitignore` ファイルと `.ignore` ファイルを使用するかどうかを制御します。", + "useGlobalIgnoreFiles": "ファイルを検索するときに、グローバルの `.gitignore` と `.ignore` ファイルを使用するかどうかを制御します。", + "search.quickOpen.includeSymbols": "グローバル シンボル検索の結果を、Quick Open の結果ファイルに含めるかどうか。", + "search.quickOpen.includeHistory": "最近開いたファイルの結果を、Quick Open の結果ファイルに含めるかどうか。", + "filterSortOrder.default": "履歴エントリは、使用されるフィルター値に基づいて関連性によって並び替えられます。関連性の高いエントリが最初に表示されます。", + "filterSortOrder.recency": "履歴エントリは、新しい順に並べ替えられます。最近開いたエントリが最初に表示されます。", + "filterSortOrder": "フィルター処理時に、 Quick Open におけるエディター履歴の並べ替え順序を制御します。", + "search.followSymlinks": "検索中にシンボリック リンクをたどるかどうかを制御します。", + "search.smartCase": "すべて小文字のパターンの場合、大文字と小文字を区別しないで検索し、そうでない場合は大文字と小文字を区別して検索します。", + "search.globalFindClipboard": "macOS で検索ビューが共有の検索クリップボードを読み取りまたは変更するかどうかを制御します。", + "search.location": "検索をサイドバーのビューとして表示するか、より水平方向の空間をとるためにパネル領域のパネルとして表示するかを制御します。", + "search.location.deprecationMessage": "この設定は非推奨です。代わりに検索ビューのコンテキスト メニューをお使いください。", + "search.collapseResults.auto": "結果が 10 件未満のファイルが展開されます。他のファイルは折りたたまれます。", + "search.collapseAllResults": "検索結果を折りたたむか展開するかどうかを制御します。", + "search.useReplacePreview": "一致項目を選択するか置換するときに、置換のプレビューを開くかどうかを制御します。", + "search.showLineNumbers": "検索結果に行番号を表示するかどうかを制御します。", + "search.usePCRE2": "テキスト検索に PCRE2 正規表現エンジンを使用するかどうか。これにより、先読みや後方参照といった高度な正規表現機能を使用できるようになります。ただし、すべての PCRE2 機能がサポートされているわけではありません。JavaScript によってサポートされる機能のみが使用できます。", + "usePCRE2Deprecated": "廃止されました。PCRE2 でのみサポートされている正規表現機能を使用すると、PCRE2 が自動的に使用されます。", + "search.actionsPositionAuto": "検索ビューが狭い場合はアクションバーを右に、検索ビューが広い場合はコンテンツの直後にアクションバーを配置します。", + "search.actionsPositionRight": "アクションバーを常に右側に表示します。", + "search.actionsPosition": "検索ビューの行内のアクションバーの位置を制御します。", + "search.searchOnType": "入力中の文字列を全てのファイルから検索する。", + "search.seedWithNearestWord": "アクティブなエディターで何も選択されていないときに、カーソルに最も近い語からのシード検索を有効にします。", + "search.seedOnFocus": "検索ビューにフォーカスを置いたときに、ワークスペースの検索クエリが、エディターで選択されているテキストに更新されます。これは、クリックされたときか、'workbench.views.search.focus' コマンドがトリガーされたときに発生します。", + "search.searchOnTypeDebouncePeriod": "'#search.searchOnType#' を有効にすると、文字が入力されてから検索が開始されるまでのタイムアウト (ミリ秒) が制御されます。'search.searchOnType' が無効になっている場合には影響しません。", + "search.searchEditor.doubleClickBehaviour.selectWord": "ダブルクリックすると、カーソルの下にある単語が選択されます。", + "search.searchEditor.doubleClickBehaviour.goToLocation": "ダブルクリックすると、アクティブなエディター グループに結果が開きます。", + "search.searchEditor.doubleClickBehaviour.openLocationToSide": "ダブルクリックすると、結果はエディター グループの横に開かれ、まだ存在しない場合は作成されます。", + "search.searchEditor.doubleClickBehaviour": "検索エディターで結果をダブル クリックした場合の効果を構成します。", + "searchSortOrder.default": "結果はフォルダー名とファイル名でアルファベット順に並べ替えられます。", + "searchSortOrder.filesOnly": "結果はフォルダーの順序を無視したファイル名でアルファベット順に並べ替えられます。", + "searchSortOrder.type": "結果は、ファイル拡張子でアルファベット順に並べ替えられます。", + "searchSortOrder.modified": "結果は、ファイルの最終更新日で降順に並べ替えられます。", + "searchSortOrder.countDescending": "結果は、ファイルあたりの数で降順に並べ替えられます。", + "searchSortOrder.countAscending": "結果は、ファイルごとのカウントで昇順に並べ替えられます。", + "search.sortOrder": "検索結果の並べ替え順序を制御します。" + }, + "sql/workbench/contrib/notebook/browser/notebookActions": { + "loading": "カーネルを読み込んでいます...", + "changing": "カーネルを変更しています...", + "AttachTo": "接続先: ", + "Kernel": "カーネル ", + "loadingContexts": "コンテキストを読み込んでいます...", + "changeConnection": "接続の変更", + "selectConnection": "接続を選択", + "localhost": "localhost", + "noKernel": "カーネルなし", + "kernelNotSupported": "カーネルがサポートされていないため、このノートブックはパラメーターを指定して実行できません。サポートされているカーネルと形式を使用してください。[詳細情報](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。", + "noParametersCell": "パラメーター セルが追加されるまで、パラメーターを指定してこのノートブックを実行することはできません。[詳細情報](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。", + "noParametersInCell": "パラメーター セルにパラメーターが追加されるまで、パラメーターを指定してこのノートブックを実行することはできません。[詳細情報] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。", + "clearResults": "結果のクリア", + "trustLabel": "信頼されています", + "untrustLabel": "信頼されていません", + "collapseAllCells": "セルを折りたたむ", + "expandAllCells": "セルを展開する", + "runParameters": "パラメーターを指定して実行", + "noContextAvailable": "なし", + "newNotebookAction": "新しいノートブック", + "notebook.findNext": "次の文字列を検索", + "notebook.findPrevious": "前の文字列を検索" + }, + "sql/workbench/contrib/notebook/browser/notebookEditor": { + "notebookEditor.name": "Notebook Editor" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { + "notebookExplorer.searchResults": "検索結果", + "searchPathNotFoundError": "検索パスが見つかりません: {0}", + "notebookExplorer.name": "ノートブック" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { + "searchWithoutFolder": "ノートブックまたはブックを格納するフォルダーを開いていません。", + "openNotebookFolder": "ノートブックを開く", + "searchMaxResultsWarning": "結果セットにはすべての一致項目のサブセットのみが含まれています。より限定的な検索条件を入力して、検索結果を絞り込んでください。", + "searchInProgress": "検索中です...", + "noResultsIncludesExcludes": "'{0}' に '{1}' を除外した結果はありません - ", + "noResultsIncludes": "'{0}' に結果はありません - ", + "noResultsExcludes": "'{0}' を除外した結果はありませんでした - ", + "noResultsFound": "結果がありません。除外構成の設定を確認し、gitignore ファイルを調べてください - ", + "rerunSearch.message": "もう一度検索", + "rerunSearchInAll.message": "すべてのファイルでもう一度検索してください", + "openSettings.message": "設定を開く", + "ariaSearchResultsStatus": "検索により {1} 個のファイル内の {0} 件の結果が返されました", + "ToggleCollapseAndExpandAction.label": "折りたたみと展開の切り替え", + "CancelSearchAction.label": "検索のキャンセル", + "ExpandAllAction.label": "すべて展開", + "CollapseDeepestExpandedLevelAction.label": "すべて折りたたむ", + "ClearSearchResultsAction.label": "検索結果のクリア" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { + "label.Search": "検索: 検索語句を入力し Enter を押して検索するか、Esc を押して取り消します", + "search.placeHolder": "検索" + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViews.component": { + "cellNotFound": "URI {0} を含むセルは、このモデルには見つかりませんでした", + "cellRunFailed": "セルの実行に失敗しました。詳細については、現在選択されているセルの出力内のエラーをご覧ください。" + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsCodeCell.component": { + "viewsCodeCell.emptyCellText": "出力を表示するには、このセルを実行してください。" + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsGrid.component": { + "emptyText": "このビューは空です。[セルの挿入] ボタンをクリックして、このビューにセルを追加します。" + }, + "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { + "copyFailed": "エラー {0} でコピーに失敗しました", + "notebook.showChart": "グラフの表示", + "notebook.showTable": "テーブルの表示" + }, + "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { + "noRendererFound": "出力用の {0} レンダラーが見つかりませんでした。次の MIME の種類があります: {1}。", + "safe": "(安全) " + }, + "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { + "plotlyError": "Plotly グラフの表示エラー: {0}" + }, + "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { + "servers.noConnections": "接続が見つかりません。", + "serverTree.addConnection": "接続の追加" + }, + "sql/workbench/contrib/objectExplorer/common/serverGroup.contribution": { + "serverGroup.colors": "オブジェクト エクスプローラー ビューレットで使用するサーバー グループ カラー パレット。", + "serverGroup.autoExpand": "オブジェクト エクスプローラー ビューレットの自動展開サーバー グループ。", + "serverTree.useAsyncServerTree": "(プレビュー) 動的ノード フィルターなどの新機能をサポートする、新しい非同期サーバー ツリーをサーバー ビューおよび接続ダイアログに使用します。" + }, + "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { + "data": "データ", + "connection": "接続", + "queryEditor": "クエリ エディター", + "notebook": "ノートブック", + "dashboard": "ダッシュボード", + "profiler": "Profiler", + "builtinCharts": "組み込みグラフ" + }, + "sql/workbench/contrib/profiler/browser/profiler.contribution": { + "profiler.settings.viewTemplates": "ビュー テンプレートを指定する", + "profiler.settings.sessionTemplates": "セッション テンプレートを指定する", + "profiler.settings.Filters": "Profiler フィルター" + }, + "sql/workbench/contrib/profiler/browser/profilerActions": { + "profilerAction.connect": "接続", + "profilerAction.disconnect": "切断", + "start": "開始", + "create": "新しいセッション", + "profilerAction.pauseCapture": "一時停止", + "profilerAction.resumeCapture": "再開", + "profilerStop.stop": "停止", + "profiler.clear": "データのクリア", + "profiler.clearDataPrompt": "データをクリアしますか?", + "profiler.yes": "はい", + "profiler.no": "いいえ", + "profilerAction.autoscrollOn": "自動スクロール: オン", + "profilerAction.autoscrollOff": "自動スクロール: オフ", + "profiler.toggleCollapsePanel": "折りたたんだパネルを切り替える", + "profiler.editColumns": "列の編集", + "profiler.findNext": "次の文字列を検索", + "profiler.findPrevious": "前の文字列を検索", + "profilerAction.newProfiler": "Profiler を起動", + "profiler.filter": "フィルター...", + "profiler.clearFilter": "フィルターのクリア", + "profiler.clearFilterPrompt": "フィルターをクリアしますか?" + }, + "sql/workbench/contrib/profiler/browser/profilerEditor": { + "profiler.viewSelectAccessibleName": "ビューの選択", + "profiler.sessionSelectAccessibleName": "セッションの選択", + "profiler.sessionSelectLabel": "セッションを選択:", + "profiler.viewSelectLabel": "ビューを選択:", + "text": "テキスト", + "label": "ラベル", + "profilerEditor.value": "値", + "details": "詳細" + }, + "sql/workbench/contrib/profiler/browser/profilerFindWidget": { + "label.find": "検索", + "placeholder.find": "検索", + "label.previousMatchButton": "前の一致項目", + "label.nextMatchButton": "次の一致項目", + "label.closeButton": "閉じる", + "title.matchesCountLimit": "検索で多数の結果が返されました。最初の 999 件の一致のみ強調表示されます。", + "label.matchesLocation": "{0} / {1} 件", + "label.noResults": "結果なし" + }, + "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { + "profilerTextEditorAriaLabel": "イベント テキストの Profiler エディター。読み取り専用" + }, + "sql/workbench/contrib/profiler/browser/profilerTableEditor": { + "ProfilerTableEditor.eventCountFiltered": "イベント (フィルター処理済み): {0}/{1}", + "ProfilerTableEditor.eventCount": "イベント: {0}", + "status.eventCount": "イベント数" + }, + "sql/workbench/contrib/query/browser/actions": { + "saveAsCsv": "CSV として保存", + "saveAsJson": "JSON として保存", + "saveAsExcel": "Excel として保存", + "saveAsXml": "XML として保存", + "jsonEncoding": "JSON にエクスポートするときに結果のエンコードは保存されません。ファイルが作成されたら、目的のエンコードで保存することを忘れないでください。", + "saveToFileNotSupported": "バッキング データ ソースでファイルへの保存はサポートされていません", + "copySelection": "コピー", + "copyWithHeaders": "ヘッダー付きでコピー", + "selectAll": "すべて選択", + "maximize": "最大化", + "restore": "復元", + "chart": "グラフ", + "visualizer": "ビジュアライザー" + }, + "sql/workbench/contrib/query/browser/flavorStatus": { + "chooseSqlLang": "SQL 言語の選択", + "changeProvider": "SQL 言語プロバイダーの変更", + "status.query.flavor": "SQL 言語のフレーバー", + "changeSqlProvider": "SQL エンジン プロバイダーの変更", + "alreadyConnected": "エンジン {0} を使用している接続が存在します。変更するには、切断するか、接続を変更してください", + "noEditor": "現時点でアクティブなテキスト エディターはありません", + "pickSqlProvider": "言語プロバイダーの選択" + }, + "sql/workbench/contrib/query/browser/gridPanel": { + "xmlShowplan": "XML プラン表示", + "resultsGrid": "結果グリッド", + "resultsGrid.maxRowCountExceeded": "フィルター/並べ替えに使用する行の最大数を超えました。更新するには、[ユーザーの設定] に移動し、設定を変更します: 'queryEditor.results.inMemoryDataProcessingThreshold'" + }, + "sql/workbench/contrib/query/browser/keyboardQueryActions": { + "focusOnCurrentQueryKeyboardAction": "現在のクエリにフォーカスを移動する", + "runQueryKeyboardAction": "クエリの実行", + "runCurrentQueryKeyboardAction": "現在のクエリを実行", + "copyQueryWithResultsKeyboardAction": "結果を含むクエリのコピー", + "queryActions.queryResultsCopySuccess": "クエリと結果が正常にコピーされました。", + "runCurrentQueryWithActualPlanKeyboardAction": "実際のプランで現在のクエリを実行", + "cancelQueryKeyboardAction": "クエリのキャンセル", + "refreshIntellisenseKeyboardAction": "IntelliSense キャッシュの更新", + "toggleQueryResultsKeyboardAction": "クエリ結果の切り替え", + "ToggleFocusBetweenQueryEditorAndResultsAction": "クエリと結果の間のフォーカスの切り替え", + "queryShortcutNoEditor": "ショートカットを実行するにはエディター パラメーターが必須です", + "parseSyntaxLabel": "クエリの解析", + "queryActions.parseSyntaxSuccess": "コマンドが正常に完了しました", + "queryActions.parseSyntaxFailure": "コマンドが失敗しました: ", + "queryActions.notConnected": "サーバーに接続してください" + }, + "sql/workbench/contrib/query/browser/messagePanel": { + "messagePanel": "メッセージ パネル", + "copy": "コピー", + "copyAll": "すべてコピー" + }, + "sql/workbench/contrib/query/browser/query.contribution": { + "queryResultsEditor.name": "クエリ結果", + "newQuery": "新しいクエリ", + "queryEditorConfigurationTitle": "クエリ エディター", + "queryEditor.results.saveAsCsv.includeHeaders": "true の場合、CSV として結果を保存する際に列ヘッダーが組み込まれます", + "queryEditor.results.saveAsCsv.delimiter": "CSV として保存するときに値の間に使用するカスタム区切り記号", + "queryEditor.results.saveAsCsv.lineSeperator": "結果を CSV として保存するときに行を区切るために使用する文字", + "queryEditor.results.saveAsCsv.textIdentifier": "結果を CSV として保存するときにテキスト フィールドを囲むために使用する文字", + "queryEditor.results.saveAsCsv.encoding": "結果を CSV として保存するときに使用するファイル エンコード", + "queryEditor.results.saveAsXml.formatted": "true の場合、XML として結果を保存すると XML 出力がフォーマットされます", + "queryEditor.results.saveAsXml.encoding": "結果を XML として保存するときに使用されるファイル エンコード", + "queryEditor.results.streaming": "結果のストリーミングを有効にします。視覚上の小さな問題がいくつかあります", + "queryEditor.results.copyIncludeHeaders": "結果を結果ビューからコピーするための構成オプション", + "queryEditor.results.copyRemoveNewLine": "複数行の結果を結果ビューからコピーするための構成オプション", + "queryEditor.results.optimizedTable": "(試験的) 結果の最適化されたテーブルを使用します。一部の機能がなく、準備中の場合があります。", + "queryEditor.inMemoryDataProcessingThreshold": "メモリ内でフィルター処理と並べ替えを実行できる行の最大数を制御します。この数を超えた場合、並べ替えとフィルター処理は無効になります。警告: これを増やすと、パフォーマンスに影響を与える可能性があります。", + "queryEditor.results.openAfterSave": "結果保存後に Azure Data Studio でファイルを開くかどうかを指定します。", + "queryEditor.messages.showBatchTime": "各バッチの実行時間を表示するかどうか", + "queryEditor.messages.wordwrap": "メッセージを右端で折り返す", + "queryEditor.chart.defaultChartType": "クエリ結果からグラフ ビューアーを開くときに使用する既定のグラフの種類", + "queryEditor.tabColorMode.off": "タブの色指定は無効になります", + "queryEditor.tabColorMode.border": "各エディター タブの上部境界線は、関連するサーバー グループと同じ色になります", + "queryEditor.tabColorMode.fill": "各エディター タブの背景色は、関連するサーバー グループと同じになります", + "queryEditor.tabColorMode": "アクティブな接続のサーバー グループに基づいてタブに色を付ける方法を制御します", + "queryEditor.showConnectionInfoInTitle": "タイトルにタブの接続情報を表示するかを制御します。", + "queryEditor.promptToSaveGeneratedFiles": "生成された SQL ファイルを保存するかをプロンプトで確認する", + "queryShortcutDescription": "ショートカット テキストをプロシージャ呼び出しまたはクエリ実行として実行するにはキー バインド workbench.action.query.shortcut{0} を設定します。クエリ エディターで選択したテキストはクエリの末尾でパラメーターとして渡されます。または、これを {arg} で参照することができます。" + }, + "sql/workbench/contrib/query/browser/queryActions": { + "newQueryTask.newQuery": "新しいクエリ", + "runQueryLabel": "実行", + "cancelQueryLabel": "キャンセル", + "estimatedQueryPlan": "説明", + "actualQueryPlan": "実際", + "disconnectDatabaseLabel": "切断", + "changeConnectionDatabaseLabel": "接続の変更", + "connectDatabaseLabel": "接続", + "enablesqlcmdLabel": "SQLCMD を有効にする", + "disablesqlcmdLabel": "SQLCMD を無効にする", + "selectDatabase": "データベースの選択", + "changeDatabase.failed": "データベースを変更できませんでした", + "changeDatabase.failedWithError": "データベースを変更できませんでした: {0}", + "queryEditor.exportSqlAsNotebook": "ノートブックとしてエクスポート" + }, + "sql/workbench/contrib/query/browser/queryEditor": { + "queryEditor.name": "Query Editor" + }, + "sql/workbench/contrib/query/browser/queryResultsView": { + "resultsTabTitle": "結果", + "messagesTabTitle": "メッセージ" + }, + "sql/workbench/contrib/query/browser/statusBarItems": { + "status.query.timeElapsed": "経過時間", + "status.query.rowCount": "行数", + "rowCount": "{0} 行", + "query.status.executing": "クエリを実行しています...", + "status.query.status": "実行状態", + "status.query.selection-summary": "選択の要約", + "status.query.summaryText": "平均: {0} 数: {1} 合計: {2}" + }, + "sql/workbench/contrib/query/common/resultsGrid.contribution": { + "resultsGridConfigurationTitle": "結果グリッドとメッセージ", + "fontFamily": "フォント ファミリを制御します。", + "fontWeight": "フォントの太さを制御します。", + "fontSize": "フォント サイズ (ピクセル単位) を制御します。", + "letterSpacing": "文字間隔 (ピクセル単位) を制御します。", + "rowHeight": "ピクセル単位で行の高さを制御する", + "cellPadding": "セルの埋め込みをピクセル単位で制御します", + "autoSizeColumns": "最初の結果について、列の幅を自動サイズ設定します。多数の列がある場合や、大きいセルがある場合、パフォーマンスの問題が発生する可能性があります", + "maxColumnWidth": "自動サイズ設定される列の最大幅 (ピクセル単位)" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryActions": { + "toggleQueryHistory": "Query History の切り替え", + "queryHistory.delete": "削除", + "queryHistory.clearLabel": "すべての履歴をクリア", + "queryHistory.openQuery": "クエリを開く", + "queryHistory.runQuery": "クエリの実行", + "queryHistory.toggleCaptureLabel": "Query History キャプチャの切り替え", + "queryHistory.disableCapture": "Query History キャプチャの一時停止", + "queryHistory.enableCapture": "Query History キャプチャの開始" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryRenderer": { + "succeeded": "成功", + "failed": "失敗" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryView": { + "noQueriesMessage": "表示するクエリがありません。", + "queryHistory.regTreeAriaLabel": "Query History" + }, + "sql/workbench/contrib/queryHistory/electron-browser/queryHistory": { + "queryHistoryConfigurationTitle": "クエリ履歴", + "queryHistoryCaptureEnabled": "Query History キャプチャが有効かどうか。false の場合、実行されたクエリはキャプチャされません。", + "queryHistory.clearLabel": "すべての履歴をクリア", + "queryHistory.disableCapture": "Query History キャプチャの一時停止", + "queryHistory.enableCapture": "Query History キャプチャの開始", + "viewCategory": "表示", + "miViewQueryHistory": "Query History (&&Q)", + "queryHistory": "Query History" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlan": { + "queryPlanTitle": "クエリ プラン" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlanEditor": { + "queryPlanEditor": "Query Plan Editor" + }, + "sql/workbench/contrib/queryPlan/browser/topOperations": { + "topOperations.operation": "操作", + "topOperations.object": "オブジェクト", + "topOperations.estCost": "推定コスト", + "topOperations.estSubtreeCost": "サブ ツリーの推定コスト", + "topOperations.actualRows": "実際の行数", + "topOperations.estRows": "推定行数", + "topOperations.actualExecutions": "実際の実行", + "topOperations.estCPUCost": "推定 CPU コスト", + "topOperations.estIOCost": "推定 IO コスト", + "topOperations.parallel": "並列", + "topOperations.actualRebinds": "実際の再バインド数", + "topOperations.estRebinds": "再バインドの推定数", + "topOperations.actualRewinds": "実際の巻き戻し数", + "topOperations.estRewinds": "巻き戻しの推定数", + "topOperations.partitioned": "パーティション分割", + "topOperationsTitle": "上位操作" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewer.contribution": { + "resourceViewer": "リソース ビューアー" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { + "resourceViewer.refresh": "最新の情報に更新" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { + "resourceViewerTable.openError": "リンクを開いているときにエラーが発生しました: {0}", + "resourceViewerTable.commandError": "コマンド '{0}' の実行でエラーが発生しました: {1}" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { + "resourceViewer.ariaLabel": "リソース ビューアー ツリー" + }, + "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { + "extension.contributes.resourceView.resource.id": "リソースの識別子。", + "extension.contributes.resourceView.resource.name": "ビューの判読できる名前。これが表示されます", + "extension.contributes.resourceView.resource.icon": "リソース アイコンへのパス。", + "extension.contributes.resourceViewResources": "リソースをリソース ビューに提供します", + "requirestring": "プロパティ `{0}` は必須で、`string` 型でなければなりません", + "optstring": "プロパティ `{0}` は省略するか、`string` 型にする必要があります" + }, + "sql/workbench/contrib/restore/browser/restore.contribution": { + "restore": "復元", + "backup": "復元" + }, + "sql/workbench/contrib/restore/browser/restoreActions": { + "restore.isPreviewFeature": "復元を使用するには、プレビュー機能を有効にする必要があります", + "restore.commandNotSupportedOutsideContext": "復元コマンドは、サーバー コンテキストの外ではサポートされていません。サーバーまたはデータベースを選択して、もう一度お試しください。", + "restore.commandNotSupported": "Azure SQL データベースでは、復元コマンドはサポートされていません。", + "restoreAction.restore": "復元" + }, + "sql/workbench/contrib/scripting/browser/scripting.contribution": { + "scriptAsCreate": "作成としてのスクリプト", + "scriptAsDelete": "ドロップとしてのスクリプト", + "scriptAsSelect": "上位 1000 を選択する", + "scriptAsExecute": "実行としてのスクリプト", + "scriptAsAlter": "変更としてのスクリプト", + "editData": "データの編集", + "scriptSelect": "上位 1000 を選択する", + "scriptKustoSelect": "10 個", + "scriptCreate": "作成としてのスクリプト", + "scriptExecute": "実行としてのスクリプト", + "scriptAlter": "変更としてのスクリプト", + "scriptDelete": "ドロップとしてのスクリプト", + "refreshNode": "最新の情報に更新" + }, + "sql/workbench/contrib/scripting/browser/scriptingActions": { + "refreshError": "ノード '{0}' の更新でエラーが発生しました: {1}" + }, + "sql/workbench/contrib/tasks/browser/tasks.contribution": { + "inProgressTasksChangesBadge": "{0} 個のタスクが進行中です", + "viewCategory": "表示", + "tasks": "タスク", + "miViewTasks": "タスク(&&T)" + }, + "sql/workbench/contrib/tasks/browser/tasksActions": { + "toggleTasks": "タスクの切り替え" + }, + "sql/workbench/contrib/tasks/browser/tasksRenderer": { + "succeeded": "成功", + "failed": "失敗", + "inProgress": "進行中", + "notStarted": "未開始", + "canceled": "キャンセル済み", + "canceling": "キャンセル中" + }, + "sql/workbench/contrib/tasks/browser/tasksView": { + "noTaskMessage": "表示するタスク履歴がありません。", + "taskHistory.regTreeAriaLabel": "タスク履歴", + "taskError": "タスク エラー" + }, + "sql/workbench/contrib/tasks/common/tasksAction": { + "cancelTask.cancel": "キャンセル", + "errorMsgFromCancelTask": "タスクを取り消せませんでした。", + "taskAction.script": "スクリプト" + }, + "sql/workbench/contrib/views/browser/treeView": { + "no-dataprovider": "ビュー データを提供できるデータ プロバイダーが登録されていません。", + "refresh": "最新の情報に更新", + "collapseAll": "すべて折りたたむ", + "command-error": "コマンド {1} の実行中にエラー {0} が発生しました。{1} を提供する拡張機能が原因である可能性があります。" + }, + "sql/workbench/contrib/webview/browser/webViewDialog": { + "webViewDialog.ok": "OK", + "webViewDialog.close": "閉じる" + }, + "sql/workbench/contrib/welcome/gettingStarted/browser/abstractEnablePreviewFeatures": { + "enablePreviewFeatures.notice": "プレビュー機能により、新機能と機能改善にフル アクセスできることで、Azure Data Studio のエクスペリエンスが拡張されます。プレビュー機能の詳細については、[ここ] ({0}) を参照してください。プレビュー機能を有効にしますか?", + "enablePreviewFeatures.yes": "はい (推奨)", + "enablePreviewFeatures.no": "いいえ", + "enablePreviewFeatures.never": "いいえ、今後は表示しない" + }, + "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { + "welcomePage.previewBody": "この機能ページはプレビュー段階です。プレビュー機能では、製品の永続的な部分になる予定の新しい機能が導入されています。これらは安定していますが、追加のアクセシビリティの改善が必要です。開発中の早期のフィードバックを歓迎しています。", + "welcomePage.preview": "プレビュー", + "welcomePage.createConnection": "接続の作成", + "welcomePage.createConnectionBody": "接続ダイアログを使用してデータベース インスタンスに接続します。", + "welcomePage.runQuery": "クエリの実行", + "welcomePage.runQueryBody": "クエリ エディターを使用してデータを操作します。", + "welcomePage.createNotebook": "ノートブックの作成", + "welcomePage.createNotebookBody": "ネイティブのノートブック エディターを使用して、新しいノートブックを作成します。", + "welcomePage.deployServer": "サーバーのデプロイ", + "welcomePage.deployServerBody": "選択したプラットフォームでリレーショナル データ サービスの新しいインスタンスを作成します。", + "welcomePage.resources": "リソース", + "welcomePage.history": "履歴", + "welcomePage.name": "名前", + "welcomePage.location": "場所", + "welcomePage.moreRecent": "さらに表示", + "welcomePage.showOnStartup": "起動時にウェルカム ページを表示する", + "welcomePage.usefuLinks": "役に立つリンク", + "welcomePage.gettingStarted": "はじめに", + "welcomePage.gettingStartedBody": "Azure Data Studio によって提供される機能を検出し、それらを最大限に活用する方法について説明します。", + "welcomePage.documentation": "ドキュメント", + "welcomePage.documentationBody": "PowerShell、API などのクイックスタート、攻略ガイド、リファレンスについては、ドキュメント センターを参照してください。", + "welcomePage.videos": "ビデオ", + "welcomePage.videoDescriptionOverview": "Azure Data Studio の概要", + "welcomePage.videoDescriptionIntroduction": "Azure Data Studio ノートブックの概要 | 公開されたデータ", + "welcomePage.extensions": "拡張", + "welcomePage.showAll": "すべて表示", + "welcomePage.learnMore": "詳細情報" + }, + "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { + "GuidedTour.connections": "接続", + "GuidedTour.makeConnections": "SQL Server、Azure などからの接続を接続、クエリ、および管理します。", + "GuidedTour.one": "1", + "GuidedTour.next": "次へ", + "GuidedTour.notebooks": "ノートブック", + "GuidedTour.gettingStartedNotebooks": "1 か所で独自のノートブックまたはノートブックのコレクションの作成を開始します。", + "GuidedTour.two": "2", + "GuidedTour.extensions": "拡張", + "GuidedTour.addExtensions": "Microsoft (私たち) だけでなくサードパーティ コミュニティ (あなた) が開発した拡張機能をインストールすることにより、Azure Data Studio の機能を拡張します。", + "GuidedTour.three": "3", + "GuidedTour.settings": "設定", + "GuidedTour.makeConnesetSettings": "好みに応じて Azure Data Studio をカスタマイズします。自動保存やタブ サイズなどの設定の構成、キーボード ショートカットのカスタマイズ、好きな配色テーマへの切り替えを行うことができます。", + "GuidedTour.four": "4", + "GuidedTour.welcomePage": "ウェルカム ページ", + "GuidedTour.discoverWelcomePage": "ウェルカム ページで、トップの機能、最近開いたファイル、推奨される拡張機能がわかります。Azure Data Studio で作業を開始する方法の詳細については、ビデオとドキュメントをご覧ください。", + "GuidedTour.five": "5", + "GuidedTour.finish": "完了", + "guidedTour": "ユーザー紹介ツアー", + "hideGuidedTour": "紹介ツアーの非表示", + "GuidedTour.readMore": "詳細情報", + "help": "ヘルプ" + }, + "sql/workbench/contrib/welcome/page/browser/welcomePage": { + "welcomePage": "ようこそ", + "welcomePage.adminPack": "SQL 管理パック", + "welcomePage.showAdminPack": "SQL 管理パック", + "welcomePage.adminPackDescription": "SQL Server の管理パックは、一般的なデータベース管理拡張機能のコレクションであり、SQL Server の管理に役立ちます", + "welcomePage.sqlServerAgent": "SQL Server エージェント", + "welcomePage.sqlServerProfiler": "SQL Server Profiler", + "welcomePage.sqlServerImport": "SQL Server のインポート", + "welcomePage.sqlServerDacpac": "SQL Server DACPAC", + "welcomePage.powershell": "PowerShell", + "welcomePage.powershellDescription": "Azure Data Studio のリッチ クエリ エディターを使用して PowerShell スクリプトを作成して実行します", + "welcomePage.dataVirtualization": "データ仮想化", + "welcomePage.dataVirtualizationDescription": "SQL Server 2019 を使用してデータを仮想化し、インタラクティブなウィザードを使用して外部テーブルを作成します", + "welcomePage.PostgreSQL": "PostgreSQL", + "welcomePage.PostgreSQLDescription": "Azure Data Studio で Postgres データベースを接続、クエリ、および管理します", + "welcomePage.extensionPackAlreadyInstalled": "{0} のサポートは既にインストールされています。", + "welcomePage.willReloadAfterInstallingExtensionPack": "{0} に追加のサポートをインストールしたあと、ウィンドウが再度読み込まれます。", + "welcomePage.installingExtensionPack": "{0} に追加のサポートをインストールしています...", + "welcomePage.extensionPackNotFound": "ID {1} のサポート {0} は見つかりませんでした。", + "welcomePage.newConnection": "新しい接続", + "welcomePage.newQuery": "新しいクエリ", + "welcomePage.newNotebook": "新しいノートブック", + "welcomePage.deployServer": "サーバーのデプロイ", + "welcome.title": "ようこそ", + "welcomePage.new": "新規", + "welcomePage.open": "開く…", + "welcomePage.openFile": "ファイルを開く…", + "welcomePage.openFolder": "フォルダーを開く", + "welcomePage.startTour": "ツアーの開始", + "closeTourBar": "クイック ツアー バーを閉じる", + "WelcomePage.TakeATour": "Azure Data Studio のクイック ツアーを開始しますか?", + "WelcomePage.welcome": "ようこそ", + "welcomePage.openFolderWithPath": "パス {1} のフォルダー {0} を開く", + "welcomePage.install": "インストール", + "welcomePage.installKeymap": "{0} キーマップのインストール", + "welcomePage.installExtensionPack": "{0} に追加のサポートをインストールする", + "welcomePage.installed": "インストール済み", + "welcomePage.installedKeymap": "{0} キーマップは既にインストールされています", + "welcomePage.installedExtensionPack": "{0} のサポートは既にインストールされています", + "ok": "OK", + "details": "詳細", + "welcomePage.background": "ウェルカム ページの背景色。" + }, + "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { + "welcomePage.azdata": "Azure Data Studio", + "welcomePage.start": "開始", + "welcomePage.newConnection": "新しい接続", + "welcomePage.newQuery": "新しいクエリ", + "welcomePage.newNotebook": "新しいノートブック", + "welcomePage.openFileMac": "ファイルを開く", + "welcomePage.openFileLinuxPC": "ファイルを開く", + "welcomePage.deploy": "デプロイ", + "welcomePage.newDeployment": "新しいデプロイ…", + "welcomePage.recent": "最近", + "welcomePage.moreRecent": "その他...", + "welcomePage.noRecentFolders": "最近使用したフォルダーなし", + "welcomePage.help": "ヘルプ", + "welcomePage.gettingStarted": "はじめに", + "welcomePage.productDocumentation": "ドキュメント", + "welcomePage.reportIssue": "問題または機能要求を報告する", + "welcomePage.gitHubRepository": "GitHub リポジトリ", + "welcomePage.releaseNotes": "リリース ノート", + "welcomePage.showOnStartup": "起動時にウェルカム ページを表示する", + "welcomePage.customize": "カスタマイズ", + "welcomePage.extensions": "拡張", + "welcomePage.extensionDescription": "SQL Server 管理パックなど、必要な拡張機能をダウンロードする", + "welcomePage.keyboardShortcut": "キーボード ショートカット", + "welcomePage.keyboardShortcutDescription": "お気に入りのコマンドを見つけてカスタマイズする", + "welcomePage.colorTheme": "配色テーマ", + "welcomePage.colorThemeDescription": "エディターとコードの外観を自由に設定します", + "welcomePage.learn": "詳細", + "welcomePage.showCommands": "すべてのコマンドの検索と実行", + "welcomePage.showCommandsDescription": "コマンド パレット ({0}) にすばやくアクセスしてコマンドを検索します", + "welcomePage.azdataBlog": "最新リリースの新機能を見る", + "welcomePage.azdataBlogDescription": "毎月新機能を紹介する新しいブログ記事", + "welcomePage.followTwitter": "Twitter でフォローする", + "welcomePage.followTwitterDescription": "コミュニティがどのように Azure Data Studio を使用しているかについて、最新情報を把握し、エンジニアと直接話し合います。" + }, + "sql/workbench/services/accountManagement/browser/accountDialog": { + "accountExplorer.name": "アカウント", + "linkedAccounts": "リンクされたアカウント", + "accountDialog.close": "閉じる", + "accountDialog.noAccountLabel": "リンクされているアカウントはありません。アカウントを追加してください。", + "accountDialog.addConnection": "アカウントを追加する", + "accountDialog.noCloudsRegistered": "有効にされているクラウドがありません。[設定] -> [Azure アカウント構成の検索] に移動し、 少なくとも 1 つのクラウドを有効にしてください", + "accountDialog.didNotPickAuthProvider": "認証プロバイダーを選択していません。もう一度お試しください。" + }, + "sql/workbench/services/accountManagement/browser/accountDialogController": { + "accountDialog.addAccountErrorTitle": "アカウントの追加でのエラー" + }, + "sql/workbench/services/accountManagement/browser/accountListRenderer": { + "refreshCredentials": "このアカウントの資格情報を更新する必要があります。" + }, + "sql/workbench/services/accountManagement/browser/accountManagementService": { + "accountManagementService.close": "閉じる", + "loggingIn": "アカウントを追加しています...", + "refreshFailed": "ユーザーがアカウントの更新をキャンセルしました" + }, + "sql/workbench/services/accountManagement/browser/accountPickerImpl": { + "azureAccount": "Azure アカウント", + "azureTenant": "Azure テナント" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { + "copyAndOpen": "コピーして開く", + "oauthDialog.cancel": "キャンセル", + "userCode": "ユーザー コード", + "website": "Web サイト" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { + "oauthFlyoutIsAlreadyOpen": "自動 OAuth を開始できません。自動 OAuth は既に進行中です。" + }, + "sql/workbench/services/admin/common/adminService": { + "adminService.providerIdNotValidError": "管理サービスとの対話には接続が必須です", + "adminService.noHandlerRegistered": "登録されているハンドラーがありません" + }, + "sql/workbench/services/assessment/common/assessmentService": { + "asmt.providerIdNotValidError": "評価サービスとの対話には接続が必要です", + "asmt.noHandlerRegistered": "登録されているハンドラーがありません" + }, + "sql/workbench/services/connection/browser/advancedPropertiesController": { + "connectionAdvancedProperties": "詳細プロパティ", + "advancedProperties.discard": "破棄" + }, + "sql/workbench/services/connection/browser/cmsConnectionWidget": { + "serverDescription": "サーバーの説明 (省略可能)" + }, + "sql/workbench/services/connection/browser/connectionActions": { + "ClearRecentlyUsedLabel": "リストのクリア", + "ClearedRecentConnections": "最近の接続履歴をクリアしました", + "connectionAction.yes": "はい", + "connectionAction.no": "いいえ", + "clearRecentConnectionMessage": "一覧からすべての接続を削除してよろしいですか?", + "connectionDialog.yes": "はい", + "connectionDialog.no": "いいえ", + "delete": "削除", + "connectionAction.GetCurrentConnectionString": "現在の接続文字列を取得する", + "connectionAction.connectionString": "接続文字列は使用できません", + "connectionAction.noConnection": "使用できるアクティブな接続がありません" + }, + "sql/workbench/services/connection/browser/connectionBrowseTab": { + "connectionDialog.browser": "参照", + "connectionDialog.FilterPlaceHolder": "一覧にフィルターをかけるには、ここに入力します", + "connectionDialog.FilterInputTitle": "接続のフィルター", + "connectionDialog.ApplyingFilter": "フィルターを適用しています", + "connectionDialog.RemovingFilter": "フィルターを削除しています", + "connectionDialog.FilterApplied": "フィルター適用済み", + "connectionDialog.FilterRemoved": "フィルターが削除されました", + "savedConnections": "保存された接続", + "savedConnection": "保存された接続", + "connectionBrowserTree": "接続ブラウザー ツリー" + }, + "sql/workbench/services/connection/browser/connectionDialogService": { + "connectionError": "接続エラー", + "kerberosErrorStart": "接続は、Kerberos エラーのため失敗しました。", + "kerberosHelpLink": "Kerberos を構成するためのヘルプを {0} で確認できます", + "kerberosKinit": "以前に接続した場合は、kinit を再実行しなければならない場合があります。" + }, + "sql/workbench/services/connection/browser/connectionDialogWidget": { + "connection": "接続", + "connecting": "接続しています", + "connectType": "接続の種類", + "recentConnectionTitle": "最近", + "connectionDetailsTitle": "接続の詳細", + "connectionDialog.connect": "接続", + "connectionDialog.cancel": "キャンセル", + "connectionDialog.recentConnections": "最近の接続", + "noRecentConnections": "最近の接続はありません" + }, + "sql/workbench/services/connection/browser/connectionManagementService": { + "connection.noAzureAccount": "接続用の Azure アカウント トークンの取得に失敗しました", + "connectionNotAcceptedError": "接続が承認されていません", + "connectionService.yes": "はい", + "connectionService.no": "いいえ", + "cancelConnectionConfirmation": "この接続をキャンセルしてもよろしいですか?" + }, + "sql/workbench/services/connection/browser/connectionWidget": { + "connectionWidget.AddAzureAccount": "アカウントを追加する...", + "defaultDatabaseOption": "<既定>", + "loadingDatabaseOption": "読み込んでいます...", + "serverGroup": "サーバー グループ", + "defaultServerGroup": "<既定>", + "addNewServerGroup": "新しいグループを追加する...", + "noneServerGroup": "<保存しない>", + "connectionWidget.missingRequireField": "{0} が必須です。", + "connectionWidget.fieldWillBeTrimmed": "{0} がトリミングされます。", + "rememberPassword": "パスワードを記憶する", + "connection.azureAccountDropdownLabel": "アカウント", + "connectionWidget.refreshAzureCredentials": "アカウントの資格情報を更新", + "connection.azureTenantDropdownLabel": "Azure AD テナント", + "connectionName": "名前 (省略可能)", + "advanced": "詳細設定...", + "connectionWidget.invalidAzureAccount": "アカウントを選択する必要があります" + }, + "sql/workbench/services/connection/browser/localizedConstants": { + "onDidConnectMessage": "接続先", + "onDidDisconnectMessage": "切断", + "unsavedGroupLabel": "保存されていない接続" + }, + "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { + "newDashboardTab.openDashboardExtensions": "ダッシュボードの拡張機能を開く", + "newDashboardTab.ok": "OK", + "newDashboardTab.cancel": "キャンセル", + "newdashboardTabDialog.noExtensionLabel": "まだダッシュボードの拡張機能がインストールされていません。拡張機能マネージャーに移動し、推奨される拡張機能をご確認ください。" + }, + "sql/workbench/services/dialog/browser/dialogPane": { + "wizardPageNumberDisplayText": "ステップ {0}" + }, + "sql/workbench/services/dialog/common/dialogTypes": { + "dialogModalDoneButtonLabel": "完了", + "dialogModalCancelButtonLabel": "キャンセル" + }, + "sql/workbench/services/editData/common/editQueryRunner": { + "query.initEditExecutionFailed": "編集データ セッションを初期化できませんでした: " + }, + "sql/workbench/services/errorMessage/browser/errorMessageDialog": { + "errorMessageDialog.ok": "OK", + "errorMessageDialog.close": "閉じる", + "errorMessageDialog.action": "アクション", + "copyDetails": "コピーの詳細" + }, + "sql/workbench/services/errorMessage/browser/errorMessageService": { + "error": "エラー", + "warning": "警告", + "info": "情報", + "ignore": "無視する" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { + "filebrowser.filepath": "選択されたパス", + "fileFilter": "ファイルの種類", + "fileBrowser.ok": "OK", + "fileBrowser.discard": "破棄" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialogController": { + "filebrowser.selectFile": "ファイルの選択" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { + "fileBrowser.regTreeAriaLabel": "ファイル ブラウザー ツリー" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserService": { + "fileBrowserErrorMessage": "ファイル ブラウザーの読み込み中にエラーが発生しました。", + "fileBrowserErrorDialogTitle": "ファイル ブラウザーのエラー" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { + "allFiles": "すべてのファイル" + }, + "sql/workbench/services/insights/browser/insightDialogActions": { + "workbench.action.insights.copySelection": "セルをコピー" + }, + "sql/workbench/services/insights/browser/insightsDialogController": { + "insightsInputError": "分析情報ポップアップに渡された接続プロファイルはありませんでした", + "insightsError": "分析情報エラー", + "insightsFileError": "クエリ ファイルの読み取り中にエラーが発生しました: ", + "insightsConfigError": "分析情報の構成の解析中にエラーが発生しました。クエリ配列/文字列、またはクエリ ファイルが見つかりませんでした" + }, + "sql/workbench/services/insights/browser/insightsDialogView": { + "insights.item": "アイテム", + "insights.value": "値", + "insightsDetailView.name": "分析情報の詳細", + "property": "プロパティ", + "value": "値", + "InsightsDialogTitle": "分析情報", + "insights.dialog.items": "アイテム", + "insights.dialog.itemDetails": "アイテムの詳細" + }, + "sql/workbench/services/insights/common/insightsUtils": { + "insightsDidNotFindResolvedFile": "クエリ ファイルが、次のどのパスにも見つかりませんでした:\r\n {0}" + }, + "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { + "agentUtilities.failed": "失敗", + "agentUtilities.succeeded": "成功", + "agentUtilities.retry": "再試行", + "agentUtilities.canceled": "取り消されました", + "agentUtilities.inProgress": "進行中", + "agentUtilities.statusUnknown": "不明な状態", + "agentUtilities.executing": "実行中", + "agentUtilities.waitingForThread": "スレッドを待機しています", + "agentUtilities.betweenRetries": "再試行の間", + "agentUtilities.idle": "アイドル状態", + "agentUtilities.suspended": "中断中", + "agentUtilities.obsolete": "[古い]", + "agentUtilities.yes": "はい", + "agentUtilities.no": "いいえ", + "agentUtilities.notScheduled": "スケジュールが設定されていません", + "agentUtilities.neverRun": "実行しない" + }, + "sql/workbench/services/jobManagement/common/jobManagementService": { + "providerIdNotValidError": "JobManagementService と対話するには接続が必須です", + "noHandlerRegistered": "登録されているハンドラーがありません" + }, + "sql/workbench/services/notebook/browser/interfaces": { + "sqlKernel": "SQL" + }, "sql/workbench/services/notebook/browser/models/cell": { "runCellCancelled": "セルの実行が取り消されました", "executionCanceled": "クエリの実行が取り消されました", @@ -11325,12 +11224,223 @@ "noDefaultKernel": "このノートブックで使用できるカーネルはありません", "commandSuccessful": "コマンドは正常に実行されました" }, + "sql/workbench/services/notebook/browser/models/clientSession": { + "clientSession.unknownError": "ノートブック セッションの開始中にエラーが発生しました。", + "ServerNotStarted": "不明な理由によりサーバーが起動しませんでした", + "kernelRequiresConnection": "カーネル {0} が見つかりませんでした。既定のカーネルが代わりに使用されます。" + }, "sql/workbench/services/notebook/browser/models/notebookContexts": { "selectConnection": "接続を選択", "localhost": "localhost" }, - "sql/workbench/browser/parts/editor/editorStatusModeSelect": { - "languageChangeUnsupported": "保存されていないファイルでの編集者の種類の変更はサポートされていません" + "sql/workbench/services/notebook/browser/models/notebookModel": { + "injectedParametersMsg": "# Injected-Parameters\r\n", + "kernelRequiresConnection": "このカーネルのセルを実行する接続を選択してください", + "deleteCellFailed": "セルの削除に失敗しました。", + "changeKernelFailedRetry": "カーネルの変更に失敗しました。カーネル {0} が使用されます。エラー: {1}", + "changeKernelFailed": "次のエラーにより、カーネルの変更に失敗しました: {0}", + "changeContextFailed": "コンテキストの変更に失敗しました: {0}", + "startSessionFailed": "セッションを開始できませんでした: {0}", + "shutdownClientSessionError": "ノートブックを閉じるときにクライアント セッション エラーが発生しました: {0}", + "ProviderNoManager": "プロバイダー {0} のノートブック マネージャーが見つかりません" + }, + "sql/workbench/services/notebook/browser/notebookServiceImpl": { + "notebookUriNotDefined": "ノートブック マネージャーを作成するときに URI が渡されませんでした", + "notebookServiceNoProvider": "ノートブック プロバイダーが存在しません" + }, + "sql/workbench/services/notebook/browser/notebookViews/notebookViewModel": { + "notebookView.nameTaken": "このノートブックには、 {0} という名前のビューが既に存在します。" + }, + "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { + "sqlKernelError": "SQL カーネル エラー", + "connectionRequired": "ノートブックのセルを実行するには、接続を選択する必要があります", + "sqlMaxRowsDisplayed": "上位 {0} 行を表示しています。" + }, + "sql/workbench/services/notebook/common/contracts": { + "notebook.richTextEditMode": "リッチ テキスト", + "notebook.splitViewEditMode": "分割ビュー", + "notebook.markdownEditMode": "Markdown" + }, + "sql/workbench/services/notebook/common/localContentManager": { + "nbformatNotRecognized": "認識されない nbformat v{0}.{1}", + "nbNotSupported": "このファイルは有効なノートブック形式ではありません", + "unknownCellType": "セルの種類 {0} が不明", + "unrecognizedOutput": "出力の種類 {0} を認識できません", + "invalidMimeData": "{0} のデータは、文字列または文字列の配列である必要があります", + "unrecognizedOutputType": "出力の種類 {0} を認識できません" + }, + "sql/workbench/services/notebook/common/notebookRegistry": { + "carbon.extension.contributes.notebook.provider": "ノートブック プロバイダーの識別子。", + "carbon.extension.contributes.notebook.fileExtensions": "このノートブック プロバイダーにどのファイル拡張子を登録する必要があるか", + "carbon.extension.contributes.notebook.standardKernels": "このノートブック プロバイダーへの標準装備が必要なカーネル", + "vscode.extension.contributes.notebook.providers": "ノートブック プロバイダーを提供します。", + "carbon.extension.contributes.notebook.magic": "'%%sql' などのセル マジックの名前。", + "carbon.extension.contributes.notebook.language": "このセル マジックがセルに含まれる場合に使用されるセルの言語", + "carbon.extension.contributes.notebook.executionTarget": "Spark / SQL など、このマジックが示すオプションの実行対象", + "carbon.extension.contributes.notebook.kernels": "これが有効なカーネルのオプションのセット (python3、pyspark、sql など)", + "vscode.extension.contributes.notebook.languagemagics": "ノートブックの言語を提供します。" + }, + "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { + "loading": "読み込んでいます..." + }, + "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { + "connectionTree.refresh": "最新の情報に更新", + "connectionTree.editConnection": "接続の編集", + "DisconnectAction": "切断", + "connectionTree.addConnection": "新しい接続", + "connectionTree.addServerGroup": "新しいサーバー グループ", + "connectionTree.editServerGroup": "サーバー グループの編集", + "activeConnections": "アクティブな接続を表示", + "showAllConnections": "すべての接続を表示", + "deleteConnection": "接続の削除", + "deleteConnectionGroup": "グループの削除" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerService": { + "OeSessionFailedError": "オブジェクト エクスプローラー セッションを作成できませんでした", + "nodeExpansionError": "複数のエラー:" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerViewTreeShim": { + "noProviderFound": "必要な接続プロバイダー '{0}' が見つからないため、展開できません", + "loginCanceled": "ユーザーによる取り消し", + "firewallCanceled": "ファイアウォール ダイアログが取り消されました" + }, + "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { + "loading": "読み込んでいます..." + }, + "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { + "treeAriaLabel": "最近の接続", + "serversAriaLabel": "サーバー", + "treeCreation.regTreeAriaLabel": "サーバー" + }, + "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { + "eventSort": "イベントで並べ替え", + "nameColumn": "列で並べ替え", + "profilerColumnDialog.profiler": "プロファイラー", + "profilerColumnDialog.ok": "OK", + "profilerColumnDialog.cancel": "キャンセル" + }, + "sql/workbench/services/profiler/browser/profilerFilterDialog": { + "profilerFilterDialog.clear": "すべてクリア", + "profilerFilterDialog.apply": "適用", + "profilerFilterDialog.ok": "OK", + "profilerFilterDialog.cancel": "キャンセル", + "profilerFilterDialog.title": "フィルター", + "profilerFilterDialog.remove": "この句を削除する", + "profilerFilterDialog.saveFilter": "フィルターを保存する", + "profilerFilterDialog.loadFilter": "フィルターを読み込む", + "profilerFilterDialog.addClauseText": "句を追加する", + "profilerFilterDialog.fieldColumn": "フィールド", + "profilerFilterDialog.operatorColumn": "演算子", + "profilerFilterDialog.valueColumn": "値", + "profilerFilterDialog.isNullOperator": "Null である", + "profilerFilterDialog.isNotNullOperator": "Null でない", + "profilerFilterDialog.containsOperator": "含む", + "profilerFilterDialog.notContainsOperator": "含まない", + "profilerFilterDialog.startsWithOperator": "次で始まる", + "profilerFilterDialog.notStartsWithOperator": "次で始まらない" + }, + "sql/workbench/services/query/common/queryModelService": { + "commitEditFailed": "行のコミットに失敗しました: ", + "runQueryBatchStartMessage": "次の場所でクエリの実行を開始しました: ", + "runQueryStringBatchStartMessage": "クエリ「{0}」の実行を開始しました", + "runQueryBatchStartLine": "行 {0}", + "msgCancelQueryFailed": "失敗したクエリのキャンセル中: {0}", + "updateCellFailed": "セルの更新が失敗しました: " + }, + "sql/workbench/services/query/common/queryRunner": { + "query.ExecutionFailedError": "予期しないエラーにより、実行が失敗しました: {0} {1}", + "query.message.executionTime": "総実行時間: {0}", + "query.message.startQueryWithRange": "行 {0} でのクエリの実行が開始されました", + "query.message.startQuery": "バッチ {0} の実行を開始しました", + "elapsedBatchTime": "バッチ実行時間: {0}", + "copyFailed": "エラー {0} でコピーに失敗しました" + }, + "sql/workbench/services/query/common/resultSerializer": { + "msgSaveFailed": "結果を保存できませんでした。 ", + "resultsSerializer.saveAsFileTitle": "結果ファイルの選択", + "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (コンマ区切り)", + "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", + "resultsSerializer.saveAsFileExtensionExcelTitle": "Excel ブック", + "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", + "resultsSerializer.saveAsFileExtensionTXTTitle": "プレーン テキスト", + "savingFile": "ファイルを保存しています...", + "msgSaveSucceeded": "結果が {0} に正常に保存されました ", + "openFile": "ファイルを開く" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { + "from": "開始", + "to": "終了", + "createNewFirewallRule": "新しいファイアウォール規則の作成", + "firewall.ok": "OK", + "firewall.cancel": "キャンセル", + "firewallRuleDialogDescription": "このクライアント IP アドレスではサーバーにアクセスできません。アクセスできるようにするには、Azure アカウントにサインインし、新しいファイアウォール規則を作成します。", + "firewallRuleHelpDescription": "ファイアウォール設定の詳細情報", + "filewallRule": "ファイアウォール規則", + "addIPAddressLabel": "自分のクライアント IP アドレスを追加 ", + "addIpRangeLabel": "自分のサブネット IP 範囲を追加" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialogController": { + "firewallDialog.addAccountErrorTitle": "アカウントの追加でのエラー", + "firewallRuleError": "ファイアウォール規則のエラー" + }, + "sql/workbench/services/restore/browser/restoreDialog": { + "backupFilePath": "バックアップ ファイルのパス", + "targetDatabase": "ターゲット データベース", + "restoreDialog.restore": "復元", + "restoreDialog.restoreTitle": "データベースの復元", + "restoreDialog.database": "データベース", + "restoreDialog.backupFile": "バックアップ ファイル", + "RestoreDialogTitle": "データベースの復元", + "restoreDialog.cancel": "キャンセル", + "restoreDialog.script": "スクリプト", + "source": "ソース", + "restoreFrom": "復元元", + "missingBackupFilePathError": "バックアップ ファイルのパスが必須です。", + "multipleBackupFilePath": "1つまたは複数のファイル パスをコンマで区切って入力してください。", + "database": "データベース", + "destination": "ターゲット", + "restoreTo": "復元先", + "restorePlan": "復元計画", + "backupSetsToRestore": "復元するバックアップ セット", + "restoreDatabaseFileAs": "データベース ファイルを名前を付けて復元", + "restoreDatabaseFileDetails": "データベース ファイルの詳細を復元する", + "logicalFileName": "論理ファイル名", + "fileType": "ファイルの種類", + "originalFileName": "元のファイル名", + "restoreAs": "復元ファイル名", + "restoreOptions": "復元オプション", + "taillogBackup": "ログ末尾のバックアップ", + "serverConnection": "サーバーの接続", + "generalTitle": "全般", + "filesTitle": "ファイル", + "optionsTitle": "オプション​​" + }, + "sql/workbench/services/restore/common/constants": { + "backup.filterBackupFiles": "バックアップ ファイル", + "backup.allFiles": "すべてのファイル" + }, + "sql/workbench/services/serverGroup/browser/serverGroupDialog": { + "ServerGroupsDialogTitle": "サーバー グループ", + "serverGroup.ok": "OK", + "serverGroup.cancel": "キャンセル", + "connectionGroupName": "サーバー グループ名", + "MissingGroupNameError": "グループ名が必須です。", + "groupDescription": "グループの説明", + "groupColor": "グループの色" + }, + "sql/workbench/services/serverGroup/common/serverGroupViewModel": { + "serverGroup.addServerGroup": "サーバー グループを追加する", + "serverGroup.editServerGroup": "サーバー グループの編集" + }, + "sql/workbench/services/tasks/common/tasksService": { + "InProgressWarning": "1 つ以上のタスクを実行中です。終了してもよろしいですか?", + "taskService.yes": "はい", + "taskService.no": "いいえ" + }, + "sql/workbench/update/electron-browser/releaseNotes": { + "gettingStarted": "はじめに", + "showReleaseNotes": "「はじめに」を表示する", + "miGettingStarted": "はじめに(&&S)" } } } \ No newline at end of file diff --git a/i18n/ads-language-pack-ko/package.json b/i18n/ads-language-pack-ko/package.json index a6ac3a7edd..664c2a4161 100644 --- a/i18n/ads-language-pack-ko/package.json +++ b/i18n/ads-language-pack-ko/package.json @@ -2,7 +2,7 @@ "name": "ads-language-pack-ko", "displayName": "Korean Language Pack for Azure Data Studio", "description": "Language pack extension for Korean", - "version": "1.29.0", + "version": "1.31.0", "publisher": "Microsoft", "repository": { "type": "git", @@ -11,7 +11,7 @@ "license": "SEE SOURCE EULA LICENSE IN LICENSE.txt", "engines": { "vscode": "*", - "azdata": ">=1.29.0" + "azdata": "^0.0.0" }, "icon": "languagepack.png", "categories": [ @@ -164,6 +164,14 @@ "id": "vscode.yaml", "path": "./translations/extensions/yaml.i18n.json" }, + { + "id": "Microsoft.admin-tool-ext-win", + "path": "./translations/extensions/admin-tool-ext-win.i18n.json" + }, + { + "id": "Microsoft.agent", + "path": "./translations/extensions/agent.i18n.json" + }, { "id": "Microsoft.azurecore", "path": "./translations/extensions/azurecore.i18n.json" @@ -172,6 +180,18 @@ "id": "Microsoft.big-data-cluster", "path": "./translations/extensions/big-data-cluster.i18n.json" }, + { + "id": "Microsoft.cms", + "path": "./translations/extensions/cms.i18n.json" + }, + { + "id": "Microsoft.dacpac", + "path": "./translations/extensions/dacpac.i18n.json" + }, + { + "id": "Microsoft.import", + "path": "./translations/extensions/import.i18n.json" + }, { "id": "Microsoft.sqlservernotebook", "path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json" @@ -184,9 +204,17 @@ "id": "Microsoft.notebook", "path": "./translations/extensions/notebook.i18n.json" }, + { + "id": "Microsoft.profiler", + "path": "./translations/extensions/profiler.i18n.json" + }, { "id": "Microsoft.resource-deployment", "path": "./translations/extensions/resource-deployment.i18n.json" + }, + { + "id": "Microsoft.schema-compare", + "path": "./translations/extensions/schema-compare.i18n.json" } ] } diff --git a/i18n/ads-language-pack-ko/translations/extensions/admin-tool-ext-win.i18n.json b/i18n/ads-language-pack-ko/translations/extensions/admin-tool-ext-win.i18n.json new file mode 100644 index 0000000000..9dcf927fcd --- /dev/null +++ b/i18n/ads-language-pack-ko/translations/extensions/admin-tool-ext-win.i18n.json @@ -0,0 +1,26 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "adminToolExtWin.displayName": "Windows용 데이터베이스 관리 도구 확장", + "adminToolExtWin.description": "Azure Data Studio에 Windows 관련 추가 기능 추가", + "adminToolExtWin.propertiesMenuItem": "속성", + "adminToolExtWin.launchGswMenuItem": "스크립트 생성..." + }, + "dist/main": { + "adminToolExtWin.noConnectionContextForProp": "handleLaunchSsmsMinPropertiesDialogCommand에 대한 ConnectionContext가 제공되지 않음", + "adminToolExtWin.noOENode": "connectionContext에서 개체 탐색기 노드를 확인할 수 없습니다. {0}", + "adminToolExtWin.noConnectionContextForGsw": "handleLaunchSsmsMinPropertiesDialogCommand에 대한 ConnectionContext가 제공되지 않음", + "adminToolExtWin.noConnectionProfile": "connectionContext에서 제공된 connectionProfile이 없습니다. {0}", + "adminToolExtWin.launchingDialogStatus": "대화 상자를 시작하는 중...", + "adminToolExtWin.ssmsMinError": "'{0}' 인수로 SsmsMin을 호출하는 중 오류 발생 - {1}" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ko/translations/extensions/agent.i18n.json b/i18n/ads-language-pack-ko/translations/extensions/agent.i18n.json new file mode 100644 index 0000000000..da30f7bc68 --- /dev/null +++ b/i18n/ads-language-pack-ko/translations/extensions/agent.i18n.json @@ -0,0 +1,282 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/agentDialog": { + "agentDialog.OK": "확인", + "agentDialog.Cancel": "취소" + }, + "dist/dialogs/jobStepDialog": { + "jobStepDialog.fileBrowserTitle": "데이터베이스 파일 찾기 - ", + "jobStepDialog.ok": "확인", + "jobStepDialog.cancel": "취소", + "jobStepDialog.general": "일반", + "jobStepDialog.advanced": "고급", + "jobStepDialog.open": "열기...", + "jobStepDialog.parse": "구문 분석", + "jobStepDialog.successParse": "명령을 구문 분석했습니다.", + "jobStepDialog.failParse": "명령이 실패했습니다.", + "jobStepDialog.blankStepName": "단계 이름은 비워 둘 수 없습니다.", + "jobStepDialog.processExitCode": "성공한 명령의 프로세스 종료 코드:", + "jobStepDialog.stepNameLabel": "단계 이름", + "jobStepDialog.typeLabel": "형식", + "jobStepDialog.runAsLabel": "다음 계정으로 실행", + "jobStepDialog.databaseLabel": "데이터베이스", + "jobStepDialog.commandLabel": "명령", + "jobStepDialog.successAction": "성공한 경우 동작", + "jobStepDialog.failureAction": "실패한 경우 동작", + "jobStepDialog.runAsUser": "사용자로 실행", + "jobStepDialog.retryAttempts": "재시도 횟수", + "jobStepDialog.retryInterval": "재시도 간격(분)", + "jobStepDialog.logToTable": "테이블에 기록", + "jobStepDialog.appendExistingTableEntry": "테이블의 기존 항목에 출력 추가", + "jobStepDialog.includeStepOutputHistory": "기록에 단계 출력 포함", + "jobStepDialog.outputFile": "출력 파일", + "jobStepDialog.appendOutputToFile": "기존 파일에 출력 추가", + "jobStepDialog.selectedPath": "선택한 경로", + "jobStepDialog.filesOfType": "파일 형식", + "jobStepDialog.fileName": "파일 이름", + "jobStepDialog.allFiles": "모든 파일(*)", + "jobStepDialog.newJobStep": "새 작업 단계", + "jobStepDialog.editJobStep": "작업 단계 편집", + "jobStepDialog.TSQL": "Transact-SQL 스크립트(T-SQL)", + "jobStepDialog.powershell": "PowerShell", + "jobStepDialog.CmdExec": "운영 체제(CmdExec)", + "jobStepDialog.replicationDistribution": "복제 배포자", + "jobStepDialog.replicationMerge": "복제 병합", + "jobStepDialog.replicationQueueReader": "복제 큐 판독기", + "jobStepDialog.replicationSnapshot": "복제 스냅샷", + "jobStepDialog.replicationTransactionLogReader": "복제 트랜잭션 로그 판독기", + "jobStepDialog.analysisCommand": "SQL Server Analysis Services 명령", + "jobStepDialog.analysisQuery": "SQL Server Analysis Services 쿼리", + "jobStepDialog.servicesPackage": "SQL Server 통합 서비스 패키지", + "jobStepDialog.agentServiceAccount": "SQL Server 에이전트 서비스 계정", + "jobStepDialog.nextStep": "다음 단계로 이동", + "jobStepDialog.quitJobSuccess": "성공 보고와 함께 작업 종료", + "jobStepDialog.quitJobFailure": "실패 보고와 함께 작업 종료" + }, + "dist/dialogs/pickScheduleDialog": { + "pickSchedule.jobSchedules": "작업 일정", + "pickSchedule.ok": "확인", + "pickSchedule.cancel": "취소", + "pickSchedule.availableSchedules": "사용 가능한 일정:", + "pickSchedule.scheduleName": "이름", + "pickSchedule.scheduleID": "ID", + "pickSchedule.description": "설명" + }, + "dist/dialogs/alertDialog": { + "alertDialog.createAlert": "경고 만들기", + "alertDialog.editAlert": "경고 편집", + "alertDialog.General": "일반", + "alertDialog.Response": "응답", + "alertDialog.Options": "옵션", + "alertDialog.eventAlert": "이벤트 경고 정의", + "alertDialog.Name": "이름", + "alertDialog.Type": "형식", + "alertDialog.Enabled": "사용", + "alertDialog.DatabaseName": "데이터베이스 이름", + "alertDialog.ErrorNumber": "오류 번호", + "alertDialog.Severity": "심각도", + "alertDialog.RaiseAlertContains": "메시지에 다음 텍스트가 포함될 때 경고 발생", + "alertDialog.MessageText": "메시지 텍스트", + "alertDialog.Severity001": "기타 시스템 정보 - 001", + "alertDialog.Severity002": "예약됨 - 002", + "alertDialog.Severity003": "예약됨 - 003", + "alertDialog.Severity004": "예약됨 - 004", + "alertDialog.Severity005": "예약됨 - 005", + "alertDialog.Severity006": "예약됨 - 006", + "alertDialog.Severity007": "알림: 상태 정보 - 007", + "alertDialog.Severity008": "알림: 사용자 개입 필요 - 008", + "alertDialog.Severity009": "사용자 정의 - 009", + "alertDialog.Severity010": "정보 - 010", + "alertDialog.Severity011": "지정된 데이터베이스 개체를 찾을 수 없음 - 011", + "alertDialog.Severity012": "사용 안 함 - 012", + "alertDialog.Severity013": "사용자 트랜잭션 구문 오류 - 013", + "alertDialog.Severity014": "권한 부족 - 014", + "alertDialog.Severity015": "SQL 문의 구문 오류 - 015", + "alertDialog.Severity016": "기타 사용자 오류- 016", + "alertDialog.Severity017": "리소스 부족 - 017", + "alertDialog.Severity018": "치명적이지 않은 내부 오류 - 018", + "alertDialog.Severity019": "치명적인 리소스 오류 - 019", + "alertDialog.Severity020": "현재 프로세스 내의 오류 - 020", + "alertDialog.Severity021": "데이터베이스 프로세스 내의 오류 - 021", + "alertDialog.Severity022": "오류: 테이블 무결성 의심 - 022", + "alertDialog.Severity023": "오류: 데이터베이스 무결성 의심 - 023", + "alertDialog.Severity024": "오류: 하드웨어 오류 - 024", + "alertDialog.Severity025": "오류 - 025", + "alertDialog.AllDatabases": "<모든 데이터베이스>", + "alertDialog.ExecuteJob": "작업 실행", + "alertDialog.ExecuteJobName": "작업 이름", + "alertDialog.NotifyOperators": "운영자에게 알림", + "alertDialog.NewJob": "새 작업", + "alertDialog.OperatorList": "운영자 목록", + "alertDialog.OperatorName": "운영자", + "alertDialog.OperatorEmail": "전자 메일", + "alertDialog.OperatorPager": "호출기", + "alertDialog.NewOperator": "새 운영자", + "alertDialog.IncludeErrorInEmail": "전자 메일에 경고 오류 텍스트 포함", + "alertDialog.IncludeErrorInPager": "호출기에 경고 오류 텍스트 포함", + "alertDialog.AdditionalNotification": "전송할 추가 알림 메시지", + "alertDialog.DelayMinutes": "지연(분)", + "alertDialog.DelaySeconds": "지연(초)" + }, + "dist/dialogs/operatorDialog": { + "createOperator.createOperator": "연산자 만들기", + "createOperator.editOperator": "연산자 편집", + "createOperator.General": "일반", + "createOperator.Notifications": "알림", + "createOperator.Name": "이름", + "createOperator.Enabled": "사용", + "createOperator.EmailName": "전자 메일 이름", + "createOperator.PagerEmailName": "호출기 전자 메일 이름", + "createOperator.PagerMondayCheckBox": "월요일", + "createOperator.PagerTuesdayCheckBox": "화요일", + "createOperator.PagerWednesdayCheckBox": "수요일", + "createOperator.PagerThursdayCheckBox": "목요일", + "createOperator.PagerFridayCheckBox": "금요일 ", + "createOperator.PagerSaturdayCheckBox": "토요일", + "createOperator.PagerSundayCheckBox": "일요일", + "createOperator.workdayBegin": "업무 시작일", + "createOperator.workdayEnd": "업무 종료일", + "createOperator.PagerDutySchedule": "호출기 연락 가능 근무 일정", + "createOperator.AlertListHeading": "경고 목록", + "createOperator.AlertNameColumnLabel": "경고 이름", + "createOperator.AlertEmailColumnLabel": "전자 메일", + "createOperator.AlertPagerColumnLabel": "호출기" + }, + "dist/dialogs/jobDialog": { + "jobDialog.general": "일반", + "jobDialog.steps": "단계", + "jobDialog.schedules": "일정", + "jobDialog.alerts": "경고", + "jobDialog.notifications": "알림", + "jobDialog.blankJobNameError": "작업 이름을 비워 둘 수 없습니다.", + "jobDialog.name": "이름", + "jobDialog.owner": "소유자", + "jobDialog.category": "범주", + "jobDialog.description": "설명", + "jobDialog.enabled": "사용", + "jobDialog.jobStepList": "작업 단계 목록", + "jobDialog.step": "단계", + "jobDialog.type": "형식", + "jobDialog.onSuccess": "성공한 경우", + "jobDialog.onFailure": "실패한 경우", + "jobDialog.new": "새 단계", + "jobDialog.edit": "단계 편집", + "jobDialog.delete": "단계 삭제", + "jobDialog.moveUp": "단계를 위로 이동", + "jobDialog.moveDown": "단계를 아래로 이동", + "jobDialog.startStepAt": "시작 단계", + "jobDialog.notificationsTabTop": "작업 완료 시 수행할 동작", + "jobDialog.email": "전자 메일", + "jobDialog.page": "페이지", + "jobDialog.eventLogCheckBoxLabel": "Windows 애플리케이션 이벤트 로그에 쓰기", + "jobDialog.deleteJobLabel": "자동으로 작업 삭제", + "jobDialog.schedulesaLabel": "일정 목록", + "jobDialog.pickSchedule": "일정 선택", + "jobDialog.removeSchedule": "일정 제거", + "jobDialog.alertsList": "경고 목록", + "jobDialog.newAlert": "새 경고", + "jobDialog.alertNameLabel": "경고 이름", + "jobDialog.alertEnabledLabel": "사용", + "jobDialog.alertTypeLabel": "형식", + "jobDialog.newJob": "새 작업", + "jobDialog.editJob": "작업 편집" + }, + "dist/data/jobData": { + "jobData.whenJobCompletes": "작업 완료 시", + "jobData.whenJobFails": "작업 실패 시", + "jobData.whenJobSucceeds": "작업 성공 시", + "jobData.jobNameRequired": "작업 이름을 지정해야 합니다.", + "jobData.saveErrorMessage": "'{0}' 작업을 업데이트하지 못했습니다.", + "jobData.newJobErrorMessage": "'{0}' 작업을 만들지 못했습니다.", + "jobData.saveSucessMessage": "'{0}' 작업을 업데이트했습니다.", + "jobData.newJobSuccessMessage": "'{0}' 작업을 만들었습니다." + }, + "dist/data/jobStepData": { + "jobStepData.saveErrorMessage": "'{0}' 단계를 업데이트하지 못했습니다.", + "stepData.jobNameRequired": "작업 이름을 지정해야 합니다.", + "stepData.stepNameRequired": "단계 이름을 지정해야 합니다." + }, + "dist/mainController": { + "mainController.notImplemented": "이 기능은 아직 개발 중입니다. 가장 최근 변경 기능을 사용해 보려면 최신 참가자 빌드를 확인하세요.", + "agent.templateUploadSuccessful": "템플릿을 업데이트함", + "agent.templateUploadError": "템플릿 업데이트 실패", + "agent.unsavedFileSchedulingError": "예약하기 전에 전자 필기장을 저장해야 합니다. 저장한 후 예약을 다시 시도하세요.", + "agent.AddNewConnection": "새 연결 추가", + "agent.selectConnection": "연결 선택", + "agent.selectValidConnection": "올바른 연결을 선택하세요" + }, + "dist/data/alertData": { + "alertData.saveErrorMessage": "'{0}' 경고를 업데이트하지 못했습니다.", + "alertData.DefaultAlertTypString": "SQL Server 이벤트 경고", + "alertDialog.PerformanceCondition": "SQL Server 성능 조건 경고", + "alertDialog.WmiEvent": "WMI 이벤트 경고" + }, + "dist/dialogs/proxyDialog": { + "createProxy.createProxy": "프록시 만들기", + "createProxy.editProxy": "프록시 편집", + "createProxy.General": "일반", + "createProxy.ProxyName": "프록시 이름", + "createProxy.CredentialName": "자격 증명 이름", + "createProxy.Description": "설명", + "createProxy.SubsystemName": "하위 시스템", + "createProxy.OperatingSystem": "운영 체제(CmdExec)", + "createProxy.ReplicationSnapshot": "복제 스냅샷", + "createProxy.ReplicationTransactionLog": "복제 트랜잭션 로그 판독기", + "createProxy.ReplicationDistributor": "복제 배포자", + "createProxy.ReplicationMerge": "복제 병합", + "createProxy.ReplicationQueueReader": "복제 큐 판독기", + "createProxy.SSASQueryLabel": "SQL Server Analysis Services 쿼리", + "createProxy.SSASCommandLabel": "SQL Server Analysis Services 명령", + "createProxy.SSISPackage": "SQL Server Integration Services 패키지", + "createProxy.PowerShell": "PowerShell" + }, + "dist/data/proxyData": { + "proxyData.saveErrorMessage": "프록시를 업데이트하지 못했습니다. '{0}'", + "proxyData.saveSucessMessage": "'{0}' 프록시를 업데이트했습니다.", + "proxyData.newJobSuccessMessage": "'{0}' 프록시를 만들었습니다." + }, + "dist/dialogs/notebookDialog": { + "notebookDialog.newJob": "새 Notebook 작업", + "notebookDialog.editJob": "전자 필기장 작업 편집", + "notebookDialog.general": "일반", + "notebookDialog.notebookSection": "Notebook 세부 정보", + "notebookDialog.templateNotebook": "전자 필기장 경로", + "notebookDialog.targetDatabase": "저장소 데이터베이스", + "notebookDialog.executeDatabase": "실행 데이터베이스", + "notebookDialog.defaultDropdownString": "데이터베이스 선택", + "notebookDialog.jobSection": "작업 정보", + "notebookDialog.name": "이름", + "notebookDialog.owner": "소유자", + "notebookDialog.schedulesaLabel": "일정 목록", + "notebookDialog.pickSchedule": "일정 선택", + "notebookDialog.removeSchedule": "일정 제거", + "notebookDialog.description": "설명", + "notebookDialog.templatePath": "PC에서 예약할 전자 필기장 선택", + "notebookDialog.targetDatabaseInfo": "모든 전자 필기장 작업 메타데이터 및 결과를 저장할 데이터베이스 선택", + "notebookDialog.executionDatabaseInfo": "전자 필기장 쿼리를 실행할 데이터베이스 선택" + }, + "dist/data/notebookData": { + "notebookData.whenJobCompletes": "전자 필기장이 완료되는 경우", + "notebookData.whenJobFails": "전자 필기장이 실패하는 경우", + "notebookData.whenJobSucceeds": "전자 필기장이 성공하는 경우", + "notebookData.jobNameRequired": "전자 필기장 이름을 제공해야 합니다.", + "notebookData.templatePathRequired": "템플릿 경로를 제공해야 함", + "notebookData.invalidNotebookPath": "전자 필기장 경로가 잘못됨", + "notebookData.selectStorageDatabase": "저장소 데이터베이스 선택", + "notebookData.selectExecutionDatabase": "실행 데이터베이스 선택", + "notebookData.jobExists": "이름이 비슷한 작업이 이미 있음", + "notebookData.saveErrorMessage": "Notebook 업데이트 실패 '{0}'", + "notebookData.newJobErrorMessage": "Notebook 만들기 실패 ‘{0}’", + "notebookData.saveSucessMessage": "Notebook '{0}'을(를) 업데이트함", + "notebookData.newJobSuccessMessage": "Notebook '{0}'이(가) 생성됨" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ko/translations/extensions/azurecore.i18n.json b/i18n/ads-language-pack-ko/translations/extensions/azurecore.i18n.json index e1652d296e..336d12ee99 100644 --- a/i18n/ads-language-pack-ko/translations/extensions/azurecore.i18n.json +++ b/i18n/ads-language-pack-ko/translations/extensions/azurecore.i18n.json @@ -41,6 +41,7 @@ "dist/azureResource/utils": { "azure.resource.error": "오류: {0}", "azure.accounts.getResourceGroups.queryError": "계정 {0}({1}) 구독 {2}({3}) 테넌트 {4}의 리소스 그룹을 가져오는 동안 오류 발생: {5}", + "azure.accounts.getLocations.queryError": "계정 {0}({1}) 구독 {2}({3}) 테넌트 {4}의 위치를 가져오는 동안 오류 발생: {5}", "azure.accounts.runResourceQuery.errors.invalidQuery": "잘못된 쿼리", "azure.accounts.getSubscriptions.queryError": "계정 {0} 테넌트 {1}의 구독을 가져오는 동안 오류 발생: {2}", "azure.accounts.getSelectedSubscriptions.queryError": "{0} 계정의 구독을 가져오는 동안 오류 발생: {1}" @@ -105,7 +106,7 @@ "azurecore.azureArcsqlManagedInstance": "SQL 관리형 인스턴스 - Azure Arc", "azurecore.azureArcService": "Data Service - Azure Arc", "azurecore.sqlServerArc": "SQL Server - Azure Arc", - "azurecore.azureArcPostgres": "Azure Arc 사용 PostgreSQL 하이퍼스케일", + "azurecore.azureArcPostgres": "Azure Arc가 지원되는 PostgreSQL 하이퍼스케일", "azure.unableToOpenAzureLink": "링크를 열 수 없음, 필요한 값이 없음", "azure.azureResourcesGridTitle": "Azure 리소스(미리 보기)", "azurecore.invalidAzureAccount": "잘못된 계정", @@ -116,7 +117,7 @@ "azureAuth.unidentifiedError": "Azure 인증에서 식별되지 않은 오류 발생", "azure.tenantNotFound": "ID가 '{0}'인 지정된 테넌트를 찾을 수 없습니다.", "azure.noBaseToken": "인증 관련 오류가 발생했거나 토큰이 시스템에서 삭제되었습니다. 계정을 다시 Azure Data Studio에 추가해 보세요.", - "azure.responseError": "오류로 인해 토큰 검색에 실패했습니다. 개발자 도구를 열어 오류를 확인합니다.", + "azure.responseError": "오류로 인해 토큰 검색에 실패했습니다. 개발자 도구를 열어 오류 확인", "azure.accessTokenEmpty": "Microsoft OAuth에서 반환된 액세스 토큰 없음", "azure.noUniqueIdentifier": "해당 사용자는 AAD 내에 고유 식별자가 없습니다.", "azureWorkAccountDisplayName": "회사 또는 학교 계정", @@ -141,7 +142,9 @@ "dist/azureResource/tree/flatAccountTreeNode": { "azure.resource.tree.accountTreeNode.titleLoading": "{0} - 로드 중...", "azure.resource.tree.accountTreeNode.title": "{0}({1}/{2}개 구독)", - "azure.resource.tree.accountTreeNode.credentialError": "{0} 계정의 자격 증명을 가져오지 못했습니다. 계정 대화 상자로 이동하고 계정을 새로 고치세요." + "azure.resource.tree.accountTreeNode.credentialError": "{0} 계정의 자격 증명을 가져오지 못했습니다. 계정 대화 상자로 이동하고 계정을 새로 고치세요.", + "azure.resource.throttleerror": "이 계정의 요청은 제한되었습니다. 다시 시도하려면 더 적은 수의 구독을 선택하세요.", + "azure.resource.tree.loadresourceerror": "Azure 리소스를 로드하는 동안 오류가 발생했습니다. {0}" }, "dist/azureResource/tree/accountNotSignedInTreeNode": { "azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Azure에 로그인..." @@ -203,6 +206,9 @@ "dist/azureResource/providers/kusto/kustoTreeDataProvider": { "azure.resource.providers.KustoContainerLabel": "Azure 데이터 탐색기 클러스터" }, + "dist/azureResource/providers/azuremonitor/azuremonitorTreeDataProvider": { + "azure.resource.providers.AzureMonitorContainerLabel": "Azure Monitor Workspace" + }, "dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": { "azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Azure Database for PostgreSQL 서버" }, diff --git a/i18n/ads-language-pack-ko/translations/extensions/big-data-cluster.i18n.json b/i18n/ads-language-pack-ko/translations/extensions/big-data-cluster.i18n.json index ae2f33d74c..3eeed316a5 100644 --- a/i18n/ads-language-pack-ko/translations/extensions/big-data-cluster.i18n.json +++ b/i18n/ads-language-pack-ko/translations/extensions/big-data-cluster.i18n.json @@ -11,17 +11,17 @@ "package": { "description": "SQL Server 빅 데이터 클러스터 관리 지원", "text.sqlServerBigDataClusters": "SQL Server 빅 데이터 클러스터", - "command.connectController.title": "Connect to Existing Controller", - "command.createController.title": "Create New Controller", - "command.removeController.title": "Remove Controller", + "command.connectController.title": "기존 컨트롤러에 연결", + "command.createController.title": "새 컨트롤러 만들기", + "command.removeController.title": "컨트롤러 제거", "command.refreshController.title": "새로 고침", "command.manageController.title": "관리", "command.mount.title": "HDFS 탑재", "command.refreshmount.title": "탑재 새로 고침", "command.deletemount.title": "탑재 삭제", "bdc.configuration.title": "빅 데이터 클러스터", - "bdc.view.welcome.connect": "No SQL Big Data Cluster controllers registered. [Learn More](https://docs.microsoft.com/sql/big-data-cluster/big-data-cluster-overview)\r\n[Connect Controller](command:bigDataClusters.command.connectController)", - "bdc.view.welcome.loading": "Loading controllers...", + "bdc.view.welcome.connect": "등록된 SQL 빅 데이터 클러스터 컨트롤러가 없습니다. [자세한 정보](https://docs.microsoft.com/sql/big-data-cluster/big-data-cluster-overview)\r\n[컨트롤러 연결](command:bigDataClusters.command.connectController)", + "bdc.view.welcome.loading": "컨트롤러를 로드하는 중...", "bdc.ignoreSslVerification.desc": "True인 경우 HDFS, Spark 및 Controller와 같은 SQL Server 빅 데이터 클러스터 엔드포인트를 대상으로 SSL 확인 오류 무시", "resource-type-sql-bdc-display-name": "SQL Server 빅 데이터 클러스터", "resource-type-sql-bdc-description": "SQL Server 빅 데이터 클러스터를 사용하면 Kubernetes에서 실행되는 SQL Server, Spark 및 HDFS 컨테이너의 확장 가능한 클러스터를 배포할 수 있습니다.", @@ -31,8 +31,8 @@ "bdc-deployment-target-new-aks": "새 Azure Kubernetes Service 클러스터", "bdc-deployment-target-existing-aks": "기존 Azure Kubernetes Service 클러스터", "bdc-deployment-target-existing-kubeadm": "기존 Kubernetes 클러스터(kubeadm)", - "bdc-deployment-target-existing-aro": "Existing Azure Red Hat OpenShift cluster", - "bdc-deployment-target-existing-openshift": "Existing OpenShift cluster", + "bdc-deployment-target-existing-aro": "기존 Azure Red Hat OpenShift 클러스터", + "bdc-deployment-target-existing-openshift": "기존 OpenShift 클러스터", "bdc-cluster-settings-section-title": "SQL Server 빅 데이터 클러스터 설정", "bdc-cluster-name-field": "클러스터 이름", "bdc-controller-username-field": "컨트롤러 사용자 이름", @@ -50,7 +50,7 @@ "bdc-data-size-field": "데이터 용량(GB)", "bdc-log-size-field": "로그 용량(GB)", "bdc-agreement": "{0}, {1} 및 {2}에 동의합니다.", - "microsoft-privacy-statement": "Microsoft Privacy Statement", + "microsoft-privacy-statement": "Microsoft 개인정보처리방침", "bdc-agreement-azdata-eula": "azdata 사용 조건", "bdc-agreement-bdc-eula": "SQL Server 사용 조건" }, @@ -103,102 +103,102 @@ "endpointsError": "BDC 엔드포인트를 검색하는 동안 예기치 않은 오류 발생: {0}" }, "dist/bigDataCluster/localizedConstants": { - "bdc.dashboard.status": "Status Icon", - "bdc.dashboard.instance": "Instance", - "bdc.dashboard.state": "State", - "bdc.dashboard.view": "View", - "bdc.dashboard.notAvailable": "N/A", - "bdc.dashboard.healthStatusDetails": "Health Status Details", - "bdc.dashboard.metricsAndLogs": "Metrics and Logs", - "bdc.dashboard.healthStatus": "Health Status", - "bdc.dashboard.nodeMetrics": "Node Metrics", - "bdc.dashboard.sqlMetrics": "SQL Metrics", - "bdc.dashboard.logs": "Logs", - "bdc.dashboard.viewNodeMetrics": "View Node Metrics {0}", - "bdc.dashboard.viewSqlMetrics": "View SQL Metrics {0}", - "bdc.dashboard.viewLogs": "View Kibana Logs {0}", - "bdc.dashboard.lastUpdated": "Last Updated : {0}", - "basicAuthName": "Basic", - "integratedAuthName": "Windows Authentication", - "addNewController": "Add New Controller", + "bdc.dashboard.status": "상태 아이콘", + "bdc.dashboard.instance": "인스턴스", + "bdc.dashboard.state": "상태", + "bdc.dashboard.view": "보기", + "bdc.dashboard.notAvailable": "해당 없음", + "bdc.dashboard.healthStatusDetails": "상태 세부 정보", + "bdc.dashboard.metricsAndLogs": "메트릭 및 로그", + "bdc.dashboard.healthStatus": "상태", + "bdc.dashboard.nodeMetrics": "노드 메트릭", + "bdc.dashboard.sqlMetrics": "SQL 메트릭", + "bdc.dashboard.logs": "로그", + "bdc.dashboard.viewNodeMetrics": "노드 메트릭 {0} 보기", + "bdc.dashboard.viewSqlMetrics": "SQL 메트릭 {0} 보기", + "bdc.dashboard.viewLogs": "Kibana 로그 {0} 보기", + "bdc.dashboard.lastUpdated": "마지막으로 업데이트한 날짜: {0}", + "basicAuthName": "기본", + "integratedAuthName": "Windows 인증", + "addNewController": "새 컨트롤러 추가", "url": "URL", - "username": "Username", - "password": "Password", - "rememberPassword": "Remember Password", - "clusterManagementUrl": "Cluster Management URL", - "textAuthCapital": "Authentication type", - "hdsf.dialog.connection.section": "Cluster Connection", - "add": "Add", - "cancel": "Cancel", - "ok": "OK", - "bdc.dashboard.refresh": "Refresh", - "bdc.dashboard.troubleshoot": "Troubleshoot", - "bdc.dashboard.bdcOverview": "Big Data Cluster overview", - "bdc.dashboard.clusterDetails": "Cluster Details", - "bdc.dashboard.clusterOverview": "Cluster Overview", - "bdc.dashboard.serviceEndpoints": "Service Endpoints", - "bdc.dashboard.clusterProperties": "Cluster Properties", - "bdc.dashboard.clusterState": "Cluster State", - "bdc.dashboard.serviceName": "Service Name", - "bdc.dashboard.service": "Service", - "bdc.dashboard.endpoint": "Endpoint", - "copiedEndpoint": "Endpoint '{0}' copied to clipboard", - "bdc.dashboard.copy": "Copy", - "bdc.dashboard.viewDetails": "View Details", - "bdc.dashboard.viewErrorDetails": "View Error Details", - "connectController.dialog.title": "Connect to Controller", - "mount.main.section": "Mount Configuration", - "mount.task.name": "Mounting HDFS folder on path {0}", - "refreshmount.task.name": "Refreshing HDFS Mount on path {0}", - "deletemount.task.name": "Deleting HDFS Mount on path {0}", - "mount.task.submitted": "Mount creation has started", - "refreshmount.task.submitted": "Refresh mount request submitted", - "deletemount.task.submitted": "Delete mount request submitted", - "mount.task.complete": "Mounting HDFS folder is complete", - "mount.task.inprogress": "Mounting is likely to complete, check back later to verify", - "mount.dialog.title": "Mount HDFS Folder", - "mount.hdfsPath.title": "HDFS Path", - "mount.hdfsPath.info": "Path to a new (non-existing) directory which you want to associate with the mount", - "mount.remoteUri.title": "Remote URI", - "mount.remoteUri.info": "The URI to the remote data source. Example for ADLS: abfs://fs@saccount.dfs.core.windows.net/", - "mount.credentials.title": "Credentials", - "mount.credentials.info": "Mount credentials for authentication to remote data source for reads", - "refreshmount.dialog.title": "Refresh Mount", - "deleteMount.dialog.title": "Delete Mount", - "bdc.dashboard.loadingClusterStateCompleted": "Loading cluster state completed", - "bdc.dashboard.loadingHealthStatusCompleted": "Loading health status completed", - "err.controller.username.required": "Username is required", - "err.controller.password.required": "Password is required", - "endpointsError": "Unexpected error retrieving BDC Endpoints: {0}", - "bdc.dashboard.noConnection": "The dashboard requires a connection. Please click retry to enter your credentials.", - "bdc.dashboard.unexpectedError": "Unexpected error occurred: {0}", - "mount.hdfs.loginerror1": "Login to controller failed", - "mount.hdfs.loginerror2": "Login to controller failed: {0}", - "mount.err.formatting": "Bad formatting of credentials at {0}", - "mount.task.error": "Error mounting folder: {0}", - "mount.error.unknown": "Unknown error occurred during the mount process" + "username": "사용자 이름", + "password": "암호", + "rememberPassword": "암호 저장", + "clusterManagementUrl": "클러스터 관리 URL", + "textAuthCapital": "인증 유형", + "hdsf.dialog.connection.section": "클러스터 연결", + "add": "추가", + "cancel": "취소", + "ok": "확인", + "bdc.dashboard.refresh": "새로 고침", + "bdc.dashboard.troubleshoot": "문제 해결", + "bdc.dashboard.bdcOverview": "빅 데이터 클러스터 개요", + "bdc.dashboard.clusterDetails": "클러스터 세부 정보", + "bdc.dashboard.clusterOverview": "클러스터 개요", + "bdc.dashboard.serviceEndpoints": "서비스 엔드포인트", + "bdc.dashboard.clusterProperties": "클러스터 속성", + "bdc.dashboard.clusterState": "클러스터 상태", + "bdc.dashboard.serviceName": "서비스 이름", + "bdc.dashboard.service": "서비스", + "bdc.dashboard.endpoint": "엔드포인트", + "copiedEndpoint": "엔드포인트 '{0}'이(가) 클립보드에 복사됨", + "bdc.dashboard.copy": "복사", + "bdc.dashboard.viewDetails": "세부 정보 보기", + "bdc.dashboard.viewErrorDetails": "오류 세부 정보 보기", + "connectController.dialog.title": "컨트롤러에 연결", + "mount.main.section": "탑재 구성", + "mount.task.name": "경로 {0}에 HDFS 폴더를 탑재하는 중", + "refreshmount.task.name": "경로 {0}에서 HDFS 탑재를 새로 고치는 중", + "deletemount.task.name": "경로 {0}에서 HDFS 탑재를 삭제하는 중", + "mount.task.submitted": "탑재 만들기를 시작했습니다.", + "refreshmount.task.submitted": "탑재 새로 고침 요청이 제출됨", + "deletemount.task.submitted": "탑재 삭제 요청이 제출됨", + "mount.task.complete": "HDFS 폴더 탑재가 완료되었습니다.", + "mount.task.inprogress": "탑재가 완료될 수 있습니다. 나중에 다시 확인하세요.", + "mount.dialog.title": "HDFS 폴더 탑재", + "mount.hdfsPath.title": "HDFS 경로", + "mount.hdfsPath.info": "탑재와 연결하려는 새(기존 항목 아님) 디렉터리의 경로", + "mount.remoteUri.title": "원격 URI", + "mount.remoteUri.info": "원격 데이터 원본에 대한 URI입니다. ADLS의 예: abfs://fs@saccount.dfs.core.windows.net/", + "mount.credentials.title": "자격 증명", + "mount.credentials.info": "읽기 위해 원격 데이터 원본에 인증용 자격 증명 탑재", + "refreshmount.dialog.title": "탑재 새로 고침", + "deleteMount.dialog.title": "탑재 삭제", + "bdc.dashboard.loadingClusterStateCompleted": "클러스터 상태 로드 완료", + "bdc.dashboard.loadingHealthStatusCompleted": "상태 로드 완료", + "err.controller.username.required": "사용자 이름이 필요합니다.", + "err.controller.password.required": "암호는 필수입니다.", + "endpointsError": "BDC 엔드포인트를 검색하는 동안 예기치 않은 오류 발생: {0}", + "bdc.dashboard.noConnection": "대시보드에 연결이 필요합니다. 자격 증명을 입력하려면 다시 시도를 클릭하세요.", + "bdc.dashboard.unexpectedError": "예기치 않은 오류가 발생했습니다. {0}", + "mount.hdfs.loginerror1": "컨트롤러에 로그인하지 못함", + "mount.hdfs.loginerror2": "컨트롤러에 로그인하지 못함: {0}", + "mount.err.formatting": "{0}에 있는 자격 증명 형식이 잘못됨", + "mount.task.error": "폴더 탑재 오류: {0}", + "mount.error.unknown": "탑재 프로세스 중에 알 수 없는 오류가 발생했습니다." }, "dist/bigDataCluster/controller/clusterControllerApi": { "error.no.activedirectory": "이 클러스터는 Windows 인증을 지원하지 않습니다.", "bdc.error.tokenPost": "인증 오류", "bdc.error.unauthorized": "Windows 인증을 사용하여 이 클러스터에 로그인할 수 있는 권한이 없습니다.", - "bdc.error.getClusterConfig": "Error retrieving cluster config from {0}", + "bdc.error.getClusterConfig": "{0}에서 클러스터 구성을 검색하는 동안 오류 발생", "bdc.error.getEndPoints": "{0}에서 엔드포인트 검색 중 오류 발생", "bdc.error.getBdcStatus": "{0}에서 BDC 상태 검색 중 오류 발생", "bdc.error.mountHdfs": "탑재를 만드는 중 오류 발생", - "bdc.error.statusHdfs": "Error getting mount status", + "bdc.error.statusHdfs": "탑재 상태를 가져오는 동안 오류 발생", "bdc.error.refreshHdfs": "탑재를 새로 고치는 중 오류 발생", "bdc.error.deleteHdfs": "탑재를 삭제하는 중 오류 발생" }, "dist/extension": { "mount.error.endpointNotFound": "컨트롤러 엔드포인트 정보를 찾을 수 없음", - "bdc.dashboard.title": "Big Data Cluster Dashboard -", + "bdc.dashboard.title": "빅 데이터 클러스터 대시보드 -", "textYes": "예", "textNo": "아니요", - "textConfirmRemoveController": "Are you sure you want to remove '{0}'?" + "textConfirmRemoveController": "'{0}'을(를) 제거하시겠습니까?" }, "dist/bigDataCluster/tree/controllerTreeDataProvider": { - "bdc.controllerTreeDataProvider.error": "Unexpected error loading saved controllers: {0}" + "bdc.controllerTreeDataProvider.error": "저장된 컨트롤러를 로드하는 동안 예기치 않은 오류 발생: {0}" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ko/translations/extensions/cms.i18n.json b/i18n/ads-language-pack-ko/translations/extensions/cms.i18n.json new file mode 100644 index 0000000000..4c34d5858a --- /dev/null +++ b/i18n/ads-language-pack-ko/translations/extensions/cms.i18n.json @@ -0,0 +1,146 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "cms.displayName": "SQL Server 중앙 관리 서버", + "cms.description": "SQL Server 중앙 관리 서버 관리 지원", + "cms.title": "중앙 관리 서버", + "cms.connectionProvider.displayName": "Microsoft SQL Server", + "cms.resource.explorer.title": "중앙 관리 서버", + "cms.resource.refresh.title": "새로 고침", + "cms.resource.refreshServerGroup.title": "서버 그룹 새로 고침", + "cms.resource.deleteRegisteredServer.title": "삭제", + "cms.resource.addRegisteredServer.title": "새 서버 등록...", + "cms.resource.deleteServerGroup.title": "삭제", + "cms.resource.addServerGroup.title": "새 서버 그룹...", + "cms.resource.registerCmsServer.title": "중앙 관리 서버 추가", + "cms.resource.deleteCmsServer.title": "삭제", + "cms.configuration.title": "MSSQL 구성", + "cms.query.displayBitAsNumber": "BIT 열을 숫자(1 또는 0)로 표시할지 여부. False이면 BIT 열을 'true' 또는 'false'로 표시합니다.", + "cms.format.alignColumnDefinitionsInColumns": "열 정의 정렬 여부", + "cms.format.datatypeCasing": "데이터 형식을 대문자, 소문자 또는 없음(서식 없음)으로 지정할지 여부", + "cms.format.keywordCasing": "키워드를 대문자, 소문자 또는 없음(서식 없음)으로 지정할지 여부", + "cms.format.placeCommasBeforeNextStatement": "목록의 각 문 앞에 쉼표를 표시할지 여부(예: 끝에 'mycolumn1' 대신 ', mycolumn2' 사용)", + "cms.format.placeSelectStatementReferencesOnNewLine": "Select 문에서 개체에 대한 참조를 별도 줄에 분할할지 여부(예: 'SELECT C1, C2 FROM T1'의 경우 C1 및 C2를 별도의 줄에 표시함)", + "cms.logDebugInfo": "[옵션] 디버그 출력을 콘솔에 로깅한 다음(보기 -> 출력), 드롭다운에서 해당 출력 채널을 선택합니다.", + "cms.tracingLevel": "[옵션] 백 엔드 서비스의 로그 수준입니다. Azure Data Studio는 시작할 때마다 파일 이름을 생성하며 파일이 이미 있으면 로그 항목이 해당 파일에 추가됩니다. 이전 로그 파일을 정리하려면 logRetentionMinutes 및 logFilesRemovalLimit 설정을 참조하세요. 기본 tracingLevel에서는 많은 양의 로그가 기록되지 않습니다. 세부 정보 표시를 변경하면 로깅이 광범위해지고 로그의 디스크 공간 요구 사항이 커질 수 있습니다. 오류이면 중요가 포함되고 경고이면 오류가 포함되고 정보이면 경고가 포함되고 세부 정보 표시이면 정보가 포함됩니다.", + "cms.logRetentionMinutes": "백 엔드 서비스의 로그 파일을 유지하는 시간(분)입니다. 기본값은 1주일입니다.", + "cms.logFilesRemovalLimit": "시작 시 제거하려고 하며 mssql.logRetentionMinutes가 만료된 이전 파일의 최대 수입니다. 이 제한으로 인해 정리되지 않은 파일은 다음에 Azure Data Studio를 시작할 때 정리됩니다.", + "ignorePlatformWarning": "[옵션] 지원되지 않는 플랫폼 경고 표시 안 함", + "onprem.databaseProperties.recoveryModel": "복구 모델", + "onprem.databaseProperties.lastBackupDate": "마지막 데이터베이스 백업", + "onprem.databaseProperties.lastLogBackupDate": "마지막 로그 백업", + "onprem.databaseProperties.compatibilityLevel": "호환성 수준", + "onprem.databaseProperties.owner": "소유자", + "onprem.serverProperties.serverVersion": "버전", + "onprem.serverProperties.serverEdition": "버전", + "onprem.serverProperties.machineName": "컴퓨터 이름", + "onprem.serverProperties.osVersion": "OS 버전", + "cloud.databaseProperties.azureEdition": "버전", + "cloud.databaseProperties.serviceLevelObjective": "가격 책정 계층", + "cloud.databaseProperties.compatibilityLevel": "호환성 수준", + "cloud.databaseProperties.owner": "소유자", + "cloud.serverProperties.serverVersion": "버전", + "cloud.serverProperties.serverEdition": "형식", + "cms.provider.displayName": "Microsoft SQL Server", + "cms.connectionOptions.connectionName.displayName": "이름(옵션)", + "cms.connectionOptions.connectionName.description": "연결의 사용자 지정 이름", + "cms.connectionOptions.serverName.displayName": "서버", + "cms.connectionOptions.serverName.description": "SQL Server 인스턴스의 이름", + "cms.connectionOptions.serverDescription.displayName": "서버 설명", + "cms.connectionOptions.serverDescription.description": "SQL Server 인스턴스에 대한 설명", + "cms.connectionOptions.authType.displayName": "인증 유형", + "cms.connectionOptions.authType.description": "SQL Server로 인증하는 방법을 지정합니다.", + "cms.connectionOptions.authType.categoryValues.sqlLogin": "SQL 로그인", + "cms.connectionOptions.authType.categoryValues.integrated": "Windows 인증", + "cms.connectionOptions.authType.categoryValues.azureMFA": "Azure Active Directory - MFA가 지원되는 유니버설", + "cms.connectionOptions.userName.displayName": "사용자 이름", + "cms.connectionOptions.userName.description": "데이터 원본에 연결할 때 사용할 사용자 ID를 나타냅니다.", + "cms.connectionOptions.password.displayName": "암호", + "cms.connectionOptions.password.description": "데이터 원본에 연결할 때 사용할 암호를 나타냅니다.", + "cms.connectionOptions.applicationIntent.displayName": "애플리케이션 의도", + "cms.connectionOptions.applicationIntent.description": "서버에 연결할 때 애플리케이션 워크로드 형식을 선언합니다.", + "cms.connectionOptions.asynchronousProcessing.displayName": "비동기 처리", + "cms.connectionOptions.asynchronousProcessing.description": "true인 경우 .NET Framework 데이터 공급자에서 비동기 기능의 사용을 활성화합니다.", + "cms.connectionOptions.connectTimeout.displayName": "연결 시간 제한", + "cms.connectionOptions.connectTimeout.description": "연결 시도를 중단하고 오류를 생성하기 전 서버에 연결될 때까지의 대기 시간(초)입니다.", + "cms.connectionOptions.currentLanguage.displayName": "현재 언어", + "cms.connectionOptions.currentLanguage.description": "SQL Server 언어 레코드 이름", + "cms.connectionOptions.columnEncryptionSetting.displayName": "열 암호화", + "cms.connectionOptions.columnEncryptionSetting.description": "연결에서 모든 명령에 대한 기본 열 암호화 설정입니다.", + "cms.connectionOptions.encrypt.displayName": "암호화", + "cms.connectionOptions.encrypt.description": "true인 경우 서버에 인증서가 설치되어 있으면 SQL Server는 클라이언트와 서버 간에 전송된 모든 데이터에 대해 SSL 암호화를 사용합니다.", + "cms.connectionOptions.persistSecurityInfo.displayName": "보안 정보 유지", + "cms.connectionOptions.persistSecurityInfo.description": "false이면 보안상 중요한 정보(예: 암호)를 연결의 일부로 반환하지 않습니다.", + "cms.connectionOptions.trustServerCertificate.displayName": "서버 인증서 신뢰", + "cms.connectionOptions.trustServerCertificate.description": "true(및 encrypt=true)인 경우 SQL Server는 서버 인증서의 유효성을 검사하지 않고 클라이언트와 서버 간에 전송된 모든 데이터에 대해 SSL 암호화를 사용합니다.", + "cms.connectionOptions.attachedDBFileName.displayName": "연결된 DB 파일 이름", + "cms.connectionOptions.attachedDBFileName.description": "연결할 수 있는 데이터베이스의 기본 파일 이름(전체 경로 이름 포함)", + "cms.connectionOptions.contextConnection.displayName": "컨텍스트 연결", + "cms.connectionOptions.contextConnection.description": "true인 경우 연결이 SQL Server 컨텍스트에서 시작되어야 함을 나타냅니다. SQL Server 프로세스에서 실행 중인 경우에만 사용할 수 있습니다.", + "cms.connectionOptions.port.displayName": "포트", + "cms.connectionOptions.connectRetryCount.displayName": "연결 다시 시도 횟수", + "cms.connectionOptions.connectRetryCount.description": "연결 복구 시도의 횟수", + "cms.connectionOptions.connectRetryInterval.displayName": "연결 다시 시도 간격", + "cms.connectionOptions.connectRetryInterval.description": "연결 복구 시도 간 지연 시간", + "cms.connectionOptions.applicationName.displayName": "애플리케이션 이름", + "cms.connectionOptions.applicationName.description": "애플리케이션의 이름", + "cms.connectionOptions.workstationId.displayName": "워크스테이션 ID", + "cms.connectionOptions.workstationId.description": "SQL Server에 연결하는 워크스테이션의 이름", + "cms.connectionOptions.pooling.displayName": "풀링", + "cms.connectionOptions.pooling.description": "true이면 해당 풀에서 연결 개체를 끌어 오거나 필요한 경우 연결 개체를 만들어 해당 풀에 추가합니다.", + "cms.connectionOptions.maxPoolSize.displayName": "최대 풀 크기", + "cms.connectionOptions.maxPoolSize.description": "풀에서 허용되는 최대 연결 수", + "cms.connectionOptions.minPoolSize.displayName": "최소 풀 크기", + "cms.connectionOptions.minPoolSize.description": "풀에서 허용되는 최소 연결 수", + "cms.connectionOptions.loadBalanceTimeout.displayName": "부하 분산 시간 제한", + "cms.connectionOptions.loadBalanceTimeout.description": "이 연결이 제거되기 전에 풀에서 활성화되어 있는 최소 시간(초)입니다.", + "cms.connectionOptions.replication.displayName": "복제", + "cms.connectionOptions.replication.description": "복제에서 SQL Server가 사용합니다.", + "cms.connectionOptions.attachDbFilename.displayName": "DB 파일 이름 연결", + "cms.connectionOptions.failoverPartner.displayName": "장애 조치(failover) 파트너", + "cms.connectionOptions.failoverPartner.description": "장애 조치(failover) 파트너 역할을 하는 SQL Server 인스턴스의 이름 또는 네트워크 주소", + "cms.connectionOptions.multiSubnetFailover.displayName": "다중 서브넷 장애 조치(failover)", + "cms.connectionOptions.multipleActiveResultSets.displayName": "여러 개의 활성 결과 집합", + "cms.connectionOptions.multipleActiveResultSets.description": "true인 경우 한 연결에서 여러 결과 집합을 반환하고 읽을 수 있습니다.", + "cms.connectionOptions.packetSize.displayName": "패킷 크기", + "cms.connectionOptions.packetSize.description": "SQL Server 인스턴스와 통신하는 데 사용되는 네트워크 패킷의 크기(바이트)", + "cms.connectionOptions.typeSystemVersion.displayName": "형식 시스템 버전", + "cms.connectionOptions.typeSystemVersion.description": "공급자가 DataReader를 통해 노출할 서버 형식 시스템을 나타냅니다." + }, + "dist/cmsResource/tree/cmsResourceTreeNode": { + "cms.resource.cmsResourceTreeNode.noResourcesLabel": "리소스를 찾을 수 없음" + }, + "dist/cmsResource/tree/cmsResourceEmptyTreeNode": { + "cms.resource.tree.CmsTreeNode.addCmsServerLabel": "중앙 관리 서버 추가..." + }, + "dist/cmsResource/tree/treeProvider": { + "cms.resource.tree.treeProvider.loadError": "저장된 서버를 로드하는 동안 예기치 않은 오류가 발생했습니다. {0}", + "cms.resource.tree.treeProvider.loadingLabel": "로드하는 중..." + }, + "dist/cmsResource/cmsResourceCommands": { + "cms.errors.sameCmsServerName": "중앙 관리 서버 그룹에 이름이 {0}인 등록된 서버가 이미 있습니다.", + "cms.errors.azureNotAllowed": "Azure SQL Server는 중앙 관리 서버로 사용될 수 없습니다.", + "cms.confirmDeleteServer": "삭제하시겠습니까?", + "cms.yes": "예", + "cms.no": "아니요", + "cms.AddServerGroup": "서버 그룹 추가", + "cms.OK": "확인", + "cms.Cancel": "취소", + "cms.ServerGroupName": "서버 그룹 이름", + "cms.ServerGroupDescription": "서버 그룹 설명", + "cms.errors.sameServerGroupName": "{0}에 이름이 {1}인 서버 그룹이 이미 있습니다.", + "cms.confirmDeleteGroup": "삭제하시겠습니까?" + }, + "dist/cmsUtils": { + "cms.errors.sameServerUnderCms": "구성 서버와 이름이 같은 등록된 공유 서버를 추가할 수 없습니다." + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ko/translations/extensions/dacpac.i18n.json b/i18n/ads-language-pack-ko/translations/extensions/dacpac.i18n.json new file mode 100644 index 0000000000..5c022e7f25 --- /dev/null +++ b/i18n/ads-language-pack-ko/translations/extensions/dacpac.i18n.json @@ -0,0 +1,78 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "dacFx.settings": "Dacpac", + "dacFx.defaultSaveLocation": ".DACPAC 및 .BACPAC 파일이 기본적으로 저장되는 폴더의 전체 경로입니다." + }, + "dist/localizedConstants": { + "dacFx.targetServer": "대상 서버", + "dacFx.sourceServer": "원본 서버", + "dacFx.sourceDatabase": "원본 데이터베이스", + "dacFx.targetDatabase": "대상 데이터베이스", + "dacfx.fileLocation": "파일 위치", + "dacfx.selectFile": "파일 선택", + "dacfx.summaryTableTitle": "설정 요약", + "dacfx.version": "버전", + "dacfx.setting": "설정", + "dacfx.value": "값", + "dacFx.databaseName": "데이터베이스 이름", + "dacFxDeploy.openFile": "열기", + "dacFx.upgradeExistingDatabase": "기존 데이터베이스 업그레이드", + "dacFx.newDatabase": "새 데이터베이스", + "dacfx.dataLossTextWithCount": "나열된 배포 작업의 {0}(으)로 인해 데이터가 손실될 수 있습니다. 배포 관련 문제가 발생하는 경우 사용할 수 있는 백업 또는 스냅샷이 있는지 확인하세요.", + "dacFx.proceedDataLoss": "데이터가 손실되더라도 계속 진행", + "dacfx.noDataLoss": "나열된 배포 작업에서 데이터 손실이 발생하지 않습니다.", + "dacfx.dataLossText": "배포 작업으로 인해 데이터가 손실될 수 있습니다. 배포 관련 문제가 발생하는 경우 사용 가능한 백업 또는 스냅샷이 있는지 확인하세요.", + "dacfx.operation": "작업", + "dacfx.operationTooltip": "배포하는 동안 발생하는 작업(만들기, 변경, 삭제)", + "dacfx.type": "형식", + "dacfx.typeTooltip": "배포의 영향을 받는 개체의 유형", + "dacfx.object": "개체", + "dacfx.objecTooltip": "배포의 영향을 받는 개체의 이름", + "dacfx.dataLoss": "데이터 손실", + "dacfx.dataLossTooltip": "데이터 손실이 발생할 수 있는 작업에는 경고 기호가 표시됩니다.", + "dacfx.save": "저장", + "dacFx.versionText": "버전(x.x.x.x 사용, x는 숫자임)", + "dacFx.deployDescription": "데이터 계층 애플리케이션 .dacpac 파일을 SQL Server의 인스턴스에 배포[Dacpac 배포]", + "dacFx.extractDescription": "SQL Server의 인스턴스에서 데이터 계층 애플리케이션을 .dacpac 파일로 추출[Dacpac 추출]", + "dacFx.importDescription": ".bacpac 파일에서 데이터베이스 만들기[Bacpac 가져오기]", + "dacFx.exportDescription": "데이터베이스의 스키마 및 데이터를 논리적 .bacpac 파일 형식으로 내보내기[Bacpac 내보내기]", + "dacfx.wizardTitle": "데이터 계층 애플리케이션 마법사", + "dacFx.selectOperationPageName": "작업 선택", + "dacFx.deployConfigPageName": "Dacpac 배포 설정 선택", + "dacFx.deployPlanPageName": "배포 플랜 검토", + "dacFx.summaryPageName": "요약", + "dacFx.extractConfigPageName": "Dacpac 추출 설정 선택", + "dacFx.importConfigPageName": "Bacpac 가져오기 설정 선택", + "dacFx.exportConfigPageName": "Bacpac 내보내기 설정 선택", + "dacFx.deployButton": "배포", + "dacFx.extract": "추출", + "dacFx.import": "가져오기", + "dacFx.export": "내보내기", + "dacFx.generateScriptButton": "스크립트 생성", + "dacfx.scriptGeneratingMessage": "마법사가 닫히면 작업 보기에서 스크립트 생성 상태를 볼 수 있습니다. 완료되면 생성된 스크립트가 열립니다.", + "dacfx.default": "기본값", + "dacfx.deployPlanTableTitle": "계획 작업 배포", + "dacfx.databaseNameExistsErrorMessage": "SQL Server 인스턴스에 같은 이름의 데이터베이스가 이미 있습니다.", + "dacfx.undefinedFilenameErrorMessage": "정의되지 않은 네임스페이스:", + "dacfx.filenameEndingInPeriodErrorMessage": "파일 이름은 마침표(.)로 끝날 수 없습니다.", + "dacfx.whitespaceFilenameErrorMessage": "파일 이름은 공백일 수 없습니다.", + "dacfx.invalidFileCharsErrorMessage": "잘못된 파일 문자", + "dacfx.reservedWindowsFilenameErrorMessage": "이 파일 이름은 Windows에서 예약되어 있습니다. 다른 이름을 선택하고 다시 시도하세요.", + "dacfx.reservedValueErrorMessage": "예약된 파일 이름입니다. 다른 이름을 선택하고 다시 시도하십시오.", + "dacfx.trailingWhitespaceErrorMessage": "파일 이름은 공백으로 끝날 수 없습니다.", + "dacfx.tooLongFilenameErrorMessage": "파일 이름이 255자를 초과합니다.", + "dacfx.deployPlanErrorMessage": "배포 플랜 '{0}'을(를) 생성하지 못했습니다.", + "dacfx.generateDeployErrorMessage": "배포 스크립트 생성 실패 '{0}'", + "dacfx.operationErrorMessage": "{0} 작업 실패 '{1}'" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ko/translations/extensions/import.i18n.json b/i18n/ads-language-pack-ko/translations/extensions/import.i18n.json new file mode 100644 index 0000000000..a69a164d7b --- /dev/null +++ b/i18n/ads-language-pack-ko/translations/extensions/import.i18n.json @@ -0,0 +1,66 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "flatfileimport.configuration.title": "플랫 파일 가져오기 구성", + "flatfileimport.logDebugInfo": "[옵션] 디버그 출력을 콘솔에 로깅한 다음(보기 -> 출력), 드롭다운에서 해당 출력 채널을 선택합니다." + }, + "out/services/serviceClient": { + "serviceStarted": "{0}이(가) 시작됨", + "serviceStarting": "{0}을(를) 시작하는 중", + "flatFileImport.serviceStartFailed": "{0}:{1}을(를) 시작하지 못함", + "installingServiceDetailed": "{1}에 {0} 설치 중", + "installingService": "{0} 서비스를 설치하는 중", + "serviceInstalled": "설치된 {0}", + "downloadingService": "{0} 다운로드 중", + "downloadingServiceSize": "({0}KB)", + "downloadingServiceStatus": "{0} 다운로드 중", + "downloadingServiceComplete": "{0} 다운로드 완료", + "entryExtractedChannelMsg": "추출된 {0}({1}/{2})" + }, + "out/common/constants": { + "import.serviceCrashButton": "사용자 의견 제공", + "serviceCrashMessage": "서비스 구성 요소를 시작할 수 없습니다.", + "flatFileImport.serverDropdownTitle": "데이터베이스가 있는 서버", + "flatFileImport.databaseDropdownTitle": "테이블이 생성된 데이터베이스", + "flatFile.InvalidFileLocation": "잘못된 파일 위치입니다. 다른 입력 파일을 사용해 보세요.", + "flatFileImport.browseFiles": "찾아보기", + "flatFileImport.openFile": "열기", + "flatFileImport.fileTextboxTitle": "가져올 파일의 위치", + "flatFileImport.tableTextboxTitle": "새 테이블 이름", + "flatFileImport.schemaTextboxTitle": "테이블 스키마", + "flatFileImport.importData": "데이터 가져오기", + "flatFileImport.next": "다음", + "flatFileImport.columnName": "열 이름", + "flatFileImport.dataType": "데이터 형식", + "flatFileImport.primaryKey": "기본 키", + "flatFileImport.allowNulls": "Null 허용", + "flatFileImport.prosePreviewMessage": "이 작업은 입력 파일 구조를 분석하여 처음 50개 행의 미리 보기를 아래에 생성했습니다.", + "flatFileImport.prosePreviewMessageFail": "이 작업이 실패했습니다. 다른 입력 파일을 사용해 보세요.", + "flatFileImport.refresh": "새로 고침", + "flatFileImport.importInformation": "정보 가져오기", + "flatFileImport.importStatus": "상태 가져오기", + "flatFileImport.serverName": "서버 이름", + "flatFileImport.databaseName": "데이터베이스 이름", + "flatFileImport.tableName": "테이블 이름", + "flatFileImport.tableSchema": "테이블 스키마", + "flatFileImport.fileImport": "가져올 파일", + "flatFileImport.success.norows": "✔ 테이블에 데이터를 입력했습니다.", + "import.needConnection": "이 마법사를 사용하기 전에 서버에 연결하세요.", + "import.needSQLConnection": "SQL Server 가져오기 확장은 이 유형의 연결을 지원하지 않습니다.", + "flatFileImport.wizardName": "플랫 파일 가져오기 마법사", + "flatFileImport.page1Name": "입력 파일 지정", + "flatFileImport.page2Name": "데이터 미리 보기", + "flatFileImport.page3Name": "열 수정", + "flatFileImport.page4Name": "요약", + "flatFileImport.importNewFile": "새 파일 가져오기" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ko/translations/extensions/notebook.i18n.json b/i18n/ads-language-pack-ko/translations/extensions/notebook.i18n.json index 051961d196..d8889bff5c 100644 --- a/i18n/ads-language-pack-ko/translations/extensions/notebook.i18n.json +++ b/i18n/ads-language-pack-ko/translations/extensions/notebook.i18n.json @@ -14,13 +14,16 @@ "notebook.configuration.title": "Notebook 구성", "notebook.pythonPath.description": "Notebook에서 사용하는 python 설치의 로컬 경로입니다.", "notebook.useExistingPython.description": "Notebook에서 사용하는 기존 python 설치의 로컬 경로입니다.", + "notebook.dontPromptPythonUpdate.description": "Python을 업데이트하라는 메시지가 표시되지 않습니다.", + "notebook.jupyterServerShutdownTimeout.description": "모든 전자 필기장이 닫힌 후 서버를 종료하기 전에 대기해야 할 시간(분)입니다(종료하지 않으려면 0을 입력하세요).", "notebook.overrideEditorTheming.description": "Notebook 편집기에서 편집기 기본 설정을 재정의합니다. 설정에는 배경색, 현재 선 색 및 테두리가 포함됩니다.", "notebook.maxTableRows.description": "Notebook 편집기에서 테이블당 반환된 최대 행 수", - "notebook.trustedBooks.description": "Notebooks contained in these books will automatically be trusted.", + "notebook.trustedBooks.description": "이 Book에 포함된 Notebook은 자동으로 신뢰할 수 있습니다.", "notebook.maxBookSearchDepth.description": "책을 검색할 하위 디렉터리의 최대 깊이(무한의 경우 0 입력)", - "notebook.collapseBookItems.description": "Collapse Book items at root level in the Notebooks Viewlet", - "notebook.remoteBookDownloadTimeout.description": "Download timeout in milliseconds for GitHub books", - "notebook.pinnedNotebooks.description": "Notebooks that are pinned by the user for the current workspace", + "notebook.collapseBookItems.description": "Notebook 뷰렛에서 루트 수준의 Book 항목 축소", + "notebook.remoteBookDownloadTimeout.description": "GitHub 문서의 다운로드 시간 제한(밀리초)", + "notebook.pinnedNotebooks.description": "사용자가 현재 작업 영역에 고정한 Notebook", + "notebook.allowRoot.description": "Allow Jupyter server to run as root user", "notebook.command.new": "새 Notebook", "notebook.command.open": "Notebook 열기", "notebook.analyzeJupyterNotebook": "Notebook에서 분석", @@ -43,108 +46,121 @@ "title.managePackages": "패키지 관리", "title.SQL19PreviewBook": "SQL Server 2019 가이드", "books-preview-category": "Jupyter Book", - "title.saveJupyterBook": "책 저장", - "title.trustBook": "Trust Book", - "title.searchJupyterBook": "책 검색", - "title.SavedBooks": "Notebooks", - "title.ProvidedBooks": "Provided Books", - "title.PinnedBooks": "Pinned notebooks", - "title.PreviewLocalizedBook": "Get localized SQL Server 2019 guide", - "title.openJupyterBook": "Open Jupyter Book", - "title.closeJupyterBook": "Close Jupyter Book", - "title.closeJupyterNotebook": "Close Jupyter Notebook", - "title.revealInBooksViewlet": "Reveal in Books", - "title.createJupyterBook": "Create Book (Preview)", - "title.openNotebookFolder": "Open Notebooks in Folder", - "title.openRemoteJupyterBook": "Add Remote Jupyter Book", - "title.pinNotebook": "Pin Notebook", - "title.unpinNotebook": "Unpin Notebook", - "title.moveTo": "Move to ..." + "title.saveJupyterBook": "Jupyter Book 저장", + "title.trustBook": "Jupyter Book 신뢰", + "title.searchJupyterBook": "Jupyter Book 검색", + "title.SavedBooks": "Notebook", + "title.ProvidedBooks": "Jupyter Book 제공", + "title.PinnedBooks": "고정된 Notebook", + "title.PreviewLocalizedBook": "지역화된 SQL Server 2019 가이드 가져오기", + "title.openJupyterBook": "Jupyter Book 열기", + "title.closeJupyterBook": "Jupyter Book 닫기", + "title.closeNotebook": "Notebook 닫기", + "title.removeNotebook": "Notebook 제거", + "title.addNotebook": "Notebook 추가", + "title.addMarkdown": "Markdown 파일 추가", + "title.revealInBooksViewlet": "Book에 표시", + "title.createJupyterBook": "Jupyter Book 만들기", + "title.openNotebookFolder": "폴더에서 Notebook 열기", + "title.openRemoteJupyterBook": "원격 Jupyter Book 추가", + "title.pinNotebook": "Notebook 고정", + "title.unpinNotebook": "Notebook 고정 해제", + "title.moveTo": "이동 대상..." }, "dist/common/utils": { - "ensureDirOutputMsg": "... Ensuring {0} exists", - "executeCommandProcessExited": "Process exited with error code: {0}. StdErr Output: {1}" + "ensureDirOutputMsg": "... {0}이(가) 있는지 확인", + "executeCommandProcessExited": "프로세스가 종료되었습니다(오류 코드: {0}). StdErr 출력: {1}" }, "dist/common/constants": { "managePackages.localhost": "localhost", - "managePackages.packageNotFound": "Could not find the specified package" + "managePackages.packageNotFound": "지정된 패키지를 찾을 수 없습니다." }, "dist/common/localizedConstants": { "msgYes": "예", "msgNo": "아니요", "msgSampleCodeDataFrame": "이 샘플 코드는 파일을 데이터 프레임에 로드하고 처음 10개의 결과를 표시합니다.", - "noBDCConnectionError": "Spark kernels require a connection to a SQL Server Big Data Cluster master instance.", - "providerNotValidError": "Non-MSSQL providers are not supported for spark kernels.", - "allFiles": "All Files", - "labelSelectFolder": "Select Folder", - "labelBookFolder": "Select Book", - "confirmReplace": "Folder already exists. Are you sure you want to delete and replace this folder?", - "openNotebookCommand": "Open Notebook", - "openMarkdownCommand": "Open Markdown", - "openExternalLinkCommand": "Open External Link", - "msgBookTrusted": "Book is now trusted in the workspace.", - "msgBookAlreadyTrusted": "Book is already trusted in this workspace.", - "msgBookUntrusted": "Book is no longer trusted in this workspace", - "msgBookAlreadyUntrusted": "Book is already untrusted in this workspace.", - "msgBookPinned": "Book {0} is now pinned in the workspace.", - "msgBookUnpinned": "Book {0} is no longer pinned in this workspace", - "bookInitializeFailed": "Failed to find a Table of Contents file in the specified book.", - "noBooksSelected": "No books are currently selected in the viewlet.", - "labelBookSection": "Select Book Section", - "labelAddToLevel": "Add to this level", - "missingFileError": "Missing file : {0} from {1}", - "InvalidError.tocFile": "Invalid toc file", - "Invalid toc.yml": "Error: {0} has an incorrect toc.yml file", - "configFileError": "Configuration file missing", - "openBookError": "Open book {0} failed: {1}", - "readBookError": "Failed to read book {0}: {1}", - "openNotebookError": "Open notebook {0} failed: {1}", - "openMarkdownError": "Open markdown {0} failed: {1}", - "openUntitledNotebookError": "Open untitled notebook {0} as untitled failed: {1}", - "openExternalLinkError": "Open link {0} failed: {1}", - "closeBookError": "Close book {0} failed: {1}", - "duplicateFileError": "File {0} already exists in the destination folder {1} \r\n The file has been renamed to {2} to prevent data loss.", - "editBookError": "Error while editing book {0}: {1}", - "selectBookError": "Error while selecting a book or a section to edit: {0}", + "noBDCConnectionError": "Spark 커널을 SQL Server 빅 데이터 클러스터 마스터 인스턴스에 연결해야 합니다.", + "providerNotValidError": "비 MSSQL 공급자는 Spark 커널에서 지원되지 않습니다.", + "allFiles": "모든 파일", + "labelSelectFolder": "폴더 선택", + "labelBookFolder": "Jupyter Book 선택", + "confirmReplace": "폴더가 이미 있습니다. 이 폴더를 삭제하고 바꾸시겠습니까?", + "openNotebookCommand": "Notebook 열기", + "openMarkdownCommand": "Markdown 열기", + "openExternalLinkCommand": "외부 링크 열기", + "msgBookTrusted": "이제 Jupyter Book은 작업 영역에서 신뢰할 수 있습니다.", + "msgBookAlreadyTrusted": "Jupyter Book은 이미 이 작업 영역에서 신뢰할 수 있습니다.", + "msgBookUntrusted": "Jupyter Book은 더 이상 이 작업 영역에서 신뢰할 수 없습니다.", + "msgBookAlreadyUntrusted": "Jupyter Book은 이미 이 작업 영역에서 신뢰할 수 없습니다.", + "msgBookPinned": "Jupyter Book {0}는 이제 작업 영역에 고정됩니다.", + "msgBookUnpinned": "Jupyter Book {0}은(는) 더 이상 이 작업 영역에 고정되지 않습니다.", + "bookInitializeFailed": "지정된 Jupyter Book에서 목차 파일을 찾지 못했습니다.", + "noBooksSelected": "뷰렛에 현재 선택된 Jupyter Book이 없습니다.", + "labelBookSection": "Jupyter Book 섹션 선택", + "labelAddToLevel": "이 수준에 추가", + "missingFileError": "누락된 파일: {1}의 {0}", + "InvalidError.tocFile": "잘못된 toc 파일", + "Invalid toc.yml": "오류: {0}에 잘못된 toc.yml 파일이 있음", + "configFileError": "구성 파일 없음", + "openBookError": "Jupyter Book {0} 열기 실패: {1}", + "readBookError": "Jupyter Book {0}을(를) 읽지 못했습니다. {1}", + "openNotebookError": "{0} Notebook을 열지 못함: {1}", + "openMarkdownError": "{0} Markdown을 열지 못함: {1}", + "openUntitledNotebookError": "제목 없는 Notebook {0}을(를) 제목 없음으로 열지 못함: {1}", + "openExternalLinkError": "링크 {0} 열기 실패: {1}", + "closeBookError": "Jupyter Book {0} 닫기 실패: {1}", + "duplicateFileError": "대상 폴더 {1}에 {0} 파일이 이미 있습니다. \r\n 데이터 손실을 방지하기 위해 파일 이름이 {2}(으)로 바뀌었습니다.", + "editBookError": "Jupyter Book {0}을(를) 편집하는 동안 오류 발생: {1}", + "selectBookError": "Jupyter Book 또는 편집할 섹션을 선택하는 동안 오류 발생: {0}", + "sectionNotFound": "{1}에서 {0} 섹션을 찾지 못했습니다.", "url": "URL", - "repoUrl": "Repository URL", - "location": "Location", - "addRemoteBook": "Add Remote Book", + "repoUrl": "리포지토리 URL", + "location": "위치", + "addRemoteBook": "원격 Jupyter Book 추가", "onGitHub": "GitHub", - "onsharedFile": "Shared File", - "releases": "Releases", - "book": "Book", - "version": "Version", - "language": "Language", - "booksNotFound": "No books are currently available on the provided link", - "urlGithubError": "The url provided is not a Github release url", - "search": "Search", - "add": "Add", - "close": "Close", + "onsharedFile": "공유 파일", + "releases": "릴리스", + "book": "Jupyter Book", + "version": "버전", + "language": "언어", + "booksNotFound": "제공된 링크에 현재 사용 가능한 Jupyter Book이 없습니다.", + "urlGithubError": "제공된 URL은 GitHub 릴리스 URL이 아닙니다.", + "search": "검색", + "add": "추가", + "close": "닫기", "invalidTextPlaceholder": "-", - "msgRemoteBookDownloadProgress": "Remote Book download is in progress", - "msgRemoteBookDownloadComplete": "Remote Book download is complete", - "msgRemoteBookDownloadError": "Error while downloading remote Book", - "msgRemoteBookUnpackingError": "Error while decompressing remote Book", - "msgRemoteBookDirectoryError": "Error while creating remote Book directory", - "msgTaskName": "Downloading Remote Book", - "msgResourceNotFound": "Resource not Found", - "msgBookNotFound": "Books not Found", - "msgReleaseNotFound": "Releases not Found", - "msgUndefinedAssetError": "The selected book is not valid", - "httpRequestError": "Http Request failed with error: {0} {1}", - "msgDownloadLocation": "Downloading to {0}", - "newGroup": "New Group", - "groupDescription": "Groups are used to organize Notebooks.", - "locationBrowser": "Browse locations...", - "selectContentFolder": "Select content folder", - "browse": "Browse", - "create": "Create", - "name": "Name", - "saveLocation": "Save location", - "contentFolder": "Content folder (Optional)", - "msgContentFolderError": "Content folder path does not exist", - "msgSaveFolderError": "Save location path does not exist" + "msgRemoteBookDownloadProgress": "원격 Jupyter Book 다운로드가 진행 중입니다.", + "msgRemoteBookDownloadComplete": "원격 Jupyter Book 다운로드가 완료되었습니다.", + "msgRemoteBookDownloadError": "원격 Jupyter Book을 다운로드하는 동안 오류 발생", + "msgRemoteBookUnpackingError": "원격 Jupyter Book의 압축을 푸는 동안 오류 발생", + "msgRemoteBookDirectoryError": "원격 Jupyter Book 디렉터리를 만드는 동안 오류 발생", + "msgTaskName": "원격 Jupyter Book 다운로드", + "msgResourceNotFound": "리소스를 찾을 수 없음", + "msgBookNotFound": "Jupyter Book을 찾을 수 없음", + "msgReleaseNotFound": "릴리스를 찾을 수 없음", + "msgUndefinedAssetError": "선택한 Jupyter Book이 유효하지 않습니다.", + "httpRequestError": "오류로 인해 Http 요청 실패: {0} {1}", + "msgDownloadLocation": "{0}에 다운로드", + "newBook": "새 Jupyter Book(미리 보기)", + "bookDescription": "Jupyter Book은 Notebook을 구성하는 데 사용됩니다.", + "learnMore": "자세히 알아보세요.", + "contentFolder": "콘텐츠 폴더", + "browse": "찾아보기", + "create": "만들기", + "name": "이름", + "saveLocation": "저장 위치", + "contentFolderOptional": "콘텐츠 폴더(선택 사항)", + "msgContentFolderError": "콘텐츠 폴더 경로가 없습니다.", + "msgSaveFolderError": "저장 위치 경로가 없습니다.", + "msgCreateBookWarningMsg": "{0}에 액세스하는 동안 오류가 발생했습니다.", + "newNotebook": "새 Notebook(미리 보기)", + "newMarkdown": "새 Markdown(미리 보기)", + "fileExtension": "파일 확장명", + "confirmOverwrite": "파일이 이미 있습니다. 이 파일을 덮어쓰시겠습니까?", + "title": "제목", + "fileName": "파일 이름", + "msgInvalidSaveFolder": "저장 위치 경로가 유효하지 않습니다.", + "msgDuplicadFileName": "{0} 파일이 대상 폴더에 이미 있습니다." }, "dist/jupyter/jupyterServerInstallation": { "msgInstallPkgProgress": "Notebook 종속성 설치가 진행 중입니다.", @@ -159,20 +175,26 @@ "msgInstallPkgFinish": "Notebook 종속성 설치를 완료했습니다.", "msgPythonRunningError": "Python이 실행되는 동안 기존 Python 설치를 덮어쓸 수 없습니다. 계속하기 전에 활성 Notebook을 닫으세요.", "msgWaitingForInstall": "현재 다른 Python 설치를 진행 중입니다. 완료될 때까지 기다립니다.", + "msgShutdownNotebookSessions": "업데이트를 하기 위해 활성 Python Notebook 세션이 종료됩니다. 지금 계속하시겠습니까?", + "msgPythonVersionUpdatePrompt": "이제 python {0}에서 Azure Data Studio를 사용할 수 있습니다. 현재 Python 버전(3.6.6)은 2021년 12월에 지원되지 않습니다. 지금 Python {0}을(를) 업데이트하시겠습니까?", + "msgPythonVersionUpdateWarning": "Python {0}이(가) 설치되고 Python 3.6.6을 대체합니다. 일부 패키지는 더 이상 새 버전과 호환되지 않거나 다시 설치해야 할 수 있습니다. 모든 pip 패키지를 다시 설치하는 데 도움이 되는 전자 필기장이 만들어집니다. 지금 업데이트를 계속하시겠습니까?", "msgDependenciesInstallationFailed": "오류: {0}(을) 나타내며 Notebook 종속성 설치에 실패했습니다.", "msgDownloadPython": "{0} 플랫폼용 로컬 python을 {1}(으)로 다운로드하는 중", - "msgPackageRetrievalFailed": "Encountered an error when trying to retrieve list of installed packages: {0}", - "msgGetPythonUserDirFailed": "Encountered an error when getting Python user path: {0}" + "msgPackageRetrievalFailed": "설치된 패키지 목록을 검색하는 동안 오류가 발생했습니다. {0}", + "msgGetPythonUserDirFailed": "Python 사용자 경로를 가져올 때 오류가 발생했습니다. {0}", + "yes": "예", + "no": "아니요", + "dontAskAgain": "다시 묻지 않음" }, "dist/dialog/configurePython/configurePythonWizard": { - "configurePython.okButtonText": "Install", - "configurePython.invalidLocationMsg": "The specified install location is invalid.", - "configurePython.pythonNotFoundMsg": "No Python installation was found at the specified location.", - "configurePython.wizardNameWithKernel": "Configure Python to run {0} kernel", - "configurePython.wizardNameWithoutKernel": "Configure Python to run kernels", - "configurePython.page0Name": "Configure Python Runtime", - "configurePython.page1Name": "Install Dependencies", - "configurePython.pythonInstallDeclined": "Python installation was declined." + "configurePython.okButtonText": "설치", + "configurePython.invalidLocationMsg": "지정된 설치 위치가 잘못되었습니다.", + "configurePython.pythonNotFoundMsg": "지정된 위치에서 Python 설치를 찾을 수 없습니다.", + "configurePython.wizardNameWithKernel": "{0} 커널을 실행하도록 Python 구성", + "configurePython.wizardNameWithoutKernel": "커널을 실행하도록 Python 구성", + "configurePython.page0Name": "Python 런타임 구성", + "configurePython.page1Name": "종속성 설치", + "configurePython.pythonInstallDeclined": "Python 설치가 거부되었습니다." }, "dist/extension": { "codeCellName": "코드", @@ -185,34 +207,34 @@ "confirmReinstall": "다시 설치하시겠습니까?" }, "dist/dialog/configurePython/configurePathPage": { - "configurePython.browseButtonText": "Browse", - "configurePython.selectFileLabel": "Select", - "configurePython.descriptionWithKernel": "The {0} kernel requires a Python runtime to be configured and dependencies to be installed.", - "configurePython.descriptionWithoutKernel": "Notebook kernels require a Python runtime to be configured and dependencies to be installed.", - "configurePython.installationType": "Installation Type", - "configurePython.locationTextBoxText": "Python Install Location", - "configurePython.pythonConfigured": "Python runtime configured!", - "configurePythyon.dropdownPathLabel": "{0} (Python {1})", - "configurePythyon.noVersionsFound": "No supported Python versions found.", - "configurePythyon.defaultPathLabel": "{0} (Default)", - "configurePython.newInstall": "New Python installation", - "configurePython.existingInstall": "Use existing Python installation", - "configurePythyon.customPathLabel": "{0} (Custom)" + "configurePython.browseButtonText": "찾아보기", + "configurePython.selectFileLabel": "선택", + "configurePython.descriptionWithKernel": "{0} 커널을 사용하려면 Python 런타임을 구성하고 종속성을 설치해야 합니다.", + "configurePython.descriptionWithoutKernel": "Notebook 커널에서는 Python 런타임을 구성하고 종속성을 설치해야 합니다.", + "configurePython.installationType": "설치 유형", + "configurePython.locationTextBoxText": "Python 설치 위치", + "configurePython.pythonConfigured": "Python 런타임이 구성되었습니다.", + "configurePythyon.dropdownPathLabel": "{0}(Python {1})", + "configurePythyon.noVersionsFound": "지원되는 Python 버전을 찾을 수 없습니다.", + "configurePythyon.defaultPathLabel": "{0}(기본값)", + "configurePython.newInstall": "새 Python 설치", + "configurePython.existingInstall": "기존 Python 설치 사용", + "configurePythyon.customPathLabel": "{0}(사용자 지정)" }, "dist/dialog/configurePython/pickPackagesPage": { - "configurePython.pkgNameColumn": "Name", - "configurePython.existingVersionColumn": "Existing Version", - "configurePython.requiredVersionColumn": "Required Version", - "configurePython.kernelLabel": "Kernel", - "configurePython.requiredDependencies": "Install required kernel dependencies", - "msgUnsupportedKernel": "Could not retrieve packages for kernel {0}" + "configurePython.pkgNameColumn": "이름", + "configurePython.existingVersionColumn": "기존 버전", + "configurePython.requiredVersionColumn": "필요한 버전", + "configurePython.kernelLabel": "커널", + "configurePython.requiredDependencies": "필요한 커널 종속성 설치", + "msgUnsupportedKernel": "{0} 커널의 패키지를 검색할 수 없음" }, "dist/jupyter/jupyterServerManager": { "shutdownError": "Notebook 서버 종료 실패: {0}" }, "dist/jupyter/serverInstance": { "serverStopError": "Notebook 서버 중지 오류: {0}", - "notebookStartProcessExitPremature": "Notebook process exited prematurely with error code: {0}. StdErr Output: {1}", + "notebookStartProcessExitPremature": "Notebook 프로세스가 조기에 종료되었습니다(오류 코드: {0}). StdErr 출력: {1}", "jupyterError": "Jupyter에서 보낸 오류: {0}", "jupyterOutputMsgStartSuccessful": "... Jupyter가 {0}에서 실행되고 있습니다.", "jupyterOutputMsgStart": "... Notebook 서버 시작 중" @@ -222,11 +244,11 @@ }, "dist/jupyter/jupyterSessionManager": { "errorStartBeforeReady": "세션을 시작할 수 없습니다. 관리자가 아직 초기화되지 않았습니다.", - "notebook.couldNotFindKnoxGateway": "Could not find Knox gateway endpoint", - "promptBDCUsername": "{0}Please provide the username to connect to the BDC Controller:", - "promptBDCPassword": "Please provide the password to connect to the BDC Controller", - "bdcConnectError": "Error: {0}. ", - "clusterControllerConnectionRequired": "A connection to the cluster controller is required to run Spark jobs" + "notebook.couldNotFindKnoxGateway": "Knox 게이트웨이 엔드포인트를 찾을 수 없음", + "promptBDCUsername": "{0}BDC 컨트롤러에 연결하려면 사용자 이름을 제공하세요.", + "promptBDCPassword": "BDC 컨트롤러에 연결하려면 암호를 제공하세요.", + "bdcConnectError": "오류: {0}. ", + "clusterControllerConnectionRequired": "Spark 작업을 실행하려면 클러스터 컨트롤러에 대한 연결이 필요합니다." }, "dist/dialog/managePackages/managePackagesDialog": { "managePackages.dialogName": "패키지 관리", @@ -236,10 +258,10 @@ "managePackages.installedTabTitle": "설치됨", "managePackages.pkgNameColumn": "이름", "managePackages.newPkgVersionColumn": "버전", - "managePackages.deleteColumn": "Delete", + "managePackages.deleteColumn": "삭제", "managePackages.uninstallButtonText": "선택한 패키지 제거", "managePackages.packageType": "패키지 유형", - "managePackages.location": "Location", + "managePackages.location": "위치", "managePackages.packageCount": "{0} {1}개의 패키지 찾음", "managePackages.confirmUninstall": "지정된 패키지를 제거하시겠습니까?", "managePackages.backgroundUninstallStarted": "{0} 제거 중", @@ -261,16 +283,16 @@ "managePackages.backgroundInstallFailed": "{0} {1}을(를) 설치하지 못했습니다. 오류: {2}" }, "dist/jupyter/pypiClient": { - "managePackages.packageRequestError": "Package info request failed with error: {0} {1}" + "managePackages.packageRequestError": "{0} {1} 오류를 나타내며 패키지 정보 요청 실패" }, "dist/common/notebookUtils": { - "msgSampleCodeDataFrame": "This sample code loads the file into a data frame and shows the first 10 results.", - "noNotebookVisible": "No notebook editor is active", - "notebookFiles": "Notebooks" + "msgSampleCodeDataFrame": "이 샘플 코드는 파일을 데이터 프레임에 로드하고 처음 10개의 결과를 표시합니다.", + "noNotebookVisible": "Notebook 편집기가 활성 상태가 아님", + "notebookFiles": "Notebook" }, "dist/protocol/notebookUriHandler": { "notebook.unsupportedAction": "이 처리기에는 {0} 작업이 지원되지 않습니다.", - "unsupportedScheme": "HTTP 및 HTTPS 링크만 지원되기 때문에 {0} 링크를 열 수 없습니다.", + "unsupportedScheme": "HTTP, HTTPS 및 파일 링크만 지원되므로 링크 {0}을(를) 열 수 없음", "notebook.confirmOpen": "'{0}'을(를) 다운로드하고 여시겠습니까?", "notebook.fileNotFound": "지정한 파일을 찾을 수 없습니다.", "notebook.fileDownloadError": "{0} {1} 오류를 나타내며 파일 열기 요청 실패" diff --git a/i18n/ads-language-pack-ko/translations/extensions/profiler.i18n.json b/i18n/ads-language-pack-ko/translations/extensions/profiler.i18n.json new file mode 100644 index 0000000000..eee149b3eb --- /dev/null +++ b/i18n/ads-language-pack-ko/translations/extensions/profiler.i18n.json @@ -0,0 +1,23 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/profilerCreateSessionDialog": { + "createSessionDialog.cancel": "취소", + "createSessionDialog.create": "시작", + "createSessionDialog.title": "새 Profiler 세션 시작", + "createSessionDialog.templatesInvalid": "템플릿 목록이 잘못되었습니다. 대화 상자를 열 수 없습니다.", + "createSessionDialog.dialogOwnerInvalid": "대화 상자 소유자가 잘못되었습니다. 대화 상자를 열 수 없습니다.", + "createSessionDialog.invalidProviderType": "공급자 유형이 잘못되었습니다. 대화 상자를 열 수 없습니다.", + "createSessionDialog.selectTemplates": "세션 템플릿 선택:", + "createSessionDialog.enterSessionName": "세션 이름 입력:", + "createSessionDialog.createSessionFailed": "세션을 만들지 못함" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ko/translations/extensions/resource-deployment.i18n.json b/i18n/ads-language-pack-ko/translations/extensions/resource-deployment.i18n.json index b6f68a399d..7ee762a3c3 100644 --- a/i18n/ads-language-pack-ko/translations/extensions/resource-deployment.i18n.json +++ b/i18n/ads-language-pack-ko/translations/extensions/resource-deployment.i18n.json @@ -11,306 +11,309 @@ "package": { "extension-displayName": "Azure Data Studio용 SQL Server 배포 확장", "extension-description": "Microsoft SQL Server 배포를 위한 Notebook 기반 환경을 제공합니다.", - "deploy-resource-command-name": "New Deployment…", + "deploy-resource-command-name": "새 배포...", "deploy-resource-command-category": "배포", "resource-type-sql-image-display-name": "SQL Server 컨테이너 이미지", "resource-type-sql-image-description": "Docker를 사용하여 SQL Server 컨테이너 이미지 실행", "version-display-name": "버전", "sql-2017-display-name": "SQL Server 2017", "sql-2019-display-name": "SQL Server 2019", - "docker-sql-2017-title": "Deploy SQL Server 2017 container images", - "docker-sql-2019-title": "Deploy SQL Server 2019 container images", + "docker-sql-2017-title": "SQL Server 2017 컨테이너 이미지 배포", + "docker-sql-2019-title": "SQL Server 2019 컨테이너 이미지 배포", "docker-container-name-field": "컨테이너 이름", "docker-sql-password-field": "SQL Server 암호", "docker-confirm-sql-password-field": "암호 확인", "docker-sql-port-field": "포트", "resource-type-sql-windows-setup-display-name": "Windows의 SQL Server", "resource-type-sql-windows-setup-description": "Windows에서 SQL Server를 실행하고 시작할 버전을 선택합니다.", - "microsoft-privacy-statement": "Microsoft Privacy Statement", - "deployment.configuration.title": "Deployment configuration", - "azdata-install-location-description": "Location of the azdata package used for the install command", - "azure-sqlvm-display-name": "SQL Server on Azure Virtual Machine", - "azure-sqlvm-description": "Create SQL virtual machines on Azure. Best for migrations and applications requiring OS-level access.", - "azure-sqlvm-deploy-dialog-title": "Deploy Azure SQL virtual machine", - "azure-sqlvm-deploy-dialog-action-text": "Script to notebook", - "azure-sqlvm-agreement": "I accept {0}, {1} and {2}.", - "azure-sqlvm-agreement-sqlvm-eula": "Azure SQL VM License Terms", - "azure-sqlvm-agreement-azdata-eula": "azdata License Terms", - "azure-sqlvm-azure-account-page-label": "Azure information", - "azure-sqlvm-azure-location-label": "Azure locations", - "azure-sqlvm-vm-information-page-label": "VM information", - "azure-sqlvm-image-label": "Image", - "azure-sqlvm-image-sku-label": "VM image SKU", - "azure-sqlvm-publisher-label": "Publisher", - "azure-sqlvm-vmname-label": "Virtual machine name", - "azure-sqlvm-vmsize-label": "Size", - "azure-sqlvm-storage-page-lable": "Storage account", - "azure-sqlvm-storage-accountname-label": "Storage account name", - "azure-sqlvm-storage-sku-label": "Storage account SKU type", - "azure-sqlvm-vm-administrator-account-page-label": "Administrator account", - "azure-sqlvm-username-label": "Username", - "azure-sqlvm-password-label": "Password", - "azure-sqlvm-password-confirm-label": "Confirm password", - "azure-sqlvm-vm-summary-page-label": "Summary", + "microsoft-privacy-statement": "Microsoft 개인정보처리방침", + "deployment.configuration.title": "배포 구성", + "azdata-install-location-description": "설치 명령에 사용되는 azdata 패키지의 위치", + "azure-sqlvm-display-name": "Azure 가상 머신의 SQL Server", + "azure-sqlvm-description": "Azure에서 SQL 가상 머신을 만듭니다. OS 수준 액세스가 필요한 마이그레이션 및 애플리케이션에 가장 적합합니다.", + "azure-sqlvm-deploy-dialog-title": "Azure SQL 가상 머신 배포", + "azure-sqlvm-deploy-dialog-action-text": "Notebook으로 스크립트", + "azure-sqlvm-agreement": "{0}, {1} 및 {2}에 동의합니다.", + "azure-sqlvm-agreement-sqlvm-eula": "Azure SQL VM 사용 조건", + "azure-sqlvm-agreement-azdata-eula": "azdata 사용 조건", + "azure-sqlvm-azure-account-page-label": "Azure 정보", + "azure-sqlvm-azure-location-label": "Azure 위치", + "azure-sqlvm-vm-information-page-label": "VM 정보", + "azure-sqlvm-image-label": "이미지", + "azure-sqlvm-image-sku-label": "VM 이미지 SKU", + "azure-sqlvm-publisher-label": "게시자", + "azure-sqlvm-vmname-label": "가상 머신 이름", + "azure-sqlvm-vmsize-label": "크기", + "azure-sqlvm-storage-page-lable": "스토리지 계정", + "azure-sqlvm-storage-accountname-label": "스토리지 계정 이름", + "azure-sqlvm-storage-sku-label": "스토리지 계정 SKU 유형", + "azure-sqlvm-vm-administrator-account-page-label": "관리자 계정", + "azure-sqlvm-username-label": "사용자 이름", + "azure-sqlvm-password-label": "암호", + "azure-sqlvm-password-confirm-label": "암호 확인", + "azure-sqlvm-vm-summary-page-label": "요약", "azure-sqldb-display-name": "Azure SQL Database", - "azure-sqldb-description": "Create a SQL database, database server, or elastic pool in Azure.", - "azure-sqldb-portal-ok-button-text": "Create in Azure portal", - "azure-sqldb-notebook-ok-button-text": "Select", - "resource-type-display-name": "Resource Type", - "sql-azure-single-database-display-name": "Single Database", - "sql-azure-elastic-pool-display-name": "Elastic Pool", - "sql-azure-database-server-display-name": "Database Server", - "azure-sqldb-agreement": "I accept {0}, {1} and {2}.", - "azure-sqldb-agreement-sqldb-eula": "Azure SQL DB License Terms", - "azure-sqldb-agreement-azdata-eula": "azdata License Terms", - "azure-sql-mi-display-name": "Azure SQL managed instance", - "azure-sql-mi-display-description": "Create a SQL Managed Instance in either Azure or a customer-managed environment", - "azure-sql-mi-okButton-text": "Open in Portal", - "azure-sql-mi-resource-type-option-label": "Resource Type", - "azure-sql-mi-agreement": "I accept {0} and {1}.", - "azure-sql-mi-agreement-eula": "Azure SQL MI License Terms", - "azure-sql-mi-help-text": "Azure SQL Managed Instance provides full SQL Server access and feature compatibility for migrating SQL Servers to Azure, or developing new applications. {0}.", - "azure-sql-mi-help-text-learn-more": "Learn More" + "azure-sqldb-description": "Azure에서 SQL 데이터베이스, 데이터베이스 서버 또는 탄력적 풀을 만듭니다.", + "azure-sqldb-portal-ok-button-text": "Azure Portal에서 만들기", + "azure-sqldb-notebook-ok-button-text": "선택", + "resource-type-display-name": "리소스 종류", + "sql-azure-single-database-display-name": "단일 데이터베이스", + "sql-azure-elastic-pool-display-name": "탄력적 풀", + "sql-azure-database-server-display-name": "데이터베이스 서버", + "azure-sqldb-agreement": "{0}, {1} 및 {2}에 동의합니다.", + "azure-sqldb-agreement-sqldb-eula": "Azure SQL DB 사용 조건", + "azure-sqldb-agreement-azdata-eula": "azdata 사용 조건", + "azure-sql-mi-display-name": "Azure SQL Managed Instance", + "azure-sql-mi-display-description": "Azure 또는 고객 관리형 환경에서 SQL Managed Instance 만들기", + "azure-sql-mi-okButton-text": "Portal에서 열기", + "azure-sql-mi-resource-type-option-label": "리소스 종류", + "azure-sql-mi-agreement": "{0} 및 {1}에 동의합니다.", + "azure-sql-mi-agreement-eula": "Azure SQL MI 사용 조건", + "azure-sql-mi-help-text": "Azure SQL Managed Instance는 SQL Server를 Azure로 마이그레이션하거나 새 애플리케이션을 개발하는 데 필요한 전체 SQL Server 액세스 및 기능 호환성을 제공합니다. {0}.", + "azure-sql-mi-help-text-learn-more": "자세한 정보" }, "dist/localizedConstants": { - "azure.account": "Azure Account", - "azure.account.subscription": "Subscription (selected subset)", - "azure.account.subscriptionDescription": "Change the currently selected subscriptions through the 'Select Subscriptions' action on an account listed in the 'Azure' tree view of the 'Connections' viewlet", - "azure.account.resourceGroup": "Resource Group", - "azure.account.location": "Azure Location", - "filePicker.browse": "Browse", - "button.label": "Select", - "kubeConfigClusterPicker.kubeConfigFilePath": "Kube config file path", - "kubeConfigClusterPicker.clusterContextNotFound": "No cluster context information found", - "azure.signin": "Sign in…", - "azure.refresh": "Refresh", - "azure.yes": "Yes", - "azure.no": "No", - "azure.resourceGroup.createNewResourceGroup": "Create a new resource group", - "azure.resourceGroup.NewResourceGroupAriaLabel": "New resource group name", - "deployCluster.Realm": "Realm", - "UnknownFieldTypeError": "Unknown field type: \"{0}\"", - "optionsSource.alreadyDefined": "Options Source with id:{0} is already defined", - "valueProvider.alreadyDefined": "Value Provider with id:{0} is already defined", - "optionsSource.notDefined": "No Options Source defined for id: {0}", - "valueProvider.notDefined": "No Value Provider defined for id: {0}", - "getVariableValue.unknownVariableName": "Attempt to get variable value for unknown variable:{0}", - "getIsPassword.unknownVariableName": "Attempt to get isPassword for unknown variable:{0}", - "optionsNotDefined": "FieldInfo.options was not defined for field type: {0}", - "optionsNotObjectOrArray": "FieldInfo.options must be an object if it is not an array", - "optionsTypeNotFound": "When FieldInfo.options is an object it must have 'optionsType' property", - "optionsTypeRadioOrDropdown": "When optionsType is not {0} then it must be {1}", - "azdataEulaNotAccepted": "Deployment cannot continue. Azure Data CLI license terms have not yet been accepted. Please accept the EULA to enable the features that requires Azure Data CLI.", - "azdataEulaDeclined": "Deployment cannot continue. Azure Data CLI license terms were declined.You can either Accept EULA to continue or Cancel this operation", - "deploymentDialog.RecheckEulaButton": "Accept EULA & Select", - "resourceTypePickerDialog.title": "Select the deployment options", - "resourceTypePickerDialog.resourceSearchPlaceholder": "Filter resources...", - "resourceTypePickerDialog.tagsListViewTitle": "Categories", - "validation.multipleValidationErrors": "There are some errors on this page, click 'Show Details' to view the errors.", - "ui.ScriptToNotebookButton": "Script", - "ui.DeployButton": "Run", - "resourceDeployment.ViewErrorDetail": "View error detail", - "resourceDeployment.FailedToOpenNotebook": "An error occurred opening the output notebook. {1}{2}.", - "resourceDeployment.BackgroundExecutionFailed": "The task \"{0}\" has failed.", - "resourceDeployment.TaskFailedWithNoOutputNotebook": "The task \"{0}\" failed and no output Notebook was generated.", - "resourceTypePickerDialog.resourceTypeCategoryAll": "All", - "resourceTypePickerDialog.resourceTypeCategoryOnPrem": "On-premises", + "azure.account": "Azure 계정", + "azure.account.subscription": "구독(선택한 하위 집합)", + "azure.account.subscriptionDescription": "'연결' 뷰렛의 'Azure' 트리 뷰에 나열된 계정의 '구독 선택' 작업을 통해 현재 선택된 구독 변경", + "azure.account.resourceGroup": "리소스 그룹", + "azure.account.location": "Azure 위치", + "filePicker.browse": "찾아보기", + "button.label": "선택", + "kubeConfigClusterPicker.kubeConfigFilePath": "Kube 구성 파일 경로", + "kubeConfigClusterPicker.clusterContextNotFound": "클러스터 컨텍스트 정보를 찾을 수 없음", + "azure.signin": "로그인…", + "azure.refresh": "새로 고침", + "azure.yes": "예", + "azure.no": "아니요", + "azure.resourceGroup.createNewResourceGroup": "새 리소스 그룹 만들기", + "azure.resourceGroup.NewResourceGroupAriaLabel": "새 리소스 그룹 이름", + "deployCluster.Realm": "영역", + "UnknownFieldTypeError": "알 수 없는 필드 형식: \"{0}\"", + "optionsSource.alreadyDefined": "ID가 {0}인 옵션 원본이 이미 정의되어 있습니다.", + "valueProvider.alreadyDefined": "ID가 {0}인 값 공급자가 이미 정의되어 있습니다.", + "optionsSource.notDefined": "{0} ID에 대해 정의된 옵션 원본 없음", + "valueProvider.notDefined": "{0} ID에 대해 정의된 값 공급자 없음", + "getVariableValue.unknownVariableName": "알 수 없는 변수 {0}의 변수 값을 가져오려고 시도합니다.", + "getIsPassword.unknownVariableName": "알 수 없는 변수 {0}의 isPassword를 가져오려고 시도합니다.", + "optionsNotDefined": "FieldInfo.options가 필드 형식 {0}에 대해 정의되지 않았습니다.", + "optionsNotObjectOrArray": "FieldInfo.options는 배열이 아닌 경우 개체여야 합니다.", + "optionsTypeNotFound": "FieldInfo.options가 개체인 경우 'optionsType' 속성을 포함해야 합니다.", + "optionsTypeRadioOrDropdown": "optionsType이 {0}이(가) 아니면 {1}이어야 합니다.", + "azdataEulaNotAccepted": "배포를 계속할 수 없습니다. Azure Data CLI 사용 조건에 아직 동의하지 않았습니다. Azure Data CLI가 필요한 기능을 사용하려면 EULA에 동의하세요.", + "azdataEulaDeclined": "배포를 계속할 수 없습니다. Azure Data CLI 사용 조건이 거부되었습니다. EULA에 동의하여 계속하거나 이 작업을 취소할 수 있습니다.", + "deploymentDialog.RecheckEulaButton": "EULA에 동의 및 선택", + "resourceDeployment.extensionRequiredPrompt": "이 리소스를 배포하려면 '{0}' 확장이 필요합니다. 지금 설치하시겠습니까?", + "resourceDeployment.install": "설치", + "resourceDeployment.installingExtension": "'{0}' 확장을 설치하는 중...", + "resourceDeployment.unknownExtension": "'{0}'은(는) 알 수 없는 확장입니다.", + "resourceTypePickerDialog.title": "배포 옵션 선택", + "resourceTypePickerDialog.resourceSearchPlaceholder": "리소스 필터링...", + "resourceTypePickerDialog.tagsListViewTitle": "범주", + "validation.multipleValidationErrors": "이 페이지에 오류가 있습니다. 오류를 보려면 '세부 정보 표시'를 클릭합니다.", + "ui.ScriptToNotebookButton": "스크립트", + "ui.DeployButton": "실행", + "resourceDeployment.ViewErrorDetail": "오류 세부 정보 보기", + "resourceDeployment.FailedToOpenNotebook": "출력 Notebook을 여는 동안 오류가 발생했습니다. {1}{2}.", + "resourceDeployment.BackgroundExecutionFailed": "\"{0}\" 작업이 실패했습니다.", + "resourceDeployment.TaskFailedWithNoOutputNotebook": "\"{0}\" 작업이 실패했으며 출력 Notebook이 생성되지 않았습니다.", + "resourceTypePickerDialog.resourceTypeCategoryAll": "모두", + "resourceTypePickerDialog.resourceTypeCategoryOnPrem": "온-프레미스", "resourceTypePickerDialog.resourceTypeCategoriesSqlServer": "SQL Server", - "resourceTypePickerDialog.resourceTypeCategoryOnHybrid": "Hybrid", + "resourceTypePickerDialog.resourceTypeCategoryOnHybrid": "하이브리드", "resourceTypePickerDialog.resourceTypeCategoryOnPostgreSql": "PostgreSQL", - "resourceTypePickerDialog.resourceTypeCategoryOnCloud": "Cloud", - "resourceDeployment.Description": "Description", - "resourceDeployment.Tool": "Tool", - "resourceDeployment.Status": "Status", - "resourceDeployment.Version": "Version", - "resourceDeployment.RequiredVersion": "Required Version", - "resourceDeployment.discoverPathOrAdditionalInformation": "Discovered Path or Additional Information", - "resourceDeployment.requiredTools": "Required tools", - "resourceDeployment.InstallTools": "Install tools", - "resourceDeployment.Options": "Options", - "deploymentDialog.InstallingTool": "Required tool '{0}' [ {1} ] is being installed now." + "resourceTypePickerDialog.resourceTypeCategoryOnCloud": "클라우드", + "resourceDeployment.Description": "설명", + "resourceDeployment.Tool": "도구", + "resourceDeployment.Status": "상태", + "resourceDeployment.Version": "버전", + "resourceDeployment.RequiredVersion": "필요한 버전", + "resourceDeployment.discoverPathOrAdditionalInformation": "검색된 경로 또는 추가 정보", + "resourceDeployment.requiredTools": "필요한 도구", + "resourceDeployment.InstallTools": "도구 설치", + "resourceDeployment.Options": "옵션", + "deploymentDialog.InstallingTool": "지금 필요한 도구 '{0}'[{1}]을(를) 설치하는 중입니다." }, "dist/ui/modelViewUtils": { - "getClusterContexts.errorFetchingClusters": "An error ocurred while loading or parsing the config file:{0}, error is:{1}", - "fileChecker.NotFile": "Path: {0} is not a file, please select a valid kube config file.", - "fileChecker.FileNotFound": "File: {0} not found. Please select a kube config file.", - "azure.accounts.unexpectedAccountsError": "Unexpected error fetching accounts: {0}", - "resourceDeployment.errorFetchingStorageClasses": "Unexpected error fetching available kubectl storage classes : {0}", - "azure.accounts.unexpectedSubscriptionsError": "Unexpected error fetching subscriptions for account {0}: {1}", - "azure.accounts.accountNotFoundError": "The selected account '{0}' is no longer available. Click sign in to add it again or select a different account.", - "azure.accessError": "\r\n Error Details: {0}.", - "azure.accounts.accountStaleError": "The access token for selected account '{0}' is no longer valid. Please click the sign in button and refresh the account or select a different account.", - "azure.accounts.unexpectedResourceGroupsError": "Unexpected error fetching resource groups for subscription {0}: {1}", + "getClusterContexts.errorFetchingClusters": "{0} 구성 파일을 로드하거나 구문 분석하는 동안 오류가 발생했습니다. 오류: {1}", + "fileChecker.NotFile": "{0} 경로가 파일이 아닙니다. 유효한 kube 구성 파일을 선택하세요.", + "fileChecker.FileNotFound": "{0} 파일을 찾을 수 없습니다. kube 구성 파일을 선택하세요.", + "azure.accounts.unexpectedAccountsError": "계정을 가져오는 동안 예기치 않은 오류 발생: {0}", + "resourceDeployment.errorFetchingStorageClasses": "사용 가능한 kubectl 스토리지 클래스를 가져오는 동안 예기치 않은 오류 발생: {0}", + "azure.accounts.unexpectedSubscriptionsError": "{0} 계정의 구독을 가져오는 동안 예기치 않은 오류 발생: {1}", + "azure.accounts.accountNotFoundError": "선택한 계정 '{0}'은(는) 더 이상 사용할 수 없습니다. [로그인]을 클릭하여 다시 추가하거나 다른 계정을 선택합니다.", + "azure.accessError": "\r\n 오류 세부 정보: {0}.", + "azure.accounts.accountStaleError": "선택한 계정 '{0}'의 액세스 토큰이 더 이상 유효하지 않습니다. [로그인] 단추를 클릭하고 계정을 새로 고치거나, 다른 계정을 선택하세요.", + "azure.accounts.unexpectedResourceGroupsError": "{0} 구독의 리소스 그룹을 가져오는 동안 예기치 않은 오류 발생: {1}", "invalidSQLPassword": "{0}이(가) 암호 복잡성 요구 사항을 충족하지 않습니다. 자세한 정보: https://docs.microsoft.com/sql/relational-databases/security/password-policy", "passwordNotMatch": "{0}이(가) 확인 암호와 일치하지 않습니다." }, "dist/ui/deployAzureSQLVMWizard/constants": { - "deployAzureSQLVM.NewSQLVMTitle": "Deploy Azure SQL VM", - "deployAzureSQLVM.ScriptToNotebook": "Script to Notebook", - "deployAzureSQLVM.MissingRequiredInfoError": "Please fill out the required fields marked with red asterisks.", - "deployAzureSQLVM.AzureSettingsPageTitle": "Azure settings", - "deployAzureSQLVM.AzureAccountDropdownLabel": "Azure Account", - "deployAzureSQLVM.AzureSubscriptionDropdownLabel": "Subscription", - "deployAzureSQLVM.ResourceGroup": "Resource Group", - "deployAzureSQLVM.AzureRegionDropdownLabel": "Region", - "deployeAzureSQLVM.VmSettingsPageTitle": "Virtual machine settings", - "deployAzureSQLVM.VmNameTextBoxLabel": "Virtual machine name", - "deployAzureSQLVM.VmAdminUsernameTextBoxLabel": "Administrator account username", - "deployAzureSQLVM.VmAdminPasswordTextBoxLabel": "Administrator account password", - "deployAzureSQLVM.VmAdminConfirmPasswordTextBoxLabel": "Confirm password", - "deployAzureSQLVM.VmImageDropdownLabel": "Image", - "deployAzureSQLVM.VmSkuDropdownLabel": "Image SKU", - "deployAzureSQLVM.VmImageVersionDropdownLabel": "Image Version", - "deployAzureSQLVM.VmSizeDropdownLabel": "Size", - "deployeAzureSQLVM.VmSizeLearnMoreLabel": "Click here to learn more about pricing and supported VM sizes", - "deployAzureSQLVM.NetworkSettingsPageTitle": "Networking", - "deployAzureSQLVM.NetworkSettingsPageDescription": "Configure network settings", - "deployAzureSQLVM.NetworkSettingsNewVirtualNetwork": "New virtual network", + "deployAzureSQLVM.NewSQLVMTitle": "Azure SQL VM 배포", + "deployAzureSQLVM.ScriptToNotebook": "Notebook으로 스크립트", + "deployAzureSQLVM.MissingRequiredInfoError": "빨간색 별표가 표시된 필수 필드를 입력하세요.", + "deployAzureSQLVM.AzureSettingsPageTitle": "Azure 설정", + "deployAzureSQLVM.AzureAccountDropdownLabel": "Azure 계정", + "deployAzureSQLVM.AzureSubscriptionDropdownLabel": "구독", + "deployAzureSQLVM.ResourceGroup": "리소스 그룹", + "deployAzureSQLVM.AzureRegionDropdownLabel": "지역", + "deployeAzureSQLVM.VmSettingsPageTitle": "가상 머신 설정", + "deployAzureSQLVM.VmNameTextBoxLabel": "가상 머신 이름", + "deployAzureSQLVM.VmAdminUsernameTextBoxLabel": "관리자 계정 사용자 이름", + "deployAzureSQLVM.VmAdminPasswordTextBoxLabel": "관리자 계정 암호", + "deployAzureSQLVM.VmAdminConfirmPasswordTextBoxLabel": "암호 확인", + "deployAzureSQLVM.VmImageDropdownLabel": "이미지", + "deployAzureSQLVM.VmSkuDropdownLabel": "이미지 SKU", + "deployAzureSQLVM.VmImageVersionDropdownLabel": "이미지 버전", + "deployAzureSQLVM.VmSizeDropdownLabel": "크기", + "deployeAzureSQLVM.VmSizeLearnMoreLabel": "가격 책정 및 지원되는 VM 크기를 자세히 알아보려면 여기를 클릭합니다.", + "deployAzureSQLVM.NetworkSettingsPageTitle": "네트워킹", + "deployAzureSQLVM.NetworkSettingsPageDescription": "네트워크 설정 구성", + "deployAzureSQLVM.NetworkSettingsNewVirtualNetwork": "새 가상 네트워크", "deployAzureSQLVM.VirtualNetworkDropdownLabel": "Virtual Network", - "deployAzureSQLVM.NetworkSettingsNewSubnet": "New subnet", - "deployAzureSQLVM.SubnetDropdownLabel": "Subnet", - "deployAzureSQLVM.PublicIPDropdownLabel": "Public IP", - "deployAzureSQLVM.NetworkSettingsUseExistingPublicIp": "New public ip", - "deployAzureSQLVM.VmRDPAllowCheckboxLabel": "Enable Remote Desktop (RDP) inbound port (3389)", - "deployAzureSQLVM.SqlServerSettingsPageTitle": "SQL Servers settings", - "deployAzureSQLVM.SqlConnectivityTypeDropdownLabel": "SQL connectivity", - "deployAzureSQLVM.SqlPortLabel": "Port", - "deployAzureSQLVM.SqlEnableSQLAuthenticationLabel": "Enable SQL authentication", - "deployAzureSQLVM.SqlAuthenticationUsernameLabel": "Username", - "deployAzureSQLVM.SqlAuthenticationPasswordLabel": "Password", - "deployAzureSQLVM.SqlAuthenticationConfirmPasswordLabel": "Confirm password" + "deployAzureSQLVM.NetworkSettingsNewSubnet": "새 서브넷", + "deployAzureSQLVM.SubnetDropdownLabel": "서브넷", + "deployAzureSQLVM.PublicIPDropdownLabel": "공용 IP", + "deployAzureSQLVM.NetworkSettingsUseExistingPublicIp": "새 공용 IP", + "deployAzureSQLVM.VmRDPAllowCheckboxLabel": "RDP(원격 데스크톱) 인바운드 포트(3389) 사용", + "deployAzureSQLVM.SqlServerSettingsPageTitle": "SQL Server 설정", + "deployAzureSQLVM.SqlConnectivityTypeDropdownLabel": "SQL 연결", + "deployAzureSQLVM.SqlPortLabel": "포트", + "deployAzureSQLVM.SqlEnableSQLAuthenticationLabel": "SQL 인증 사용", + "deployAzureSQLVM.SqlAuthenticationUsernameLabel": "사용자 이름", + "deployAzureSQLVM.SqlAuthenticationPasswordLabel": "암호", + "deployAzureSQLVM.SqlAuthenticationConfirmPasswordLabel": "암호 확인" }, "dist/ui/deployClusterWizard/deployClusterWizardModel": { - "deployCluster.SaveConfigFiles": "Save config files", - "deployCluster.ScriptToNotebook": "Script to Notebook", - "deployCluster.SelectConfigFileFolder": "Save config files", - "deployCluster.SaveConfigFileSucceeded": "Config files saved to {0}", - "deployCluster.NewAKSWizardTitle": "Deploy SQL Server 2019 Big Data Cluster on a new AKS cluster", - "deployCluster.ExistingAKSWizardTitle": "Deploy SQL Server 2019 Big Data Cluster on an existing AKS cluster", - "deployCluster.ExistingKubeAdm": "Deploy SQL Server 2019 Big Data Cluster on an existing kubeadm cluster", - "deployCluster.ExistingARO": "Deploy SQL Server 2019 Big Data Cluster on an existing Azure Red Hat OpenShift cluster", - "deployCluster.ExistingOpenShift": "Deploy SQL Server 2019 Big Data Cluster on an existing OpenShift cluster" + "deployCluster.SaveConfigFiles": "구성 파일 저장", + "deployCluster.ScriptToNotebook": "Notebook으로 스크립트", + "deployCluster.SelectConfigFileFolder": "구성 파일 저장", + "deployCluster.SaveConfigFileSucceeded": "구성 파일이 {0}에 저장됨", + "deployCluster.NewAKSWizardTitle": "새 AKS 클러스터에 SQL Server 2019 빅 데이터 클러스터 배포", + "deployCluster.ExistingAKSWizardTitle": "기존 AKS 클러스터에 SQL Server 2019 빅 데이터 클러스터 배포", + "deployCluster.ExistingKubeAdm": "기존 kubeadm 클러스터에 SQL Server 2019 빅 데이터 클러스터 배포", + "deployCluster.ExistingARO": "기존 Azure Red Hat OpenShift 클러스터에 SQL Server 2019 빅 데이터 클러스터 배포", + "deployCluster.ExistingOpenShift": "기존 OpenShift 클러스터에 SQL Server 2019 빅 데이터 클러스터 배포" }, "dist/services/tools/toolBase": { - "deploymentDialog.ToolStatus.NotInstalled": "Not Installed", - "deploymentDialog.ToolStatus.Installed": "Installed", - "deploymentDialog.ToolStatus.Installing": "Installing…", - "deploymentDialog.ToolStatus.Error": "Error", - "deploymentDialog.ToolStatus.Failed": "Failed", - "deploymentDialog.ToolInformationalMessage.Brew": "•\tbrew is needed for deployment of the tools and needs to be pre-installed before necessary tools can be deployed", - "deploymentDialog.ToolInformationalMessage.Curl": "•\tcurl is needed for installation and needs to be pre-installed before necessary tools can be deployed", - "toolBase.getPip3InstallationLocation.LocationNotFound": " Could not find 'Location' in the output:", - "toolBase.getPip3InstallationLocation.Output": " output:", - "toolBase.InstallError": "Error installing tool '{0}' [ {1} ].{2}Error: {3}{2}See output channel '{4}' for more details", - "toolBase.InstallErrorInformation": "Error installing tool. See output channel '{0}' for more details", - "toolBase.InstallFailed": "Installation commands completed but version of tool '{0}' could not be detected so our installation attempt has failed. Detection Error: {1}{2}Cleaning up previous installations would help.", - "toolBase.InstallFailInformation": "Failed to detect version post installation. See output channel '{0}' for more details", - "toolBase.ManualUninstallCommand": " A possibly way to uninstall is using this command:{0} >{1}", - "toolBase.SeeOutputChannel": "{0}See output channel '{1}' for more details", - "toolBase.installCore.CannotInstallTool": "Cannot install tool:{0}::{1} as installation commands are unknown for your OS distribution, Please install {0} manually before proceeding", - "toolBase.addInstallationSearchPathsToSystemPath.SearchPaths": "Search Paths for tool '{0}': {1}", - "deployCluster.GetToolVersionErrorInformation": "Error retrieving version information. See output channel '{0}' for more details", - "deployCluster.GetToolVersionError": "Error retrieving version information.{0}Invalid output received, get version command output: '{1}' " + "deploymentDialog.ToolStatus.NotInstalled": "설치되지 않음", + "deploymentDialog.ToolStatus.Installed": "설치됨", + "deploymentDialog.ToolStatus.Installing": "설치하는 중...", + "deploymentDialog.ToolStatus.Error": "오류", + "deploymentDialog.ToolStatus.Failed": "실패", + "deploymentDialog.ToolInformationalMessage.Brew": "•\tbrew는 도구를 배포하는 데 필요하며 필요한 도구를 배포하기 전에 미리 설치해야 합니다.", + "deploymentDialog.ToolInformationalMessage.Curl": "•\tcurl은 설치에 필요하며 필요한 도구를 배포하기 전에 미리 설치해야 합니다.", + "toolBase.getPip3InstallationLocation.LocationNotFound": " 출력에서 'Location'을 찾을 수 없습니다.", + "toolBase.getPip3InstallationLocation.Output": " 출력:", + "toolBase.InstallError": "'{0}'[{1}] 도구를 설치하는 동안 오류가 발생했습니다. {2}오류: {3}{2}자세한 내용은 출력 채널 '{4}'을(를) 참조하세요.", + "toolBase.InstallErrorInformation": "도구를 설치하는 동안 오류가 발생했습니다. 자세한 내용은 출력 채널 '{0}'을(를) 참조하세요.", + "toolBase.InstallFailed": "설치 명령이 완료되었지만 '{0}' 도구의 버전을 검색할 수 없어서 설치하지 못했습니다. 검색 오류: {1}{2}이전 설치를 정리하는 것이 도움이 됩니다.", + "toolBase.InstallFailInformation": "설치 후 버전을 검색하지 못했습니다. 자세한 내용은 출력 채널 '{0}'을(를) 참조하세요.", + "toolBase.ManualUninstallCommand": " 제거할 수 있는 방법은 {0} >{1} 명령을 사용하는 것입니다.", + "toolBase.SeeOutputChannel": "{0}자세한 내용은 출력 채널 '{1}' 참조", + "toolBase.installCore.CannotInstallTool": "OS 배포를 위한 설치 명령을 알 수 없으므로 {0}::{1} 도구를 설치할 수 없습니다. 계속하기 전에 {0}을(를) 수동으로 설치하세요.", + "toolBase.addInstallationSearchPathsToSystemPath.SearchPaths": "'{0}' 도구의 검색 경로: {1}", + "deployCluster.GetToolVersionErrorInformation": "버전 정보를 검색하는 동안 오류가 발생했습니다. 자세한 내용은 출력 채널 '{0}'을(를) 참조하세요.", + "deployCluster.GetToolVersionError": "버전 정보를 검색하는 동안 오류가 발생했습니다. {0}잘못된 출력이 수신되었습니다. 버전 명령 출력 '{1}'을(를) 가져옵니다. " }, "dist/ui/deployAzureSQLDBWizard/constants": { - "deployAzureSQLDB.NewSQLDBTitle": "Deploy Azure SQL DB", - "deployAzureSQLDB.ScriptToNotebook": "Script to Notebook", - "deployAzureSQLDB.MissingRequiredInfoError": "Please fill out the required fields marked with red asterisks.", - "deployAzureSQLDB.AzureSettingsPageTitle": "Azure SQL Database - Azure account settings", - "deployAzureSQLDB.AzureSettingsSummaryPageTitle": "Azure account settings", - "deployAzureSQLDB.AzureAccountDropdownLabel": "Azure account", - "deployAzureSQLDB.AzureSubscriptionDropdownLabel": "Subscription", - "deployAzureSQLDB.AzureDatabaseServersDropdownLabel": "Server", - "deployAzureSQLDB.ResourceGroup": "Resource group", - "deployAzureSQLDB.DatabaseSettingsPageTitle": "Database settings", - "deployAzureSQLDB.FirewallRuleNameLabel": "Firewall rule name", - "deployAzureSQLDB.DatabaseNameLabel": "SQL database name", - "deployAzureSQLDB.CollationNameLabel": "Database collation", - "deployAzureSQLDB.CollationNameSummaryLabel": "Collation for database", - "deployAzureSQLDB.IpAddressInfoLabel": "Enter IP addresses in IPv4 format.", - "deployAzureSQLDB.StartIpAddressLabel": "Min IP address in firewall IP range", - "deployAzureSQLDB.EndIpAddressLabel": "Max IP address in firewall IP range", - "deployAzureSQLDB.StartIpAddressShortLabel": "Min IP address", - "deployAzureSQLDB.EndIpAddressShortLabel": "Max IP address", - "deployAzureSQLDB.FirewallRuleDescription": "Create a firewall rule for your local client IP in order to connect to your database through Azure Data Studio after creation is completed.", - "deployAzureSQLDB.FirewallToggleLabel": "Create a firewall rule" + "deployAzureSQLDB.NewSQLDBTitle": "Azure SQL DB 배포", + "deployAzureSQLDB.ScriptToNotebook": "Notebook으로 스크립트", + "deployAzureSQLDB.MissingRequiredInfoError": "빨간색 별표가 표시된 필수 필드를 입력하세요.", + "deployAzureSQLDB.AzureSettingsPageTitle": "Azure SQL Database - Azure 계정 설정", + "deployAzureSQLDB.AzureSettingsSummaryPageTitle": "Azure 계정 설정", + "deployAzureSQLDB.AzureAccountDropdownLabel": "Azure 계정", + "deployAzureSQLDB.AzureSubscriptionDropdownLabel": "구독", + "deployAzureSQLDB.AzureDatabaseServersDropdownLabel": "서버", + "deployAzureSQLDB.ResourceGroup": "리소스 그룹", + "deployAzureSQLDB.DatabaseSettingsPageTitle": "데이터베이스 설정", + "deployAzureSQLDB.FirewallRuleNameLabel": "방화벽 규칙 이름", + "deployAzureSQLDB.DatabaseNameLabel": "SQL 데이터베이스 이름", + "deployAzureSQLDB.CollationNameLabel": "데이터베이스 데이터 정렬", + "deployAzureSQLDB.CollationNameSummaryLabel": "데이터베이스 데이터 정렬", + "deployAzureSQLDB.IpAddressInfoLabel": "IPv4 형식으로 IP 주소를 입력합니다.", + "deployAzureSQLDB.StartIpAddressLabel": "방화벽 IP 범위의 최소 IP 주소", + "deployAzureSQLDB.EndIpAddressLabel": "방화벽 IP 범위의 최대 IP 주소", + "deployAzureSQLDB.StartIpAddressShortLabel": "최소 IP 주소", + "deployAzureSQLDB.EndIpAddressShortLabel": "최대 IP 주소", + "deployAzureSQLDB.FirewallRuleDescription": "만들기가 완료된 후 Azure Data Studio를 통해 데이터베이스에 연결하려면 로컬 클라이언트 IP의 방화벽 규칙을 만듭니다.", + "deployAzureSQLDB.FirewallToggleLabel": "방화벽 규칙 만들기" }, "dist/services/tools/kubeCtlTool": { - "resourceDeployment.KubeCtlDescription": "Runs commands against Kubernetes clusters", + "resourceDeployment.KubeCtlDescription": "Kubernetes 클러스터에 대해 명령 실행", "resourceDeployment.KubeCtlDisplayName": "kubectl", - "resourceDeployment.invalidKubectlVersionOutput": "Unable to parse the kubectl version command output: \"{0}\"", - "resourceDeployment.Kubectl.UpdatingBrewRepository": "updating your brew repository for kubectl installation …", - "resourceDeployment.Kubectl.InstallingKubeCtl": "installing kubectl …", - "resourceDeployment.Kubectl.AptGetUpdate": "updating repository information …", - "resourceDeployment.Kubectl.AptGetPackages": "getting packages needed for kubectl installation …", - "resourceDeployment.Kubectl.DownloadAndInstallingSigningKey": "downloading and installing the signing key for kubectl …", - "resourceDeployment.Kubectl.AddingKubectlRepositoryInformation": "adding the kubectl repository information …", - "resourceDeployment.Kubectl.InstallingKubectl": "installing kubectl …", - "resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl.exe": "deleting previously downloaded kubectl.exe if one exists …", - "resourceDeployment.Kubectl.DownloadingAndInstallingKubectl": "downloading and installing the latest kubectl.exe …", - "resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl": "deleting previously downloaded kubectl if one exists …", - "resourceDeployment.Kubectl.DownloadingKubectl": "downloading the latest kubectl release …", - "resourceDeployment.Kubectl.MakingExecutable": "making kubectl executable …", - "resourceDeployment.Kubectl.CleaningUpOldBackups": "cleaning up any previously backed up version in the install location if they exist …", - "resourceDeployment.Kubectl.BackupCurrentBinary": "backing up any existing kubectl in the install location …", - "resourceDeployment.Kubectl.MoveToSystemPath": "moving kubectl into the install location in the PATH …" + "resourceDeployment.invalidKubectlVersionOutput": "Kubectl 버전 명령 출력을 구문 분석할 수 없음: \"{0}\"", + "resourceDeployment.Kubectl.UpdatingBrewRepository": "kubectl 설치를 위해 brew 리포지토리를 업데이트하는 중...", + "resourceDeployment.Kubectl.InstallingKubeCtl": "kubectl을 설치하는 중...", + "resourceDeployment.Kubectl.AptGetUpdate": "리포지토리 정보를 업데이트하는 중...", + "resourceDeployment.Kubectl.AptGetPackages": "kubectl 설치에 필요한 패키지를 가져오는 중...", + "resourceDeployment.Kubectl.DownloadAndInstallingSigningKey": "kubectl의 서명 키를 다운로드하고 설치하는 중...", + "resourceDeployment.Kubectl.AddingKubectlRepositoryInformation": "kubectl 리포지토리 정보를 추가하는 중...", + "resourceDeployment.Kubectl.InstallingKubectl": "kubectl을 설치하는 중...", + "resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl.exe": "이전에 다운로드한 kubectl.exe 삭제 중(있는 경우)...", + "resourceDeployment.Kubectl.DownloadingAndInstallingKubectl": "최신 kubectl.exe를 다운로드하고 설치하는 중...", + "resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl": "이전에 다운로드한 kubectl 삭제 중(있는 경우)...", + "resourceDeployment.Kubectl.DownloadingKubectl": "최신 kubectl 릴리스를 다운로드하는 중...", + "resourceDeployment.Kubectl.MakingExecutable": "kubectl 실행 파일을 만드는 중...", + "resourceDeployment.Kubectl.CleaningUpOldBackups": "설치 위치에서 이전에 백업된 버전을 정리하는 중(있는 경우)...", + "resourceDeployment.Kubectl.BackupCurrentBinary": "설치 위치의 기존 kubectl을 백업하는 중...", + "resourceDeployment.Kubectl.MoveToSystemPath": "PATH에서 설치 위치로 kubectl을 이동하는 중..." }, "dist/ui/notebookWizard/notebookWizardPage": { - "wizardPage.ValidationError": "There are some errors on this page, click 'Show Details' to view the errors." + "wizardPage.ValidationError": "이 페이지에 오류가 있습니다. 오류를 보려면 '세부 정보 표시'를 클릭합니다." }, "dist/ui/deploymentInputDialog": { - "deploymentDialog.OpenNotebook": "Open Notebook", - "deploymentDialog.OkButtonText": "OK", - "notebookType": "Notebook type" + "deploymentDialog.OpenNotebook": "Notebook 열기", + "deploymentDialog.OkButtonText": "확인", + "notebookType": "Notebook 유형" }, "dist/main": { - "resourceDeployment.FailedToLoadExtension": "{0} 확장을 로드하지 못했습니다. package.json의 리소스 종류 정의에서 오류가 감지되었습니다. 자세한 내용은 디버그 콘솔을 참조하세요.", "resourceDeployment.UnknownResourceType": "리소스 종류 {0}이(가) 정의되지 않았습니다." }, "dist/services/notebookService": { "resourceDeployment.notebookNotFound": "{0} Notebook이 없습니다." }, "dist/services/platformService": { - "resourceDeployment.outputChannel": "Deployments", - "platformService.RunCommand.ErroredOut": "\t>>> {0} … errored out: {1}", - "platformService.RunCommand.IgnoringError": "\t>>> Ignoring error in execution and continuing tool deployment", + "resourceDeployment.outputChannel": "배포", + "platformService.RunCommand.ErroredOut": "\t>>> {0} ... 오류가 발생했습니다. {1}", + "platformService.RunCommand.IgnoringError": "\t>>> 실행 시 오류 무시 및 도구 배포 계속", "platformService.RunCommand.stdout": " stdout: ", "platformService.RunCommand.stderr": " stderr: ", - "platformService.RunStreamedCommand.ExitedWithCode": " >>> {0} … exited with code: {1}", - "platformService.RunStreamedCommand.ExitedWithSignal": " >>> {0} … exited with signal: {1}" + "platformService.RunStreamedCommand.ExitedWithCode": " >>> {0} … 종료됨(코드: {1})", + "platformService.RunStreamedCommand.ExitedWithSignal": " >>> {0} … 종료됨(신호: {1})" }, "dist/services/resourceTypeService": { "downloadError": "다운로드 실패, 상태 코드: {0}, 메시지: {1}" }, "dist/ui/deployClusterWizard/pages/deploymentProfilePage": { - "deployCluster.serviceScaleTableTitle": "Service scale settings (Instances)", - "deployCluster.storageTableTitle": "Service storage settings (GB per Instance)", - "deployCluster.featureTableTitle": "Features", - "deployCluster.yesText": "Yes", - "deployCluster.noText": "No", - "deployCluster.summaryPageTitle": "Deployment configuration profile", - "deployCluster.summaryPageDescription": "Select the target configuration profile", + "deployCluster.serviceScaleTableTitle": "서비스 스케일링 설정(인스턴스)", + "deployCluster.storageTableTitle": "서비스 스토리지 설정(인스턴스당 GB)", + "deployCluster.featureTableTitle": "기능", + "deployCluster.yesText": "예", + "deployCluster.noText": "아니요", + "deployCluster.summaryPageTitle": "배포 구성 프로필", + "deployCluster.summaryPageDescription": "대상 구성 프로필 선택", "deployCluster.ProfileHintText": "참고: 배포 프로필의 설정은 이후 단계에서 사용자 지정할 수 있습니다.", - "deployCluster.loadingProfiles": "Loading profiles", - "deployCluster.loadingProfilesCompleted": "Loading profiles completed", - "deployCluster.profileRadioGroupLabel": "Deployment configuration profile", + "deployCluster.loadingProfiles": "프로필 로드", + "deployCluster.loadingProfilesCompleted": "프로필 로드 완료", + "deployCluster.profileRadioGroupLabel": "배포 구성 프로필", "deployCluster.loadProfileFailed": "배포 프로필 {0}을(를) 로드하지 못했습니다.", "deployCluster.masterPoolLabel": "SQL Server 마스터", "deployCluster.computePoolLable": "컴퓨팅", "deployCluster.dataPoolLabel": "데이터", "deployCluster.hdfsLabel": "HDFS + Spark", - "deployCluster.ServiceName": "Service", - "deployCluster.dataStorageType": "Data", - "deployCluster.logsStorageType": "Logs", - "deployCluster.StorageType": "Storage type", + "deployCluster.ServiceName": "서비스", + "deployCluster.dataStorageType": "데이터", + "deployCluster.logsStorageType": "로그", + "deployCluster.StorageType": "스토리지 유형", "deployCluster.basicAuthentication": "기본 인증", "deployCluster.activeDirectoryAuthentication": "Active Directory 인증", "deployCluster.hadr": "고가용성", - "deployCluster.featureText": "Feature", + "deployCluster.featureText": "기능", "deployCluster.ProfileNotSelectedError": "배포 프로필을 선택하세요." }, "dist/ui/deployClusterWizard/pages/azureSettingsPage": { - "deployCluster.MissingRequiredInfoError": "Please fill out the required fields marked with red asterisks.", + "deployCluster.MissingRequiredInfoError": "빨간색 별표가 표시된 필수 필드를 입력하세요.", "deployCluster.AzureSettingsPageTitle": "Azure 설정", "deployCluster.AzureSettingsPageDescription": "Azure Kubernetes Service 클러스터를 만들기 위한 설정 구성", "deployCluster.SubscriptionField": "구독 ID", @@ -326,7 +329,7 @@ "deployCluster.VMSizeHelpLink": "사용 가능한 VM 크기 보기" }, "dist/ui/deployClusterWizard/pages/clusterSettingsPage": { - "deployCluster.ClusterNameDescription": "The cluster name must consist only of alphanumeric lowercase characters or '-' and must start and end with an alphanumeric character.", + "deployCluster.ClusterNameDescription": "클러스터 이름은 영숫자 소문자 또는 '-'로만 구성되어야 하며 영숫자 문자로 시작하고 끝나야 합니다.", "deployCluster.ClusterSettingsPageTitle": "클러스터 설정", "deployCluster.ClusterSettingsPageDescription": "SQL Server 빅 데이터 클러스터 설정 구성", "deployCluster.ClusterName": "클러스터 이름", @@ -354,7 +357,7 @@ "deployCluster.DomainDNSIPAddressesPlaceHolder": "쉼표를 사용하여 값을 구분합니다.", "deployCluster.DomainDNSIPAddressesDescription": "도메인 DNS 서버의 IP 주소입니다. 쉼표를 사용하여 여러 IP 주소를 구분합니다.", "deployCluster.DomainDNSName": "도메인 DNS 이름", - "deployCluster.RealmDescription": "If not provided, the domain DNS name will be used as the default value.", + "deployCluster.RealmDescription": "제공하지 않으면 도메인 DNS 이름이 기본값으로 사용됩니다.", "deployCluster.ClusterAdmins": "클러스터 관리자 그룹", "deployCluster.ClusterAdminsDescription": "클러스터 관리자의 Active Directory 그룹입니다.", "deployCluster.ClusterUsers": "클러스터 사용자", @@ -363,16 +366,16 @@ "deployCluster.DomainServiceAccountUserName": "서비스 계정 사용자 이름", "deployCluster.DomainServiceAccountUserNameDescription": "빅 데이터 클러스터의 도메인 서비스 계정", "deployCluster.DomainServiceAccountPassword": "서비스 계정 암호", - "deployCluster.AppOwners": "App owners", + "deployCluster.AppOwners": "앱 소유자", "deployCluster.AppOwnersPlaceHolder": "쉼표를 사용하여 값을 구분합니다.", "deployCluster.AppOwnersDescription": "앱 소유자 역할이 있는 Active Directory 사용자 또는 그룹입니다. 쉼표를 사용하여 여러 사용자/그룹을 구분합니다.", "deployCluster.AppReaders": "앱 읽기 권한자", "deployCluster.AppReadersPlaceHolder": "쉼표를 사용하여 값을 구분합니다.", "deployCluster.AppReadersDescription": "앱 읽기 권한자의 Active Directory 사용자 또는 그룹입니다. 여러 사용자/그룹이 있는 경우 쉼표를 구분 기호로 사용합니다.", - "deployCluster.Subdomain": "Subdomain", - "deployCluster.SubdomainDescription": "A unique DNS subdomain to use for this SQL Server Big Data Cluster. If not provided, the cluster name will be used as the default value.", - "deployCluster.AccountPrefix": "Account prefix", - "deployCluster.AccountPrefixDescription": "A unique prefix for AD accounts SQL Server Big Data Cluster will generate. If not provided, the subdomain name will be used as the default value. If a subdomain is not provided, the cluster name will be used as the default value.", + "deployCluster.Subdomain": "하위 도메인", + "deployCluster.SubdomainDescription": "이 SQL Server 빅 데이터 클러스터에 사용할 고유한 DNS 하위 도메인입니다. 제공되지 않으면 클러스터 이름이 기본값으로 사용됩니다.", + "deployCluster.AccountPrefix": "계정 접두사", + "deployCluster.AccountPrefixDescription": "AD 계정 SQL Server 빅 데이터 클러스터의 고유한 접두사가 생성됩니다. 제공되지 않으면 하위 도메인 이름이 기본값으로 사용됩니다. 하위 도메인이 제공되지 않으면 클러스터 이름이 기본값으로 사용됩니다.", "deployCluster.AdminPasswordField": "암호", "deployCluster.ValidationError": "이 페이지에 오류가 있습니다. 오류를 보려면 '세부 정보 표시'를 클릭합니다." }, @@ -408,30 +411,30 @@ "deployCluster.EndpointSettings": "엔드포인트 설정", "deployCluster.storageFieldTooltip": "컨트롤러 설정 사용", "deployCluster.AdvancedStorageDescription": "기본적으로 컨트롤러 스토리지 설정은 다른 서비스에도 적용되며 고급 스토리지 설정을 확장하여 다른 서비스용으로 스토리지를 구성할 수 있습니다.", - "deployCluster.controllerDataStorageClass": "Controller's data storage class", - "deployCluster.controllerDataStorageClaimSize": "Controller's data storage claim size", - "deployCluster.controllerLogsStorageClass": "Controller's logs storage class", - "deployCluster.controllerLogsStorageClaimSize": "Controller's logs storage claim size", + "deployCluster.controllerDataStorageClass": "컨트롤러의 데이터 스토리지 클래스", + "deployCluster.controllerDataStorageClaimSize": "컨트롤러의 데이터 스토리지 클레임 크기", + "deployCluster.controllerLogsStorageClass": "컨트롤러의 로그 스토리지 클래스", + "deployCluster.controllerLogsStorageClaimSize": "컨트롤러의 로그 스토리지 클레임 크기", "deployCluster.StoragePool": "스토리지 풀(HDFS)", - "deployCluster.storagePoolDataStorageClass": "Storage pool's data storage class", - "deployCluster.storagePoolDataStorageClaimSize": "Storage pool's data storage claim size", - "deployCluster.storagePoolLogsStorageClass": "Storage pool's logs storage class", - "deployCluster.storagePoolLogsStorageClaimSize": "Storage pool's logs storage claim size", + "deployCluster.storagePoolDataStorageClass": "스토리지 풀의 데이터 스토리지 클래스", + "deployCluster.storagePoolDataStorageClaimSize": "스토리지 풀의 데이터 스토리지 클레임 크기", + "deployCluster.storagePoolLogsStorageClass": "스토리지 풀의 로그 스토리지 클래스", + "deployCluster.storagePoolLogsStorageClaimSize": "스토리지 풀의 로그 스토리지 클레임 크기", "deployCluster.DataPool": "데이터 풀", - "deployCluster.dataPoolDataStorageClass": "Data pool's data storage class", - "deployCluster.dataPoolDataStorageClaimSize": "Data pool's data storage claim size", - "deployCluster.dataPoolLogsStorageClass": "Data pool's logs storage class", - "deployCluster.dataPoolLogsStorageClaimSize": "Data pool's logs storage claim size", - "deployCluster.sqlServerMasterDataStorageClass": "SQL Server master's data storage class", - "deployCluster.sqlServerMasterDataStorageClaimSize": "SQL Server master's data storage claim size", - "deployCluster.sqlServerMasterLogsStorageClass": "SQL Server master's logs storage class", - "deployCluster.sqlServerMasterLogsStorageClaimSize": "SQL Server master's logs storage claim size", - "deployCluster.ServiceName": "Service name", + "deployCluster.dataPoolDataStorageClass": "데이터 풀의 데이터 스토리지 클래스", + "deployCluster.dataPoolDataStorageClaimSize": "데이터 풀의 데이터 스토리지 클레임 크기", + "deployCluster.dataPoolLogsStorageClass": "데이터 풀의 로그 스토리지 클래스", + "deployCluster.dataPoolLogsStorageClaimSize": "데이터 풀의 로그 스토리지 클레임 크기", + "deployCluster.sqlServerMasterDataStorageClass": "SQL Server 마스터의 데이터 스토리지 클래스", + "deployCluster.sqlServerMasterDataStorageClaimSize": "SQL Server 마스터의 데이터 스토리지 클레임 크기", + "deployCluster.sqlServerMasterLogsStorageClass": "SQL Server 마스터의 로그 스토리지 클래스", + "deployCluster.sqlServerMasterLogsStorageClaimSize": "SQL Server 마스터의 로그 스토리지 클레임 크기", + "deployCluster.ServiceName": "서비스 이름", "deployCluster.DataStorageClassName": "데이터용 스토리지 클래스", "deployCluster.DataClaimSize": "데이터의 클레임 크기(GB)", "deployCluster.LogStorageClassName": "로그용 스토리지 클래스", "deployCluster.LogsClaimSize": "로그의 클레임 크기(GB)", - "deployCluster.StorageSettings": "Storage settings", + "deployCluster.StorageSettings": "스토리지 설정", "deployCluster.StorageSectionTitle": "스토리지 설정", "deployCluster.SparkMustBeIncluded": "잘못된 Spark 구성입니다. 'Spark 포함' 확인란을 선택하거나 'Spark 풀 인스턴스'를 1 이상으로 설정해야 합니다." }, @@ -453,10 +456,10 @@ "deployCluster.DomainDNSName": "도메인 DNS 이름", "deployCluster.ClusterAdmins": "클러스터 관리자 그룹", "deployCluster.ClusterUsers": "클러스터 사용자", - "deployCluster.AppOwners": "App owners", + "deployCluster.AppOwners": "앱 소유자", "deployCluster.AppReaders": "앱 읽기 권한자", - "deployCluster.Subdomain": "Subdomain", - "deployCluster.AccountPrefix": "Account prefix", + "deployCluster.Subdomain": "하위 도메인", + "deployCluster.AccountPrefix": "계정 접두사", "deployCluster.DomainServiceAccountUserName": "서비스 계정 사용자 이름", "deployCluster.AzureSettings": "Azure 설정", "deployCluster.SubscriptionId": "구독 ID", @@ -473,7 +476,7 @@ "deployCluster.SparkPoolInstances": "Spark 풀 인스턴스", "deployCluster.StoragePoolInstances": "스토리지 풀(HDFS) 인스턴스", "deployCluster.WithSpark": "(Spark 포함)", - "deployCluster.ServiceName": "Service", + "deployCluster.ServiceName": "서비스", "deployCluster.DataStorageClassName": "데이터용 스토리지 클래스", "deployCluster.DataClaimSize": "데이터의 클레임 크기(GB)", "deployCluster.LogStorageClassName": "로그용 스토리지 클래스", @@ -502,138 +505,129 @@ "deployCluster.ConfigParseError": "구성 파일을 로드하지 못함" }, "dist/ui/deployAzureSQLVMWizard/deployAzureSQLVMWizardModel": { - "sqlVMDeploymentWizard.PasswordLengthError": "Password must be between 12 and 123 characters long.", - "sqlVMDeploymentWizard.PasswordSpecialCharRequirementError": "Password must have 3 of the following: 1 lower case character, 1 upper case character, 1 number, and 1 special character." + "sqlVMDeploymentWizard.PasswordLengthError": "암호는 12~123자여야 합니다.", + "sqlVMDeploymentWizard.PasswordSpecialCharRequirementError": "암호는 소문자 1자, 대문자 1자, 숫자 1자 및 특수 문자 1자 중 3가지를 포함해야 합니다." }, "dist/ui/deployAzureSQLVMWizard/pages/vmSettingsPage": { - "deployAzureSQLVM.VnameLengthError": "Virtual machine name must be between 1 and 15 characters long.", - "deployAzureSQLVM.VNameOnlyNumericNameError": "Virtual machine name cannot contain only numbers.", - "deployAzureSQLVM.VNamePrefixSuffixError": "Virtual machine name Can't start with underscore. Can't end with period or hyphen", - "deployAzureSQLVM.VNameSpecialCharError": "Virtual machine name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .", - "deployAzureSQLVM.VNameExistsError": "Virtual machine name must be unique in the current resource group.", - "deployAzureSQLVM.VMUsernameLengthError": "Username must be between 1 and 20 characters long.", - "deployAzureSQLVM.VMUsernameSuffixError": "Username cannot end with period", - "deployAzureSQLVM.VMUsernameSpecialCharError": "Username cannot contain special characters \\/\"\"[]:|<>+=;,?*@& .", - "deployAzureSQLVM.VMUsernameReservedWordsError": "Username must not include reserved words.", - "deployAzureSQLVM.VMConfirmPasswordError": "Password and confirm password must match.", - "deployAzureSQLVM.vmDropdownSizeError": "Select a valid virtual machine size." + "deployAzureSQLVM.VnameLengthError": "가상 머신 이름은 1~15자여야 합니다.", + "deployAzureSQLVM.VNameOnlyNumericNameError": "가상 머신 이름을 숫자로만 설정할 수는 없습니다.", + "deployAzureSQLVM.VNamePrefixSuffixError": "가상 머신 이름은 밑줄로 시작할 수 없습니다. 마침표 또는 하이픈으로 끝날 수 없습니다.", + "deployAzureSQLVM.VNameSpecialCharError": "가상 머신 이름에는 특수 문자 \\/\"\"[]:|<>+=;,?*@&,가 포함될 수 없습니다.", + "deployAzureSQLVM.VNameExistsError": "가상 머신 이름은 현재 리소스 그룹에서 고유해야 합니다.", + "deployAzureSQLVM.VMUsernameLengthError": "사용자 이름은 1~20자여야 합니다.", + "deployAzureSQLVM.VMUsernameSuffixError": "사용자 이름은 마침표로 끝날 수 없습니다.", + "deployAzureSQLVM.VMUsernameSpecialCharError": "사용자 이름에는 특수 문자 \\/\"\"[]:|<>+=;,?*@&를 사용할 수 없습니다.", + "deployAzureSQLVM.VMUsernameReservedWordsError": "사용자 이름은 예약어를 포함하지 않아야 합니다.", + "deployAzureSQLVM.VMConfirmPasswordError": "암호와 확인 암호가 일치해야 합니다.", + "deployAzureSQLVM.vmDropdownSizeError": "유효한 가상 머신 크기를 선택합니다." }, "dist/ui/deployAzureSQLVMWizard/pages/networkSettingsPage": { - "deployAzureSQLVM.NewVnetPlaceholder": "Enter name for new virtual network", - "deployAzureSQLVM.NewSubnetPlaceholder": "Enter name for new subnet", - "deployAzureSQLVM.NewPipPlaceholder": "Enter name for new public IP", - "deployAzureSQLVM.VnetNameLengthError": "Virtual Network name must be between 2 and 64 characters long", - "deployAzureSQLVM.NewVnetError": "Create a new virtual network", - "deployAzureSQLVM.SubnetNameLengthError": "Subnet name must be between 1 and 80 characters long", - "deployAzureSQLVM.NewSubnetError": "Create a new sub network", - "deployAzureSQLVM.PipNameError": "Public IP name must be between 1 and 80 characters long", - "deployAzureSQLVM.NewPipError": "Create a new new public Ip" + "deployAzureSQLVM.NewVnetPlaceholder": "새 가상 네트워크의 이름 입력", + "deployAzureSQLVM.NewSubnetPlaceholder": "새 서브넷의 이름 입력", + "deployAzureSQLVM.NewPipPlaceholder": "새 공용 IP의 이름 입력", + "deployAzureSQLVM.VnetNameLengthError": "Virtual Network 이름은 2~64자여야 합니다.", + "deployAzureSQLVM.NewVnetError": "새 가상 네트워크 만들기", + "deployAzureSQLVM.SubnetNameLengthError": "서브넷 이름은 1~80자여야 합니다.", + "deployAzureSQLVM.NewSubnetError": "새 하위 네트워크 만들기", + "deployAzureSQLVM.PipNameError": "공용 IP 이름은 1~80자여야 합니다.", + "deployAzureSQLVM.NewPipError": "새 공용 IP 만들기" }, "dist/ui/deployAzureSQLVMWizard/pages/sqlServerSettingsPage": { - "deployAzureSQLVM.PrivateConnectivityDropdownOptionDefault": "Private (within Virtual Network)", - "deployAzureSQLVM.LocalConnectivityDropdownOption": "Local (inside VM only)", - "deployAzureSQLVM.PublicConnectivityDropdownOption": "Public (Internet)", - "deployAzureSQLVM.SqlUsernameLengthError": "Username must be between 2 and 128 characters long.", - "deployAzureSQLVM.SqlUsernameSpecialCharError": "Username cannot contain special characters \\/\"\"[]:|<>+=;,?* .", - "deployAzureSQLVM.SqlConfirmPasswordError": "Password and confirm password must match." + "deployAzureSQLVM.PrivateConnectivityDropdownOptionDefault": "프라이빗(가상 네트워크 내)", + "deployAzureSQLVM.LocalConnectivityDropdownOption": "로컬(VM 내부 전용)", + "deployAzureSQLVM.PublicConnectivityDropdownOption": "퍼블릭(인터넷)", + "deployAzureSQLVM.SqlUsernameLengthError": "암호는 2~128자여야 합니다.", + "deployAzureSQLVM.SqlUsernameSpecialCharError": "사용자 이름에는 특수 문자(\\/\"\"[]:|<>+=;,?*)를 사용할 수 없습니다.", + "deployAzureSQLVM.SqlConfirmPasswordError": "암호와 확인 암호가 일치해야 합니다." }, "dist/ui/notebookWizard/notebookWizardAutoSummaryPage": { - "notebookWizard.autoSummaryPageTitle": "Review your configuration" + "notebookWizard.autoSummaryPageTitle": "구성 검토" }, "dist/ui/deployAzureSQLDBWizard/pages/databaseSettingsPage": { - "deployAzureSQLDB.DBMinIpInvalidError": "Min Ip address is invalid", - "deployAzureSQLDB.DBMaxIpInvalidError": "Max Ip address is invalid", - "deployAzureSQLDB.DBFirewallOnlyNumericNameError": "Firewall name cannot contain only numbers.", - "deployAzureSQLDB.DBFirewallLengthError": "Firewall name must be between 1 and 100 characters long.", - "deployAzureSQLDB.DBFirewallSpecialCharError": "Firewall name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .", - "deployAzureSQLDB.DBFirewallUpperCaseError": "Upper case letters are not allowed for firewall name", - "deployAzureSQLDB.DBNameOnlyNumericNameError": "Database name cannot contain only numbers.", - "deployAzureSQLDB.DBNameLengthError": "Database name must be between 1 and 100 characters long.", - "deployAzureSQLDB.DBNameSpecialCharError": "Database name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .", - "deployAzureSQLDB.DBNameExistsError": "Database name must be unique in the current server.", - "deployAzureSQLDB.DBCollationOnlyNumericNameError": "Collation name cannot contain only numbers.", - "deployAzureSQLDB.DBCollationLengthError": "Collation name must be between 1 and 100 characters long.", - "deployAzureSQLDB.DBCollationSpecialCharError": "Collation name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, ." + "deployAzureSQLDB.DBMinIpInvalidError": "최소 IP 주소가 잘못되었습니다.", + "deployAzureSQLDB.DBMaxIpInvalidError": "최대 IP 주소가 잘못되었습니다.", + "deployAzureSQLDB.DBFirewallOnlyNumericNameError": "방화벽 이름에 숫자만 사용할 수는 없습니다.", + "deployAzureSQLDB.DBFirewallLengthError": "방화벽 이름은 1~100자여야 합니다.", + "deployAzureSQLDB.DBFirewallSpecialCharError": "방화벽 이름에는 특수 문자 \\/\"\"[]:|<>+=;,?*@&,를 사용할 수 없습니다.", + "deployAzureSQLDB.DBFirewallUpperCaseError": "방화벽 이름에는 대문자를 사용할 수 없습니다.", + "deployAzureSQLDB.DBNameOnlyNumericNameError": "데이터베이스 이름은 숫자만 포함할 수 없습니다.", + "deployAzureSQLDB.DBNameLengthError": "데이터베이스 이름은 1~100자여야 합니다.", + "deployAzureSQLDB.DBNameSpecialCharError": "데이터베이스 이름에는 특수 문자 \\/\"\"[]:|<>+=;,?*@&,를 사용할 수 없습니다.", + "deployAzureSQLDB.DBNameExistsError": "데이터베이스 이름은 현재 서버에서 고유해야 합니다.", + "deployAzureSQLDB.DBCollationOnlyNumericNameError": "데이터 정렬 이름은 숫자만 포함할 수 없습니다.", + "deployAzureSQLDB.DBCollationLengthError": "데이터 정렬 이름은 1~100자여야 합니다.", + "deployAzureSQLDB.DBCollationSpecialCharError": "데이터 정렬 이름에는 특수 문자 \\/\"\"[]:|<>+=;,?*@&,를 사용할 수 없습니다." }, "dist/ui/deployAzureSQLDBWizard/pages/azureSettingsPage": { - "deployAzureSQLDB.azureSignInError": "Sign in to an Azure account first", - "deployAzureSQLDB.NoServerLabel": "No servers found", - "deployAzureSQLDB.NoServerError": "No servers found in current subscription.\r\nSelect a different subscription containing at least one server" + "deployAzureSQLDB.azureSignInError": "먼저 Azure 계정에 로그인", + "deployAzureSQLDB.NoServerLabel": "서버를 찾을 수 없음", + "deployAzureSQLDB.NoServerError": "현재 구독에서 서버를 찾을 수 없습니다.\r\n하나 이상의 서버를 포함하는 다른 구독을 선택합니다." }, "dist/ui/toolsAndEulaSettingsPage": { - "notebookWizard.toolsAndEulaPageTitle": "Deployment pre-requisites", - "deploymentDialog.FailedEulaValidation": "To proceed, you must accept the terms of the End User License Agreement(EULA)", - "deploymentDialog.FailedToolsInstallation": "Some tools were still not discovered. Please make sure that they are installed, running and discoverable", - "deploymentDialog.loadingRequiredToolsCompleted": "Loading required tools information completed", - "deploymentDialog.loadingRequiredTools": "Loading required tools information", - "resourceDeployment.AgreementTitle": "Accept terms of use", - "deploymentDialog.ToolDoesNotMeetVersionRequirement": "'{0}' [ {1} ] does not meet the minimum version requirement, please uninstall it and restart Azure Data Studio.", - "deploymentDialog.InstalledTools": "All required tools are installed now.", - "deploymentDialog.PendingInstallation": "Following tools: {0} were still not discovered. Please make sure that they are installed, running and discoverable", - "deploymentDialog.ToolInformation": "'{0}' was not discovered and automated installation is not currently supported. Install '{0}' manually or ensure it is started and discoverable. Once done please restart Azure Data Studio. See [{1}] .", - "deploymentDialog.VersionInformationDebugHint": "You will need to restart Azure Data Studio if the tools are installed manually to pick up the change. You may find additional details in 'Deployments' and 'Azure Data CLI' output channels", - "deploymentDialog.InstallToolsHintOne": "Tool: {0} is not installed, you can click the \"{1}\" button to install it.", - "deploymentDialog.InstallToolsHintMany": "Tools: {0} are not installed, you can click the \"{1}\" button to install them.", - "deploymentDialog.NoRequiredTool": "No tools required" + "notebookWizard.toolsAndEulaPageTitle": "배포 필수 구성 요소", + "deploymentDialog.FailedToolsInstallation": "일부 도구가 아직 검색되지 않았습니다. 해당 도구가 설치되고, 실행 중이며, 검색 가능한지 확인하세요.", + "deploymentDialog.FailedEulaValidation": "계속 진행하려면 EULA(최종 사용자 사용권 계약) 약관에 동의해야 합니다.", + "deploymentDialog.loadingRequiredToolsCompleted": "필요한 도구 정보 로드 완료", + "deploymentDialog.loadingRequiredTools": "필요한 도구 정보 로드", + "resourceDeployment.AgreementTitle": "사용 약관에 동의", + "deploymentDialog.ToolDoesNotMeetVersionRequirement": "'{0}'[{1}]이(가) 최소 버전 요구 사항을 충족하지 않습니다. 해당 도구를 제거하고 Azure Data Studio를 다시 시작하세요.", + "deploymentDialog.InstalledTools": "이제 모든 필수 도구가 설치되었습니다.", + "deploymentDialog.PendingInstallation": "{0} 도구가 아직 검색되지 않았습니다. 해당 도구가 설치되고, 실행 중이며, 검색 가능한지 확인하세요.", + "deploymentDialog.ToolInformation": "'{0}'이(가) 검색되지 않았고 현재 자동화된 설치가 지원되지 않습니다. '{0}'을(를) 수동으로 설치하거나 해당 항목이 시작되고 검색 가능한지 확인합니다. 완료되면 Azure Data Studio를 다시 시작하세요. [{1}] 항목을 참조하세요.", + "deploymentDialog.VersionInformationDebugHint": "변경 내용을 선택하기 위해 도구를 수동으로 설치한 경우에는 Azure Data Studio를 다시 시작해야 합니다. '배포' 및 'Azure Data CLI' 출력 채널에서 추가적인 세부 정보를 찾을 수 있습니다.", + "deploymentDialog.InstallToolsHintOne": "{0} 도구가 설치되지 않았습니다. \"{1}\" 단추를 클릭하여 설치할 수 있습니다.", + "deploymentDialog.InstallToolsHintMany": "{0} 도구가 설치되지 않았습니다. \"{1}\" 단추를 클릭하여 설치할 수 있습니다.", + "deploymentDialog.NoRequiredTool": "도구가 필요하지 않음" }, "dist/ui/pageLessDeploymentModel": { - "resourceDeployment.DownloadAndLaunchTaskName": "Download and launch installer, URL: {0}", - "resourceDeployment.DownloadingText": "Downloading from: {0}", - "resourceDeployment.DownloadCompleteText": "Successfully downloaded: {0}", - "resourceDeployment.LaunchingProgramText": "Launching: {0}", - "resourceDeployment.ProgramLaunchedText": "Successfully launched: {0}" + "resourceDeployment.DownloadAndLaunchTaskName": "설치 관리자 다운로드 및 시작, URL: {0}", + "resourceDeployment.DownloadingText": "{0}에서 다운로드", + "resourceDeployment.DownloadCompleteText": "다운로드함: {0}", + "resourceDeployment.LaunchingProgramText": "{0} 시작 중", + "resourceDeployment.ProgramLaunchedText": "시작함: {0}" }, "dist/services/tools/dockerTool": { - "resourceDeployment.DockerDescription": "Packages and runs applications in isolated containers", + "resourceDeployment.DockerDescription": "격리된 컨테이너에서 애플리케이션 패키지 및 실행", "resourceDeployment.DockerDisplayName": "Docker" }, "dist/services/tools/azCliTool": { - "resourceDeployment.AzCLIDescription": "Manages Azure resources", + "resourceDeployment.AzCLIDescription": "Azure 리소스 관리", "resourceDeployment.AzCLIDisplayName": "Azure CLI", - "resourceDeployment.AziCli.DeletingPreviousAzureCli.msi": "deleting previously downloaded azurecli.msi if one exists …", - "resourceDeployment.AziCli.DownloadingAndInstallingAzureCli": "downloading azurecli.msi and installing azure-cli …", - "resourceDeployment.AziCli.DisplayingInstallationLog": "displaying the installation log …", - "resourceDeployment.AziCli.UpdatingBrewRepository": "updating your brew repository for azure-cli installation …", - "resourceDeployment.AziCli.InstallingAzureCli": "installing azure-cli …", - "resourceDeployment.AziCli.AptGetUpdate": "updating repository information before installing azure-cli …", - "resourceDeployment.AziCli.AptGetPackages": "getting packages needed for azure-cli installation …", - "resourceDeployment.AziCli.DownloadAndInstallingSigningKey": "downloading and installing the signing key for azure-cli …", - "resourceDeployment.AziCli.AddingAzureCliRepositoryInformation": "adding the azure-cli repository information …", - "resourceDeployment.AziCli.AptGetUpdateAgain": "updating repository information again for azure-cli …", - "resourceDeployment.AziCli.ScriptedInstall": "download and invoking script to install azure-cli …" + "resourceDeployment.AziCli.DeletingPreviousAzureCli.msi": "이전에 다운로드한 azurecli.msi 삭제 중(있는 경우)...", + "resourceDeployment.AziCli.DownloadingAndInstallingAzureCli": "azurecli.msi를 다운로드하고 azure-cli를 설치하는 중…", + "resourceDeployment.AziCli.DisplayingInstallationLog": "설치 로그를 표시하는 중...", + "resourceDeployment.AziCli.UpdatingBrewRepository": "azure-cli 설치를 위해 brew 리포지토리를 업데이트하는 중...", + "resourceDeployment.AziCli.InstallingAzureCli": "azure-cli를 설치하는 중...", + "resourceDeployment.AziCli.AptGetUpdate": "azure-cli를 설치하기 전에 리포지토리 정보를 업데이트하는 중...", + "resourceDeployment.AziCli.AptGetPackages": "azure-cli 설치에 필요한 패키지를 가져오는 중...", + "resourceDeployment.AziCli.DownloadAndInstallingSigningKey": "azure-cli의 서명 키를 다운로드하고 설치하는 중...", + "resourceDeployment.AziCli.AddingAzureCliRepositoryInformation": "azure-cli 리포지토리 정보를 추가하는 중...", + "resourceDeployment.AziCli.AptGetUpdateAgain": "azure-cli의 리포지토리 정보를 다시 업데이트하는 중...", + "resourceDeployment.AziCli.ScriptedInstall": "azure-cli를 설치하는 스크립트 다운로드 및 호출 중..." }, "dist/services/tools/azdataTool": { - "resourceDeployment.AzdataDescription": "Azure Data command line interface", + "resourceDeployment.AzdataDescription": "Azure 데이터 명령줄 인터페이스", "resourceDeployment.AzdataDisplayName": "Azure Data CLI", - "deployCluster.GetToolVersionErrorInformation": "Error retrieving version information. See output channel '{0}' for more details", - "deployCluster.GetToolVersionError": "Error retrieving version information.{0}Invalid output received, get version command output: '{1}' ", - "resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "deleting previously downloaded Azdata.msi if one exists …", - "resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "downloading Azdata.msi and installing azdata-cli …", - "resourceDeployment.Azdata.DisplayingInstallationLog": "displaying the installation log …", - "resourceDeployment.Azdata.TappingBrewRepository": "tapping into the brew repository for azdata-cli …", - "resourceDeployment.Azdata.UpdatingBrewRepository": "updating the brew repository for azdata-cli installation …", - "resourceDeployment.Azdata.InstallingAzdata": "installing azdata …", - "resourceDeployment.Azdata.AptGetUpdate": "updating repository information …", - "resourceDeployment.Azdata.AptGetPackages": "getting packages needed for azdata installation …", - "resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "downloading and installing the signing key for azdata …", - "resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "adding the azdata repository information …" + "deploy.azdataExtMissing": "이 리소스를 배포하려면 Azure Data CLI 확장을 설치해야 합니다. 확장 갤러리를 통해 설치한 후 다시 시도하세요.", + "deployCluster.GetToolVersionErrorInformation": "버전 정보를 검색하는 동안 오류가 발생했습니다. 자세한 내용은 출력 채널 '{0}'을(를) 참조하세요.", + "deployCluster.GetToolVersionError": "버전 정보를 검색하는 동안 오류가 발생했습니다. {0}잘못된 출력이 수신되었습니다. 버전 명령 출력 '{1}'을(를) 가져옵니다. " }, "dist/services/tools/azdataToolOld": { - "resourceDeployment.AzdataDescription": "Azure Data command line interface", + "resourceDeployment.AzdataDescription": "Azure 데이터 명령줄 인터페이스", "resourceDeployment.AzdataDisplayName": "Azure Data CLI", - "resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "deleting previously downloaded Azdata.msi if one exists …", - "resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "downloading Azdata.msi and installing azdata-cli …", - "resourceDeployment.Azdata.DisplayingInstallationLog": "displaying the installation log …", - "resourceDeployment.Azdata.TappingBrewRepository": "tapping into the brew repository for azdata-cli …", - "resourceDeployment.Azdata.UpdatingBrewRepository": "updating the brew repository for azdata-cli installation …", - "resourceDeployment.Azdata.InstallingAzdata": "installing azdata …", - "resourceDeployment.Azdata.AptGetUpdate": "updating repository information …", - "resourceDeployment.Azdata.AptGetPackages": "getting packages needed for azdata installation …", - "resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "downloading and installing the signing key for azdata …", - "resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "adding the azdata repository information …" + "resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "이전에 다운로드한 Azdata.msi를 삭제하는 중(있는 경우)...", + "resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "Azdata.msi를 다운로드하고 azdata-cli를 설치하는 중...", + "resourceDeployment.Azdata.DisplayingInstallationLog": "설치 로그를 표시하는 중...", + "resourceDeployment.Azdata.TappingBrewRepository": "azdata-cli의 brew 리포지토리를 활용하는 중...", + "resourceDeployment.Azdata.UpdatingBrewRepository": "azdata-cli 설치를 위해 brew 리포지토리를 업데이트하는 중...", + "resourceDeployment.Azdata.InstallingAzdata": "azdata를 설치하는 중...", + "resourceDeployment.Azdata.AptGetUpdate": "리포지토리 정보를 업데이트하는 중...", + "resourceDeployment.Azdata.AptGetPackages": "azdata 설치에 필요한 패키지를 가져오는 중...", + "resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "azdata의 서명 키를 다운로드하고 설치하는 중...", + "resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "azdata 리포지토리 정보를 추가하는 중..." }, "dist/ui/resourceTypePickerDialog": { - "deploymentDialog.deploymentOptions": "Deployment options" + "deploymentDialog.deploymentOptions": "배포 옵션" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ko/translations/extensions/schema-compare.i18n.json b/i18n/ads-language-pack-ko/translations/extensions/schema-compare.i18n.json new file mode 100644 index 0000000000..d0ecd453eb --- /dev/null +++ b/i18n/ads-language-pack-ko/translations/extensions/schema-compare.i18n.json @@ -0,0 +1,319 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "displayName": "SQL Server 스키마 비교", + "description": "Azure Data Studio에 대한 SQL Server 스키마 비교는 데이터베이스 및 Dacpac의 스키마 비교를 지원합니다.", + "schemaCompare.start": "스키마 비교" + }, + "dist/localizedConstants": { + "schemaCompareDialog.ok": "확인", + "schemaCompareDialog.cancel": "취소", + "schemaCompareDialog.SourceTitle": "원본", + "schemaCompareDialog.TargetTitle": "대상", + "schemaCompareDialog.fileTextBoxLabel": "파일", + "schemaCompare.dacpacRadioButtonLabel": "데이터 계층 애플리케이션 파일(.dacpac)", + "schemaCompare.databaseButtonLabel": "데이터베이스", + "schemaCompare.radioButtonsLabel": "형식", + "schemaCompareDialog.serverDropdownTitle": "서버", + "schemaCompareDialog.databaseDropdownTitle": "데이터베이스", + "schemaCompare.dialogTitle": "스키마 비교", + "schemaCompareDialog.differentSourceMessage": "다른 원본 스키마를 선택했습니다. 비교를 확인하려면 비교를 누르세요.", + "schemaCompareDialog.differentTargetMessage": "다른 대상 스키마를 선택했습니다. 비교를 확인하려면 비교를 누르세요.", + "schemaCompareDialog.differentSourceTargetMessage": "다른 원본 및 대상 스키마를 선택했습니다. 비교를 확인하려면 비교를 누르세요.", + "schemaCompareDialog.Yes": "예", + "schemaCompareDialog.No": "아니요", + "schemaCompareDialog.sourceTextBox": "원본 파일", + "schemaCompareDialog.targetTextBox": "대상 파일", + "schemaCompareDialog.sourceDatabaseDropdown": "원본 데이터베이스", + "schemaCompareDialog.targetDatabaseDropdown": "대상 데이터베이스", + "schemaCompareDialog.sourceServerDropdown": "원본 서버", + "schemaCompareDialog.targetServerDropdown": "대상 서버", + "schemaCompareDialog.defaultUser": "기본값", + "schemaCompare.openFile": "열기", + "schemaCompare.selectSourceFile": "원본 파일 선택", + "schemaCompare.selectTargetFile": "대상 파일 선택", + "SchemaCompareOptionsDialog.Reset": "다시 설정", + "schemaCompareOptions.RecompareMessage": "옵션이 변경되었습니다. 비교를 확인하려면 다시 비교를 누르세요.", + "SchemaCompare.SchemaCompareOptionsDialogLabel": "스키마 비교 옵션", + "SchemaCompare.GeneralOptionsLabel": "일반 옵션", + "SchemaCompare.ObjectTypesOptionsLabel": "개체 유형 포함", + "schemaCompare.CompareDetailsTitle": "세부 정보 비교", + "schemaCompare.ApplyConfirmation": "대상을 업데이트하시겠습니까?", + "schemaCompare.RecompareToRefresh": "비교를 눌러 비교를 새로 고칩니다.", + "schemaCompare.generateScriptEnabledButton": "대상에 변경 내용을 배포하는 스크립트 생성", + "schemaCompare.generateScriptNoChanges": "스크립트 변경 내용 없음", + "schemaCompare.applyButtonEnabledTitle": "대상에 변경 내용 적용", + "schemaCompare.applyNoChanges": "적용할 변경 내용 없음", + "schemaCompare.includeExcludeInfoMessage": "포함/제외 작업은 영향을 받는 종속성을 계산하는 데 잠시 걸릴 수 있습니다.", + "schemaCompare.deleteAction": "삭제", + "schemaCompare.changeAction": "변경", + "schemaCompare.addAction": "추가", + "schemaCompare.differencesTableTitle": "원본과 대상 간의 비교", + "schemaCompare.waitText": "비교를 초기화하는 중입니다. 시간이 약간 걸릴 수 있습니다.", + "schemaCompare.startText": "두 스키마를 비교하려면 먼저 원본 스키마 및 대상 스키마를 선택한 다음, 비교를 누릅니다.", + "schemaCompare.noDifferences": "스키마 차이를 찾을 수 없습니다.", + "schemaCompare.typeColumn": "형식", + "schemaCompare.sourceNameColumn": "원본 이름", + "schemaCompare.includeColumnName": "포함", + "schemaCompare.actionColumn": "작업", + "schemaCompare.targetNameColumn": "대상 이름", + "schemaCompare.generateScriptButtonDisabledTitle": "대상이 데이터베이스이면 스크립트 생성이 사용하도록 설정됩니다.", + "schemaCompare.applyButtonDisabledTitle": "대상이 데이터베이스이면 적용이 사용하도록 설정됩니다.", + "schemaCompare.cannotExcludeMessageWithDependent": "{0}을(를) 제외할 수 없습니다. {1} 같은 포함된 종속 항목이 있습니다.", + "schemaCompare.cannotIncludeMessageWithDependent": "{0}을(를) 포함할 수 없습니다. {1} 같은 제외된 종속 항목이 있습니다.", + "schemaCompare.cannotExcludeMessage": "{0}을(를) 제외할 수 없습니다. 포함된 종속 항목이 있습니다.", + "schemaCompare.cannotIncludeMessage": "{0}을(를) 포함할 수 없습니다. 제외된 종속 항목이 있습니다.", + "schemaCompare.compareButton": "비교", + "schemaCompare.cancelCompareButton": "중지", + "schemaCompare.generateScriptButton": "스크립트 생성", + "schemaCompare.optionsButton": "옵션", + "schemaCompare.updateButton": "적용", + "schemaCompare.switchDirectionButton": "방향 전환", + "schemaCompare.switchButtonTitle": "원본과 대상 전환", + "schemaCompare.sourceButtonTitle": "원본 선택", + "schemaCompare.targetButtonTitle": "대상 선택", + "schemaCompare.openScmpButton": ".scmp 파일 열기", + "schemaCompare.openScmpButtonTitle": ".scmp 파일에 저장된 원본, 대상 및 옵션 로드", + "schemaCompare.saveScmpButton": ".scmp 파일 저장", + "schemaCompare.saveScmpButtonTitle": "원본 및 대상, 옵션 및 제외된 요소 저장", + "schemaCompare.saveFile": "저장", + "schemaCompare.GetConnectionString": "{0}에 연결하시겠습니까?", + "schemaCompare.selectConnection": "연결 선택", + "SchemaCompare.IgnoreTableOptions": "테이블 옵션 무시", + "SchemaCompare.IgnoreSemicolonBetweenStatements": "문 사이의 세미콜론 무시", + "SchemaCompare.IgnoreRouteLifetime": "경로 수명 무시", + "SchemaCompare.IgnoreRoleMembership": "역할 멤버 자격 무시", + "SchemaCompare.IgnoreQuotedIdentifiers": "따옴표 붙은 식별자 무시", + "SchemaCompare.IgnorePermissions": "사용 권한 무시", + "SchemaCompare.IgnorePartitionSchemes": "파티션 구성표 무시", + "SchemaCompare.IgnoreObjectPlacementOnPartitionScheme": "파티션 구성표에서 개체 배치 무시", + "SchemaCompare.IgnoreNotForReplication": "복제용 아님 무시", + "SchemaCompare.IgnoreLoginSids": "로그인 SID 무시", + "SchemaCompare.IgnoreLockHintsOnIndexes": "인덱스의 잠금 힌트 무시", + "SchemaCompare.IgnoreKeywordCasing": "키워드 대/소문자 무시", + "SchemaCompare.IgnoreIndexPadding": "인덱스 패딩 무시", + "SchemaCompare.IgnoreIndexOptions": "인덱스 옵션 무시", + "SchemaCompare.IgnoreIncrement": "증분 무시", + "SchemaCompare.IgnoreIdentitySeed": "ID 시드 무시", + "SchemaCompare.IgnoreUserSettingsObjects": "사용자 설정 개체 무시", + "SchemaCompare.IgnoreFullTextCatalogFilePath": "전체 텍스트 카탈로그 파일 경로 무시", + "SchemaCompare.IgnoreWhitespace": "공백 무시", + "SchemaCompare.IgnoreWithNocheckOnForeignKeys": "외래 키의 WITH NOCHECK 무시", + "SchemaCompare.VerifyCollationCompatibility": "데이터 정렬 호환성 확인", + "SchemaCompare.UnmodifiableObjectWarnings": "수정할 수 없는 개체 경고", + "SchemaCompare.TreatVerificationErrorsAsWarnings": "확인 오류를 경고로 처리", + "SchemaCompare.ScriptRefreshModule": "스크립트 새로 고침 모듈", + "SchemaCompare.ScriptNewConstraintValidation": "스크립트 새 제약 조건 유효성 검사", + "SchemaCompare.ScriptFileSize": "스크립트 파일 크기", + "SchemaCompare.ScriptDeployStateChecks": "스크립트 배포 StateChecks", + "SchemaCompare.ScriptDatabaseOptions": "스크립트 데이터베이스 옵션", + "SchemaCompare.ScriptDatabaseCompatibility": "스크립트 데이터베이스 호환성", + "SchemaCompare.ScriptDatabaseCollation": "스크립트 데이터베이스 데이터 정렬", + "SchemaCompare.RunDeploymentPlanExecutors": "배포 계획 실행기 실행", + "SchemaCompare.RegisterDataTierApplication": "DataTier 애플리케이션 등록", + "SchemaCompare.PopulateFilesOnFileGroups": "파일 그룹에 파일 채우기", + "SchemaCompare.NoAlterStatementsToChangeClrTypes": "CLR 유형을 변경하기 위한 Alter 문 사용 안 함", + "SchemaCompare.IncludeTransactionalScripts": "트랜잭션 스크립트 포함", + "SchemaCompare.IncludeCompositeObjects": "복합 개체 포함", + "SchemaCompare.AllowUnsafeRowLevelSecurityDataMovement": "안전하지 않은 행 수준 보안 데이터 이동 허용", + "SchemaCompare.IgnoreWithNocheckOnCheckConstraints": "CHECK 제약 조건의 WITH NOCHECK 무시", + "SchemaCompare.IgnoreFillFactor": "채우기 비율 무시", + "SchemaCompare.IgnoreFileSize": "파일 크기 무시", + "SchemaCompare.IgnoreFilegroupPlacement": "파일 그룹 배치 무시", + "SchemaCompare.DoNotAlterReplicatedObjects": "복제된 개체 변경 안 함", + "SchemaCompare.DoNotAlterChangeDataCaptureObjects": "변경 데이터 캡처 개체 변경 안 함", + "SchemaCompare.DisableAndReenableDdlTriggers": "DDL 트리거를 해제한 후 다시 설정", + "SchemaCompare.DeployDatabaseInSingleUserMode": "단일 사용자 모드에서 데이터베이스 배포", + "SchemaCompare.CreateNewDatabase": "새 데이터베이스 만들기", + "SchemaCompare.CompareUsingTargetCollation": "대상 데이터 정렬을 사용하여 비교", + "SchemaCompare.CommentOutSetVarDeclarations": "Set Var 선언을 주석으로 처리", + "SchemaCompare.BlockWhenDriftDetected": "드리프트 검색 시 차단", + "SchemaCompare.BlockOnPossibleDataLoss": "데이터 손실 가능성이 있는 경우 차단", + "SchemaCompare.BackupDatabaseBeforeChanges": "변경하기 전에 데이터베이스 백업", + "SchemaCompare.AllowIncompatiblePlatform": "호환되지 않는 플랫폼 허용", + "SchemaCompare.AllowDropBlockingAssemblies": "차단 어셈블리 삭제 허용", + "SchemaCompare.DropConstraintsNotInSource": "원본에 없는 제약 조건 삭제", + "SchemaCompare.DropDmlTriggersNotInSource": "원본에 없는 DML 트리거 삭제", + "SchemaCompare.DropExtendedPropertiesNotInSource": "원본에 없는 확장 속성 삭제", + "SchemaCompare.DropIndexesNotInSource": "원본에 없는 인덱스 삭제", + "SchemaCompare.IgnoreFileAndLogFilePath": "파일 및 로그 파일 경로 무시", + "SchemaCompare.IgnoreExtendedProperties": "확장 속성 무시", + "SchemaCompare.IgnoreDmlTriggerState": "DML 트리거 상태 무시", + "SchemaCompare.IgnoreDmlTriggerOrder": "DML 트리거 순서 무시", + "SchemaCompare.IgnoreDefaultSchema": "기본 스키마 무시", + "SchemaCompare.IgnoreDdlTriggerState": "DDL 트리거 상태 무시", + "SchemaCompare.IgnoreDdlTriggerOrder": "Ddl 트리거 순서 무시", + "SchemaCompare.IgnoreCryptographicProviderFilePath": "암호화 공급자 파일 경로 무시", + "SchemaCompare.VerifyDeployment": "배포 확인", + "SchemaCompare.IgnoreComments": "주석 무시", + "SchemaCompare.IgnoreColumnCollation": "열 데이터 정렬 무시", + "SchemaCompare.IgnoreAuthorizer": "권한 부여자 무시", + "SchemaCompare.IgnoreAnsiNulls": "AnsiNulls 무시", + "SchemaCompare.GenerateSmartDefaults": "SmartDefaults 생성", + "SchemaCompare.DropStatisticsNotInSource": "원본에 없는 통계 삭제", + "SchemaCompare.DropRoleMembersNotInSource": "원본에 없는 역할 멤버 삭제", + "SchemaCompare.DropPermissionsNotInSource": "원본에 없는 사용 권한 삭제", + "SchemaCompare.DropObjectsNotInSource": "원본에 없는 개체 삭제", + "SchemaCompare.IgnoreColumnOrder": "열 순서 무시", + "SchemaCompare.Aggregates": "집계", + "SchemaCompare.ApplicationRoles": "애플리케이션 역할", + "SchemaCompare.Assemblies": "어셈블리", + "SchemaCompare.AssemblyFiles": "어셈블리 파일", + "SchemaCompare.AsymmetricKeys": "비대칭 키", + "SchemaCompare.BrokerPriorities": "Broker 우선 순위", + "SchemaCompare.Certificates": "인증서", + "SchemaCompare.ColumnEncryptionKeys": "열 암호화 키", + "SchemaCompare.ColumnMasterKeys": "열 마스터 키", + "SchemaCompare.Contracts": "계약", + "SchemaCompare.DatabaseOptions": "데이터베이스 옵션", + "SchemaCompare.DatabaseRoles": "데이터베이스 역할", + "SchemaCompare.DatabaseTriggers": "데이터베이스 트리거", + "SchemaCompare.Defaults": "기본값", + "SchemaCompare.ExtendedProperties": "확장 속성", + "SchemaCompare.ExternalDataSources": "외부 데이터 원본", + "SchemaCompare.ExternalFileFormats": "외부 파일 형식", + "SchemaCompare.ExternalStreams": "외부 스트림", + "SchemaCompare.ExternalStreamingJobs": "외부 스트리밍 작업", + "SchemaCompare.ExternalTables": "외부 테이블", + "SchemaCompare.Filegroups": "파일 그룹", + "SchemaCompare.Files": "파일", + "SchemaCompare.FileTables": "파일 테이블", + "SchemaCompare.FullTextCatalogs": "전체 텍스트 카탈로그", + "SchemaCompare.FullTextStoplists": "전체 텍스트 중지 목록", + "SchemaCompare.MessageTypes": "메시지 유형", + "SchemaCompare.PartitionFunctions": "파티션 함수", + "SchemaCompare.PartitionSchemes": "파티션 구성표", + "SchemaCompare.Permissions": "권한", + "SchemaCompare.Queues": "큐", + "SchemaCompare.RemoteServiceBindings": "원격 서비스 바인딩", + "SchemaCompare.RoleMembership": "역할 멤버 자격", + "SchemaCompare.Rules": "규칙", + "SchemaCompare.ScalarValuedFunctions": "스칼라 반환 함수", + "SchemaCompare.SearchPropertyLists": "검색 속성 목록", + "SchemaCompare.SecurityPolicies": "보안 정책", + "SchemaCompare.Sequences": "시퀀스", + "SchemaCompare.Services": "서비스", + "SchemaCompare.Signatures": "시그니처", + "SchemaCompare.StoredProcedures": "저장 프로시저", + "SchemaCompare.SymmetricKeys": "대칭 키", + "SchemaCompare.Synonyms": "동의어", + "SchemaCompare.Tables": "테이블", + "SchemaCompare.TableValuedFunctions": "테이블 반환 함수", + "SchemaCompare.UserDefinedDataTypes": "사용자 정의 데이터 형식", + "SchemaCompare.UserDefinedTableTypes": "사용자 정의 테이블 형식", + "SchemaCompare.ClrUserDefinedTypes": "CLR 사용자 정의 형식", + "SchemaCompare.Users": "사용자", + "SchemaCompare.Views": "뷰", + "SchemaCompare.XmlSchemaCollections": "XML 스키마 컬렉션", + "SchemaCompare.Audits": "감사", + "SchemaCompare.Credentials": "자격 증명", + "SchemaCompare.CryptographicProviders": "암호화 공급자", + "SchemaCompare.DatabaseAuditSpecifications": "데이터베이스 감사 사양", + "SchemaCompare.DatabaseEncryptionKeys": "데이터베이스 암호화 키", + "SchemaCompare.DatabaseScopedCredentials": "데이터베이스 범위 자격 증명", + "SchemaCompare.Endpoints": "엔드포인트", + "SchemaCompare.ErrorMessages": "오류 메시지", + "SchemaCompare.EventNotifications": "이벤트 알림", + "SchemaCompare.EventSessions": "이벤트 세션", + "SchemaCompare.LinkedServerLogins": "연결된 서버 로그인", + "SchemaCompare.LinkedServers": "연결된 서버", + "SchemaCompare.Logins": "로그인", + "SchemaCompare.MasterKeys": "마스터 키", + "SchemaCompare.Routes": "경로", + "SchemaCompare.ServerAuditSpecifications": "서버 감사 사양", + "SchemaCompare.ServerRoleMembership": "서버 역할 멤버 자격", + "SchemaCompare.ServerRoles": "서버 역할", + "SchemaCompare.ServerTriggers": "서버 트리거", + "SchemaCompare.Description.IgnoreTableOptions": "데이터베이스에 게시할 때 테이블 옵션의 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreSemicolonBetweenStatements": "데이터베이스에 게시할 때 T-SQL 문 사이의 세미콜론 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreRouteLifetime": "데이터베이스에 게시할 때 SQL Server가 라우팅 테이블에 경로를 유지하는 기간 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreRoleMembership": "데이터베이스에 게시할 때 로그인의 역할 멤버 자격 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreQuotedIdentifiers": "데이터베이스에 게시할 때 따옴표 붙은 식별자 설정 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnorePermissions": "사용 권한을 무시할지 여부를 지정합니다.", + "SchemaCompare.Description.IgnorePartitionSchemes": "데이터베이스에 게시할 때 파티션 구성표와 함수의 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreObjectPlacementOnPartitionScheme": "데이터베이스에 게시할 때 파티션 구성표의 개체 배치를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreNotForReplication": "데이터베이스에 게시할 때 복제용 아님 설정을 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreLoginSids": "데이터베이스에 게시할 때 SID(보안 ID)의 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreLockHintsOnIndexes": "데이터베이스에 게시할 때 인덱스의 잠금 힌트 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreKeywordCasing": "데이터베이스에 게시할 때 키워드의 대/소문자 구분 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreIndexPadding": "데이터베이스에 게시할 때 인덱스 패딩 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreIndexOptions": "데이터베이스에 게시할 때 인덱스 옵션 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreIncrement": "데이터베이스에 게시할 때 ID 열의 증분 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreIdentitySeed": "데이터베이스에 게시할 때 ID 열의 시드 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreUserSettingsObjects": "데이터베이스에 게시할 때 사용자 설정 개체의 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreFullTextCatalogFilePath": "데이터베이스에 게시할 때 전체 텍스트 카탈로그의 파일 경로 차이를 무시할지 또는 경고가 발생하도록 할지를 지정합니다.", + "SchemaCompare.Description.IgnoreWhitespace": "데이터베이스에 게시할 때 공백의 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreWithNocheckOnForeignKeys": "데이터베이스에 게시할 때 외래 키의 WITH NOCHECK 절 값 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.VerifyCollationCompatibility": "데이터 정렬 호환성을 확인할지 여부를 지정합니다.", + "SchemaCompare.Description.UnmodifiableObjectWarnings": "예를 들어, 한 파일의 파일 크기나 파일 경로가 다른 경우처럼 수정할 수 없는 개체에서 차이가 발견될 경우 경고를 생성할지 여부를 지정합니다.", + "SchemaCompare.Description.TreatVerificationErrorsAsWarnings": "게시 확인 중 발생한 오류를 경고로 처리할지 여부를 지정합니다. 생성된 배포 계획이 대상 데이터베이스를 대상으로 실행되기 전에 이 계획을 대상으로 검사가 수행됩니다. 계획 확인에서는 변경하기 위해 삭제해야 하는 대상 전용 개체(예: 인덱스) 손실과 같은 문제를 검색합니다. 또한 확인에서는 복합 프로젝트에 대한 참조로 인해 종속성(예: 테이블 또는 뷰)이 존재하지만 대상 데이터베이스에는 이와 같은 종속성이 존재하지 않는 상황을 검색합니다. 첫 번째 오류에서 게시 작업을 중지하는 대신 모든 문제의 전체 목록을 가져오려면 이 작업을 수행하도록 선택할 수 있습니다.", + "SchemaCompare.Description.ScriptRefreshModule": "게시 스크립트의 끝에 새로 고침 문을 포함합니다.", + "SchemaCompare.Description.ScriptNewConstraintValidation": "게시가 끝나면 모든 제약 조건을 하나의 세트로 확인하여 게시 중에 CHECK 또는 FOREIGN KEY 제약 조건으로 인한 데이터 오류를 방지합니다. False로 설정하면 해당 데이터를 검사하지 않고 제약 조건이 게시됩니다.", + "SchemaCompare.Description.ScriptFileSize": "파일 그룹에 파일을 추가할 때 크기를 지정할지 여부를 제어합니다.", + "SchemaCompare.Description.ScriptDeployStateChecks": "데이터베이스 이름 및 서버 이름이 데이터베이스 프로젝트에 지정된 이름과 일치하는지 확인하는 문을 게시 스크립트에 생성할지 여부를 지정합니다.", + "SchemaCompare.Description.ScriptDatabaseOptions": "게시 동작의 일부로 대상 데이터베이스 속성을 설정할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.ScriptDatabaseCompatibility": "데이터베이스에 게시할 때 데이터베이스 호환성 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.ScriptDatabaseCollation": "데이터베이스에 게시할 때 데이터베이스 데이터 정렬의 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.RunDeploymentPlanExecutors": "다른 작업을 실행할 때 DeploymentPlanExecutor 기여자를 실행할지 여부를 지정합니다.", + "SchemaCompare.Description.RegisterDataTierApplication": "스키마가 데이터베이스 서버에 등록되는지 여부를 지정합니다.", + "SchemaCompare.Description.PopulateFilesOnFileGroups": "대상 데이터베이스에 새 파일 그룹을 만들 때 새 파일도 만들어지는지 여부를 지정합니다.", + "SchemaCompare.Description.NoAlterStatementsToChangeClrTypes": "ALTER ASSEMBLY 문을 실행하는 대신, 차이가 있는 경우 게시에서 항상 어셈블리를 삭제했다가 다시 만들도록 지정합니다.", + "SchemaCompare.Description.IncludeTransactionalScripts": "데이터베이스에 게시할 때 가능한 경우 트랜잭션 문을 사용할지 여부를 지정합니다.", + "SchemaCompare.Description.IncludeCompositeObjects": "모든 복합 요소를 단일 게시 작업의 일부로 포함합니다.", + "SchemaCompare.Description.AllowUnsafeRowLevelSecurityDataMovement": "이 속성을 True로 설정하면 행 수준 보안이 설정된 테이블에서 데이터 이동을 차단하지 않습니다. 기본값은 False입니다.", + "SchemaCompare.Description.IgnoreWithNocheckOnCheckConstraints": "데이터베이스에 게시할 때 CHECK 제약 조건의 WITH NOCHECK 절 값의 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreFillFactor": "데이터베이스에 게시할 때 인덱스 스토리지의 채우기 비율 차이를 무시할지 또는 경고를 발생시킬지 여부를 지정합니다.", + "SchemaCompare.Description.IgnoreFileSize": "데이터베이스에 게시할 때 파일 크기 차이를 무시할지 또는 경고를 발생시킬지를 지정합니다.", + "SchemaCompare.Description.IgnoreFilegroupPlacement": "데이터베이스에 게시할 때 FILEGROUP에서의 개체 배치 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.DoNotAlterReplicatedObjects": "확인하는 동안 복제된 개체를 식별할지 여부를 지정합니다.", + "SchemaCompare.Description.DoNotAlterChangeDataCaptureObjects": "true이면 변경 데이터 캡처 개체가 변경되지 않습니다.", + "SchemaCompare.Description.DisableAndReenableDdlTriggers": "게시 프로세스가 시작될 때 DDL(데이터 정의 언어) 트리거를 해제하고 게시 작업이 끝날 때 다시 설정할지 여부를 지정합니다.", + "SchemaCompare.Description.DeployDatabaseInSingleUserMode": "true이면 배포하기 전에 데이터베이스가 단일 사용자 모드로 설정됩니다.", + "SchemaCompare.Description.CreateNewDatabase": "데이터베이스에 게시할 때 대상 데이터베이스를 업데이트할지 또는 삭제한 후 다시 만들지를 지정합니다.", + "SchemaCompare.Description.CompareUsingTargetCollation": "이 설정은 배포하는 동안 데이터베이스의 데이터 정렬을 처리하는 방법을 지정합니다. 기본적으로 대상 데이터베이스의 데이터 정렬이 원본에서 지정한 데이터 정렬과 일치하지 않으면 업데이트됩니다. 이 옵션을 설정하면 대상 데이터베이스(또는 서버) 데이터 정렬을 사용해야 합니다.", + "SchemaCompare.Description.CommentOutSetVarDeclarations": "생성된 게시 스크립트에서 SETVAR 변수 선언을 주석으로 처리할지 여부를 지정합니다. SQLCMD.EXE와 같은 도구를 사용하여 게시할 때 명령줄에서 해당 값을 지정하려는 경우 이렇게 하도록 선택할 수 있습니다.", + "SchemaCompare.Description.BlockWhenDriftDetected": "데이터베이스 스키마가 해당 등록과 더 이상 일치하지 않거나 등록 취소된 경우 이 데이터베이스 업데이트를 차단할지 여부를 지정합니다.", + "SchemaCompare.Description.BlockOnPossibleDataLoss": "게시 작업으로 인한 데이터 손실 가능성이 있는 경우 게시 에피소드를 종료할지 여부를 지정합니다.", + "SchemaCompare.Description.BackupDatabaseBeforeChanges": "변경 내용을 배포하기 전에 데이터베이스를 백업합니다.", + "SchemaCompare.Description.AllowIncompatiblePlatform": "SQL Server 플랫폼이 호환되지 않아도 동작을 시도할지 여부를 지정합니다.", + "SchemaCompare.Description.AllowDropBlockingAssemblies": "이 속성은 SqlClr 배포 시 배포 계획의 일부로 차단 어셈블리를 삭제하기 위해 사용됩니다. 기본적으로 참조 어셈블리를 삭제해야 하는 경우 모든 차단/참조 어셈블리는 어셈블리 업데이트를 차단합니다.", + "SchemaCompare.Description.DropConstraintsNotInSource": "데이터베이스에 게시할 때 데이터베이스 스냅샷(.dacpac) 파일에 없는 제약 조건을 대상 데이터베이스에서 삭제할지 여부를 지정합니다.", + "SchemaCompare.Description.DropDmlTriggersNotInSource": "데이터베이스에 게시할 때 데이터베이스 스냅샷(.dacpac) 파일에 없는 DML 트리거를 대상 데이터베이스에서 삭제할지 여부를 지정합니다.", + "SchemaCompare.Description.DropExtendedPropertiesNotInSource": "데이터베이스에 게시할 때 데이터베이스 스냅샷(.dacpac) 파일에 없는 확장 속성을 대상 데이터베이스에서 삭제할지 여부를 지정합니다.", + "SchemaCompare.Description.DropIndexesNotInSource": "데이터베이스에 게시할 때 데이터베이스 스냅샷(.dacpac) 파일에 없는 인덱스를 대상 데이터베이스에서 삭제할지 여부를 지정합니다.", + "SchemaCompare.Description.IgnoreFileAndLogFilePath": "데이터베이스에 게시할 때 파일 및 로그 파일에 대한 경로 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreExtendedProperties": "확장 속성을 무시할지 여부를 지정합니다.", + "SchemaCompare.Description.IgnoreDmlTriggerState": "데이터베이스에 게시할 때 DML 트리거 사용/사용 안 함 상태의 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreDmlTriggerOrder": "데이터베이스에 게시할 때 DML(데이터 조작 언어) 트리거 순서의 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreDefaultSchema": "데이터베이스에 게시할 때 기본 스키마의 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreDdlTriggerState": "데이터베이스에 게시할 때 DDL(데이터 정의 언어) 트리거 사용/사용 안 함 상태의 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreDdlTriggerOrder": "데이터베이스 또는 서버에 게시할 때 DDL(데이터 정의 언어) 트리거 순서의 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreCryptographicProviderFilePath": "데이터베이스에 게시할 때 암호화 공급자에 대한 파일 경로의 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.VerifyDeployment": "게시 전에 검사를 수행할지 여부를 지정합니다. 검사 중 성공적인 게시를 차단할 수 있는 문제가 발생하면 게시 작업이 중지될 수 있습니다. 예를 들어 데이터베이스 프로젝트에 없고 게시할 때 오류를 발생시키는 외래 키가 대상 데이터베이스에 있을 경우 게시 작업이 중지될 수 있습니다.", + "SchemaCompare.Description.IgnoreComments": "데이터베이스에 게시할 때 주석의 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreColumnCollation": "데이터베이스에 게시할 때 열 데이터 정렬의 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreAuthorizer": "데이터베이스에 게시할 때 권한 부여자의 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.IgnoreAnsiNulls": "데이터베이스에 게시할 때 ANSI NULLS 설정 차이를 무시할지 또는 업데이트할지를 지정합니다.", + "SchemaCompare.Description.GenerateSmartDefaults": "Null 값을 허용하지 않는 열이 있는 데이터 테이블을 업데이트할 때 기본값을 자동으로 제공합니다.", + "SchemaCompare.Description.DropStatisticsNotInSource": "데이터베이스에 게시할 때 데이터베이스 스냅샷(.dacpac) 파일에 없는 통계를 대상 데이터베이스에서 삭제할지 여부를 지정합니다.", + "SchemaCompare.Description.DropRoleMembersNotInSource": "데이터베이스에 업데이트를 게시할 때 데이터베이스 스냅샷(.dacpac) 파일에 정의되지 않은 역할 멤버가 대상 데이터베이스에서 삭제되는지 여부를 지정합니다.", - "ButtonInstall": "설치(&I)", - "ButtonOK": "확인", - "ButtonCancel": "취소", - "ButtonYes": "예(&Y)", - "ButtonYesToAll": "모두 예(&A)", - "ButtonNo": "아니요(&N)", - "ButtonNoToAll": "모두 아니요(&O)", - "ButtonFinish": "마침(&F)", - "ButtonBrowse": "찾아보기(&B)...", - "ButtonWizardBrowse": "찾아보기(&R)...", - "ButtonNewFolder": "새 폴더 만들기(&M)", - "SelectLanguageTitle": "설치 언어 선택", - "SelectLanguageLabel": "설치 중에 사용할 언어를 선택하세요:", - "ClickNext": "계속하려면 [다음]을 클릭하고 설치 프로그램을 종료하려면 [취소]를 클릭하세요.", - "BrowseDialogTitle": "폴더 찾아보기", - "BrowseDialogLabel": "아래 목록에서 폴더를 선택한 다음 [확인]을 클릭하세요.", - "NewFolderName": "새 폴더", - "WelcomeLabel1": "[name] 설치 마법사 시작", - "WelcomeLabel2": "이 마법사는 컴퓨터에 [name/ver]을(를) 설치합니다.%n%n계속하기 전에 다른 모든 애플리케이션을 닫는 것이 좋습니다.", - "WizardPassword": "암호", - "PasswordLabel1": "이 설치는 암호로 보호되고 있습니다.", - "PasswordLabel3": "계속하려면 암호를 입력한 다음 [다음]을 클릭하세요. 암호는 대소문자를 구분합니다.", - "PasswordEditLabel": "암호(&P):", - "IncorrectPassword": "입력한 암호가 잘못되었습니다. 다시 시도하세요.", - "WizardLicense": "사용권 계약", - "LicenseLabel": "계속 진행하기 전에 다음 중요한 정보를 읽으세요.", - "LicenseLabel3": "다음 사용권 계약을 읽어 주세요. 설치를 계속하려면 먼저 이 계약 조건에 동의해야 합니다.", - "LicenseAccepted": "계약에 동의함(&A)", - "LicenseNotAccepted": "계약에 동의 안 함(&D)", - "WizardInfoBefore": "정보", - "InfoBeforeLabel": "계속 진행하기 전에 다음 중요한 정보를 읽으세요.", - "InfoBeforeClickLabel": "설치를 계속할 준비가 되면 [다음]을 클릭하세요.", - "WizardInfoAfter": "정보", - "InfoAfterLabel": "계속 진행하기 전에 다음 중요한 정보를 읽으세요.", - "InfoAfterClickLabel": "설치를 계속할 준비가 되면 [다음]을 클릭하세요.", - "WizardUserInfo": "사용자 정보", - "UserInfoDesc": "정보를 입력하세요.", - "UserInfoName": "사용자 이름(&U):", - "UserInfoOrg": "조직(&O):", - "UserInfoSerial": "일련 번호(&S):", - "UserInfoNameRequired": "이름을 입력해야 합니다.", - "WizardSelectDir": "대상 위치 선택", - "SelectDirDesc": "[name]을(를) 어디에 설치하시겠습니까?", - "SelectDirLabel3": "설치 프로그램에서 [name]을(를) 다음 폴더에 설치합니다.", - "SelectDirBrowseLabel": "계속하려면 [다음]을 클릭하세요. 다른 폴더를 선택하려면 [찾아보기]를 클릭하세요.", - "DiskSpaceMBLabel": "적어도 [mb]MB의 여유 디스크 공간이 필요합니다.", - "CannotInstallToNetworkDrive": "설치 프로그램은 네트워크 드라이브에 설치할 수 없습니다.", - "CannotInstallToUNCPath": "설치 프로그램은 UNC 경로에 설치할 수 없습니다.", - "InvalidPath": "드라이브 문자와 함께 전체 경로를 입력해야 합니다. 예:%n%nC:\\APP%n%n또는 다음 형태의 UNC 경로:%n%n\\\\server\\share", - "InvalidDrive": "선택한 드라이브나 UNC 공유가 없거나 이 두 항목에 액세스할 수 없습니다. 다른 드라이브나 UNC 공유를 선택하세요.", - "DiskSpaceWarningTitle": "디스크 공간 부족", - "DiskSpaceWarning": "설치 프로그램을 설치하려면 여유 설치 공간이 적어도 %1KB가 필요하지만 선택한 드라이브의 가용 공간은 %2KB밖에 없습니다.%n%n그래도 계속하시겠습니까?", - "DirNameTooLong": "폴더 이름 또는 경로가 너무 깁니다.", - "InvalidDirName": "폴더 이름이 잘못되었습니다.", - "BadDirName32": "폴더 이름에는 %n%n%1 문자를 사용할 수 없습니다.", - "DirExistsTitle": "폴더 있음", - "DirExists": "폴더 %n%n%1%n%n이(가) 이미 있습니다. 그래도 해당 폴더에 설치하시겠습니까?", - "DirDoesntExistTitle": "폴더 없음", - "DirDoesntExist": "폴더 %n%n%1%n%n이(가) 없습니다. 폴더를 만드시겠습니까?", - "WizardSelectComponents": "구성 요소 선택", - "SelectComponentsDesc": "어떤 구성 요소를 설치하시겠습니까?", - "SelectComponentsLabel2": "설치할 구성 요소는 선택하고 설치하지 않을 구성 요소는 지우세요. 계속 진행할 준비가 되면 [다음]을 클릭하세요.", - "FullInstallation": "전체 설치", - "CompactInstallation": "Compact 설치", - "CustomInstallation": "사용자 지정 설치", - "NoUninstallWarningTitle": "구성 요소가 있음", - "NoUninstallWarning": "설치 프로그램에서 구성 요소 %n%n%1%n%n이(가) 컴퓨터에 이미 설치되어 있음을 감지했습니다. 이러한 구성 요소는 선택 취소해도 제거되지 않습니다.%n%n그래도 계속하시겠습니까?", - "ComponentSize1": "%1KB", - "ComponentSize2": "%1MB", - "ComponentsDiskSpaceMBLabel": "현재 선택을 위해서는 적어도 [mb]MB의 디스크 공간이 필요합니다.", - "WizardSelectTasks": "추가 작업 선택", - "SelectTasksDesc": "어떤 작업을 추가로 수행하시겠습니까?", - "SelectTasksLabel2": "설치 프로그램에서 [name]을(를) 설치하는 동안 수행할 추가 작업을 선택한 후 [다음]을 클릭하세요.", - "WizardSelectProgramGroup": "시작 메뉴 폴더 선택", - "SelectStartMenuFolderDesc": "설치 프로그램에서 프로그램의 바로 가기를 어디에 만들도록 하시겠습니까?", - "SelectStartMenuFolderLabel3": "설치 프로그램에서 프로그램의 바로 가기를 다음 시작 메뉴 폴더에 만듭니다.", - "SelectStartMenuFolderBrowseLabel": "계속하려면 [다음]을 클릭하세요. 다른 폴더를 선택하려면 [찾아보기]를 클릭하세요.", - "MustEnterGroupName": "폴더 이름을 입력해야 합니다.", - "GroupNameTooLong": "폴더 이름 또는 경로가 너무 깁니다.", - "InvalidGroupName": "폴더 이름이 잘못되었습니다.", - "BadGroupName": "폴더 이름에는 %n%n%1 문자를 사용할 수 없습니다.", - "NoProgramGroupCheck2": "시작 메뉴 폴더를 만들지 않음(&D)", - "WizardReady": "설치 준비됨", - "ReadyLabel1": "이제 설치 프로그램이 컴퓨터에 [name] 설치를 시작할 준비가 되었습니다.", - "ReadyLabel2a": "설치를 계속하려면 [설치]를 클릭하고, 설정을 검토하거나 변경하려면 [뒤로]를 클릭하세요.", - "ReadyLabel2b": "설치를 계속하려면 [설치]를 클릭하세요.", - "ReadyMemoUserInfo": "사용자 정보:", - "ReadyMemoDir": "대상 위치:", - "ReadyMemoType": "설치 유형:", - "ReadyMemoComponents": "선택한 구성 요소:", - "ReadyMemoGroup": "시작 메뉴 폴더:", - "ReadyMemoTasks": "추가 작업:", - "WizardPreparing": "설치 준비 중", - "PreparingDesc": "설치 프로그램에서 컴퓨터에 [name] 설치를 준비하고 있습니다.", - "PreviousInstallNotCompleted": "이전 프로그램의 설치/제거 작업이 완료되지 않았습니다. 해당 설치를 완료하려면 컴퓨터를 다시 시작해야 합니다.%n%n컴퓨터를 다시 시작한 후 [name] 설치를 완료하려면 설치 프로그램을 다시 실행하세요.", - "CannotContinue": "설치 프로그램을 계속할 수 없습니다. 종료하려면 [취소]를 클릭하세요.", - "ApplicationsFound": "설치 프로그램에서 업데이트해야 하는 파일이 다음 애플리케이션에 사용되고 있습니다. 설치 프로그램에서 이러한 애플리케이션을 자동으로 닫도록 허용하는 것이 좋습니다.", - "ApplicationsFound2": "설치 프로그램에서 업데이트해야 하는 파일이 다음 애플리케이션에 사용되고 있습니다. 설치 프로그램에서 이러한 애플리케이션을 자동으로 닫도록 허용하는 것이 좋습니다. 설치가 완료되면 설치 프로그램에서 애플리케이션을 다시 시작하려고 시도합니다.", - "CloseApplications": "애플리케이션 자동 닫기(&A)", - "DontCloseApplications": "애플리케이션을 닫지 않음(&D)", - "ErrorCloseApplications": "설치 프로그램에서 일부 애플리케이션을 자동으로 닫을 수 없습니다. 계속하기 전에 설치 프로그램에서 업데이트해야 하는 파일을 사용하는 애플리케이션을 모두 닫는 것이 좋습니다.", - "WizardInstalling": "설치 중", - "InstallingLabel": "설치 프로그램에서 컴퓨터에 [name]을(를) 설치하는 동안 기다려 주세요.", - "FinishedHeadingLabel": "[name] 설정 마법사를 완료하는 중", - "FinishedLabelNoIcons": "설치 프로그램에서 컴퓨터에 [name]을(를) 설치했습니다.", - "FinishedLabel": "설치 프로그램에서 컴퓨터에 [name]을(를) 설치했습니다. 설치한 아이콘을 선택하여 해당 애플리케이션을 시작할 수 있습니다.", - "ClickFinish": "설치를 끝내려면 [\\[]마침[\\]]을 클릭하십시오.", - "FinishedRestartLabel": "[name] 설치를 완료하려면 설치 프로그램에서 컴퓨터를 다시 시작해야 합니다. 지금 다시 시작하시겠습니까?", - "FinishedRestartMessage": "[name] 설치를 완료하려면 설치 프로그램에서 컴퓨터를 다시 시작해야 합니다.%n%n지금 다시 시작하시겠습니까?", - "ShowReadmeCheck": "예, README 파일을 보겠습니다.", - "YesRadio": "예, 컴퓨터를 지금 다시 시작하겠습니다(&Y).", - "NoRadio": "아니요, 컴퓨터를 나중에 다시 시작하겠습니다(&N).", - "RunEntryExec": "%1 실행", - "RunEntryShellExec": "%1 보기", - "ChangeDiskTitle": "설치 프로그램에서 다음 디스크가 필요함", - "SelectDiskLabel2": "디스크 %1을(를) 삽입한 다음 [확인]을 클릭하세요.%n%n이 디스크의 파일이 아래 표시된 폴더가 아닌 다른 폴더에 있으면 올바른 경로를 입력하거나 [찾아보기]를 클릭하세요.", - "PathLabel": "경로(&P):", - "FileNotInDir2": "%2\"에서 파일 \"%1\"을(를) 찾을 수 없습니다. 올바른 디스크를 삽입하거나 다른 폴더를 선택하세요.", - "SelectDirectoryLabel": "다음 디스크의 위치를 지정하세요.", - "SetupAborted": "설치를 완료하지 못했습니다.%n%n문제를 해결한 다음 설치 프로그램을 다시 실행하세요.", - "EntryAbortRetryIgnore": "다시 시도하려면 [다시 시도]를, 그래도 계속하려면 [무시]를, 설치를 취소하려면 [중단]을 클릭하세요.", - "StatusClosingApplications": "애플리케이션을 닫는 중...", - "StatusCreateDirs": "디렉터리를 만드는 중...", - "StatusExtractFiles": "파일을 추출하는 중...", - "StatusCreateIcons": "바로 가기를 만드는 중...", - "StatusCreateIniEntries": "INI 항목을 만드는 중...", - "StatusCreateRegistryEntries": "레지스트리 항목을 만드는 중...", - "StatusRegisterFiles": "파일을 등록하는 중...", - "StatusSavingUninstall": "제거 정보를 저장하는 중...", - "StatusRunProgram": "설치를 완료하는 중...", - "StatusRestartingApplications": "애플리케이션을 다시 시작하는 중...", - "StatusRollback": "변경 사항을 롤백하는 중...", - "ErrorInternal2": "내부 오류: %1", - "ErrorFunctionFailedNoCode": "%1 실패", - "ErrorFunctionFailed": "%1 실패, 코드 %2", - "ErrorFunctionFailedWithMessage": "%1 실패, 코드 %2.%n%3", - "ErrorExecutingProgram": "파일을 실행할 수 없음:%n%1", - "ErrorRegOpenKey": "레지스트리 키를 여는 중 오류 발생:%n%1\\%2", - "ErrorRegCreateKey": "레지스트리 키를 만드는 중 오류 발생:%n%1\\%2", - "ErrorRegWriteKey": "레지스트리 키에 기록하는 중 오류 발생:%n%1\\%2", - "ErrorIniEntry": "파일 \"%1\"에 INI 항목을 만드는 중에 오류가 발생했습니다.", - "FileAbortRetryIgnore": "다시 시도하려면 [다시 시도]를, 이 파일을 건너뛰려면 [무시](권장되지 않음)를, 설치를 취소하려면 [중단]을 클릭하세요.", - "FileAbortRetryIgnore2": "다시 시도하려면 [다시 시도]를, 그래도 계속하려면 [무시](권장되지 않음)를, 설치를 취소하려면 [중단]을 클릭하세요.", - "SourceIsCorrupted": "원본 파일이 손상되었습니다.", - "SourceDoesntExist": "원본 파일 \"%1\"이(가) 없습니다.", - "ExistingFileReadOnly": "기존 파일이 읽기 전용으로 표시되어 있습니다.%n%n읽기 전용 특성을 제거하고 다시 시도하려면 [다시 시도]를, 이 파일을 건너뛰려면 [무시]를, 설치를 취소하려면 [중단]을 클릭하세요.", - "ErrorReadingExistingDest": "기존 파일을 읽는 중 오류 발생:", - "FileExists": "해당 파일이 이미 있습니다.%n%n설치 프로그램에서 이 파일을 덮어쓰도록 하시겠습니까?", - "ExistingFileNewer": "기존 파일이 설치 프로그램에서 설치하려는 파일보다 최신입니다. 기존 파일을 유지할 것을 권장합니다.%n%n기존 파일을 유지하시겠습니까?", - "ErrorChangingAttr": "기존 파일의 특성을 변경하는 중 오류 발생:", - "ErrorCreatingTemp": "대상 디렉터리에 파일을 만드는 중 오류 발생:", - "ErrorReadingSource": "원본 파일을 읽는 중 오류 발생:", - "ErrorCopying": "파일을 복사하는 중 오류 발생:", - "ErrorReplacingExistingFile": "기존 파일을 바꾸는 중 오류 발생:", - "ErrorRestartReplace": "RestartReplace 실패:", - "ErrorRenamingTemp": "대상 디렉터리에 있는 파일 이름을 바꾸는 중 오류 발생:", - "ErrorRegisterServer": "DLL/OCX를 등록할 수 없음: %1", - "ErrorRegSvr32Failed": "종료 코드 %1과(와) 함께 RegSvr32 실패", - "ErrorRegisterTypeLib": "형식 라이브러리를 등록할 수 없음: %1", - "ErrorOpeningReadme": "README 파일을 여는 중에 오류가 발생했습니다.", - "ErrorRestartingComputer": "설치 프로그램에서 컴퓨터를 다시 시작할 수 없습니다. 수동으로 진행하세요.", - "UninstallNotFound": "파일 \"%1\"이(가) 없습니다. 제거할 수 없습니다.", - "UninstallOpenError": "파일 \"%1\"을(를) 열 수 없습니다. 제거할 수 없습니다.", - "UninstallUnsupportedVer": "제거 로그 파일 \"%1\"이(가) 이 버전의 제거 프로그램에서 인식하지 못하는 형식입니다. 제거할 수 없습니다.", - "UninstallUnknownEntry": "제거 로그에서 알 수 없는 항목(%1)이 발견되었습니다.", - "ConfirmUninstall": "%1을(를) 완전히 제거하시겠습니까? 확장 및 설정은 제거되지 않습니다.", - "UninstallOnlyOnWin64": "이 설치는 64비트 Windows에서만 제거할 수 있습니다.", - "OnlyAdminCanUninstall": "이 설치는 관리자 권한이 있는 사용자만 제거할 수 있습니다.", - "UninstallStatusLabel": "컴퓨터에서 %1을(를) 제거하는 동안 기다려 주세요.", - "UninstalledAll": "컴퓨터에서 %1을(를) 제거했습니다.", - "UninstalledMost": "%1 제거가 완료되었습니다.%n%n일부 요소는 제거할 수 없습니다. 이러한 항목은 수동으로 제거할 수 있습니다.", - "UninstalledAndNeedsRestart": "%1 제거를 완료하려면 컴퓨터를 다시 시작해야 합니다.%n%n지금 다시 시작하시겠습니까?", - "UninstallDataCorrupted": "\"%1\" 파일이 손상되었습니다. 제거할 수 없습니다.", - "ConfirmDeleteSharedFileTitle": "공유 파일을 제거하시겠습니까?", - "ConfirmDeleteSharedFile2": "시스템에서는 이제 다음 공유 파일을 사용하는 프로그램이 없는 것으로 표시됩니다. 제거 작업을 통해 이 공유 파일을 제거하시겠습니까?%n%n아직 이 파일을 사용하는 프로그램이 있는데 이 파일을 제거하면 해당 프로그램이 올바르게 작동하지 않을 수 있습니다. 잘 모르는 경우 [아니요]를 선택하세요. 시스템에 파일을 그대로 두어도 아무런 문제가 발생하지 않습니다.", - "SharedFileNameLabel": "파일 이름:", - "SharedFileLocationLabel": "위치:", - "WizardUninstalling": "제거 상태", - "StatusUninstalling": "%1을(를) 제거하는 중...", - "ShutdownBlockReasonInstallingApp": "%1을(를) 설치하는 중입니다.", - "ShutdownBlockReasonUninstallingApp": "%1을(를) 제거하는 중입니다.", - "NameAndVersion": "%1 버전 %2", - "AdditionalIcons": "추가 아이콘:", - "CreateDesktopIcon": "바탕 화면 아이콘 만들기(&D)", - "CreateQuickLaunchIcon": "빠른 실행 아이콘 만들기(&Q)", - "ProgramOnTheWeb": "%1 웹 정보", - "UninstallProgram": "%1 제거", - "LaunchProgram": "%1 시작", - "AssocFileExtension": "%1을(를) %2 파일 확장명과 연결(&A)", - "AssocingFileExtension": "%1을(를) %2 파일 확장명과 연결 중...", - "AutoStartProgramGroupDescription": "시작:", - "AutoStartProgram": "%1 자동 시작", - "AddonHostProgramNotFound": "선택한 폴더에서 %1을(를) 찾을 수 없습니다.%n%n그래도 계속하시겠습니까?" - }, "vs/base/common/errorMessage": { "stackTrace.format": "{0}: {1}", "nodeExceptionMessage": "시스템 오류가 발생했습니다({0}).", @@ -2044,6 +1793,257 @@ "morecCommands": "기타 명령", "canNotRun": "명령 '{0}'에서 오류({1})가 발생했습니다." }, + "readme.md": { + "LanguagePackTitle": "언어 팩은 VS Code의 지역화된 UI 환경을 제공합니다.", + "Usage": "사용법", + "displayLanguage": "\"표시 언어 구성\" 명령을 사용하여 VS Code 표시 언어를 명시적으로 설정함으로써 기본 UI 언어를 재정의할 수 있습니다.", + "Command Palette": "\"Ctrl+Shift+P\"를 눌러 \"명령 팔레트\"를 표시한 후 \"표시\"를 입력하기 시작하여 \"표시 언어 구성\" 명령을 필터링 및 표시합니다.", + "ShowLocale": "\"Enter\" 키를 누르면 현재 로캘이 강조 표시된 상태로 로캘별로 설치된 언어의 목록이 표시됩니다.", + "SwtichUI": "UI 언어를 전환하려면 다른 \"로캘\"을 선택합니다.", + "DocLink": "자세한 내용은 \"Docs\"를 참조하세요.", + "Contributing": "기여 중", + "Feedback": "번역 개선 사항에 대한 피드백이 있는 경우 \"vscode-loc\" 리포지토리에서 이슈를 만드세요.", + "LocPlatform": "번역 문자열은 Microsoft 지역화 플랫폼에서 유지 관리됩니다. Microsoft 지역화 플랫폼에서만 내용을 변경할 수 있으며, 변경한 후 vscode-loc 리포지토리로 내보낼 수 있습니다. 따라서 vscode-loc 리포지토리에서 끌어오기 요청은 허용되지 않습니다.", + "LicenseTitle": "라이선스", + "LicenseMessage": "소스 코드 및 문자열은 \"MIT\" 라이선스에 따라 라이선스가 허여됩니다.", + "Credits": "크레딧", + "Contributed": "이 언어 팩은 \"커뮤니티에 의한, 커뮤니티를 위한\" 커뮤니티 지역화 노력을 통해 기여받은 것입니다. 도움을 주신 커뮤니티 기여자분들께 진심으로 감사드립니다.", + "TopContributors": "우수 기여자:", + "Contributors": "기여자:", + "EnjoyLanguagePack": "유용하게 사용하세요!" + }, + "win32/i18n/Default": { + "SetupAppTitle": "설치", + "SetupWindowTitle": "설치 - %1", + "UninstallAppTitle": "제거", + "UninstallAppFullTitle": "%1 제거", + "InformationTitle": "정보", + "ConfirmTitle": "확인", + "ErrorTitle": "오류", + "SetupLdrStartupMessage": "그러면 %1이(가) 설치됩니다. 계속하시겠습니까?", + "LdrCannotCreateTemp": "임시 파일을 만들 수 없습니다. 설치 프로그램이 중단되었습니다.", + "LdrCannotExecTemp": "임시 디렉터리에서 파일을 실행할 수 없습니다. 설치 프로그램이 중단되었습니다.", + "LastErrorMessage": "%1.%n%n오류 %2: %3", + "SetupFileMissing": "파일 %1이(가) 설치 디렉터리에서 누락되었습니다. 문제를 해결하거나 프로그램을 새로 받으세요.", + "SetupFileCorrupt": "설치 파일이 손상되었습니다. 프로그램을 새로 받으세요.", + "SetupFileCorruptOrWrongVer": "설치 파일이 손상되었거나 이 버전의 설치 프로그램과 호환되지 않습니다. 문제를 해결하거나 프로그램을 새로 받으세요.", + "InvalidParameter": "명령줄에 잘못된 매개 변수가 전달됨:%n%n%1", + "SetupAlreadyRunning": "설치 프로그램이 이미 실행 중입니다.", + "WindowsVersionNotSupported": "이 프로그램은 컴퓨터에서 실행 중인 버전의 Windows를 지원하지 않습니다.", + "WindowsServicePackRequired": "이 프로그램을 설치하려면 %1 서비스 팩 %2 이상이 필요합니다.", + "NotOnThisPlatform": "이 프로그램은 %1에서 실행되지 않습니다.", + "OnlyOnThisPlatform": "이 프로그램은 %1에서 실행해야 합니다.", + "OnlyOnTheseArchitectures": "이 프로그램은 프로세서 아키텍처 %n%n%1용으로 설계된 Windows 버전에서만 설치할 수 있습니다.", + "MissingWOW64APIs": "실행 중인 Windows 버전에는 설치 프로그램에서 64비트를 설치하는 데 필요한 기능이 없습니다. 이 문제를 해결하려면 서비스 팩 %1을(를) 설치하세요.", + "WinVersionTooLowError": "이 프로그램을 설치하려면 %1 버전 %2 이상이 필요합니다.", + "WinVersionTooHighError": "이 프로그램은 %1 버전 %2 이상에서는 설치할 수 없습니다.", + "AdminPrivilegesRequired": "이 프로그램을 설치할 때는 관리자로 로그인해야 합니다.", + "PowerUserPrivilegesRequired": "이 프로그램을 설치할 때는 관리자나 고급 사용자 그룹의 구성원으로 로그인해야 합니다.", + "SetupAppRunningError": "설치 프로그램에서 %1이(가) 현재 실행 중임을 감지했습니다.%n%n이 항목의 모든 인스턴스를 지금 닫고 계속하려면 [확인]을, 종료하려면 [취소]를 클릭하세요.", + "UninstallAppRunningError": "제거 작업에서 %1이(가) 현재 실행 중임을 감지했습니다.%n%n이 항목의 모든 인스턴스를 지금 닫고 계속하려면 [확인]을, 종료하려면 [취소]를 클릭하세요.", + "ErrorCreatingDir": "설치 프로그램에서 디렉터리 \"%1\"을(를) 만들 수 없습니다.", + "ErrorTooManyFilesInDir": "디렉터리 \"%1\"에 파일이 너무 많으므로 이 디렉터리에 파일을 만들 수 없습니다.", + "ExitSetupTitle": "설치 종료", + "ExitSetupMessage": "설치가 완료되지 않았습니다. 지금 종료하면 프로그램이 설치되지 않습니다.%n%n나중에 설치 프로그램을 다시 실행하여 설치를 끝낼 수 있습니다.%n%n설치 프로그램을 종료하시겠습니까?", + "AboutSetupMenuItem": "설치 프로그램 정보(&A)...", + "AboutSetupTitle": "설치 프로그램 정보", + "AboutSetupMessage": "%1 버전 %2%n%3%n%n%1 홈페이지:%n%4", + "ButtonBack": "< 뒤로(&B)", + "ButtonNext": "다음(&N) >", + "ButtonInstall": "설치(&I)", + "ButtonOK": "확인", + "ButtonCancel": "취소", + "ButtonYes": "예(&Y)", + "ButtonYesToAll": "모두 예(&A)", + "ButtonNo": "아니요(&N)", + "ButtonNoToAll": "모두 아니요(&O)", + "ButtonFinish": "마침(&F)", + "ButtonBrowse": "찾아보기(&B)...", + "ButtonWizardBrowse": "찾아보기(&R)...", + "ButtonNewFolder": "새 폴더 만들기(&M)", + "SelectLanguageTitle": "설치 언어 선택", + "SelectLanguageLabel": "설치 중에 사용할 언어를 선택하세요:", + "ClickNext": "계속하려면 [다음]을 클릭하고 설치 프로그램을 종료하려면 [취소]를 클릭하세요.", + "BrowseDialogTitle": "폴더 찾아보기", + "BrowseDialogLabel": "아래 목록에서 폴더를 선택한 다음 [확인]을 클릭하세요.", + "NewFolderName": "새 폴더", + "WelcomeLabel1": "[name] 설치 마법사 시작", + "WelcomeLabel2": "이 마법사는 컴퓨터에 [name/ver]을(를) 설치합니다.%n%n계속하기 전에 다른 모든 애플리케이션을 닫는 것이 좋습니다.", + "WizardPassword": "암호", + "PasswordLabel1": "이 설치는 암호로 보호되고 있습니다.", + "PasswordLabel3": "계속하려면 암호를 입력한 다음 [다음]을 클릭하세요. 암호는 대소문자를 구분합니다.", + "PasswordEditLabel": "암호(&P):", + "IncorrectPassword": "입력한 암호가 잘못되었습니다. 다시 시도하세요.", + "WizardLicense": "사용권 계약", + "LicenseLabel": "계속 진행하기 전에 다음 중요한 정보를 읽으세요.", + "LicenseLabel3": "다음 사용권 계약을 읽어 주세요. 설치를 계속하려면 먼저 이 계약 조건에 동의해야 합니다.", + "LicenseAccepted": "계약에 동의함(&A)", + "LicenseNotAccepted": "계약에 동의 안 함(&D)", + "WizardInfoBefore": "정보", + "InfoBeforeLabel": "계속 진행하기 전에 다음 중요한 정보를 읽으세요.", + "InfoBeforeClickLabel": "설치를 계속할 준비가 되면 [다음]을 클릭하세요.", + "WizardInfoAfter": "정보", + "InfoAfterLabel": "계속 진행하기 전에 다음 중요한 정보를 읽으세요.", + "InfoAfterClickLabel": "설치를 계속할 준비가 되면 [다음]을 클릭하세요.", + "WizardUserInfo": "사용자 정보", + "UserInfoDesc": "정보를 입력하세요.", + "UserInfoName": "사용자 이름(&U):", + "UserInfoOrg": "조직(&O):", + "UserInfoSerial": "일련 번호(&S):", + "UserInfoNameRequired": "이름을 입력해야 합니다.", + "WizardSelectDir": "대상 위치 선택", + "SelectDirDesc": "[name]을(를) 어디에 설치하시겠습니까?", + "SelectDirLabel3": "설치 프로그램에서 [name]을(를) 다음 폴더에 설치합니다.", + "SelectDirBrowseLabel": "계속하려면 [다음]을 클릭하세요. 다른 폴더를 선택하려면 [찾아보기]를 클릭하세요.", + "DiskSpaceMBLabel": "적어도 [mb]MB의 여유 디스크 공간이 필요합니다.", + "CannotInstallToNetworkDrive": "설치 프로그램은 네트워크 드라이브에 설치할 수 없습니다.", + "CannotInstallToUNCPath": "설치 프로그램은 UNC 경로에 설치할 수 없습니다.", + "InvalidPath": "드라이브 문자와 함께 전체 경로를 입력해야 합니다. 예:%n%nC:\\APP%n%n또는 다음 형태의 UNC 경로:%n%n\\\\server\\share", + "InvalidDrive": "선택한 드라이브나 UNC 공유가 없거나 이 두 항목에 액세스할 수 없습니다. 다른 드라이브나 UNC 공유를 선택하세요.", + "DiskSpaceWarningTitle": "디스크 공간 부족", + "DiskSpaceWarning": "설치 프로그램을 설치하려면 여유 설치 공간이 적어도 %1KB가 필요하지만 선택한 드라이브의 가용 공간은 %2KB밖에 없습니다.%n%n그래도 계속하시겠습니까?", + "DirNameTooLong": "폴더 이름 또는 경로가 너무 깁니다.", + "InvalidDirName": "폴더 이름이 잘못되었습니다.", + "BadDirName32": "폴더 이름에는 %n%n%1 문자를 사용할 수 없습니다.", + "DirExistsTitle": "폴더 있음", + "DirExists": "폴더 %n%n%1%n%n이(가) 이미 있습니다. 그래도 해당 폴더에 설치하시겠습니까?", + "DirDoesntExistTitle": "폴더 없음", + "DirDoesntExist": "폴더 %n%n%1%n%n이(가) 없습니다. 폴더를 만드시겠습니까?", + "WizardSelectComponents": "구성 요소 선택", + "SelectComponentsDesc": "어떤 구성 요소를 설치하시겠습니까?", + "SelectComponentsLabel2": "설치할 구성 요소는 선택하고 설치하지 않을 구성 요소는 지우세요. 계속 진행할 준비가 되면 [다음]을 클릭하세요.", + "FullInstallation": "전체 설치", + "CompactInstallation": "Compact 설치", + "CustomInstallation": "사용자 지정 설치", + "NoUninstallWarningTitle": "구성 요소가 있음", + "NoUninstallWarning": "설치 프로그램에서 구성 요소 %n%n%1%n%n이(가) 컴퓨터에 이미 설치되어 있음을 감지했습니다. 이러한 구성 요소는 선택 취소해도 제거되지 않습니다.%n%n그래도 계속하시겠습니까?", + "ComponentSize1": "%1KB", + "ComponentSize2": "%1MB", + "ComponentsDiskSpaceMBLabel": "현재 선택을 위해서는 적어도 [mb]MB의 디스크 공간이 필요합니다.", + "WizardSelectTasks": "추가 작업 선택", + "SelectTasksDesc": "어떤 작업을 추가로 수행하시겠습니까?", + "SelectTasksLabel2": "설치 프로그램에서 [name]을(를) 설치하는 동안 수행할 추가 작업을 선택한 후 [다음]을 클릭하세요.", + "WizardSelectProgramGroup": "시작 메뉴 폴더 선택", + "SelectStartMenuFolderDesc": "설치 프로그램에서 프로그램의 바로 가기를 어디에 만들도록 하시겠습니까?", + "SelectStartMenuFolderLabel3": "설치 프로그램에서 프로그램의 바로 가기를 다음 시작 메뉴 폴더에 만듭니다.", + "SelectStartMenuFolderBrowseLabel": "계속하려면 [다음]을 클릭하세요. 다른 폴더를 선택하려면 [찾아보기]를 클릭하세요.", + "MustEnterGroupName": "폴더 이름을 입력해야 합니다.", + "GroupNameTooLong": "폴더 이름 또는 경로가 너무 깁니다.", + "InvalidGroupName": "폴더 이름이 잘못되었습니다.", + "BadGroupName": "폴더 이름에는 %n%n%1 문자를 사용할 수 없습니다.", + "NoProgramGroupCheck2": "시작 메뉴 폴더를 만들지 않음(&D)", + "WizardReady": "설치 준비됨", + "ReadyLabel1": "이제 설치 프로그램이 컴퓨터에 [name] 설치를 시작할 준비가 되었습니다.", + "ReadyLabel2a": "설치를 계속하려면 [설치]를 클릭하고, 설정을 검토하거나 변경하려면 [뒤로]를 클릭하세요.", + "ReadyLabel2b": "설치를 계속하려면 [설치]를 클릭하세요.", + "ReadyMemoUserInfo": "사용자 정보:", + "ReadyMemoDir": "대상 위치:", + "ReadyMemoType": "설치 유형:", + "ReadyMemoComponents": "선택한 구성 요소:", + "ReadyMemoGroup": "시작 메뉴 폴더:", + "ReadyMemoTasks": "추가 작업:", + "WizardPreparing": "설치 준비 중", + "PreparingDesc": "설치 프로그램에서 컴퓨터에 [name] 설치를 준비하고 있습니다.", + "PreviousInstallNotCompleted": "이전 프로그램의 설치/제거 작업이 완료되지 않았습니다. 해당 설치를 완료하려면 컴퓨터를 다시 시작해야 합니다.%n%n컴퓨터를 다시 시작한 후 [name] 설치를 완료하려면 설치 프로그램을 다시 실행하세요.", + "CannotContinue": "설치 프로그램을 계속할 수 없습니다. 종료하려면 [취소]를 클릭하세요.", + "ApplicationsFound": "설치 프로그램에서 업데이트해야 하는 파일이 다음 애플리케이션에 사용되고 있습니다. 설치 프로그램에서 이러한 애플리케이션을 자동으로 닫도록 허용하는 것이 좋습니다.", + "ApplicationsFound2": "설치 프로그램에서 업데이트해야 하는 파일이 다음 애플리케이션에 사용되고 있습니다. 설치 프로그램에서 이러한 애플리케이션을 자동으로 닫도록 허용하는 것이 좋습니다. 설치가 완료되면 설치 프로그램에서 애플리케이션을 다시 시작하려고 시도합니다.", + "CloseApplications": "애플리케이션 자동 닫기(&A)", + "DontCloseApplications": "애플리케이션을 닫지 않음(&D)", + "ErrorCloseApplications": "설치 프로그램에서 일부 애플리케이션을 자동으로 닫을 수 없습니다. 계속하기 전에 설치 프로그램에서 업데이트해야 하는 파일을 사용하는 애플리케이션을 모두 닫는 것이 좋습니다.", + "WizardInstalling": "설치 중", + "InstallingLabel": "설치 프로그램에서 컴퓨터에 [name]을(를) 설치하는 동안 기다려 주세요.", + "FinishedHeadingLabel": "[name] 설정 마법사를 완료하는 중", + "FinishedLabelNoIcons": "설치 프로그램에서 컴퓨터에 [name]을(를) 설치했습니다.", + "FinishedLabel": "설치 프로그램에서 컴퓨터에 [name]을(를) 설치했습니다. 설치한 아이콘을 선택하여 해당 애플리케이션을 시작할 수 있습니다.", + "ClickFinish": "설치를 끝내려면 [\\[]마침[\\]]을 클릭하십시오.", + "FinishedRestartLabel": "[name] 설치를 완료하려면 설치 프로그램에서 컴퓨터를 다시 시작해야 합니다. 지금 다시 시작하시겠습니까?", + "FinishedRestartMessage": "[name] 설치를 완료하려면 설치 프로그램에서 컴퓨터를 다시 시작해야 합니다.%n%n지금 다시 시작하시겠습니까?", + "ShowReadmeCheck": "예, README 파일을 보겠습니다.", + "YesRadio": "예, 컴퓨터를 지금 다시 시작하겠습니다(&Y).", + "NoRadio": "아니요, 컴퓨터를 나중에 다시 시작하겠습니다(&N).", + "RunEntryExec": "%1 실행", + "RunEntryShellExec": "%1 보기", + "ChangeDiskTitle": "설치 프로그램에서 다음 디스크가 필요함", + "SelectDiskLabel2": "디스크 %1을(를) 삽입한 다음 [확인]을 클릭하세요.%n%n이 디스크의 파일이 아래 표시된 폴더가 아닌 다른 폴더에 있으면 올바른 경로를 입력하거나 [찾아보기]를 클릭하세요.", + "PathLabel": "경로(&P):", + "FileNotInDir2": "%2\"에서 파일 \"%1\"을(를) 찾을 수 없습니다. 올바른 디스크를 삽입하거나 다른 폴더를 선택하세요.", + "SelectDirectoryLabel": "다음 디스크의 위치를 지정하세요.", + "SetupAborted": "설치를 완료하지 못했습니다.%n%n문제를 해결한 다음 설치 프로그램을 다시 실행하세요.", + "EntryAbortRetryIgnore": "다시 시도하려면 [다시 시도]를, 그래도 계속하려면 [무시]를, 설치를 취소하려면 [중단]을 클릭하세요.", + "StatusClosingApplications": "애플리케이션을 닫는 중...", + "StatusCreateDirs": "디렉터리를 만드는 중...", + "StatusExtractFiles": "파일을 추출하는 중...", + "StatusCreateIcons": "바로 가기를 만드는 중...", + "StatusCreateIniEntries": "INI 항목을 만드는 중...", + "StatusCreateRegistryEntries": "레지스트리 항목을 만드는 중...", + "StatusRegisterFiles": "파일을 등록하는 중...", + "StatusSavingUninstall": "제거 정보를 저장하는 중...", + "StatusRunProgram": "설치를 완료하는 중...", + "StatusRestartingApplications": "애플리케이션을 다시 시작하는 중...", + "StatusRollback": "변경 사항을 롤백하는 중...", + "ErrorInternal2": "내부 오류: %1", + "ErrorFunctionFailedNoCode": "%1 실패", + "ErrorFunctionFailed": "%1 실패, 코드 %2", + "ErrorFunctionFailedWithMessage": "%1 실패, 코드 %2.%n%3", + "ErrorExecutingProgram": "파일을 실행할 수 없음:%n%1", + "ErrorRegOpenKey": "레지스트리 키를 여는 중 오류 발생:%n%1\\%2", + "ErrorRegCreateKey": "레지스트리 키를 만드는 중 오류 발생:%n%1\\%2", + "ErrorRegWriteKey": "레지스트리 키에 기록하는 중 오류 발생:%n%1\\%2", + "ErrorIniEntry": "파일 \"%1\"에 INI 항목을 만드는 중에 오류가 발생했습니다.", + "FileAbortRetryIgnore": "다시 시도하려면 [다시 시도]를, 이 파일을 건너뛰려면 [무시](권장되지 않음)를, 설치를 취소하려면 [중단]을 클릭하세요.", + "FileAbortRetryIgnore2": "다시 시도하려면 [다시 시도]를, 그래도 계속하려면 [무시](권장되지 않음)를, 설치를 취소하려면 [중단]을 클릭하세요.", + "SourceIsCorrupted": "원본 파일이 손상되었습니다.", + "SourceDoesntExist": "원본 파일 \"%1\"이(가) 없습니다.", + "ExistingFileReadOnly": "기존 파일이 읽기 전용으로 표시되어 있습니다.%n%n읽기 전용 특성을 제거하고 다시 시도하려면 [다시 시도]를, 이 파일을 건너뛰려면 [무시]를, 설치를 취소하려면 [중단]을 클릭하세요.", + "ErrorReadingExistingDest": "기존 파일을 읽는 중 오류 발생:", + "FileExists": "해당 파일이 이미 있습니다.%n%n설치 프로그램에서 이 파일을 덮어쓰도록 하시겠습니까?", + "ExistingFileNewer": "기존 파일이 설치 프로그램에서 설치하려는 파일보다 최신입니다. 기존 파일을 유지할 것을 권장합니다.%n%n기존 파일을 유지하시겠습니까?", + "ErrorChangingAttr": "기존 파일의 특성을 변경하는 중 오류 발생:", + "ErrorCreatingTemp": "대상 디렉터리에 파일을 만드는 중 오류 발생:", + "ErrorReadingSource": "원본 파일을 읽는 중 오류 발생:", + "ErrorCopying": "파일을 복사하는 중 오류 발생:", + "ErrorReplacingExistingFile": "기존 파일을 바꾸는 중 오류 발생:", + "ErrorRestartReplace": "RestartReplace 실패:", + "ErrorRenamingTemp": "대상 디렉터리에 있는 파일 이름을 바꾸는 중 오류 발생:", + "ErrorRegisterServer": "DLL/OCX를 등록할 수 없음: %1", + "ErrorRegSvr32Failed": "종료 코드 %1과(와) 함께 RegSvr32 실패", + "ErrorRegisterTypeLib": "형식 라이브러리를 등록할 수 없음: %1", + "ErrorOpeningReadme": "README 파일을 여는 중에 오류가 발생했습니다.", + "ErrorRestartingComputer": "설치 프로그램에서 컴퓨터를 다시 시작할 수 없습니다. 수동으로 진행하세요.", + "UninstallNotFound": "파일 \"%1\"이(가) 없습니다. 제거할 수 없습니다.", + "UninstallOpenError": "파일 \"%1\"을(를) 열 수 없습니다. 제거할 수 없습니다.", + "UninstallUnsupportedVer": "제거 로그 파일 \"%1\"이(가) 이 버전의 제거 프로그램에서 인식하지 못하는 형식입니다. 제거할 수 없습니다.", + "UninstallUnknownEntry": "제거 로그에서 알 수 없는 항목(%1)이 발견되었습니다.", + "ConfirmUninstall": "%1을(를) 완전히 제거하시겠습니까? 확장 및 설정은 제거되지 않습니다.", + "UninstallOnlyOnWin64": "이 설치는 64비트 Windows에서만 제거할 수 있습니다.", + "OnlyAdminCanUninstall": "이 설치는 관리자 권한이 있는 사용자만 제거할 수 있습니다.", + "UninstallStatusLabel": "컴퓨터에서 %1을(를) 제거하는 동안 기다려 주세요.", + "UninstalledAll": "컴퓨터에서 %1을(를) 제거했습니다.", + "UninstalledMost": "%1 제거가 완료되었습니다.%n%n일부 요소는 제거할 수 없습니다. 이러한 항목은 수동으로 제거할 수 있습니다.", + "UninstalledAndNeedsRestart": "%1 제거를 완료하려면 컴퓨터를 다시 시작해야 합니다.%n%n지금 다시 시작하시겠습니까?", + "UninstallDataCorrupted": "\"%1\" 파일이 손상되었습니다. 제거할 수 없습니다.", + "ConfirmDeleteSharedFileTitle": "공유 파일을 제거하시겠습니까?", + "ConfirmDeleteSharedFile2": "시스템에서는 이제 다음 공유 파일을 사용하는 프로그램이 없는 것으로 표시됩니다. 제거 작업을 통해 이 공유 파일을 제거하시겠습니까?%n%n아직 이 파일을 사용하는 프로그램이 있는데 이 파일을 제거하면 해당 프로그램이 올바르게 작동하지 않을 수 있습니다. 잘 모르는 경우 [아니요]를 선택하세요. 시스템에 파일을 그대로 두어도 아무런 문제가 발생하지 않습니다.", + "SharedFileNameLabel": "파일 이름:", + "SharedFileLocationLabel": "위치:", + "WizardUninstalling": "제거 상태", + "StatusUninstalling": "%1을(를) 제거하는 중...", + "ShutdownBlockReasonInstallingApp": "%1을(를) 설치하는 중입니다.", + "ShutdownBlockReasonUninstallingApp": "%1을(를) 제거하는 중입니다.", + "NameAndVersion": "%1 버전 %2", + "AdditionalIcons": "추가 아이콘:", + "CreateDesktopIcon": "바탕 화면 아이콘 만들기(&D)", + "CreateQuickLaunchIcon": "빠른 실행 아이콘 만들기(&Q)", + "ProgramOnTheWeb": "%1 웹 정보", + "UninstallProgram": "%1 제거", + "LaunchProgram": "%1 시작", + "AssocFileExtension": "%1을(를) %2 파일 확장명과 연결(&A)", + "AssocingFileExtension": "%1을(를) %2 파일 확장명과 연결 중...", + "AutoStartProgramGroupDescription": "시작:", + "AutoStartProgram": "%1 자동 시작", + "AddonHostProgramNotFound": "선택한 폴더에서 %1을(를) 찾을 수 없습니다.%n%n그래도 계속하시겠습니까?" + }, "vscode/vscode/": { "FinishedLabel": "설치 프로그램에서 컴퓨터에 [name]을(를) 설치했습니다. 설치한 바로 가기를 선택하여 해당 애플리케이션을 시작할 수 있습니다.", "ConfirmUninstall": "%1 및 해당 구성 요소를 모두 제거하시겠습니까?", @@ -9260,924 +9260,92 @@ "vs/workbench/services/workspaces/browser/workspaceTrustEditorInput": { "workspaceTrustEditorInputName": "작업 영역 신뢰" }, - "sql/platform/clipboard/browser/clipboardService": { - "imageCopyingNotSupported": "이미지 복사가 지원되지 않습니다." - }, - "sql/workbench/update/electron-browser/releaseNotes": { - "gettingStarted": "시작", - "showReleaseNotes": "시작 표시", - "miGettingStarted": "시작(&S)" - }, - "sql/workbench/contrib/queryHistory/electron-browser/queryHistory": { - "queryHistoryConfigurationTitle": "QueryHistory", - "queryHistoryCaptureEnabled": "쿼리 기록 캡처가 사용하도록 설정되어 있는지 여부입니다. false이면 실행된 쿼리가 캡처되지 않습니다.", - "viewCategory": "보기", - "miViewQueryHistory": "쿼리 기록(&Q)", - "queryHistory": "쿼리 기록" - }, - "sql/workbench/contrib/commandLine/electron-browser/commandLine": { - "connectingLabel": "{0}에 연결하는 중", - "runningCommandLabel": "명령 {0} 실행 중", - "openingNewQueryLabel": "새 쿼리 {0}을(를) 여는 중", - "warnServerRequired": "서버 정보가 제공되지 않았으므로 연결할 수 없습니다.", - "errConnectUrl": "{0} 오류로 인해 URL을 열 수 없습니다.", - "connectServerDetail": "이렇게 하면 서버 {0}에 연결됩니다.", - "confirmConnect": "연결하시겠습니까?", - "open": "열기(&O)", - "connectingQueryLabel": "쿼리 파일 연결 중" - }, - "sql/workbench/services/tasks/common/tasksService": { - "InProgressWarning": "1개 이상의 작업이 진행 중입니다. 그래도 작업을 종료하시겠습니까?", - "taskService.yes": "예", - "taskService.no": "아니요" - }, - "sql/workbench/contrib/welcome/gettingStarted/browser/abstractEnablePreviewFeatures": { - "enablePreviewFeatures.notice": "미리 보기 기능을 사용하면 새로운 기능 및 개선 사항에 대한 모든 권한을 제공함으로써 Azure Data Studio에서 환경이 개선됩니다. [여기]({0})에서 미리 보기 기능에 관해 자세히 알아볼 수 있습니다. 미리 보기 기능을 사용하시겠습니까?", - "enablePreviewFeatures.yes": "예(추천)", - "enablePreviewFeatures.no": "아니요", - "enablePreviewFeatures.never": "아니요, 다시 표시 안 함" - }, - "sql/workbench/contrib/queryHistory/browser/queryHistoryActions": { - "toggleQueryHistory": "쿼리 기록 전환", - "queryHistory.delete": "삭제", - "queryHistory.clearLabel": "모든 기록 지우기", - "queryHistory.openQuery": "쿼리 열기", - "queryHistory.runQuery": "쿼리 실행", - "queryHistory.toggleCaptureLabel": "쿼리 기록 캡처 전환", - "queryHistory.disableCapture": "쿼리 기록 캡처 일시 중지", - "queryHistory.enableCapture": "쿼리 기록 캡처 시작" - }, - "sql/workbench/contrib/queryHistory/browser/queryHistoryView": { - "noQueriesMessage": "표시할 쿼리가 없습니다.", - "queryHistory.regTreeAriaLabel": "쿼리 기록" - }, - "sql/workbench/services/errorMessage/browser/errorMessageService": { - "error": "오류", - "warning": "경고", - "info": "정보", - "ignore": "무시" - }, - "sql/platform/serialization/common/serializationService": { - "saveAsNotSupported": "이 데이터 공급자에 대해 사용하지 않도록 설정한 다른 형식으로 결과를 저장하고 있습니다.", - "noSerializationProvider": "공급자가 등록되지 않은 경우 데이터를 직렬화할 수 없습니다.", - "unknownSerializationError": "알 수 없는 오류로 인해 serialization에 실패했습니다." - }, - "sql/workbench/services/admin/common/adminService": { - "adminService.providerIdNotValidError": "adminservice와 상호 작용하려면 연결이 필요합니다.", - "adminService.noHandlerRegistered": "등록된 처리기 없음" - }, - "sql/workbench/services/fileBrowser/browser/fileBrowserDialogController": { - "filebrowser.selectFile": "파일 선택" - }, - "sql/workbench/services/assessment/common/assessmentService": { - "asmt.providerIdNotValidError": "평가 서비스와 상호 작용하려면 연결이 필요합니다.", - "asmt.noHandlerRegistered": "등록된 처리기 없음" - }, - "sql/workbench/contrib/query/common/resultsGrid.contribution": { - "resultsGridConfigurationTitle": "결과 표 및 메시지", - "fontFamily": "글꼴 패밀리를 제어합니다.", - "fontWeight": "글꼴 두께를 제어합니다.", - "fontSize": "글꼴 크기(픽셀)를 제어합니다.", - "letterSpacing": "문자 간격(픽셀)을 제어합니다.", - "rowHeight": "행 높이(픽셀)를 제어합니다.", - "cellPadding": "셀 안쪽 여백(픽셀)을 제어합니다.", - "autoSizeColumns": "초기 결과의 열 너비를 자동으로 조정합니다. 열 개수가 많거나 셀이 크면 성능 문제가 발생할 수 있습니다.", - "maxColumnWidth": "자동으로 크기가 조정되는 열의 최대 너비(픽셀)" - }, - "sql/workbench/contrib/dataExplorer/browser/dataExplorer.contribution": { - "dataExplorer.view": "보기", - "databaseConnections": "데이터베이스 연결", - "datasource.connections": "데이터 원본 연결", - "datasource.connectionGroups": "데이터 원본 그룹", - "startupConfig": "시작 구성", - "startup.alwaysShowServersView": "Azure Data Studio 시작 시 서버 보기를 표시하려면 True(기본값), 마지막으로 열었던 보기를 표시하려면 False" - }, - "sql/workbench/contrib/dataExplorer/browser/nodeActions.common.contribution": { - "disconnect": "연결 끊기", - "refresh": "새로 고침" - }, - "sql/workbench/browser/actions.contribution": { - "previewFeatures.configTitle": "미리 보기 기능", - "previewFeatures.configEnable": "해제되지 않은 미리 보기 기능 사용", - "showConnectDialogOnStartup": "시작 시 연결 대화 상자 표시", - "enableObsoleteApiUsageNotificationTitle": "사용되지 않는 API 알림", - "enableObsoleteApiUsageNotification": "사용되지 않는 API 사용 알림 사용/사용 안 함" - }, - "sql/workbench/contrib/accounts/browser/accounts.contribution": { - "status.problems": "문제" - }, - "sql/workbench/contrib/tasks/browser/tasks.contribution": { - "inProgressTasksChangesBadge": "진행 중인 작업 {0}개", - "viewCategory": "보기", - "tasks": "작업", - "miViewTasks": "작업(&T)" - }, - "sql/workbench/contrib/connection/browser/connection.contribution": { - "sql.maxRecentConnectionsDescription": "연결 목록에 저장할 최근에 사용한 최대 연결 수입니다.", - "sql.defaultEngineDescription": "사용할 기본 SQL 엔진입니다. 해당 엔진은 .sql 파일의 기본 언어 공급자와 새 연결을 만들 때 사용할 기본 공급자를 구동합니다.", - "connection.parseClipboardForConnectionStringDescription": "연결 대화 상자가 열리거나 붙여넣기가 수행되면 클립보드의 내용을 구문 분석하려고 합니다." - }, - "sql/workbench/contrib/objectExplorer/common/serverGroup.contribution": { - "serverGroup.colors": "개체 탐색기 뷰렛에서 사용되는 서버 그룹 색상표입니다.", - "serverGroup.autoExpand": "개체 탐색기 뷰렛에서 서버 그룹을 자동으로 확장합니다.", - "serverTree.useAsyncServerTree": "(미리 보기) 동적 노드 필터링과 같은 새로운 기능 지원을 사용하여 서버 보기 및 연결 대화 상자에 새 비동기 서버 트리를 사용합니다." - }, - "sql/workbench/contrib/accounts/browser/accountManagement.contribution": { - "carbon.extension.contributes.account.id": "계정 유형 식별자", - "carbon.extension.contributes.account.icon": "(옵션) UI에서 명령을 나타내는 데 사용되는 아이콘입니다. 파일 경로 또는 테마 지정 가능 구성입니다.", - "carbon.extension.contributes.account.icon.light": "밝은 테마를 사용하는 경우의 아이콘 경로", - "carbon.extension.contributes.account.icon.dark": "어두운 테마를 사용하는 경우의 아이콘 경로", - "carbon.extension.contributes.account": "계정 공급자에게 아이콘을 제공합니다." - }, - "sql/workbench/contrib/editData/browser/editData.contribution": { - "showEditDataSqlPaneOnStartup": "시작 시 데이터 SQL 편집 창 표시" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/barChart.contribution": { - "yAxisMin": "Y축 최솟값", - "yAxisMax": "Y축 최댓값", - "barchart.yAxisLabel": "Y축 레이블", - "xAxisMin": "X축 최솟값", - "xAxisMax": "X축 최댓값", - "barchart.xAxisLabel": "X축 레이블" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewer.contribution": { - "resourceViewer": "리소스 뷰어" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/lineChart.contribution": { - "dataTypeDescription": "차트 데이터 세트의 데이터 속성을 나타냅니다." - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/countInsight.contribution": { - "countInsightDescription": "결과 세트의 각 열에 대해 행 0의 값을 개수와 열 이름으로 표시합니다. 예를 들어, '1 Healthy', '3 Unhealthy'가 지원됩니다. 여기서 'Healthy'는 열 이름이고 1은 행 1, 셀 1의 값입니다." - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/tableInsight.contribution": { - "tableInsightDescription": "단순 테이블에 결과를 표시합니다." - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/imageInsight.contribution": { - "imageInsightDescription": "이미지(예: ggplot2를 사용하여 R 쿼리에서 반환한 이미지)를 표시합니다.", - "imageFormatDescription": "어떤 형식이 필요한가요? JPEG, PNG 또는 다른 형식인가요?", - "encodingDescription": "16진수, base64 또는 다른 형식으로 인코딩되어 있나요?" - }, - "sql/workbench/contrib/dashboard/browser/dashboard.contribution": { - "manage": "관리", - "dashboard.editor.label": "대시보드" - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardWebviewContainer.contribution": { - "dashboard.container.webview": "이 탭에 표시할 웹 보기입니다." - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardControlHostContainer.contribution": { - "dashboard.container.controlhost": "이 탭에 표시할 controlhost입니다." - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardWidgetContainer.contribution": { - "dashboard.container.widgets": "이 탭에 표시할 위젯 목록입니다.", - "widgetContainer.invalidInputs": "위젯 목록은 확장용 위젯 컨테이너 내에 있어야 합니다." - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardGridContainer.contribution": { - "dashboard.container.gridtab.items": "이 탭에 표시되는 위젯 또는 웹 보기의 목록입니다.", - "gridContainer.invalidInputs": "위젯이나 웹 보기는 확장용 위젯 컨테이너 내부에 있어야 합니다." - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardContainer.contribution": { - "azdata.extension.contributes.dashboard.container.id": "이 컨테이너의 고유 식별자입니다.", - "azdata.extension.contributes.dashboard.container.container": "탭에 표시될 컨테이너입니다.", - "azdata.extension.contributes.containers": "사용자가 대시보드 추가할 단일 또는 다중 대시보드 컨테이너를 적용합니다.", - "dashboardContainer.contribution.noIdError": "확장용으로 지정된 대시보드 컨테이너에 ID가 없습니다.", - "dashboardContainer.contribution.noContainerError": "대시보드 컨테이너에 확장용으로 지정된 컨테이너가 없습니다.", - "dashboardContainer.contribution.moreThanOneDashboardContainersError": "공란 1개에 정확히 1개의 대시보드 컨테이너를 정의해야 합니다.", - "dashboardTab.contribution.unKnownContainerType": "확장용 대시보드 컨테이너에 알 수 없는 컨테이너 형식이 정의되었습니다." - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardNavSection.contribution": { - "dashboard.container.left-nav-bar.id": "이 탐색 영역의 고유 식별자입니다. 모든 요청에서 확장으로 전달됩니다.", - "dashboard.container.left-nav-bar.icon": "(옵션) UI에서 이 탐색 섹션을 나타내는 데 사용되는 아이콘입니다. 파일 경로 또는 테마 지정 가능 구성입니다.", - "dashboard.container.left-nav-bar.icon.light": "밝은 테마를 사용하는 경우의 아이콘 경로", - "dashboard.container.left-nav-bar.icon.dark": "어두운 테마를 사용하는 경우의 아이콘 경로", - "dashboard.container.left-nav-bar.title": "사용자에게 표시할 탐색 섹션의 제목입니다.", - "dashboard.container.left-nav-bar.container": "이 탐색 섹션에 표시할 컨테이너입니다.", - "dashboard.container.left-nav-bar": "이 탐색 섹션에 표시할 대시보드 컨테이너 목록입니다.", - "navSection.missingTitle.error": "탐색 섹션에 확장용으로 지정된 제목이 없습니다.", - "navSection.missingContainer.error": "탐색 섹션에 확장용으로 지정된 컨테이너가 없습니다.", - "navSection.moreThanOneDashboardContainersError": "공란 1개에 정확히 1개의 대시보드 컨테이너를 정의해야 합니다.", - "navSection.invalidContainer.error": "NAV_SECTION 내의 NAV_SECTION은 확장용으로 유효하지 않은 컨테이너입니다." - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardModelViewContainer.contribution": { - "dashboard.container.modelview": "이 탭에 표시할 모델 지원 보기입니다." - }, - "sql/workbench/contrib/backup/browser/backup.contribution": { - "backup": "백업" - }, - "sql/workbench/contrib/restore/browser/restore.contribution": { - "restore": "복원", - "backup": "복원" - }, - "sql/workbench/contrib/azure/browser/azure.contribution": { - "azure.openInAzurePortal.title": "Azure Portal에서 열기" - }, - "sql/workbench/common/editor/query/queryEditorInput": { - "disconnected": "연결 끊김" - }, - "sql/workbench/services/objectExplorer/browser/objectExplorerViewTreeShim": { - "noProviderFound": "필요한 연결 공급자 '{0}'을(를) 찾을 수 없으므로 확장할 수 없습니다.", - "loginCanceled": "사용자가 취소함", - "firewallCanceled": "방화벽 대화 상자를 취소함" - }, - "sql/workbench/services/jobManagement/common/jobManagementService": { - "providerIdNotValidError": "JobManagementService와 상호 작용하려면 연결이 필요합니다.", - "noHandlerRegistered": "등록된 처리기 없음" - }, - "sql/workbench/services/fileBrowser/common/fileBrowserService": { - "fileBrowserErrorMessage": "파일 브라우저를 로드하는 동안 오류가 발생했습니다.", - "fileBrowserErrorDialogTitle": "파일 브라우저 오류" - }, - "sql/workbench/contrib/connection/common/connectionProviderExtension": { - "schema.providerId": "공급자의 일반 ID", - "schema.displayName": "공급자의 표시 이름", - "schema.notebookKernelAlias": "공급자의 Notebook 커널 별칭", - "schema.iconPath": "서버 유형의 아이콘 경로", - "schema.connectionOptions": "연결 옵션" - }, - "sql/workbench/contrib/dashboard/browser/core/dashboardTab.contribution": { - "azdata.extension.contributes.dashboard.tab.id": "이 탭의 고유 식별자입니다. 모든 요청에서 확장으로 전달됩니다.", - "azdata.extension.contributes.dashboard.tab.title": "사용자에게 표시할 탭의 제목입니다.", - "azdata.extension.contributes.dashboard.tab.description": "사용자에게 표시할 이 탭에 대한 설명입니다.", - "azdata.extension.contributes.tab.when": "이 항목을 표시하기 위해 true여야 하는 조건", - "azdata.extension.contributes.tab.provider": "이 탭과 호환되는 연결 형식을 정의합니다. 설정하지 않으면 기본 연결 형식은 'MSSQL'입니다.", - "azdata.extension.contributes.dashboard.tab.container": "이 탭에 표시할 컨테이너입니다.", - "azdata.extension.contributes.dashboard.tab.alwaysShow": "이 탭을 항상 표시할지 또는 사용자가 추가할 때만 표시할지입니다.", - "azdata.extension.contributes.dashboard.tab.isHomeTab": "이 탭을 연결 형식의 홈 탭으로 사용할지 여부입니다.", - "azdata.extension.contributes.dashboard.tab.group": "이 탭이 속한 그룹의 고유 식별자이며 홈 그룹의 값은 home입니다.", - "dazdata.extension.contributes.dashboard.tab.icon": "(선택 사항) UI에서 이 탭을 나타내는 데 사용되는 아이콘입니다. 파일 경로 또는 테마 지정 가능 구성입니다.", - "azdata.extension.contributes.dashboard.tab.icon.light": "밝은 테마를 사용하는 경우의 아이콘 경로", - "azdata.extension.contributes.dashboard.tab.icon.dark": "어두운 테마를 사용하는 경우의 아이콘 경로", - "azdata.extension.contributes.tabs": "사용자가 대시보드 추가할 단일 또는 다중 탭을 적용합니다.", - "dashboardTab.contribution.noTitleError": "확장용으로 지정한 제목이 없습니다.", - "dashboardTab.contribution.noDescriptionWarning": "표시하도록 지정한 설명이 없습니다.", - "dashboardTab.contribution.noContainerError": "확장용으로 지정한 컨테이너가 없습니다.", - "dashboardTab.contribution.moreThanOneDashboardContainersError": "공란 1개에 정확히 1개의 대시보드 컨테이너를 정의해야 합니다.", - "azdata.extension.contributes.dashboard.tabGroup.id": "이 탭 그룹의 고유 식별자입니다.", - "azdata.extension.contributes.dashboard.tabGroup.title": "탭 그룹의 제목입니다.", - "azdata.extension.contributes.tabGroups": "사용자가 대시보드에 추가할 하나 이상의 탭 그룹을 제공합니다.", - "dashboardTabGroup.contribution.noIdError": "탭 그룹에 ID가 지정되지 않았습니다.", - "dashboardTabGroup.contribution.noTitleError": "탭 그룹에 제목을 지정하지 않았습니다.", - "administrationTabGroup": "관리", - "monitoringTabGroup": "모니터링", - "performanceTabGroup": "성능", - "securityTabGroup": "보안", - "troubleshootingTabGroup": "문제 해결", - "settingsTabGroup": "설정", - "databasesTabDescription": "데이터베이스 탭", - "databasesTabTitle": "데이터베이스" - }, - "sql/workbench/contrib/queryHistory/browser/queryHistoryRenderer": { - "succeeded": "성공", - "failed": "실패" - }, - "sql/workbench/services/connection/browser/connectionDialogService": { - "connectionError": "연결 오류", - "kerberosErrorStart": "Kerberos 오류로 인해 연결이 실패했습니다.", - "kerberosHelpLink": "Kerberos 구성 도움말이 {0}에 있습니다.", - "kerberosKinit": "이전에 연결된 경우 kinit을 다시 실행해야 할 수 있습니다." - }, - "sql/workbench/services/accountManagement/browser/accountManagementService": { - "accountManagementService.close": "닫기", - "loggingIn": "계정 추가...", - "refreshFailed": "사용자가 계정 새로 고침을 취소했습니다." - }, - "sql/workbench/contrib/query/browser/query.contribution": { - "queryResultsEditor.name": "쿼리 결과", - "queryEditor.name": "쿼리 편집기", - "newQuery": "새 쿼리", - "queryEditorConfigurationTitle": "쿼리 편집기", - "queryEditor.results.saveAsCsv.includeHeaders": "true이면 결과를 CSV로 저장할 때 열 머리글이 포함됩니다.", - "queryEditor.results.saveAsCsv.delimiter": "CSV로 저장할 때 값 사이에 사용할 사용자 지정 구분 기호", - "queryEditor.results.saveAsCsv.lineSeperator": "결과를 CSV로 저장할 때 행을 분리하는 데 사용하는 문자", - "queryEditor.results.saveAsCsv.textIdentifier": "결과를 CSV로 저장할 때 텍스트 필드를 묶는 데 사용하는 문자", - "queryEditor.results.saveAsCsv.encoding": "결과를 CSV로 저장할 때 사용되는 파일 인코딩", - "queryEditor.results.saveAsXml.formatted": "true이면 결과를 XML로 저장할 때 XML 출력에 형식이 지정됩니다.", - "queryEditor.results.saveAsXml.encoding": "결과를 XML로 저장할 때 사용되는 파일 인코딩", - "queryEditor.results.streaming": "결과 스트리밍을 사용하도록 설정합니다. 몇 가지 사소한 시각적 문제가 있습니다.", - "queryEditor.results.copyIncludeHeaders": "결과 뷰에서 결과를 복사하기 위한 구성 옵션", - "queryEditor.results.copyRemoveNewLine": "결과 뷰에서 여러 줄 결과를 복사하기 위한 구성 옵션", - "queryEditor.results.optimizedTable": "(실험적) 결과에 최적화된 테이블을 사용합니다. 일부 기능이 누락되거나 작동 중입니다.", - "queryEditor.messages.showBatchTime": "개별 일괄 처리에 대한 실행 시간 표시 여부", - "queryEditor.messages.wordwrap": "메시지 자동 줄 바꿈", - "queryEditor.chart.defaultChartType": "쿼리 결과에서 차트 뷰어를 열 때 사용할 기본 차트 유형", - "queryEditor.tabColorMode.off": "탭 색 지정이 사용하지 않도록 설정됩니다.", - "queryEditor.tabColorMode.border": "각 편집기 탭의 상단 테두리는 관련 서버 그룹과 일치하도록 칠해집니다.", - "queryEditor.tabColorMode.fill": "각 편집기 탭의 배경색이 관련 서버 그룹과 일치합니다.", - "queryEditor.tabColorMode": "활성 연결의 서버 그룹을 기준으로 탭 색상 지정 방법을 제어합니다.", - "queryEditor.showConnectionInfoInTitle": "제목에 있는 탭에 연결 정보를 표시할지 여부를 제어합니다.", - "queryEditor.promptToSaveGeneratedFiles": "생성된 SQL 파일 저장 여부 확인", - "queryShortcutDescription": "바로 가기 텍스트를 프로시저 호출로 실행하려면 키 바인딩 workbench.action.query.shortcut{0}을(를) 설정하세요. 쿼리 편집기에서 선택한 텍스트가 매개 변수로 전달됩니다." - }, - "sql/workbench/contrib/profiler/browser/profiler.contribution": { - "profiler.settings.viewTemplates": "뷰 템플릿 지정", - "profiler.settings.sessionTemplates": "세션 템플릿 지정", - "profiler.settings.Filters": "Profiler 필터" - }, - "sql/workbench/contrib/scripting/browser/scripting.contribution": { - "scriptAsCreate": "Create로 스크립트", - "scriptAsDelete": "Drop으로 스크립트", - "scriptAsSelect": "상위 1,000개 선택", - "scriptAsExecute": "Execute로 스크립트", - "scriptAsAlter": "Alter로 스크립트", - "editData": "데이터 편집", - "scriptSelect": "상위 1,000개 선택", - "scriptKustoSelect": "Take 10", - "scriptCreate": "Create로 스크립트", - "scriptExecute": "Execute로 스크립트", - "scriptAlter": "Alter로 스크립트", - "scriptDelete": "Drop으로 스크립트", - "refreshNode": "새로 고침" - }, - "sql/workbench/services/query/common/queryModelService": { - "commitEditFailed": "행 커밋 실패: ", - "runQueryBatchStartMessage": "다음에서 쿼리 실행 시작: ", - "runQueryStringBatchStartMessage": "쿼리 \"{0}\" 실행을 시작함", - "runQueryBatchStartLine": "줄 {0}", - "msgCancelQueryFailed": "쿼리 취소 실패: {0}", - "updateCellFailed": "셀 업데이트 실패: " - }, - "sql/workbench/services/notebook/browser/notebookServiceImpl": { - "notebookUriNotDefined": "Notebook 관리자를 만들 때 URI가 전달되지 않았습니다.", - "notebookServiceNoProvider": "Notebook 공급자가 없습니다." - }, - "sql/workbench/contrib/notebook/browser/notebook.contribution": { - "notebookEditor.name": "Notebook 편집기", - "newNotebook": "새 Notebook", - "newQuery": "새 Notebook", - "workbench.action.setWorkspaceAndOpen": "작업 영역 설정 및 열기", - "notebook.sqlStopOnError": "SQL 커널: 셀에서 오류가 발생하면 Notebook 실행을 중지합니다.", - "notebook.showAllKernels": "(미리 보기) 현재 Notebook 공급자의 모든 커널을 표시합니다.", - "notebook.allowADSCommands": "Notebook이 Azure Data Studio 명령을 실행하도록 허용합니다.", - "notebook.enableDoubleClickEdit": "두 번 클릭을 사용하여 Notebook에서 텍스트 셀 편집", - "notebook.setRichTextViewByDefault": "기본적으로 텍스트 셀에 대해 서식 있는 텍스트 보기 모드 설정", - "notebook.saveConnectionName": "(미리 보기) 연결 이름을 Notebook 메타데이터에 저장합니다.", - "notebook.markdownPreviewLineHeight": "Notebook markdown 미리 보기에서 사용되는 줄 높이를 제어합니다. 해당 숫자는 글꼴 크기에 상대적입니다.", - "notebookExplorer.view": "보기", - "searchConfigurationTitle": "Notebook 검색", - "exclude": "전체 텍스트 검색 및 빠른 열기에서 glob 패턴을 구성하여 파일 및 폴더를 제외합니다. `#files.exclude#` 설정에서 모든 glob 패턴을 상속합니다. [여기](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)에서 glob 패턴에 대해 자세히 알아보세요.", - "exclude.boolean": "파일 경로를 일치시킬 GLOB 패턴입니다. 패턴을 사용하거나 사용하지 않도록 설정하려면 true 또는 false로 설정하세요.", - "exclude.when": "일치하는 파일의 형제에 대한 추가 검사입니다. $(basename)을 일치하는 파일 이름에 대한 변수로 사용하세요.", - "useRipgrep": "이 설정은 사용되지 않으며 이제 \"search.usePCRE2\"로 대체됩니다.", - "useRipgrepDeprecated": "사용되지 않습니다. 고급 regex 기능을 지원하려면 \"search.usePCRE2\"를 사용해 보세요.", - "search.maintainFileSearchCache": "사용하도록 설정하면 searchService 프로세스가 1시간의 비활성 상태 이후 종료되지 않고 계속 유지됩니다. 메모리에 파일 검색 캐시가 유지됩니다.", - "useIgnoreFiles": "파일을 검색할 때 '.gitignore' 파일 및 '.ignore' 파일을 사용할지 여부를 제어합니다.", - "useGlobalIgnoreFiles": "파일을 검색할 때 전역 '.gitignore' 및 '.ignore' 파일을 사용할지 여부를 제어합니다.", - "search.quickOpen.includeSymbols": "Quick Open에 대한 파일 결과에 전역 기호 검색 결과를 포함할지 여부입니다.", - "search.quickOpen.includeHistory": "Quick Open에 대한 파일 결과에 최근에 연 파일의 결과를 포함할지 여부입니다.", - "filterSortOrder.default": "기록 항목은 사용된 필터 값을 기준으로 관련성별로 정렬됩니다. 관련성이 더 높은 항목이 먼저 표시됩니다.", - "filterSortOrder.recency": "기록이 최신순으로 정렬됩니다. 가장 최근에 열람한 항목부터 표시됩니다.", - "filterSortOrder": "필터링할 때 빠른 열기에서 편집기 기록의 정렬 순서를 제어합니다.", - "search.followSymlinks": "검색하는 동안 symlink를 누를지 여부를 제어합니다.", - "search.smartCase": "패턴이 모두 소문자인 경우 대/소문자를 구분하지 않고 검색하고, 그렇지 않으면 대/소문자를 구분하여 검색합니다.", - "search.globalFindClipboard": "macOS에서 검색 보기가 공유 클립보드 찾기를 읽거나 수정할지 여부를 제어합니다.", - "search.location": "검색을 사이드바의 보기로 표시할지 또는 가로 간격을 늘리기 위해 패널 영역의 패널로 표시할지를 제어합니다.", - "search.location.deprecationMessage": "이 설정은 더 이상 사용되지 않습니다. 대신 검색 보기의 컨텍스트 메뉴를 사용하세요.", - "search.collapseResults.auto": "결과가 10개 미만인 파일이 확장됩니다. 다른 파일은 축소됩니다.", - "search.collapseAllResults": "검색 결과를 축소 또는 확장할지 여부를 제어합니다.", - "search.useReplacePreview": "일치하는 항목을 선택하거나 바꿀 때 미리 보기 바꾸기를 열지 여부를 제어합니다.", - "search.showLineNumbers": "검색 결과의 줄 번호를 표시할지 여부를 제어합니다.", - "search.usePCRE2": "텍스트 검색에서 PCRE2 regex 엔진을 사용할지 여부입니다. 사용하도록 설정하면 lookahead 및 backreferences와 같은 몇 가지 고급 regex 기능을 사용할 수 있습니다. 하지만 모든 PCRE2 기능이 지원되지는 않으며, JavaScript에서도 지원되는 기능만 지원됩니다.", - "usePCRE2Deprecated": "사용되지 않습니다. PCRE2는 PCRE2에서만 지원하는 regex 기능을 사용할 경우 자동으로 사용됩니다.", - "search.actionsPositionAuto": "검색 보기가 좁을 때는 오른쪽에, 그리고 검색 보기가 넓을 때는 콘텐츠 바로 뒤에 작업 모음을 배치합니다.", - "search.actionsPositionRight": "작업 모음을 항상 오른쪽에 배치합니다.", - "search.actionsPosition": "검색 보기에서 행의 작업 모음 위치를 제어합니다.", - "search.searchOnType": "입력할 때 모든 파일을 검색합니다.", - "search.seedWithNearestWord": "활성 편집기에 선택 항목이 없을 경우 커서에 가장 가까운 단어에서 시드 검색을 사용합니다.", - "search.seedOnFocus": "검색 보기에 포커스가 있을 때 작업 영역 검색 쿼리를 편집기의 선택한 텍스트로 업데이트합니다. 이 동작은 클릭 시 또는 `workbench.views.search.focus` 명령을 트리거할 때 발생합니다.", - "search.searchOnTypeDebouncePeriod": "'#search.searchOnType#'이 활성화되면 입력되는 문자와 검색 시작 사이의 시간 시간을 밀리초 단위로 제어합니다. 'search.searchOnType'을 사용하지 않도록 설정하면 아무런 효과가 없습니다.", - "search.searchEditor.doubleClickBehaviour.selectWord": "두 번 클릭하면 커서 아래에 있는 단어가 선택됩니다.", - "search.searchEditor.doubleClickBehaviour.goToLocation": "두 번 클릭하면 활성 편집기 그룹에 결과가 열립니다.", - "search.searchEditor.doubleClickBehaviour.openLocationToSide": "두 번 클릭하면 측면의 편집기 그룹에 결과가 열리고, 편집기 그룹이 없으면 새로 만듭니다.", - "search.searchEditor.doubleClickBehaviour": "검색 편집기에서 결과를 두 번 클릭하는 효과를 구성합니다.", - "searchSortOrder.default": "결과는 폴더 및 파일 이름의 알파벳 순으로 정렬됩니다.", - "searchSortOrder.filesOnly": "결과는 폴더 순서를 무시하고 파일 이름별 알파벳 순으로 정렬됩니다.", - "searchSortOrder.type": "결과는 파일 확장자의 알파벳 순으로 정렬됩니다.", - "searchSortOrder.modified": "결과는 파일을 마지막으로 수정한 날짜의 내림차순으로 정렬됩니다.", - "searchSortOrder.countDescending": "결과는 파일별 개수의 내림차순으로 정렬됩니다.", - "searchSortOrder.countAscending": "결과는 파일별 개수의 오름차순으로 정렬됩니다.", - "search.sortOrder": "검색 결과의 정렬 순서를 제어합니다." - }, - "sql/workbench/contrib/query/browser/queryActions": { - "newQueryTask.newQuery": "새 쿼리", - "runQueryLabel": "실행", - "cancelQueryLabel": "취소", - "estimatedQueryPlan": "설명", - "actualQueryPlan": "실제", - "disconnectDatabaseLabel": "연결 끊기", - "changeConnectionDatabaseLabel": "연결 변경", - "connectDatabaseLabel": "연결", - "enablesqlcmdLabel": "SQLCMD 사용", - "disablesqlcmdLabel": "SQLCMD 사용 안 함", - "selectDatabase": "데이터베이스 선택", - "changeDatabase.failed": "데이터베이스를 변경하지 못함", - "changeDatabase.failedWithError": "{0} 데이터베이스를 변경하지 못함", - "queryEditor.exportSqlAsNotebook": "Notebook으로 내보내기" - }, - "sql/workbench/services/errorMessage/browser/errorMessageDialog": { - "errorMessageDialog.ok": "확인", - "errorMessageDialog.close": "닫기", - "errorMessageDialog.action": "작업", - "copyDetails": "세부 정보 복사" - }, - "sql/workbench/services/serverGroup/common/serverGroupViewModel": { - "serverGroup.addServerGroup": "서버 그룹 추가", - "serverGroup.editServerGroup": "서버 그룹 편집" - }, - "sql/workbench/common/editor/query/queryResultsInput": { - "extensionsInputName": "확장" - }, - "sql/workbench/services/objectExplorer/browser/objectExplorerService": { - "OeSessionFailedError": "개체 탐색기 세션을 만들지 못함", - "nodeExpansionError": "여러 오류:" - }, - "sql/workbench/services/resourceProvider/browser/firewallRuleDialogController": { - "firewallDialog.addAccountErrorTitle": "계정 추가 오류", - "firewallRuleError": "방화벽 규칙 오류" - }, - "sql/workbench/api/browser/mainThreadExtensionManagement": { - "workbench.generalObsoleteApiNotification": "로드된 확장 중 일부는 사용되지 않는 API를 사용하고 있습니다. 개발자 도구 창의 콘솔 탭에서 자세한 정보를 확인하세요.", - "dontShowAgain": "다시 표시 안 함" - }, - "sql/workbench/contrib/dataExplorer/browser/dataExplorerExtensionPoint": { - "vscode.extension.contributes.view.id": "뷰의 식별자입니다. 'vscode.window.registerTreeDataProviderForView' API를 통해 데이터 공급자를 등록하는 데 사용합니다. 'onView:${id}' 이벤트를 'activationEvents'에 등록하여 확장 활성화를 트리거하는 데도 사용합니다.", - "vscode.extension.contributes.view.name": "사용자가 읽을 수 있는 뷰 이름입니다. 표시됩니다.", - "vscode.extension.contributes.view.when": "이 뷰를 표시하기 위해 true여야 하는 조건", - "extension.contributes.dataExplorer": "뷰를 편집기에 적용합니다.", - "extension.dataExplorer": "뷰를 작업 막대의 Data Explorer 컨테이너에 적용합니다.", - "dataExplorer.contributed": "뷰를 적용된 뷰 컨테이너에 적용합니다.", - "duplicateView1": "뷰 컨테이너 '{1}'에서 동일한 ID '{0}'의 여러 뷰를 등록할 수 없습니다.", - "duplicateView2": "ID가 '{0}'인 뷰가 뷰 컨테이너 '{1}'에 이미 등록되어 있습니다.", - "requirearray": "뷰는 배열이어야 합니다.", - "requirestring": "속성 '{0}'은(는) 필수이며 'string' 형식이어야 합니다.", - "optstring": "속성 '{0}'은(는) 생략할 수 있으며 'string' 형식이어야 합니다." - }, - "sql/workbench/contrib/configuration/common/configurationUpgrader": { - "workbench.configuration.upgradeUser": "사용자 설정에서 {0}이(가) {1}(으)로 바뀌었습니다.", - "workbench.configuration.upgradeWorkspace": "작업 영역 설정에서 {0}이(가) {1}(으)로 바뀌었습니다." - }, - "sql/workbench/browser/actions": { - "manage": "관리", - "showDetails": "세부 정보 표시", - "configureDashboardLearnMore": "자세한 정보", - "clearSavedAccounts": "저장된 모든 계정 지우기" - }, - "sql/workbench/contrib/tasks/browser/tasksActions": { - "toggleTasks": "작업 토글" - }, - "sql/workbench/contrib/connection/browser/connectionStatus": { - "status.connection.status": "연결 상태" - }, - "sql/workbench/contrib/connection/common/connectionTreeProviderExentionPoint": { - "connectionTreeProvider.schema.name": "트리 공급자의 사용자 표시 이름", - "connectionTreeProvider.schema.id": "공급자 ID는 트리 데이터 공급자를 등록할 때와 동일해야 하며 'connectionDialog/'로 시작해야 합니다." - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.contribution": { - "chartInsightDescription": "쿼리 결과를 대시보드에 차트로 표시합니다.", - "colorMapDescription": "'열 이름'을 색에 매핑합니다. 예를 들어, 이 열에 빨간색을 사용하려면 'column1': red를 추가합니다. ", - "legendDescription": "차트 범례의 기본 위치 및 표시 여부를 나타냅니다. 이 항목은 쿼리의 열 이름이며, 각 차트 항목의 레이블에 매핑됩니다.", - "labelFirstColumnDescription": "dataDirection이 horizontal인 경우, 이 값을 true로 설정하면 범례의 첫 번째 열 값을 사용합니다.", - "columnsAsLabels": "dataDirection이 vertical인 경우, 이 값을 true로 설정하면 범례의 열 이름을 사용합니다.", - "dataDirectionDescription": "데이터를 열(세로)에서 읽어올지 행(가로)에서 읽어올지를 정의합니다. 시계열에서는 방향이 세로여야 하므로 무시됩니다.", - "showTopNData": "showTopNData를 설정한 경우 차트에 상위 N개 데이터만 표시합니다." - }, - "sql/platform/dashboard/browser/insightRegistry": { - "schema.dashboardWidgets.InsightsRegistry": "대시보드에 사용되는 위젯" - }, - "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { - "resourceViewer.showActions": "작업 표시", - "resourceViewerInput.resourceViewer": "리소스 뷰어" - }, - "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { - "extension.contributes.resourceView.resource.id": "리소스 식별자입니다.", - "extension.contributes.resourceView.resource.name": "사용자가 읽을 수 있는 뷰 이름입니다. 표시됩니다.", - "extension.contributes.resourceView.resource.icon": "리소스 아이콘의 경로입니다.", - "extension.contributes.resourceViewResources": "리소스 뷰에 리소스 제공", - "requirestring": "속성 '{0}'은(는) 필수이며 'string' 형식이어야 합니다.", - "optstring": "속성 '{0}'은(는) 생략할 수 있으며 'string' 형식이어야 합니다." - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { - "resourceViewer.ariaLabel": "리소스 뷰어 트리" - }, - "sql/platform/dashboard/browser/widgetRegistry": { - "schema.dashboardWidgets.all": "대시보드에 사용되는 위젯", - "schema.dashboardWidgets.database": "대시보드에 사용되는 위젯", - "schema.dashboardWidgets.server": "대시보드에 사용되는 위젯" - }, - "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { - "azdata.extension.contributes.widget.when": "이 항목을 표시하기 위해 true여야 하는 조건", - "azdata.extension.contributes.widget.hideHeader": "위젯의 헤더를 숨길지 여부를 나타냅니다. 기본값은 false입니다.", - "dashboardpage.tabName": "컨테이너의 제목", - "dashboardpage.rowNumber": "표의 구성 요소 행", - "dashboardpage.rowSpan": "표에 있는 구성 요소의 rowspan입니다. 기본값은 1입니다. 표의 행 수로 설정하려면 '*'를 사용합니다.", - "dashboardpage.colNumber": "표의 구성 요소 열", - "dashboardpage.colspan": "표에 있는 구성 요소의 colspan입니다. 기본값은 1입니다. 표의 열 수로 설정하려면 '*'를 사용합니다.", - "azdata.extension.contributes.dashboardPage.tab.id": "이 탭의 고유 식별자입니다. 모든 요청에서 확장으로 전달됩니다.", - "dashboardTabError": "확장 탭을 알 수 없거나 설치하지 않았습니다." - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { - "dashboardDatabaseProperties": "속성 위젯 사용 또는 사용 안 함", - "dashboard.databaseproperties": "표시할 속성 값", - "dashboard.databaseproperties.displayName": "속성의 표시 이름", - "dashboard.databaseproperties.value": "데이터베이스 정보 개체의 값", - "dashboard.databaseproperties.ignore": "무시할 특정 값 지정", - "recoveryModel": "복구 모델", - "lastDatabaseBackup": "마지막 데이터베이스 백업", - "lastLogBackup": "마지막 로그 백업", - "compatibilityLevel": "호환성 수준", - "owner": "소유자", - "dashboardDatabase": "데이터베이스 대시보드 페이지를 사용자 지정합니다.", - "objectsWidgetTitle": "검색", - "dashboardDatabaseTabs": "데이터베이스 대시보드 탭을 사용자 지정합니다." - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { - "dashboardServerProperties": "속성 위젯 사용 또는 사용 안 함", - "dashboard.serverproperties": "표시할 속성 값", - "dashboard.serverproperties.displayName": "속성의 표시 이름", - "dashboard.serverproperties.value": "서버 정보 개체의 값", - "version": "버전", - "edition": "버전", - "computerName": "컴퓨터 이름", - "osVersion": "OS 버전", - "explorerWidgetsTitle": "검색", - "dashboardServer": "서버 대시보드 페이지를 사용자 지정합니다.", - "dashboardServerTabs": "서버 대시보드 탭을 사용자 지정합니다." - }, - "sql/workbench/contrib/dashboard/browser/dashboardActions": { - "ManageAction": "관리" - }, - "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { - "opticon": "'icon' 속성은 생략하거나, '{dark, light}' 같은 문자열 또는 리터럴이어야 합니다." - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { - "insightWidgetDescription": "서버 또는 데이터베이스를 쿼리하고 여러 방법(차트, 요약 개수 등)으로 결과를 표시할 수 있는 위젯을 추가합니다.", - "insightIdDescription": "인사이트의 결과를 캐싱하는 데 사용되는 고유 식별자입니다.", - "insightQueryDescription": "실행할 SQL 쿼리입니다. 정확히 1개의 결과 집합을 반환해야 합니다.", - "insightQueryFileDescription": "[옵션] 쿼리를 포함하는 파일의 경로입니다. '쿼리'를 설정하지 않은 경우에 사용합니다.", - "insightAutoRefreshIntervalDescription": "[옵션] 자동 새로 고침 간격(분)입니다. 설정하지 않으면 자동 새로 고침이 수행되지 않습니다.", - "actionTypes": "사용할 작업", - "actionDatabaseDescription": "작업의 대상 데이터베이스입니다. '${ columnName }' 형식을 사용하여 데이터 기반 열 이름을 사용할 수 있습니다.", - "actionServerDescription": "작업의 대상 서버입니다. '${ columnName }' 형식을 사용하여 데이터 기반 열 이름을 사용할 수 있습니다.", - "actionUserDescription": "작업의 대상 사용자입니다. '${ columnName }' 형식을 사용하여 데이터 기반 열 이름을 사용할 수 있습니다.", - "carbon.extension.contributes.insightType.id": "인사이트의 식별자", - "carbon.extension.contributes.insights": "대시보드 팔레트에 인사이트를 적용합니다." - }, - "sql/workbench/contrib/backup/browser/backupActions": { - "backupAction.backup": "백업", - "backup.isPreviewFeature": "백업을 사용하려면 미리 보기 기능을 사용하도록 설정해야 합니다.", - "backup.commandNotSupported": "Azure SQL Database에 대해 백업 명령이 지원되지 않습니다.", - "backup.commandNotSupportedForServer": "서버 컨텍스트에서 백업 명령이 지원되지 않습니다. 데이터베이스를 선택하고 다시 시도하세요." - }, - "sql/workbench/contrib/restore/browser/restoreActions": { - "restoreAction.restore": "복원", - "restore.isPreviewFeature": "복원을 사용하려면 미리 보기 기능을 사용하도록 설정해야 합니다.", - "restore.commandNotSupported": "Azure SQL Database에 대해 복원 명령이 지원되지 않습니다." - }, - "sql/workbench/contrib/extensions/browser/extensionsActions": { - "showRecommendations": "권장 사항 표시", - "Install Extensions": "확장 설치", - "openExtensionAuthoringDocs": "확장 제작..." - }, - "sql/workbench/browser/editData/editDataInput": { - "connectionFailure": "연결하지 못한 데이터 세션 편집" - }, - "sql/workbench/browser/modal/optionsDialog": { - "optionsDialog.ok": "확인", - "optionsDialog.cancel": "취소" - }, - "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { - "newDashboardTab.openDashboardExtensions": "대시보드 확장 열기", - "newDashboardTab.ok": "확인", - "newDashboardTab.cancel": "취소", - "newdashboardTabDialog.noExtensionLabel": "현재 설치된 대시보드 확장이 없습니다. 확장 관리자로 가서 권장되는 확장을 살펴보세요." - }, - "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { - "filebrowser.filepath": "선택한 경로", - "fileFilter": "파일 형식", - "fileBrowser.ok": "확인", - "fileBrowser.discard": "삭제" - }, - "sql/workbench/services/insights/browser/insightsDialogController": { - "insightsInputError": "인사이트 플라이아웃에 전달된 연결 프로필이 없습니다.", - "insightsError": "인사이트 오류", - "insightsFileError": "쿼리 파일을 읽는 동안 오류가 발생했습니다. ", - "insightsConfigError": "인사이트 구성을 구문 분석하는 동안 오류가 발생했습니다. 쿼리 배열/문자열이나 쿼리 파일을 찾을 수 없습니다." - }, - "sql/workbench/services/accountManagement/browser/accountPickerImpl": { - "azureAccount": "Azure 계정", - "azureTenant": "Azure 테넌트" - }, - "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { - "showDataExplorer": "연결 표시", - "dataExplorer.servers": "서버", - "dataexplorer.name": "연결" - }, - "sql/workbench/contrib/tasks/browser/tasksView": { - "noTaskMessage": "표시할 작업 기록이 없습니다.", - "taskHistory.regTreeAriaLabel": "작업 기록", - "taskError": "작업 오류" - }, - "sql/workbench/services/connection/browser/connectionActions": { - "ClearRecentlyUsedLabel": "목록 지우기", - "ClearedRecentConnections": "최근 연결 목록을 삭제함", - "connectionAction.yes": "예", - "connectionAction.no": "아니요", - "clearRecentConnectionMessage": "목록에서 모든 연결을 삭제하시겠습니까?", - "connectionDialog.yes": "예", - "connectionDialog.no": "아니요", - "delete": "삭제", - "connectionAction.GetCurrentConnectionString": "현재 연결 문자열 가져오기", - "connectionAction.connectionString": "연결 문자열을 사용할 수 없음", - "connectionAction.noConnection": "사용 가능한 활성 연결이 없음" - }, - "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { - "connectionTree.refresh": "새로 고침", - "connectionTree.editConnection": "연결 편집", - "DisconnectAction": "연결 끊기", - "connectionTree.addConnection": "새 연결", - "connectionTree.addServerGroup": "새 서버 그룹", - "connectionTree.editServerGroup": "서버 그룹 편집", - "activeConnections": "활성 연결 표시", - "showAllConnections": "모든 연결 표시", - "recentConnections": "최근 연결", - "deleteConnection": "연결 삭제", - "deleteConnectionGroup": "그룹 삭제" - }, - "sql/workbench/contrib/editData/browser/editDataActions": { - "editData.run": "실행", - "disposeEditFailure": "오류를 나타내며 편집 내용 삭제 실패: ", - "editData.stop": "중지", - "editData.showSql": "SQL 창 표시", - "editData.closeSql": "SQL 창 닫기" - }, - "sql/workbench/browser/editor/profiler/profilerInput": { - "profilerInput.profiler": "Profiler", - "profilerInput.notConnected": "연결되지 않음", - "profiler.sessionStopped": "{0} 서버에서 XEvent Profiler 세션이 예기치 않게 중지되었습니다.", - "profiler.sessionCreationError": "새로운 세션을 시작하는 동안 오류가 발생했습니다.", - "profiler.eventsLost": "{0}의 XEvent Profiler 세션에서 이벤트가 손실되었습니다." - }, - "sql/workbench/browser/modelComponents/loadingComponent.component": { - "loadingMessage": "로드 중", - "loadingCompletedMessage": "로드 완료" - }, - "sql/workbench/services/serverGroup/browser/serverGroupDialog": { - "ServerGroupsDialogTitle": "서버 그룹", - "serverGroup.ok": "확인", - "serverGroup.cancel": "취소", - "connectionGroupName": "서버 그룹 이름", - "MissingGroupNameError": "그룹 이름이 필요합니다.", - "groupDescription": "그룹 설명", - "groupColor": "그룹 색" - }, - "sql/workbench/services/accountManagement/browser/accountDialogController": { - "accountDialog.addAccountErrorTitle": "계정 추가 오류" - }, - "sql/workbench/services/insights/browser/insightsDialogView": { - "insights.item": "항목", - "insights.value": "값", - "insightsDetailView.name": "인사이트 세부 정보", - "property": "속성", - "value": "값", - "InsightsDialogTitle": "인사이트", - "insights.dialog.items": "항목", - "insights.dialog.itemDetails": "항목 세부 정보" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { - "oauthFlyoutIsAlreadyOpen": "자동 OAuth를 시작할 수 없습니다. 자동 OAuth가 이미 진행 중입니다." - }, - "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { - "eventSort": "이벤트 기준 정렬", - "nameColumn": "열 기준 정렬", - "profilerColumnDialog.profiler": "Profiler", - "profilerColumnDialog.ok": "확인", - "profilerColumnDialog.cancel": "취소" - }, - "sql/workbench/services/profiler/browser/profilerFilterDialog": { - "profilerFilterDialog.clear": "모두 지우기", - "profilerFilterDialog.apply": "적용", - "profilerFilterDialog.ok": "확인", - "profilerFilterDialog.cancel": "취소", - "profilerFilterDialog.title": "필터", - "profilerFilterDialog.remove": "이 절 제거", - "profilerFilterDialog.saveFilter": "필터 저장", - "profilerFilterDialog.loadFilter": "필터 로드", - "profilerFilterDialog.addClauseText": "절 추가", - "profilerFilterDialog.fieldColumn": "필드", - "profilerFilterDialog.operatorColumn": "연산자", - "profilerFilterDialog.valueColumn": "값", - "profilerFilterDialog.isNullOperator": "Null임", - "profilerFilterDialog.isNotNullOperator": "Null이 아님", - "profilerFilterDialog.containsOperator": "포함", - "profilerFilterDialog.notContainsOperator": "포함하지 않음", - "profilerFilterDialog.startsWithOperator": "다음으로 시작", - "profilerFilterDialog.notStartsWithOperator": "다음으로 시작하지 않음" - }, - "sql/workbench/contrib/editData/browser/gridActions": { - "saveAsCsv": "CSV로 저장", - "saveAsJson": "JSON으로 저장", - "saveAsExcel": "Excel로 저장", - "saveAsXml": "XML로 저장", - "copySelection": "복사", - "copyWithHeaders": "복사(머리글 포함)", - "selectAll": "모두 선택" - }, - "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { - "dashboard.properties.property": "대시보드에 표시할 속성을 정의합니다.", - "dashboard.properties.property.displayName": "속성의 레이블로 사용할 값", - "dashboard.properties.property.value": "값을 위해 액세스할 개체의 값", - "dashboard.properties.property.ignore": "무시할 값 지정", - "dashboard.properties.property.default": "무시되거나 값이 없는 경우 표시할 기본값", - "dashboard.properties.flavor": "대시보드 속성을 정의하기 위한 특성", - "dashboard.properties.flavor.id": "특성의 ID", - "dashboard.properties.flavor.condition": "이 특성을 사용할 조건", - "dashboard.properties.flavor.condition.field": "비교할 필드", - "dashboard.properties.flavor.condition.operator": "비교에 사용할 연산자", - "dashboard.properties.flavor.condition.value": "필드를 비교할 값", - "dashboard.properties.databaseProperties": "표시할 데이터베이스 페이지 속성", - "dashboard.properties.serverProperties": "표시할 서버 페이지 속성", - "carbon.extension.dashboard": "이 공급자가 대시보드를 지원함을 정의합니다.", - "dashboard.id": "공급자 ID(예: MSSQL)", - "dashboard.properties": "대시보드에 표시할 속성 값" - }, - "sql/workbench/browser/modelComponents/inputbox.component": { - "invalidValueError": "잘못된 값", - "period": "{0}. {1}" - }, - "sql/workbench/browser/modelComponents/dropdown.component": { + "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { "loadingMessage": "로드", "loadingCompletedMessage": "로드 완료" }, - "sql/workbench/browser/modelComponents/declarativeTable.component": { - "blankValue": "비어 있음", - "checkAllColumnLabel": "열의 모든 확인란 선택: {0}" + "sql/base/browser/ui/panel/panel.component": { + "hideTextLabel": "텍스트 레이블 숨기기", + "showTextLabel": "텍스트 레이블 표시" }, - "sql/workbench/api/common/extHostModelViewTree": { - "treeView.notRegistered": "ID가 '{0}'인 등록된 트리 뷰가 없습니다." - }, - "sql/workbench/services/editData/common/editQueryRunner": { - "query.initEditExecutionFailed": "편집 데이터 세션 초기화 실패: " - }, - "sql/workbench/services/notebook/common/notebookRegistry": { - "carbon.extension.contributes.notebook.provider": "Notebook 공급자의 식별자입니다.", - "carbon.extension.contributes.notebook.fileExtensions": "이 Notebook 공급자에 등록해야 하는 파일 확장명", - "carbon.extension.contributes.notebook.standardKernels": "이 Notebook 공급자에서 표준이어야 하는 커널", - "vscode.extension.contributes.notebook.providers": "Notebook 공급자를 적용합니다.", - "carbon.extension.contributes.notebook.magic": "'%%sql'과(와) 같은 셀 매직의 이름입니다.", - "carbon.extension.contributes.notebook.language": "이 셀 매직이 셀에 포함되는 경우 사용되는 셀 언어", - "carbon.extension.contributes.notebook.executionTarget": "이 매직이 나타내는 선택적 실행 대상(예: Spark 및 SQL)", - "carbon.extension.contributes.notebook.kernels": "유효한 선택적 커널 세트(예: python3, pyspark, sql)", - "vscode.extension.contributes.notebook.languagemagics": "Notebook 언어를 적용합니다." - }, - "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { - "runActiveCell": "F5 바로 가기 키를 사용하려면 코드 셀을 선택해야 합니다. 실행할 코드 셀을 선택하세요.", - "clearResultActiveCell": "명확한 결과를 얻으려면 코드 셀을 선택해야 합니다. 실행할 코드 셀을 선택하세요." - }, - "sql/workbench/services/notebook/browser/interfaces": { - "sqlKernel": "SQL" - }, - "sql/workbench/contrib/editData/browser/editDataEditor": { - "maxRowTaskbar": "최대 행 수:" - }, - "sql/workbench/contrib/profiler/browser/profilerEditor": { - "profiler.viewSelectAccessibleName": "뷰 선택", - "profiler.sessionSelectAccessibleName": "세션 선택", - "profiler.sessionSelectLabel": "세션 선택:", - "profiler.viewSelectLabel": "뷰 선택:", - "text": "텍스트", - "label": "레이블", - "profilerEditor.value": "값", - "details": "세부 정보" - }, - "sql/workbench/contrib/query/browser/statusBarItems": { - "status.query.timeElapsed": "경과 시간", - "status.query.rowCount": "행 개수", - "rowCount": "{0}개의 행", - "query.status.executing": "쿼리를 실행하는 중...", - "status.query.status": "실행 상태", - "status.query.selection-summary": "선택 요약", - "status.query.summaryText": "평균: {0} 개수: {1} 합계: {2}" - }, - "sql/workbench/contrib/query/browser/flavorStatus": { - "chooseSqlLang": "SQL 언어 선택", - "changeProvider": "SQL 언어 공급자 변경", - "status.query.flavor": "SQL 언어 버전", - "changeSqlProvider": "SQL 엔진 공급자 변경", - "alreadyConnected": "{0} 엔진을 사용하는 연결이 존재합니다. 변경하려면 연결을 끊거나 연결을 변경하세요.", - "noEditor": "현재 활성 텍스트 편집기 없음", - "pickSqlProvider": "언어 공급자 선택" - }, - "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { - "plotlyError": "플롯 그래프 {0}을(를) 표시하는 동안 오류가 발생했습니다." - }, - "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { - "noRendererFound": "출력의 {0} 렌더러를 찾을 수 없습니다. MIME 형식이 {1}입니다.", - "safe": "(안전) " - }, - "sql/workbench/browser/scriptingActions": { - "scriptSelect": "상위 1,000개 선택", - "scriptKustoSelect": "Take 10", - "scriptExecute": "Execute로 스크립트", - "scriptAlter": "Alter로 스크립트", - "editData": "데이터 편집", - "scriptCreate": "Create로 스크립트", - "scriptDelete": "Drop으로 스크립트" - }, - "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { - "providerRequired": "유효한 providerId가 있는 NotebookProvider를 이 메서드에 전달해야 합니다." - }, - "sql/workbench/api/common/extHostNotebook": { - "providerRequired": "유효한 providerId가 있는 NotebookProvider를 이 메서드에 전달해야 합니다.", - "errNoProvider": "Notebook 공급자가 없음", - "errNoManager": "관리자를 찾을 수 없음", - "noServerManager": "{0} Notebook의 Notebook 관리자에 서버 관리자가 없습니다. 작업을 수행할 수 없습니다.", - "noContentManager": "{0} Notebook의 Notebook 관리자에 콘텐츠 관리자가 없습니다. 작업을 수행할 수 없습니다.", - "noSessionManager": "{0} Notebook의 Notebook 관리자에 세션 관리자가 없습니다. 작업을 수행할 수 없습니다." - }, - "sql/workbench/services/connection/browser/connectionManagementService": { - "connection.noAzureAccount": "연결을 위한 Azure 계정 토큰을 가져오지 못함", - "connectionNotAcceptedError": "연결이 허용되지 않음", - "connectionService.yes": "예", - "connectionService.no": "아니요", - "cancelConnectionConfirmation": "이 연결을 취소하시겠습니까?" - }, - "sql/workbench/contrib/webview/browser/webViewDialog": { - "webViewDialog.ok": "확인", - "webViewDialog.close": "닫기" - }, - "sql/workbench/contrib/notebook/browser/notebookActions": { - "loading": "커널을 로드하는 중...", - "changing": "커널을 변경하는 중...", - "AttachTo": "연결 대상 ", - "Kernel": "커널 ", - "loadingContexts": "컨텍스트를 로드하는 중...", - "changeConnection": "연결 변경", - "selectConnection": "연결 선택", - "localhost": "localhost", - "noKernel": "커널 없음", - "clearResults": "결과 지우기", - "trustLabel": "신뢰할 수 있음", - "untrustLabel": "신뢰할 수 없음", - "collapseAllCells": "셀 축소", - "expandAllCells": "셀 확장", - "noContextAvailable": "없음", - "newNotebookAction": "새 Notebook", - "notebook.findNext": "다음 문자열 찾기", - "notebook.findPrevious": "이전 문자열 찾기" - }, - "sql/workbench/contrib/queryPlan/browser/queryPlan": { - "queryPlanTitle": "쿼리 계획" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { - "resourceViewer.refresh": "새로 고침" - }, - "sql/workbench/services/dialog/browser/dialogPane": { - "wizardPageNumberDisplayText": "{0}단계" - }, - "sql/base/parts/editableDropdown/browser/dropdown": { - "editableDropdown.errorValidate": "목록에 있는 옵션이어야 합니다.", - "selectBox": "Box 선택" + "sql/base/browser/ui/panel/tabActions": { + "closeTab": "닫기" }, "sql/base/browser/ui/selectBox/selectBox": { "alertErrorMessage": "오류: {0}", "alertWarningMessage": "경고: {0}", "alertInfoMessage": "정보: {0}" }, - "sql/workbench/services/connection/browser/connectionDialogWidget": { - "connection": "연결", - "connecting": "연결", - "connectType": "연결 형식", - "recentConnectionTitle": "최근 연결", - "savedConnectionTitle": "저장된 연결", - "connectionDetailsTitle": "연결 세부 정보", - "connectionDialog.connect": "연결", - "connectionDialog.cancel": "취소", - "connectionDialog.recentConnections": "최근 연결", - "noRecentConnections": "최근 연결 없음", - "connectionDialog.savedConnections": "저장된 연결", - "noSavedConnections": "저장된 연결 없음" + "sql/base/browser/ui/table/formatters": { + "tableCell.NoDataAvailable": "데이터를 사용할 수 없음" }, - "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { - "fileBrowser.regTreeAriaLabel": "파일 브라우저 트리" + "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { + "selectDeselectAll": "모두 선택/모두 선택 취소" }, - "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { - "from": "시작", - "to": "끝", - "createNewFirewallRule": "새 방화벽 규칙 만들기", - "firewall.ok": "확인", - "firewall.cancel": "취소", - "firewallRuleDialogDescription": "클라이언트 IP 주소에서 서버에 액세스할 수 없습니다. Azure 계정에 로그인하고 액세스를 허용하는 새 방화벽 규칙을 만드세요.", - "firewallRuleHelpDescription": "방화벽 설정에 대한 자세한 정보", - "filewallRule": "방화벽 규칙", - "addIPAddressLabel": "내 클라이언트 IP 추가 ", - "addIpRangeLabel": "내 서브넷 IP 범위 추가" + "sql/base/browser/ui/table/plugins/headerFilter.plugin": { + "headerFilter.showFilter": "필터 표시", + "table.selectAll": "모두 선택", + "table.searchPlaceHolder": "검색", + "tableFilter.visibleCount": "{0}개 결과", + "tableFilter.selectedCount": "{0} 선택됨", + "table.sortAscending": "오름차순 정렬", + "table.sortDescending": "내림차순 정렬", + "headerFilter.ok": "확인", + "headerFilter.clear": "지우기", + "headerFilter.cancel": "취소", + "table.filterOptions": "필터 옵션" }, - "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { - "allFiles": "모든 파일" + "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { + "loadingSpinner.loading": "로드" }, - "sql/workbench/services/insights/common/insightsUtils": { - "insightsDidNotFindResolvedFile": "다음 경로에서 쿼리 파일을 찾을 수 없습니다. \r\n {0}" + "sql/base/browser/ui/table/plugins/rowDetailView": { + "rowDetailView.loadError": "로드 오류..." }, - "sql/workbench/services/accountManagement/browser/accountListRenderer": { - "refreshCredentials": "이 계정의 자격 증명을 새로 고쳐야 합니다." + "sql/base/browser/ui/taskbar/overflowActionbar": { + "toggleMore": "자세히 전환" + }, + "sql/base/common/locConstants": { + "azuredatastudio": "Azure Data Studio", + "default": "자동 업데이트 확인을 사용하도록 설정합니다. Azure Data Studio에서 정기적으로 업데이트를 자동 확인합니다.", + "enableWindowsBackgroundUpdates": "새로운 Azure Data Studio 버전을 Windows 백그라운드에 다운로드 및 설치하려면 사용하도록 설정", + "showReleaseNotes": "업데이트 후 릴리스 정보를 표시합니다. 릴리스 정보는 새 웹 브라우저 창에서 열립니다.", + "dashboard.toolbar": "대시보드 도구 모음 작업 메뉴", + "notebook.cellTitle": "전자 필기장 셀 제목 메뉴", + "notebook.title": "전자 필기장 제목 메뉴", + "notebook.toolbar": "전자 필기장 도구 모음 메뉴", + "dataExplorer.action": "dataexplorer 뷰 컨테이너 제목 작업 메뉴", + "dataExplorer.context": "dataexplorer 항목 상황에 맞는 메뉴", + "objectExplorer.context": "개체 탐색기 항목 상황에 맞는 메뉴", + "connectionDialogBrowseTree.context": "연결 대화 상자의 찾아보기 트리 상황에 맞는 메뉴", + "dataGrid.context": "데이터 약식 표 항목 상황에 맞는 메뉴", + "extensionsPolicy": "확장을 다운로드하기 위한 보안 정책을 설정합니다.", + "InstallVSIXAction.allowNone": "확장 정책에서 확장 설치를 허용하지 않습니다. 확장 정책을 변경하고 다시 시도하세요.", + "InstallVSIXAction.successReload": "VSIX의 {0} 확장 설치가 완료되었습니다. Azure Data Studio를 다시 로드하여 사용하도록 설정하세요.", + "postUninstallTooltip": "Azure Data Studio를 다시 로드하여 이 확장의 제거를 완료하세요.", + "postUpdateTooltip": "업데이트된 확장을 사용하도록 설정하려면 Azure Data Studio를 다시 로드하세요.", + "enable locally": "이 확장을 로컬에서 사용하려면 Azure Data Studio를 다시 로드하세요.", + "postEnableTooltip": "이 확장을 사용하려면 Azure Data Studio를 다시 로드하세요.", + "postDisableTooltip": "이 확장을 사용하지 않으려면 Azure Data Studio를 다시 로드하세요.", + "uninstallExtensionComplete": "Azure Data Studio를 다시 로드하여 이 확장 {0}의 제거를 완료하세요.", + "enable remote": "{0}에서 이 확장을 사용하도록 설정하려면 Azure Data Studio를 다시 로드하세요.", + "installExtensionCompletedAndReloadRequired": "{0} 확장 설치가 완료되었습니다. Azure Data Studio를 다시 로드하여 사용하도록 설정하세요.", + "ReinstallAction.successReload": "Azure Data Studio를 다시 로드하고 {0} 확장의 재설치를 완료하세요.", + "recommendedExtensions": "Marketplace", + "scenarioTypeUndefined": "확장 권장 사항의 시나리오 유형을 제공해야 합니다.", + "incompatible": "'Azure Data Studio '{1}'과(와) 호환되지 않으므로 확장 '{0}'을(를) 설치할 수 없습니다.", + "newQuery": "새 쿼리", + "miNewQuery": "새 쿼리(&&Q)", + "miNewNotebook": "새 Notebook(&&N)", + "maxMemoryForLargeFilesMB": "큰 파일을 열려고 할 때 다시 시작한 후 Azure Data Studio에 사용 가능한 메모리를 제어합니다. 명령줄에 '--max-memory=NEWSIZE'를 지정하는 것과 결과가 같습니다.", + "updateLocale": "Azure Data Studio의 UI 언어를 {0}(으)로 변경하고 다시 시작하시겠습니까?", + "activateLanguagePack": "{0}에서 Azure Data Studio를 사용하려면 Azure Data Studio를 다시 시작해야 합니다.", + "watermark.newSqlFile": "새 SQL 파일", + "watermark.newNotebook": "새 Notebook", + "miinstallVsix": "VSIX 패키지에서 확장 설치" + }, + "sql/base/parts/editableDropdown/browser/dropdown": { + "editableDropdown.errorValidate": "목록에 있는 옵션이어야 합니다.", + "selectBox": "Box 선택" }, "sql/platform/accounts/common/accountActions": { "addAccount": "계정 추가", @@ -10190,354 +9358,24 @@ "refreshAccount": "자격 증명 다시 입력", "NoAccountToRefresh": "새로 고칠 계정이 없습니다." }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { - "showNotebookExplorer": "Notebook 표시", - "notebookExplorer.searchResults": "검색 결과", - "searchPathNotFoundError": "검색 경로를 찾을 수 없음: {0}", - "notebookExplorer.name": "Notebook" + "sql/platform/clipboard/browser/clipboardService": { + "imageCopyingNotSupported": "이미지 복사가 지원되지 않습니다." }, - "sql/workbench/contrib/query/browser/keyboardQueryActions": { - "focusOnCurrentQueryKeyboardAction": "현재 쿼리에 포커스", - "runQueryKeyboardAction": "쿼리 실행", - "runCurrentQueryKeyboardAction": "현재 쿼리 실행", - "copyQueryWithResultsKeyboardAction": "결과와 함께 쿼리 복사", - "queryActions.queryResultsCopySuccess": "쿼리 및 결과를 복사했습니다.", - "runCurrentQueryWithActualPlanKeyboardAction": "실제 계획에 따라 현재 쿼리 실행", - "cancelQueryKeyboardAction": "쿼리 취소", - "refreshIntellisenseKeyboardAction": "IntelliSense 캐시 새로 고침", - "toggleQueryResultsKeyboardAction": "쿼리 결과 전환", - "ToggleFocusBetweenQueryEditorAndResultsAction": "쿼리와 결과 간 포커스 전환", - "queryShortcutNoEditor": "바로 가기를 실행하려면 편집기 매개 변수가 필요합니다.", - "parseSyntaxLabel": "쿼리 구문 분석", - "queryActions.parseSyntaxSuccess": "명령을 완료했습니다.", - "queryActions.parseSyntaxFailure": "명령 실패: ", - "queryActions.notConnected": "서버에 연결하세요." + "sql/platform/connection/common/connectionConfig": { + "invalidServerName": "같은 이름의 서버 그룹이 이미 있습니다." }, - "sql/workbench/contrib/tasks/browser/tasksRenderer": { - "succeeded": "성공", - "failed": "실패", - "inProgress": "진행 중", - "notStarted": "시작되지 않음", - "canceled": "취소됨", - "canceling": "취소 중" + "sql/platform/dashboard/browser/insightRegistry": { + "schema.dashboardWidgets.InsightsRegistry": "대시보드에 사용되는 위젯" }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { - "chartErrorMessage": "제공한 데이터로 차트를 표시할 수 없습니다." + "sql/platform/dashboard/browser/widgetRegistry": { + "schema.dashboardWidgets.all": "대시보드에 사용되는 위젯", + "schema.dashboardWidgets.database": "대시보드에 사용되는 위젯", + "schema.dashboardWidgets.server": "대시보드에 사용되는 위젯" }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { - "resourceViewerTable.openError": "링크를 여는 동안 오류 발생: {0}", - "resourceViewerTable.commandError": "'{0}' 명령을 실행하는 동안 오류 발생: {1}" - }, - "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { - "copyFailed": "{0} 오류를 나타내며 복사 실패", - "notebook.showChart": "차트 표시", - "notebook.showTable": "테이블 표시" - }, - "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { - "doubleClickEdit": "편집하려면 두 번 클릭", - "addContent": "여기에 콘텐츠를 추가..." - }, - "sql/workbench/contrib/scripting/browser/scriptingActions": { - "refreshError": "'{0}' 노드를 새로 고치는 동안 오류가 발생했습니다. {1}" - }, - "sql/workbench/api/common/extHostModelViewDialog": { - "dialogDoneLabel": "완료", - "dialogCancelLabel": "취소", - "generateScriptLabel": "스크립트 생성", - "dialogNextLabel": "다음", - "dialogPreviousLabel": "이전", - "dashboardNotInitialized": "탭이 초기화되지 않았습니다." - }, - "sql/workbench/browser/modal/optionsDialogHelper": { - "optionsDialog.missingRequireField": "이(가) 필요합니다.", - "optionsDialog.invalidInput": "잘못된 입력입니다. 숫자 값이 필요합니다." - }, - "sql/workbench/services/restore/browser/restoreDialog": { - "backupFilePath": "백업 파일 경로", - "targetDatabase": "대상 데이터베이스", - "restoreDialog.restore": "복원", - "restoreDialog.restoreTitle": "데이터베이스 복원", - "restoreDialog.database": "데이터베이스", - "restoreDialog.backupFile": "백업 파일", - "RestoreDialogTitle": "데이터베이스 복원", - "restoreDialog.cancel": "취소", - "restoreDialog.script": "스크립트", - "source": "원본", - "restoreFrom": "복원할 원본 위치", - "missingBackupFilePathError": "백업 파일 경로가 필요합니다.", - "multipleBackupFilePath": "하나 이상의 파일 경로를 쉼표로 구분하여 입력하세요.", - "database": "데이터베이스", - "destination": "대상", - "restoreTo": "복원 위치", - "restorePlan": "복원 계획", - "backupSetsToRestore": "복원할 백업 세트", - "restoreDatabaseFileAs": "데이터베이스 파일을 다음으로 복원", - "restoreDatabaseFileDetails": "데이터베이스 파일 복원 세부 정보", - "logicalFileName": "논리적 파일 이름", - "fileType": "파일 형식", - "originalFileName": "원래 파일 이름", - "restoreAs": "다음으로 복원", - "restoreOptions": "복원 옵션", - "taillogBackup": "비상 로그 백업", - "serverConnection": "서버 연결", - "generalTitle": "일반", - "filesTitle": "파일", - "optionsTitle": "옵션" - }, - "sql/workbench/services/insights/browser/insightDialogActions": { - "workbench.action.insights.copySelection": "셀 복사" - }, - "sql/workbench/services/dialog/common/dialogTypes": { - "dialogModalDoneButtonLabel": "완료", - "dialogModalCancelButtonLabel": "취소" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { - "copyAndOpen": "복사 및 열기", - "oauthDialog.cancel": "취소", - "userCode": "사용자 코드", - "website": "웹 사이트" - }, - "sql/workbench/browser/modelComponents/componentBase": { - "invalidIndex": "{0} 인덱스가 잘못되었습니다." - }, - "sql/workbench/services/connection/browser/cmsConnectionWidget": { - "serverDescription": "서버 설명(옵션)" - }, - "sql/workbench/services/connection/browser/advancedPropertiesController": { - "connectionAdvancedProperties": "고급 속성", - "advancedProperties.discard": "삭제" - }, - "sql/workbench/services/notebook/common/localContentManager": { - "nbformatNotRecognized": "nbformat v{0}.{1}이(가) 인식되지 않습니다.", - "nbNotSupported": "이 파일에 유효한 Notebook 형식이 없습니다.", - "unknownCellType": "알 수 없는 셀 형식 {0}", - "unrecognizedOutput": "출력 형식 {0}을(를) 인식할 수 없습니다.", - "invalidMimeData": "{0}의 데이터는 문자열 또는 문자열 배열이어야 합니다.", - "unrecognizedOutputType": "출력 형식 {0}을(를) 인식할 수 없습니다." - }, - "sql/workbench/contrib/welcome/page/browser/welcomePage": { - "welcomePage": "시작", - "welcomePage.adminPack": "SQL 관리 팩", - "welcomePage.showAdminPack": "SQL 관리 팩", - "welcomePage.adminPackDescription": "SQL Server 관리 팩은 SQL Server를 관리하는 데 도움이 되는 인기 있는 데이터베이스 관리 확장 컬렉션입니다.", - "welcomePage.powershell": "PowerShell", - "welcomePage.powershellDescription": "Azure Data Studio에 제공되는 다양한 기능의 쿼리 편집기를 사용하여 PowerShell 스크립트 작성 및 실행", - "welcomePage.dataVirtualization": "데이터 가상화", - "welcomePage.dataVirtualizationDescription": "SQL Server 2019로 데이터를 가상화하고 대화형 마법사를 사용하여 외부 테이블 만들기", - "welcomePage.PostgreSQL": "PostgreSQL", - "welcomePage.PostgreSQLDescription": "Azure Data Studio를 사용하여 Postgres 데이터베이스 연결, 쿼리 및 관리", - "welcomePage.extensionPackAlreadyInstalled": "{0}에 대한 지원이 이미 설치되어 있습니다.", - "welcomePage.willReloadAfterInstallingExtensionPack": "{0}에 대한 추가 지원을 설치한 후 창이 다시 로드됩니다.", - "welcomePage.installingExtensionPack": "{0}에 대한 추가 지원을 설치하는 중...", - "welcomePage.extensionPackNotFound": "ID가 {1}인 {0}에 대한 지원을 찾을 수 없습니다.", - "welcomePage.newConnection": "새 연결", - "welcomePage.newQuery": "새 쿼리", - "welcomePage.newNotebook": "새 Notebook", - "welcomePage.deployServer": "서버 배포", - "welcome.title": "시작", - "welcomePage.new": "새로 만들기", - "welcomePage.open": "열기...", - "welcomePage.openFile": "파일 열기...", - "welcomePage.openFolder": "폴더 열기...", - "welcomePage.startTour": "둘러보기 시작", - "closeTourBar": "빠른 둘러보기 표시줄 닫기", - "WelcomePage.TakeATour": "Azure Data Studio를 빠르게 둘러보시겠습니까?", - "WelcomePage.welcome": "환영합니다!", - "welcomePage.openFolderWithPath": "경로가 {1}인 {0} 폴더 열기", - "welcomePage.install": "설치", - "welcomePage.installKeymap": "{0} 키맵 설치", - "welcomePage.installExtensionPack": "{0}에 대한 추가 지원 설치", - "welcomePage.installed": "설치됨", - "welcomePage.installedKeymap": "{0} 키맵이 이미 설치되어 있습니다.", - "welcomePage.installedExtensionPack": "{0} 지원이 이미 설치되어 있습니다.", - "ok": "확인", - "details": "세부 정보", - "welcomePage.background": "시작 페이지 배경색입니다." - }, - "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { - "profilerTextEditorAriaLabel": "이벤트 텍스트의 Profiler 편집기. 읽기 전용" - }, - "sql/workbench/services/query/common/resultSerializer": { - "msgSaveFailed": "결과를 저장하지 못했습니다. ", - "resultsSerializer.saveAsFileTitle": "결과 파일 선택", - "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV(쉼표로 구분)", - "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", - "resultsSerializer.saveAsFileExtensionExcelTitle": "Excel 통합 문서", - "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", - "resultsSerializer.saveAsFileExtensionTXTTitle": "일반 텍스트", - "savingFile": "파일을 저장하는 중...", - "msgSaveSucceeded": "{0}에 결과를 저장함", - "openFile": "파일 열기" - }, - "sql/base/browser/ui/panel/panel.component": { - "hideTextLabel": "텍스트 레이블 숨기기", - "showTextLabel": "텍스트 레이블 표시" - }, - "sql/workbench/browser/modelComponents/queryTextEditor": { - "queryTextEditorAriaLabel": "뷰 모델용 modelview 코드 편집기입니다." - }, - "sql/workbench/browser/modal/modal": { - "infoAltText": "정보", - "warningAltText": "경고", - "errorAltText": "오류", - "showMessageDetails": "세부 정보 표시", - "copyMessage": "복사", - "closeMessage": "닫기", - "modal.back": "뒤로", - "hideMessageDetails": "세부 정보 숨기기" - }, - "sql/workbench/services/accountManagement/browser/accountDialog": { - "accountExplorer.name": "계정", - "linkedAccounts": "연결된 계정", - "accountDialog.close": "닫기", - "accountDialog.noAccountLabel": "연결된 계정이 없습니다. 계정을 추가하세요.", - "accountDialog.addConnection": "계정 추가", - "accountDialog.noCloudsRegistered": "클라우드를 사용할 수 없습니다. [설정] -> [Azure 계정 구성 검색] -> [하나 이상의 클라우드 사용]으로 이동합니다.", - "accountDialog.didNotPickAuthProvider": "인증 공급자를 선택하지 않았습니다. 다시 시도하세요." - }, - "sql/workbench/services/query/common/queryRunner": { - "query.ExecutionFailedError": "예기치 않은 오류로 인해 실행하지 못했습니다. {0}\t{1}", - "query.message.executionTime": "총 실행 시간: {0}", - "query.message.startQueryWithRange": "줄 {0}에서 쿼리 실행을 시작함", - "query.message.startQuery": "일괄 처리 {0} 실행을 시작함", - "elapsedBatchTime": "일괄 처리 실행 시간: {0}", - "copyFailed": "{0} 오류를 나타내며 복사 실패" - }, - "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { - "welcomePage.azdata": "Azure Data Studio", - "welcomePage.start": "시작", - "welcomePage.newConnection": "새 연결", - "welcomePage.newQuery": "새 쿼리", - "welcomePage.newNotebook": "새 Notebook", - "welcomePage.openFileMac": "파일 열기", - "welcomePage.openFileLinuxPC": "파일 열기", - "welcomePage.deploy": "배포", - "welcomePage.newDeployment": "새 배포...", - "welcomePage.recent": "최근 항목", - "welcomePage.moreRecent": "자세히...", - "welcomePage.noRecentFolders": "최근 폴더 없음", - "welcomePage.help": "도움말", - "welcomePage.gettingStarted": "시작", - "welcomePage.productDocumentation": "설명서", - "welcomePage.reportIssue": "문제 또는 기능 요청 보고", - "welcomePage.gitHubRepository": "GitHub 리포지토리", - "welcomePage.releaseNotes": "릴리스 정보", - "welcomePage.showOnStartup": "시작 시 시작 페이지 표시", - "welcomePage.customize": "사용자 지정", - "welcomePage.extensions": "확장", - "welcomePage.extensionDescription": "SQL Server 관리자 팩 등을 포함하여 필요한 확장 다운로드", - "welcomePage.keyboardShortcut": "바로 가기 키", - "welcomePage.keyboardShortcutDescription": "즐겨 찾는 명령을 찾아 사용자 지정", - "welcomePage.colorTheme": "색 테마", - "welcomePage.colorThemeDescription": "편집기 및 코드를 원하는 방식으로 표시", - "welcomePage.learn": "학습", - "welcomePage.showCommands": "모든 명령 찾기 및 실행", - "welcomePage.showCommandsDescription": "명령 팔레트({0})에서 명령을 빠른 액세스 및 검색", - "welcomePage.azdataBlog": "최신 릴리스의 새로운 기능 알아보기", - "welcomePage.azdataBlogDescription": "매월 새로운 기능을 보여주는 새로운 월간 블로그 게시물", - "welcomePage.followTwitter": "Twitter에서 팔로우", - "welcomePage.followTwitterDescription": "커뮤니티가 Azure Data Studio를 사용하는 방식과 엔지니어와 직접 대화하는 방법을 최신 상태로 유지하세요." - }, - "sql/workbench/contrib/profiler/browser/profilerActions": { - "profilerAction.connect": "연결", - "profilerAction.disconnect": "연결 끊기", - "start": "시작", - "create": "새 세션", - "profilerAction.pauseCapture": "일시 중지", - "profilerAction.resumeCapture": "재개", - "profilerStop.stop": "중지", - "profiler.clear": "데이터 지우기", - "profiler.clearDataPrompt": "데이터를 지우시겠습니까?", - "profiler.yes": "예", - "profiler.no": "아니요", - "profilerAction.autoscrollOn": "자동 스크롤: 켜기", - "profilerAction.autoscrollOff": "자동 스크롤: 끄기", - "profiler.toggleCollapsePanel": "축소된 패널로 전환", - "profiler.editColumns": "열 편집", - "profiler.findNext": "다음 문자열 찾기", - "profiler.findPrevious": "이전 문자열 찾기", - "profilerAction.newProfiler": "Profiler 시작", - "profiler.filter": "필터...", - "profiler.clearFilter": "필터 지우기", - "profiler.clearFilterPrompt": "필터를 지우시겠습니까?" - }, - "sql/workbench/contrib/profiler/browser/profilerTableEditor": { - "ProfilerTableEditor.eventCountFiltered": "이벤트(필터링됨): {0}/{1}", - "ProfilerTableEditor.eventCount": "이벤트: {0}", - "status.eventCount": "이벤트 수" - }, - "sql/base/browser/ui/table/formatters": { - "tableCell.NoDataAvailable": "데이터를 사용할 수 없음" - }, - "sql/workbench/contrib/query/browser/queryResultsView": { - "resultsTabTitle": "결과", - "messagesTabTitle": "메시지" - }, - "sql/workbench/browser/scriptingUtils": { - "scriptSelectNotFound": "개체에 대해 스크립트 선택을 호출할 때 스크립트가 반환되지 않았습니다. ", - "selectOperationName": "선택", - "createOperationName": "만들기", - "insertOperationName": "삽입", - "updateOperationName": "업데이트", - "deleteOperationName": "삭제", - "scriptNotFoundForObject": "개체 {1}에서 {0}(으)로 스크립팅했으나 스크립트가 반환되지 않았습니다.", - "scriptingFailed": "스크립트 실패", - "scriptNotFound": "{0}(으)로 스크립팅했으나 스크립트가 반환되지 않았습니다." - }, - "sql/platform/theme/common/colors": { - "tableHeaderBackground": "테이블 헤더 배경색", - "tableHeaderForeground": "테이블 헤더 전경색", - "listFocusAndSelectionBackground": "목록/테이블이 활성 상태일 때 포커스가 있는 선택한 항목의 목록/테이블 배경색", - "tableCellOutline": "셀 윤곽선의 색입니다.", - "disabledInputBoxBackground": "입력 상자 배경을 사용하지 않도록 설정했습니다.", - "disabledInputBoxForeground": "입력 상자 전경을 사용하지 않도록 설정했습니다.", - "buttonFocusOutline": "포커스가 있는 경우 단추 윤곽선 색입니다.", - "disabledCheckboxforeground": "확인란 전경을 사용하지 않도록 설정했습니다.", - "agentTableBackground": "SQL 에이전트 테이블 배경색입니다.", - "agentCellBackground": "SQL 에이전트 테이블 셀 배경색입니다.", - "agentTableHoverBackground": "가리킨 경우 SQL 에이전트 테이블 배경색입니다.", - "agentJobsHeadingColor": "SQL 에이전트 제목 배경색입니다.", - "agentCellBorderColor": "SQL 에이전트 테이블 셀 테두리 색입니다.", - "resultsErrorColor": "결과 메시지 오류 색입니다." - }, - "sql/workbench/contrib/backup/browser/backup.component": { - "backup.backupName": "백업 이름", - "backup.recoveryModel": "복구 모델", - "backup.backupType": "백업 유형", - "backup.backupDevice": "백업 파일", - "backup.algorithm": "알고리즘", - "backup.certificateOrAsymmetricKey": "인증서 또는 비대칭 키", - "backup.media": "미디어", - "backup.mediaOption": "기존 미디어 세트에 백업", - "backup.mediaOptionFormat": "새 미디어 세트에 백업", - "backup.existingMediaAppend": "기존 백업 세트에 추가", - "backup.existingMediaOverwrite": "모든 기존 백업 세트 덮어쓰기", - "backup.newMediaSetName": "새 미디어 세트 이름", - "backup.newMediaSetDescription": "새 미디어 세트 설명", - "backup.checksumContainer": "미디어에 쓰기 전에 체크섬 수행", - "backup.verifyContainer": "완료되면 백업 확인", - "backup.continueOnErrorContainer": "오류 발생 시 계속", - "backup.expiration": "만료", - "backup.setBackupRetainDays": "백업 보존 기간(일) 설정", - "backup.copyOnly": "복사 전용 백업", - "backup.advancedConfiguration": "고급 구성", - "backup.compression": "압축", - "backup.setBackupCompression": "백업 압축 설정", - "backup.encryption": "암호화", - "backup.transactionLog": "트랜잭션 로그", - "backup.truncateTransactionLog": "트랜잭션 로그 잘라내기", - "backup.backupTail": "비상 로그 백업", - "backup.reliability": "안정성", - "backup.mediaNameRequired": "미디어 이름이 필요합니다.", - "backup.noEncryptorWarning": "사용 가능한 인증서 또는 비대칭 키가 없습니다.", - "addFile": "파일 추가", - "removeFile": "파일 제거", - "backupComponent.invalidInput": "잘못된 입력입니다. 값은 0보다 크거나 같아야 합니다.", - "backupComponent.script": "스크립트", - "backupComponent.backup": "백업", - "backupComponent.cancel": "취소", - "backup.containsBackupToUrlError": "파일로 백업만 지원됩니다.", - "backup.backupFileRequired": "백업 파일 경로가 필요합니다." + "sql/platform/serialization/common/serializationService": { + "saveAsNotSupported": "이 데이터 공급자에 대해 사용하지 않도록 설정한 다른 형식으로 결과를 저장하고 있습니다.", + "noSerializationProvider": "공급자가 등록되지 않은 경우 데이터를 직렬화할 수 없습니다.", + "unknownSerializationError": "알 수 없는 오류로 인해 serialization에 실패했습니다." }, "sql/platform/theme/common/colorRegistry": { "tileBorder": "타일의 테두리 색", @@ -10587,231 +9425,184 @@ "calloutDialogBodyBackground": "설명선 대화 상자 본문 배경입니다.", "calloutDialogShadowColor": "설명선 대화 상자 그림자 색입니다." }, - "sql/workbench/contrib/views/browser/treeView": { - "no-dataprovider": "보기 데이터를 제공할 수 있는 등록된 데이터 공급자가 없습니다.", - "refresh": "새로 고침", - "collapseAll": "모두 축소", - "command-error": "오류 실행 명령 {1}: {0}. 이는 {1}을(를) 제공하는 확장으로 인해 발생할 수 있습니다." + "sql/platform/theme/common/colors": { + "tableHeaderBackground": "테이블 헤더 배경색", + "tableHeaderForeground": "테이블 헤더 전경색", + "listFocusAndSelectionBackground": "목록/테이블이 활성 상태일 때 포커스가 있는 선택한 항목의 목록/테이블 배경색", + "tableCellOutline": "셀 윤곽선의 색입니다.", + "disabledInputBoxBackground": "입력 상자 배경을 사용하지 않도록 설정했습니다.", + "disabledInputBoxForeground": "입력 상자 전경을 사용하지 않도록 설정했습니다.", + "buttonFocusOutline": "포커스가 있는 경우 단추 윤곽선 색입니다.", + "disabledCheckboxforeground": "확인란 전경을 사용하지 않도록 설정했습니다.", + "agentTableBackground": "SQL 에이전트 테이블 배경색입니다.", + "agentCellBackground": "SQL 에이전트 테이블 셀 배경색입니다.", + "agentTableHoverBackground": "가리킨 경우 SQL 에이전트 테이블 배경색입니다.", + "agentJobsHeadingColor": "SQL 에이전트 제목 배경색입니다.", + "agentCellBorderColor": "SQL 에이전트 테이블 셀 테두리 색입니다.", + "resultsErrorColor": "결과 메시지 오류 색입니다." }, - "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { - "notebook.failed": "활성 셀을 선택하고 다시 시도하세요.", - "runCell": "셀 실행", - "stopCell": "실행 취소", - "errorRunCell": "마지막 실행 시 오류가 발생했습니다. 다시 실행하려면 클릭하세요." + "sql/workbench/api/browser/mainThreadExtensionManagement": { + "workbench.generalObsoleteApiNotification": "로드된 확장 중 일부는 사용되지 않는 API를 사용하고 있습니다. 개발자 도구 창의 콘솔 탭에서 자세한 정보를 확인하세요.", + "dontShowAgain": "다시 표시 안 함" }, - "sql/workbench/contrib/tasks/common/tasksAction": { - "cancelTask.cancel": "취소", - "errorMsgFromCancelTask": "작업을 취소하지 못했습니다.", - "taskAction.script": "스크립트" - }, - "sql/base/browser/ui/taskbar/overflowActionbar": { - "toggleMore": "자세히 전환" - }, - "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { - "loadingSpinner.loading": "로드" - }, - "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { - "homeCrumb": "홈" - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { - "dashboardNavSection.loadTabError": "\"{0}\" 섹션에 잘못된 내용이 있습니다. 확장 소유자에게 문의하세요." - }, - "sql/workbench/contrib/jobManagement/browser/agentView.component": { - "jobview.Jobs": "작업", - "jobview.Notebooks": "Notebook", - "jobview.Alerts": "경고", - "jobview.Proxies": "프록시", - "jobview.Operators": "연산자" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { - "serverPageName": "서버 속성" - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { - "databasePageName": "데이터베이스 속성" - }, - "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { - "selectDeselectAll": "모두 선택/모두 선택 취소" - }, - "sql/base/browser/ui/table/plugins/headerFilter.plugin": { - "headerFilter.showFilter": "필터 표시", - "headerFilter.ok": "확인", - "headerFilter.clear": "지우기", - "headerFilter.cancel": "취소" - }, - "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { - "treeAriaLabel": "최근 연결", - "serversAriaLabel": "서버", - "treeCreation.regTreeAriaLabel": "서버" - }, - "sql/workbench/services/restore/common/constants": { - "backup.filterBackupFiles": "백업 파일", - "backup.allFiles": "모든 파일" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { - "label.Search": "검색: 검색어를 입력하고 Enter 키를 눌러서 검색하세요. 취소하려면 Esc 키를 누르세요.", - "search.placeHolder": "검색" - }, - "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { - "dashboard.changeDatabaseFailure": "데이터베이스를 변경하지 못함" - }, - "sql/workbench/contrib/jobManagement/browser/alertsView.component": { - "jobAlertColumns.name": "이름", - "jobAlertColumns.lastOccurrenceDate": "마지막 발생", - "jobAlertColumns.enabled": "사용", - "jobAlertColumns.delayBetweenResponses": "응답 간격(초)", - "jobAlertColumns.categoryName": "범주 이름" - }, - "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { - "jobOperatorsView.name": "이름", - "jobOperatorsView.emailAddress": "전자 메일 주소", - "jobOperatorsView.enabled": "사용" - }, - "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { - "jobProxiesView.accountName": "계정 이름", - "jobProxiesView.credentialName": "자격 증명 이름", - "jobProxiesView.description": "설명", - "jobProxiesView.isEnabled": "사용" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { - "loadingObjects": "개체 로드", - "loadingDatabases": "데이터베이스 로드", - "loadingObjectsCompleted": "개체 로드가 완료되었습니다.", - "loadingDatabasesCompleted": "데이터베이스 로드가 완료되었습니다.", - "seachObjects": "형식 이름(t:, v:, f: 또는 sp:)으로 검색", - "searchDatabases": "데이터베이스 검색", - "dashboard.explorer.objectError": "개체를 로드할 수 없습니다.", - "dashboard.explorer.databaseError": "데이터베이스를 로드할 수 없습니다." - }, - "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { - "loadingProperties": "속성 로드", - "loadingPropertiesCompleted": "속성 로드 완료", - "dashboard.properties.error": "대시보드 속성을 로드할 수 없습니다." - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { - "insightsWidgetLoadingMessage": "{0} 로드", - "insightsWidgetLoadingCompletedMessage": "{0} 로드 완료", - "insights.autoRefreshOffState": "자동 새로 고침: 꺼짐", - "insights.lastUpdated": "최종 업데이트: {0} {1}", - "noResults": "표시할 결과 없음" - }, - "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { - "agent.steps": "단계" - }, - "sql/workbench/contrib/query/browser/actions": { - "saveAsCsv": "CSV로 저장", - "saveAsJson": "JSON으로 저장", - "saveAsExcel": "Excel로 저장", - "saveAsXml": "XML로 저장", - "jsonEncoding": "JSON으로 내보낼 때 결과 인코딩이 저장되지 않습니다. 파일이 만들어지면 원하는 인코딩으로 저장해야 합니다.", - "saveToFileNotSupported": "백업 데이터 원본에서 파일로 저장하도록 지원하지 않습니다.", - "copySelection": "복사", - "copyWithHeaders": "복사(머리글 포함)", - "selectAll": "모두 선택", - "maximize": "최대화", - "restore": "복원", - "chart": "차트", - "visualizer": "시각화 도우미" + "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { + "runActiveCell": "F5 바로 가기 키를 사용하려면 코드 셀을 선택해야 합니다. 실행할 코드 셀을 선택하세요.", + "clearResultActiveCell": "명확한 결과를 얻으려면 코드 셀을 선택해야 합니다. 실행할 코드 셀을 선택하세요." }, "sql/workbench/api/common/extHostModelView": { "unknownComponentType": "알 수 없는 구성 요소 유형입니다. ModelBuilder를 사용하여 개체를 만들어야 합니다.", "invalidIndex": "{0} 인덱스가 잘못되었습니다.", "unknownConfig": "알 수 없는 구성 요소 구성입니다. ModelBuilder를 사용하여 구성 개체를 만들어야 합니다." }, - "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { - "stepRow.stepID": "단계 ID", - "stepRow.stepName": "단계 이름", - "stepRow.message": "메시지" + "sql/workbench/api/common/extHostModelViewDialog": { + "dialogDoneLabel": "완료", + "dialogCancelLabel": "취소", + "generateScriptLabel": "스크립트 생성", + "dialogNextLabel": "다음", + "dialogPreviousLabel": "이전", + "dashboardNotInitialized": "탭이 초기화되지 않았습니다." }, - "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { - "label.find": "찾기", - "placeholder.find": "찾기", - "label.previousMatchButton": "이전 검색 결과", - "label.nextMatchButton": "다음 검색 결과", - "label.closeButton": "닫기", - "title.matchesCountLimit": "많은 수의 검색 결과가 반환되었습니다. 처음 999개의 일치 항목만 강조 표시됩니다.", - "label.matchesLocation": "{0}/{1}", - "label.noResults": "결과 없음" + "sql/workbench/api/common/extHostModelViewTree": { + "treeView.notRegistered": "ID가 '{0}'인 등록된 트리 뷰가 없습니다." }, - "sql/workbench/contrib/charts/browser/chartView": { - "horizontalBarAltName": "가로 막대", - "barAltName": "막대형", - "lineAltName": "꺾은선형", - "pieAltName": "원형", - "scatterAltName": "분산형", - "timeSeriesAltName": "시계열", - "imageAltName": "이미지", - "countAltName": "개수", - "tableAltName": "테이블", - "doughnutAltName": "도넛형", - "charting.failedToGetRows": "데이터 세트의 행을 차트로 가져오지 못했습니다.", - "charting.unsupportedType": "차트 종류 '{0}'은(는) 지원되지 않습니다." + "sql/workbench/api/common/extHostNotebook": { + "providerRequired": "유효한 providerId가 있는 NotebookProvider를 이 메서드에 전달해야 합니다.", + "errNoProvider": "Notebook 공급자가 없음", + "errNoManager": "관리자를 찾을 수 없음", + "noServerManager": "{0} Notebook의 Notebook 관리자에 서버 관리자가 없습니다. 작업을 수행할 수 없습니다.", + "noContentManager": "{0} Notebook의 Notebook 관리자에 콘텐츠 관리자가 없습니다. 작업을 수행할 수 없습니다.", + "noSessionManager": "{0} Notebook의 Notebook 관리자에 세션 관리자가 없습니다. 작업을 수행할 수 없습니다." }, - "sql/workbench/contrib/notebook/browser/cellViews/code.component": { - "parametersText": "매개 변수" + "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { + "providerRequired": "유효한 providerId가 있는 NotebookProvider를 이 메서드에 전달해야 합니다." }, - "sql/workbench/services/connection/browser/localizedConstants": { - "onDidConnectMessage": "연결 대상", - "onDidDisconnectMessage": "연결 끊김", - "unsavedGroupLabel": "저장되지 않은 연결" + "sql/workbench/browser/actions": { + "manage": "관리", + "showDetails": "세부 정보 표시", + "configureDashboardLearnMore": "자세한 정보", + "clearSavedAccounts": "저장된 모든 계정 지우기" }, - "sql/workbench/services/connection/browser/connectionBrowseTab": { - "connectionDialog.browser": "찾아보기(미리 보기)", - "connectionDialog.FilterPlaceHolder": "목록을 필터링하려면 여기에 입력하세요.", - "connectionDialog.FilterInputTitle": "연결 필터링", - "connectionDialog.ApplyingFilter": "필터 적용", - "connectionDialog.RemovingFilter": "필터 제거", - "connectionDialog.FilterApplied": "필터가 적용됨", - "connectionDialog.FilterRemoved": "필터가 제거됨", - "savedConnections": "저장된 연결", - "savedConnection": "저장된 연결", - "connectionBrowserTree": "연결 브라우저 트리" + "sql/workbench/browser/actions.contribution": { + "previewFeatures.configTitle": "미리 보기 기능", + "previewFeatures.configEnable": "해제되지 않은 미리 보기 기능 사용", + "showConnectDialogOnStartup": "시작 시 연결 대화 상자 표시", + "enableObsoleteApiUsageNotificationTitle": "사용되지 않는 API 알림", + "enableObsoleteApiUsageNotification": "사용되지 않는 API 사용 알림 사용/사용 안 함" }, - "sql/workbench/contrib/extensions/browser/staticRecommendations": { - "defaultRecommendations": "이 확장은 Azure Data Studio에서 추천됩니다." + "sql/workbench/browser/editData/editDataInput": { + "connectionFailure": "연결하지 못한 데이터 세션 편집" }, - "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { - "neverShowAgain": "다시 표시 안 함", - "ExtensionsRecommended": "Azure Data Studio에는 확장 권장 사항이 있습니다.", - "VisualizerExtensionsRecommended": "Azure Data Studio에는 데이터 시각화를 위한 확장 권장 사항이 있습니다.\r\n설치한 후에는 시각화 도우미 아이콘을 선택하여 쿼리 결과를 시각화할 수 있습니다.", - "installAll": "모두 설치", - "showRecommendations": "권장 사항 표시", - "scenarioTypeUndefined": "확장 권장 사항의 시나리오 유형을 제공해야 합니다." + "sql/workbench/browser/editor/profiler/profilerInput": { + "profilerInput.profiler": "Profiler", + "profilerInput.notConnected": "연결되지 않음", + "profiler.sessionStopped": "{0} 서버에서 XEvent Profiler 세션이 예기치 않게 중지되었습니다.", + "profiler.sessionCreationError": "새로운 세션을 시작하는 동안 오류가 발생했습니다.", + "profiler.eventsLost": "{0}의 XEvent Profiler 세션에서 이벤트가 손실되었습니다." }, - "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { - "welcomePage.previewBody": "이 기능 페이지는 미리 보기로 제공됩니다. 미리 보기 기능은 제품에 영구적으로 포함될 예정인 새로운 기능을 도입합니다. 이와 같은 기능은 안정적이지만 접근성 측면에서 추가적인 개선이 필요합니다. 해당 기능이 개발되는 동안 초기 피드백을 주시면 감사하겠습니다.", - "welcomePage.preview": "미리 보기", - "welcomePage.createConnection": "연결 만들기", - "welcomePage.createConnectionBody": "연결 대화 상자를 통해 데이터베이스 인스턴스에 연결합니다.", - "welcomePage.runQuery": "쿼리 실행", - "welcomePage.runQueryBody": "쿼리 편집기를 통해 데이터와 상호 작용합니다.", - "welcomePage.createNotebook": "Notebook 만들기", - "welcomePage.createNotebookBody": "네이티브 Notebook 편집기를 사용하여 새 Notebook을 빌드합니다.", - "welcomePage.deployServer": "서버 배포", - "welcomePage.deployServerBody": "선택한 플랫폼에서 관계형 데이터 서비스의 새 인스턴스를 만듭니다.", - "welcomePage.resources": "리소스", - "welcomePage.history": "기록", - "welcomePage.name": "이름", - "welcomePage.location": "위치", - "welcomePage.moreRecent": "자세히 표시", - "welcomePage.showOnStartup": "시작 시 시작 페이지 표시", - "welcomePage.usefuLinks": "유용한 링크", - "welcomePage.gettingStarted": "시작", - "welcomePage.gettingStartedBody": "Azure Data Studio에서 제공하는 기능을 검색하고 기능을 최대한 활용하는 방법을 알아봅니다.", - "welcomePage.documentation": "설명서", - "welcomePage.documentationBody": "PowerShell, API 등의 빠른 시작, 방법 가이드, 참조 자료를 보려면 설명서 센터를 방문합니다.", - "welcomePage.videoDescriptionOverview": "Azure Data Studio 개요", - "welcomePage.videoDescriptionIntroduction": "Azure Data Studio Notebook 소개 | 데이터 공개됨", - "welcomePage.extensions": "확장", - "welcomePage.showAll": "모두 표시", - "welcomePage.learnMore": "자세한 정보 " + "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { + "resourceViewer.showActions": "작업 표시", + "resourceViewerInput.resourceViewer": "리소스 뷰어" }, - "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { - "notebookHistory.dateCreatedTooltip": "만든 날짜: ", - "notebookHistory.notebookErrorTooltip": "Notebook 오류: ", - "notebookHistory.ErrorTooltip": "작업 오류: ", - "notebookHistory.pinnedTitle": "고정됨", - "notebookHistory.recentRunsTitle": "최근 실행", - "notebookHistory.pastRunsTitle": "지난 실행" + "sql/workbench/browser/modal/modal": { + "infoAltText": "정보", + "warningAltText": "경고", + "errorAltText": "오류", + "showMessageDetails": "세부 정보 표시", + "copyMessage": "복사", + "closeMessage": "닫기", + "modal.back": "뒤로", + "hideMessageDetails": "세부 정보 숨기기" + }, + "sql/workbench/browser/modal/optionsDialog": { + "optionsDialog.ok": "확인", + "optionsDialog.cancel": "취소" + }, + "sql/workbench/browser/modal/optionsDialogHelper": { + "optionsDialog.missingRequireField": "이(가) 필요합니다.", + "optionsDialog.invalidInput": "잘못된 입력입니다. 숫자 값이 필요합니다." + }, + "sql/workbench/browser/modelComponents/componentBase": { + "invalidIndex": "{0} 인덱스가 잘못되었습니다." + }, + "sql/workbench/browser/modelComponents/declarativeTable.component": { + "blankValue": "비어 있음", + "checkAllColumnLabel": "열의 모든 확인란 선택: {0}", + "declarativeTable.showActions": "작업 표시" + }, + "sql/workbench/browser/modelComponents/dropdown.component": { + "loadingMessage": "로드", + "loadingCompletedMessage": "로드 완료" + }, + "sql/workbench/browser/modelComponents/inputbox.component": { + "invalidValueError": "잘못된 값", + "period": "{0}. {1}" + }, + "sql/workbench/browser/modelComponents/loadingComponent.component": { + "loadingMessage": "로드 중", + "loadingCompletedMessage": "로드 완료" + }, + "sql/workbench/browser/modelComponents/queryTextEditor": { + "queryTextEditorAriaLabel": "뷰 모델용 modelview 코드 편집기입니다." + }, + "sql/workbench/browser/modelComponents/viewBase": { + "componentTypeNotRegistered": "{0} 형식의 구성 요소를 찾을 수 없습니다." + }, + "sql/workbench/browser/parts/editor/editorStatusModeSelect": { + "languageChangeUnsupported": "저장하지 않은 파일의 경우 편집기 유형을 변경할 수 없습니다." + }, + "sql/workbench/browser/scriptingActions": { + "scriptSelect": "상위 1,000개 선택", + "scriptKustoSelect": "Take 10", + "scriptExecute": "Execute로 스크립트", + "scriptAlter": "Alter로 스크립트", + "editData": "데이터 편집", + "scriptCreate": "Create로 스크립트", + "scriptDelete": "Drop으로 스크립트" + }, + "sql/workbench/browser/scriptingUtils": { + "scriptSelectNotFound": "개체에 대해 스크립트 선택을 호출할 때 스크립트가 반환되지 않았습니다. ", + "selectOperationName": "선택", + "createOperationName": "만들기", + "insertOperationName": "삽입", + "updateOperationName": "업데이트", + "deleteOperationName": "삭제", + "scriptNotFoundForObject": "개체 {1}에서 {0}(으)로 스크립팅했으나 스크립트가 반환되지 않았습니다.", + "scriptingFailed": "스크립트 실패", + "scriptNotFound": "{0}(으)로 스크립팅했으나 스크립트가 반환되지 않았습니다." + }, + "sql/workbench/common/editor/query/queryEditorInput": { + "disconnected": "연결 끊김" + }, + "sql/workbench/common/editor/query/queryResultsInput": { + "extensionsInputName": "확장" + }, + "sql/workbench/common/theme": { + "verticalTabActiveBackground": "세로 탭의 활성 탭 배경색", + "dashboardBorder": "대시보드의 테두리 색", + "dashboardWidget": "대시보드 위젯 제목 색", + "dashboardWidgetSubtext": "대시보드 위젯 하위 텍스트 색", + "propertiesContainerPropertyValue": "속성 컨테이너 구성 요소에 표시되는 속성 값의 색", + "propertiesContainerPropertyName": "속성 컨테이너 구성 요소에 표시되는 속성 이름의 색", + "toolbarOverflowShadow": "도구 모음 오버플로 그림자 색" + }, + "sql/workbench/contrib/accounts/browser/accountManagement.contribution": { + "carbon.extension.contributes.account.id": "계정 유형 식별자", + "carbon.extension.contributes.account.icon": "(옵션) UI에서 명령을 나타내는 데 사용되는 아이콘입니다. 파일 경로 또는 테마 지정 가능 구성입니다.", + "carbon.extension.contributes.account.icon.light": "밝은 테마를 사용하는 경우의 아이콘 경로", + "carbon.extension.contributes.account.icon.dark": "어두운 테마를 사용하는 경우의 아이콘 경로", + "carbon.extension.contributes.account": "계정 공급자에게 아이콘을 제공합니다." + }, + "sql/workbench/contrib/assessment/browser/asmtActions": { + "asmtaction.server.getitems": "적용 가능한 규칙 보기", + "asmtaction.database.getitems": "{0}에 적용 가능한 규칙 보기", + "asmtaction.server.invokeitems": "평가 호출", + "asmtaction.database.invokeitems": "{0}의 평가 호출", + "asmtaction.exportasscript": "스크립트로 내보내기", + "asmtaction.showsamples": "GitHub에서 모든 규칙 보기 및 자세히 알아보기", + "asmtaction.generatehtmlreport": "HTML 보고서 만들기", + "asmtaction.openReport": "보고서가 저장되었습니다. 열어보시겠습니까?", + "asmtaction.label.open": "열기", + "asmtaction.label.cancel": "취소" }, "sql/workbench/contrib/assessment/browser/asmtResultsView.component": { "asmt.NoResultsInitial": "표시할 내용이 없습니다. 평가를 호출하여 결과를 가져옵니다.", @@ -10821,110 +9612,6 @@ "asmt.TargetInstanceComplient": "{0} 인스턴스는 모범 사례를 완전히 준수합니다. 잘하셨습니다!", "asmt.TargetDatabaseComplient": "{0} 데이터베이스는 모범 사례를 완전히 준수합니다. 잘하셨습니다!" }, - "sql/workbench/contrib/charts/browser/chartTab": { - "chartTabTitle": "차트" - }, - "sql/workbench/contrib/queryPlan/browser/topOperations": { - "topOperations.operation": "작업", - "topOperations.object": "개체", - "topOperations.estCost": "예상 비용", - "topOperations.estSubtreeCost": "예상 하위 트리 비용", - "topOperations.actualRows": "실제 행 수", - "topOperations.estRows": "예상 행 수", - "topOperations.actualExecutions": "실제 실행 수", - "topOperations.estCPUCost": "예상 CPU 비용", - "topOperations.estIOCost": "예상 입출력 비용", - "topOperations.parallel": "병렬", - "topOperations.actualRebinds": "실제 다시 바인딩 횟수", - "topOperations.estRebinds": "예상 다시 바인딩 횟수", - "topOperations.actualRewinds": "실제 되감기 횟수", - "topOperations.estRewinds": "예상 되감기 횟수", - "topOperations.partitioned": "분할됨", - "topOperationsTitle": "상위 작업" - }, - "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { - "servers.noConnections": "연결이 없습니다.", - "serverTree.addConnection": "연결 추가" - }, - "sql/workbench/services/connection/browser/connectionWidget": { - "connectionWidget.AddAzureAccount": "계정 추가...", - "defaultDatabaseOption": "<기본값>", - "loadingDatabaseOption": "로드 중...", - "serverGroup": "서버 그룹", - "defaultServerGroup": "<기본값>", - "addNewServerGroup": "새 그룹 추가...", - "noneServerGroup": "<저장 안 함>", - "connectionWidget.missingRequireField": "{0}이(가) 필요합니다.", - "connectionWidget.fieldWillBeTrimmed": "{0}이(가) 잘립니다.", - "rememberPassword": "암호 저장", - "connection.azureAccountDropdownLabel": "계정", - "connectionWidget.refreshAzureCredentials": "계정 자격 증명 새로 고침", - "connection.azureTenantDropdownLabel": "Azure AD 테넌트", - "connectionName": "이름(옵션)", - "advanced": "고급...", - "connectionWidget.invalidAzureAccount": "계정을 선택해야 합니다." - }, - "sql/workbench/contrib/backup/common/constants": { - "backup.labelDatabase": "데이터베이스", - "backup.labelFilegroup": "파일 및 파일 그룹", - "backup.labelFull": "전체", - "backup.labelDifferential": "차등", - "backup.labelLog": "트랜잭션 로그", - "backup.labelDisk": "디스크", - "backup.labelUrl": "URL", - "backup.defaultCompression": "기본 서버 설정 사용", - "backup.compressBackup": "백업 압축", - "backup.doNotCompress": "백업 압축 안 함", - "backup.serverCertificate": "서버 인증서", - "backup.asymmetricKey": "비대칭 키" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { - "searchWithoutFolder": "Notebook/Book이 포함된 폴더를 열지 않았습니다. ", - "openNotebookFolder": "Notebook 열기", - "searchMaxResultsWarning": "결과 집합에는 모든 일치 항목의 하위 집합만 포함됩니다. 결과 범위를 좁히려면 검색을 더 세분화하세요.", - "searchInProgress": "검색 진행 중... - ", - "noResultsIncludesExcludes": "'{0}'에 '{1}'을(를) 제외한 결과 없음 - ", - "noResultsIncludes": "'{0}'에 결과 없음 - ", - "noResultsExcludes": "'{0}'을(를) 제외하는 결과가 없음 - ", - "noResultsFound": "결과가 없습니다. 구성된 제외에 대한 설정을 검토하고 gitignore 파일을 확인하세요. - ", - "rerunSearch.message": "다시 검색", - "cancelSearch.message": "검색 취소", - "rerunSearchInAll.message": "모든 파일에서 다시 검색", - "openSettings.message": "설정 열기", - "ariaSearchResultsStatus": "검색에서 {1}개의 파일에 {0}개의 결과를 반환했습니다.", - "ToggleCollapseAndExpandAction.label": "축소 및 확장 전환", - "CancelSearchAction.label": "검색 취소", - "ExpandAllAction.label": "모두 확장", - "CollapseDeepestExpandedLevelAction.label": "모두 축소", - "ClearSearchResultsAction.label": "검색 결과 지우기" - }, - "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { - "GuidedTour.connections": "연결", - "GuidedTour.makeConnections": "SQL Server, Azure 등에서 연결을 연결, 쿼리 및 관리합니다.", - "GuidedTour.one": "1", - "GuidedTour.next": "다음", - "GuidedTour.notebooks": "Notebook", - "GuidedTour.gettingStartedNotebooks": "한 곳에서 사용자 Notebook 또는 Notebook 컬렉션을 만드는 작업을 시작합니다.", - "GuidedTour.two": "2", - "GuidedTour.extensions": "확장", - "GuidedTour.addExtensions": "Microsoft 및 타사 커뮤니티에서 개발한 확장을 설치하여 Azure Data Studio 기능을 확장합니다.", - "GuidedTour.three": "3", - "GuidedTour.settings": "설정", - "GuidedTour.makeConnesetSettings": "기본 설정에 따라 Azure Data Studio를 사용자 지정합니다. 자동 저장 및 탭 크기 같은 설정을 구성하고, 바로 가기 키를 개인 설정하고, 원하는 색 테마로 전환할 수 있습니다.", - "GuidedTour.four": "4", - "GuidedTour.welcomePage": "시작 페이지", - "GuidedTour.discoverWelcomePage": "시작 페이지에서 주요 기능, 최근에 연 파일 및 추천 확장을 검색합니다. Azure Data Studio를 시작하는 방법에 관한 자세한 내용은 비디오 및 설명서를 확인하세요.", - "GuidedTour.five": "5", - "GuidedTour.finish": "마침", - "guidedTour": "사용자 시작 둘러보기", - "hideGuidedTour": "시작 둘러보기 숨기기", - "GuidedTour.readMore": "자세한 정보", - "help": "도움말" - }, - "sql/workbench/contrib/editData/browser/editDataGridActions": { - "deleteRow": "행 삭제", - "revertRow": "현재 행 되돌리기" - }, "sql/workbench/contrib/assessment/common/strings": { "asmt.section.api.title": "API 정보", "asmt.apiversion": "API 버전:", @@ -10947,171 +9634,81 @@ "asmt.column.helpLink": "도움말 링크", "asmt.sqlReport.severityMsg": "{0}: {1}개 항목" }, - "sql/workbench/contrib/query/browser/messagePanel": { - "messagePanel": "메시지 패널", - "copy": "복사", - "copyAll": "모두 복사" + "sql/workbench/contrib/azure/browser/azure.contribution": { + "azure.openInAzurePortal.title": "Azure Portal에서 열기" }, - "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { - "loadingMessage": "로드", - "loadingCompletedMessage": "로드 완료" + "sql/workbench/contrib/backup/browser/backup.component": { + "backup.backupName": "백업 이름", + "backup.recoveryModel": "복구 모델", + "backup.backupType": "백업 유형", + "backup.backupDevice": "백업 파일", + "backup.algorithm": "알고리즘", + "backup.certificateOrAsymmetricKey": "인증서 또는 비대칭 키", + "backup.media": "미디어", + "backup.mediaOption": "기존 미디어 세트에 백업", + "backup.mediaOptionFormat": "새 미디어 세트에 백업", + "backup.existingMediaAppend": "기존 백업 세트에 추가", + "backup.existingMediaOverwrite": "모든 기존 백업 세트 덮어쓰기", + "backup.newMediaSetName": "새 미디어 세트 이름", + "backup.newMediaSetDescription": "새 미디어 세트 설명", + "backup.checksumContainer": "미디어에 쓰기 전에 체크섬 수행", + "backup.verifyContainer": "완료되면 백업 확인", + "backup.continueOnErrorContainer": "오류 발생 시 계속", + "backup.expiration": "만료", + "backup.setBackupRetainDays": "백업 보존 기간(일) 설정", + "backup.copyOnly": "복사 전용 백업", + "backup.advancedConfiguration": "고급 구성", + "backup.compression": "압축", + "backup.setBackupCompression": "백업 압축 설정", + "backup.encryption": "암호화", + "backup.transactionLog": "트랜잭션 로그", + "backup.truncateTransactionLog": "트랜잭션 로그 잘라내기", + "backup.backupTail": "비상 로그 백업", + "backup.reliability": "안정성", + "backup.mediaNameRequired": "미디어 이름이 필요합니다.", + "backup.noEncryptorWarning": "사용 가능한 인증서 또는 비대칭 키가 없습니다.", + "addFile": "파일 추가", + "removeFile": "파일 제거", + "backupComponent.invalidInput": "잘못된 입력입니다. 값은 0보다 크거나 같아야 합니다.", + "backupComponent.script": "스크립트", + "backupComponent.backup": "백업", + "backupComponent.cancel": "취소", + "backup.containsBackupToUrlError": "파일로 백업만 지원됩니다.", + "backup.backupFileRequired": "백업 파일 경로가 필요합니다." }, - "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { - "clickOn": "코드 또는 텍스트 셀을 추가하려면", - "plusCode": "+ 코드", - "or": "또는", - "plusText": "+ 텍스트", - "toAddCell": "클릭" + "sql/workbench/contrib/backup/browser/backup.contribution": { + "backup": "백업" }, - "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { - "stdInLabel": "StdIn:" + "sql/workbench/contrib/backup/browser/backupActions": { + "backup.isPreviewFeature": "백업을 사용하려면 미리 보기 기능을 사용하도록 설정해야 합니다.", + "backup.commandNotSupportedForServer": "백업 명령은 데이터베이스 컨텍스트 외부에서 지원되지 않습니다. 데이터베이스를 선택하고 다시 시도하세요.", + "backup.commandNotSupported": "Azure SQL Database에 대해 백업 명령이 지원되지 않습니다.", + "backupAction.backup": "백업" }, - "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { - "expandCellContents": "코드 셀 콘텐츠 확장", - "collapseCellContents": "코드 셀 콘텐츠 축소" + "sql/workbench/contrib/backup/common/constants": { + "backup.labelDatabase": "데이터베이스", + "backup.labelFilegroup": "파일 및 파일 그룹", + "backup.labelFull": "전체", + "backup.labelDifferential": "차등", + "backup.labelLog": "트랜잭션 로그", + "backup.labelDisk": "디스크", + "backup.labelUrl": "URL", + "backup.defaultCompression": "기본 서버 설정 사용", + "backup.compressBackup": "백업 압축", + "backup.doNotCompress": "백업 압축 안 함", + "backup.serverCertificate": "서버 인증서", + "backup.asymmetricKey": "비대칭 키" }, - "sql/workbench/contrib/query/browser/gridPanel": { - "xmlShowplan": "XML 실행 계획", - "resultsGrid": "결과 표" - }, - "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { - "buttonAdd": "셀 추가", - "optionCodeCell": "코드 셀", - "optionTextCell": "텍스트 셀", - "buttonMoveDown": "아래로 셀 이동", - "buttonMoveUp": "위로 셀 이동", - "buttonDelete": "삭제", - "codeCellsPreview": "셀 추가", - "codePreview": "코드 셀", - "textPreview": "텍스트 셀" - }, - "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { - "sqlKernelError": "SQL 커널 오류", - "connectionRequired": "Notebook 셀을 실행하려면 연결을 선택해야 합니다.", - "sqlMaxRowsDisplayed": "상위 {0}개 행을 표시합니다." - }, - "sql/workbench/contrib/jobManagement/browser/jobsView.component": { - "jobColumns.name": "이름", - "jobColumns.lastRun": "마지막 실행", - "jobColumns.nextRun": "다음 실행", - "jobColumns.enabled": "사용", - "jobColumns.status": "상태", - "jobColumns.category": "범주", - "jobColumns.runnable": "실행 가능", - "jobColumns.schedule": "일정", - "jobColumns.lastRunOutcome": "마지막 실행 결과", - "jobColumns.previousRuns": "이전 실행", - "jobsView.noSteps": "이 작업에 사용할 수 있는 단계가 없습니다.", - "jobsView.error": "오류: " - }, - "sql/workbench/browser/modelComponents/viewBase": { - "componentTypeNotRegistered": "{0} 형식의 구성 요소를 찾을 수 없습니다." - }, - "sql/workbench/contrib/profiler/browser/profilerFindWidget": { - "label.find": "찾기", - "placeholder.find": "찾기", - "label.previousMatchButton": "이전 검색 결과", - "label.nextMatchButton": "다음 검색 결과", - "label.closeButton": "닫기", - "title.matchesCountLimit": "많은 수의 검색 결과가 반환되었습니다. 처음 999개의 일치 항목만 강조 표시됩니다.", - "label.matchesLocation": "{0}/{1}", - "label.noResults": "결과 없음" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { - "dashboard.explorer.namePropertyDisplayValue": "이름", - "dashboard.explorer.schemaDisplayValue": "스키마", - "dashboard.explorer.objectTypeDisplayValue": "형식" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { - "insights.runQuery": "쿼리 실행" - }, - "sql/workbench/contrib/notebook/browser/cellViews/output.component": { - "noMimeTypeFound": "출력의 {0}렌더러를 찾을 수 없습니다. MIME 형식이 {1}입니다.", - "safe": "안전 ", - "noSelectorFound": "선택기 {0}에 대한 구성 요소를 찾을 수 없습니다.", - "componentRenderError": "구성 요소 {0} 렌더링 중 오류 발생" - }, - "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { - "loading": "로드 중..." - }, - "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { - "loading": "로드 중..." - }, - "sql/workbench/contrib/dashboard/browser/core/actions": { - "editDashboard": "편집", - "editDashboardExit": "끝내기", - "refreshWidget": "새로 고침", - "toggleMore": "작업 표시", - "deleteWidget": "위젯 삭제", - "clickToUnpin": "클릭하여 고정 해제", - "clickToPin": "클릭하여 고정", - "addFeatureAction.openInstalledFeatures": "설치된 기능 열기", - "collapseWidget": "위젯 축소", - "expandWidget": "위젯 확장" - }, - "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { - "unknownDashboardContainerError": "{0}은(는) 알 수 없는 컨테이너입니다." - }, - "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { - "notebookColumns.name": "이름", - "notebookColumns.targetDatbase": "대상 데이터베이스", - "notebookColumns.lastRun": "마지막 실행", - "notebookColumns.nextRun": "다음 실행", - "notebookColumns.status": "상태", - "notebookColumns.lastRunOutcome": "마지막 실행 결과", - "notebookColumns.previousRuns": "이전 실행", - "notebooksView.noSteps": "이 작업에 사용할 수 있는 단계가 없습니다.", - "notebooksView.error": "오류: ", - "notebooksView.notebookError": "Notebook 오류: " - }, - "sql/base/browser/ui/table/plugins/rowDetailView": { - "rowDetailView.loadError": "로드 오류..." - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { - "dashboard.explorer.actions": "작업 표시", - "explorerSearchNoMatchResultMessage": "일치하는 항목 없음", - "explorerSearchSingleMatchResultMessage": "검색 목록을 1개 항목으로 필터링함", - "explorerSearchMatchResultMessage": "검색 목록을 {0}개 항목으로 필터링함" - }, - "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { - "agentUtilities.failed": "실패", - "agentUtilities.succeeded": "성공", - "agentUtilities.retry": "다시 시도", - "agentUtilities.canceled": "취소됨", - "agentUtilities.inProgress": "진행 중", - "agentUtilities.statusUnknown": "알 수 없는 상태", - "agentUtilities.executing": "실행 중", - "agentUtilities.waitingForThread": "스레드 대기 중", - "agentUtilities.betweenRetries": "다시 시도 대기 중", - "agentUtilities.idle": "유휴 상태", - "agentUtilities.suspended": "일시 중지됨", - "agentUtilities.obsolete": "[사용되지 않음]", - "agentUtilities.yes": "예", - "agentUtilities.no": "아니요", - "agentUtilities.notScheduled": "예약되지 않음", - "agentUtilities.neverRun": "실행 안 함" - }, - "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { - "buttonBold": "굵게", - "buttonItalic": "기울임꼴", - "buttonUnderline": "밑줄", - "buttonHighlight": "강조 표시", - "buttonCode": "코드", - "buttonLink": "링크", - "buttonList": "목록", - "buttonOrderedList": "순서가 지정된 목록", - "buttonImage": "이미지", - "buttonPreview": "Markdown 미리 보기 토글 - 끄기", - "dropdownHeading": "제목", - "optionHeading1": "제목 1", - "optionHeading2": "제목 2", - "optionHeading3": "제목 3", - "optionParagraph": "단락", - "callout.insertLinkHeading": "링크 삽입", - "callout.insertImageHeading": "이미지 삽입", - "richTextViewButton": "서식 있는 텍스트 보기", - "splitViewButton": "분할 보기", - "markdownViewButton": "Markdown 보기" + "sql/workbench/contrib/charts/browser/actions": { + "createInsightLabel": "인사이트 만들기", + "createInsightNoEditor": "활성 편집기가 SQL 편집기가 아니므로 인사이트를 만들 수 없습니다.", + "myWidgetName": "내 위젯", + "configureChartLabel": "차트 구성", + "copyChartLabel": "이미지로 복사", + "chartNotFound": "저장할 차트를 찾을 수 없습니다.", + "saveImageLabel": "이미지로 저장", + "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", + "chartSaved": "{0} 경로에 차트를 저장함" }, "sql/workbench/contrib/charts/browser/chartOptions": { "dataDirectionLabel": "데이터 방향", @@ -11135,45 +9732,432 @@ "encodingOption": "인코딩", "imageFormatOption": "이미지 형식" }, - "sql/base/browser/ui/panel/tabActions": { - "closeTab": "닫기" + "sql/workbench/contrib/charts/browser/chartTab": { + "chartTabTitle": "차트" }, - "sql/platform/connection/common/connectionConfig": { - "invalidServerName": "같은 이름의 서버 그룹이 이미 있습니다." + "sql/workbench/contrib/charts/browser/chartView": { + "horizontalBarAltName": "가로 막대", + "barAltName": "막대형", + "lineAltName": "꺾은선형", + "pieAltName": "원형", + "scatterAltName": "분산형", + "timeSeriesAltName": "시계열", + "imageAltName": "이미지", + "countAltName": "개수", + "tableAltName": "테이블", + "doughnutAltName": "도넛형", + "charting.failedToGetRows": "데이터 세트의 행을 차트로 가져오지 못했습니다.", + "charting.unsupportedType": "차트 종류 '{0}'은(는) 지원되지 않습니다." + }, + "sql/workbench/contrib/charts/browser/charts.contribution": { + "builtinChartsConfigurationTitle": "기본 제공 차트", + "builtinCharts.maxRowCountDescription": "표시할 차트의 최대 행 수입니다. 경고:이 수를 늘리면 성능에 영향을 줄 수 있습니다." + }, + "sql/workbench/contrib/charts/browser/configureChartDialog": { + "configureChartDialog.close": "닫기" + }, + "sql/workbench/contrib/charts/browser/graphInsight": { + "series": "시리즈 {0}" + }, + "sql/workbench/contrib/charts/browser/imageInsight": { + "invalidImage": "테이블에 유효한 이미지가 포함되어 있지 않습니다." + }, + "sql/workbench/contrib/charts/browser/utils": { + "charts.maxAllowedRowsExceeded": "기본 제공 차트의 최대 행 수가 초과되어 첫 번째 {0}행만 사용됩니다. 값을 구성하려면 사용자 설정을 열고 'builtinCharts.maxRowCount'를 검색할 수 있습니다.", + "charts.neverShowAgain": "다시 표시 안 함" + }, + "sql/workbench/contrib/commandLine/electron-browser/commandLine": { + "connectingLabel": "{0}에 연결하는 중", + "runningCommandLabel": "명령 {0} 실행 중", + "openingNewQueryLabel": "새 쿼리 {0}을(를) 여는 중", + "warnServerRequired": "서버 정보가 제공되지 않았으므로 연결할 수 없습니다.", + "errConnectUrl": "{0} 오류로 인해 URL을 열 수 없습니다.", + "connectServerDetail": "이렇게 하면 서버 {0}에 연결됩니다.", + "confirmConnect": "연결하시겠습니까?", + "open": "열기(&O)", + "connectingQueryLabel": "쿼리 파일 연결 중" + }, + "sql/workbench/contrib/configuration/common/configurationUpgrader": { + "workbench.configuration.upgradeUser": "사용자 설정에서 {0}이(가) {1}(으)로 바뀌었습니다.", + "workbench.configuration.upgradeWorkspace": "작업 영역 설정에서 {0}이(가) {1}(으)로 바뀌었습니다." + }, + "sql/workbench/contrib/connection/browser/connection.contribution": { + "sql.maxRecentConnectionsDescription": "연결 목록에 저장할 최근에 사용한 최대 연결 수입니다.", + "sql.defaultEngineDescription": "사용할 기본 SQL 엔진입니다. 해당 엔진은 .sql 파일의 기본 언어 공급자와 새 연결을 만들 때 사용할 기본 공급자를 구동합니다.", + "connection.parseClipboardForConnectionStringDescription": "연결 대화 상자가 열리거나 붙여넣기가 수행되면 클립보드의 내용을 구문 분석하려고 합니다." + }, + "sql/workbench/contrib/connection/browser/connectionStatus": { + "status.connection.status": "연결 상태" + }, + "sql/workbench/contrib/connection/common/connectionProviderExtension": { + "schema.providerId": "공급자의 일반 ID", + "schema.displayName": "공급자의 표시 이름", + "schema.notebookKernelAlias": "공급자의 Notebook 커널 별칭", + "schema.iconPath": "서버 유형의 아이콘 경로", + "schema.connectionOptions": "연결 옵션" + }, + "sql/workbench/contrib/connection/common/connectionTreeProviderExentionPoint": { + "connectionTreeProvider.schema.name": "트리 공급자의 사용자 표시 이름", + "connectionTreeProvider.schema.id": "공급자 ID는 트리 데이터 공급자를 등록할 때와 동일해야 하며 'connectionDialog/'로 시작해야 합니다." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardContainer.contribution": { + "azdata.extension.contributes.dashboard.container.id": "이 컨테이너의 고유 식별자입니다.", + "azdata.extension.contributes.dashboard.container.container": "탭에 표시될 컨테이너입니다.", + "azdata.extension.contributes.containers": "사용자가 대시보드 추가할 단일 또는 다중 대시보드 컨테이너를 적용합니다.", + "dashboardContainer.contribution.noIdError": "확장용으로 지정된 대시보드 컨테이너에 ID가 없습니다.", + "dashboardContainer.contribution.noContainerError": "대시보드 컨테이너에 확장용으로 지정된 컨테이너가 없습니다.", + "dashboardContainer.contribution.moreThanOneDashboardContainersError": "공란 1개에 정확히 1개의 대시보드 컨테이너를 정의해야 합니다.", + "dashboardTab.contribution.unKnownContainerType": "확장용 대시보드 컨테이너에 알 수 없는 컨테이너 형식이 정의되었습니다." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardControlHostContainer.contribution": { + "dashboard.container.controlhost": "이 탭에 표시할 controlhost입니다." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { + "dashboardNavSection.loadTabError": "\"{0}\" 섹션에 잘못된 내용이 있습니다. 확장 소유자에게 문의하세요." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardGridContainer.contribution": { + "dashboard.container.gridtab.items": "이 탭에 표시되는 위젯 또는 웹 보기의 목록입니다.", + "gridContainer.invalidInputs": "위젯이나 웹 보기는 확장용 위젯 컨테이너 내부에 있어야 합니다." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardModelViewContainer.contribution": { + "dashboard.container.modelview": "이 탭에 표시할 모델 지원 보기입니다." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardNavSection.contribution": { + "dashboard.container.left-nav-bar.id": "이 탐색 영역의 고유 식별자입니다. 모든 요청에서 확장으로 전달됩니다.", + "dashboard.container.left-nav-bar.icon": "(옵션) UI에서 이 탐색 섹션을 나타내는 데 사용되는 아이콘입니다. 파일 경로 또는 테마 지정 가능 구성입니다.", + "dashboard.container.left-nav-bar.icon.light": "밝은 테마를 사용하는 경우의 아이콘 경로", + "dashboard.container.left-nav-bar.icon.dark": "어두운 테마를 사용하는 경우의 아이콘 경로", + "dashboard.container.left-nav-bar.title": "사용자에게 표시할 탐색 섹션의 제목입니다.", + "dashboard.container.left-nav-bar.container": "이 탐색 섹션에 표시할 컨테이너입니다.", + "dashboard.container.left-nav-bar": "이 탐색 섹션에 표시할 대시보드 컨테이너 목록입니다.", + "navSection.missingTitle.error": "탐색 섹션에 확장용으로 지정된 제목이 없습니다.", + "navSection.missingContainer.error": "탐색 섹션에 확장용으로 지정된 컨테이너가 없습니다.", + "navSection.moreThanOneDashboardContainersError": "공란 1개에 정확히 1개의 대시보드 컨테이너를 정의해야 합니다.", + "navSection.invalidContainer.error": "NAV_SECTION 내의 NAV_SECTION은 확장용으로 유효하지 않은 컨테이너입니다." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWebviewContainer.contribution": { + "dashboard.container.webview": "이 탭에 표시할 웹 보기입니다." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWidgetContainer.contribution": { + "dashboard.container.widgets": "이 탭에 표시할 위젯 목록입니다.", + "widgetContainer.invalidInputs": "위젯 목록은 확장용 위젯 컨테이너 내에 있어야 합니다." + }, + "sql/workbench/contrib/dashboard/browser/core/actions": { + "editDashboard": "편집", + "editDashboardExit": "끝내기", + "refreshWidget": "새로 고침", + "toggleMore": "작업 표시", + "deleteWidget": "위젯 삭제", + "clickToUnpin": "클릭하여 고정 해제", + "clickToPin": "클릭하여 고정", + "addFeatureAction.openInstalledFeatures": "설치된 기능 열기", + "collapseWidget": "위젯 축소", + "expandWidget": "위젯 확장" + }, + "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { + "unknownDashboardContainerError": "{0}은(는) 알 수 없는 컨테이너입니다." }, "sql/workbench/contrib/dashboard/browser/core/dashboardPage.component": { "home": "홈", "missingConnectionInfo": "이 대시보드의 연결 정보를 찾을 수 없습니다.", "dashboard.generalTabGroupHeader": "일반" }, - "sql/workbench/contrib/charts/browser/actions": { - "createInsightLabel": "인사이트 만들기", - "createInsightNoEditor": "활성 편집기가 SQL 편집기가 아니므로 인사이트를 만들 수 없습니다.", - "myWidgetName": "내 위젯", - "configureChartLabel": "차트 구성", - "copyChartLabel": "이미지로 복사", - "chartNotFound": "저장할 차트를 찾을 수 없습니다.", - "saveImageLabel": "이미지로 저장", - "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", - "chartSaved": "{0} 경로에 차트를 저장함" + "sql/workbench/contrib/dashboard/browser/core/dashboardTab.contribution": { + "azdata.extension.contributes.dashboard.tab.id": "이 탭의 고유 식별자입니다. 모든 요청에서 확장으로 전달됩니다.", + "azdata.extension.contributes.dashboard.tab.title": "사용자에게 표시할 탭의 제목입니다.", + "azdata.extension.contributes.dashboard.tab.description": "사용자에게 표시할 이 탭에 대한 설명입니다.", + "azdata.extension.contributes.tab.when": "이 항목을 표시하기 위해 true여야 하는 조건", + "azdata.extension.contributes.tab.provider": "이 탭과 호환되는 연결 형식을 정의합니다. 설정하지 않으면 기본 연결 형식은 'MSSQL'입니다.", + "azdata.extension.contributes.dashboard.tab.container": "이 탭에 표시할 컨테이너입니다.", + "azdata.extension.contributes.dashboard.tab.alwaysShow": "이 탭을 항상 표시할지 또는 사용자가 추가할 때만 표시할지입니다.", + "azdata.extension.contributes.dashboard.tab.isHomeTab": "이 탭을 연결 형식의 홈 탭으로 사용할지 여부입니다.", + "azdata.extension.contributes.dashboard.tab.group": "이 탭이 속한 그룹의 고유 식별자이며 홈 그룹의 값은 home입니다.", + "dazdata.extension.contributes.dashboard.tab.icon": "(선택 사항) UI에서 이 탭을 나타내는 데 사용되는 아이콘입니다. 파일 경로 또는 테마 지정 가능 구성입니다.", + "azdata.extension.contributes.dashboard.tab.icon.light": "밝은 테마를 사용하는 경우의 아이콘 경로", + "azdata.extension.contributes.dashboard.tab.icon.dark": "어두운 테마를 사용하는 경우의 아이콘 경로", + "azdata.extension.contributes.tabs": "사용자가 대시보드 추가할 단일 또는 다중 탭을 적용합니다.", + "dashboardTab.contribution.noTitleError": "확장용으로 지정한 제목이 없습니다.", + "dashboardTab.contribution.noDescriptionWarning": "표시하도록 지정한 설명이 없습니다.", + "dashboardTab.contribution.noContainerError": "확장용으로 지정한 컨테이너가 없습니다.", + "dashboardTab.contribution.moreThanOneDashboardContainersError": "공란 1개에 정확히 1개의 대시보드 컨테이너를 정의해야 합니다.", + "azdata.extension.contributes.dashboard.tabGroup.id": "이 탭 그룹의 고유 식별자입니다.", + "azdata.extension.contributes.dashboard.tabGroup.title": "탭 그룹의 제목입니다.", + "azdata.extension.contributes.tabGroups": "사용자가 대시보드에 추가할 하나 이상의 탭 그룹을 제공합니다.", + "dashboardTabGroup.contribution.noIdError": "탭 그룹에 ID가 지정되지 않았습니다.", + "dashboardTabGroup.contribution.noTitleError": "탭 그룹에 제목을 지정하지 않았습니다.", + "administrationTabGroup": "관리", + "monitoringTabGroup": "모니터링", + "performanceTabGroup": "성능", + "securityTabGroup": "보안", + "troubleshootingTabGroup": "문제 해결", + "settingsTabGroup": "설정", + "databasesTabDescription": "데이터베이스 탭", + "databasesTabTitle": "데이터베이스" }, - "sql/workbench/contrib/notebook/browser/notebook.component": { - "addCodeLabel": "코드 추가", - "addTextLabel": "텍스트 추가", - "createFile": "파일 만들기", - "displayFailed": "내용 {0}을(를) 표시할 수 없습니다.", - "codeCellsPreview": "셀 추가", - "codePreview": "코드 셀", - "textPreview": "텍스트 셀", - "runAllPreview": "모두 실행", - "addCell": "셀", - "code": "코드", - "text": "텍스트", - "runAll": "셀 실행", - "previousButtonLabel": "< 이전", - "nextButtonLabel": "다음 >", - "cellNotFound": "이 모델에서 URI가 {0}인 셀을 찾을 수 없습니다.", - "cellRunFailed": "셀 실행 실패 - 자세한 내용은 현재 선택한 셀의 출력 오류를 참조하세요." + "sql/workbench/contrib/dashboard/browser/dashboard.contribution": { + "manage": "관리", + "dashboard.editor.label": "대시보드" + }, + "sql/workbench/contrib/dashboard/browser/dashboardActions": { + "ManageAction": "관리" + }, + "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { + "opticon": "'icon' 속성은 생략하거나, '{dark, light}' 같은 문자열 또는 리터럴이어야 합니다." + }, + "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { + "dashboard.properties.property": "대시보드에 표시할 속성을 정의합니다.", + "dashboard.properties.property.displayName": "속성의 레이블로 사용할 값", + "dashboard.properties.property.value": "값을 위해 액세스할 개체의 값", + "dashboard.properties.property.ignore": "무시할 값 지정", + "dashboard.properties.property.default": "무시되거나 값이 없는 경우 표시할 기본값", + "dashboard.properties.flavor": "대시보드 속성을 정의하기 위한 특성", + "dashboard.properties.flavor.id": "특성의 ID", + "dashboard.properties.flavor.condition": "이 특성을 사용할 조건", + "dashboard.properties.flavor.condition.field": "비교할 필드", + "dashboard.properties.flavor.condition.operator": "비교에 사용할 연산자", + "dashboard.properties.flavor.condition.value": "필드를 비교할 값", + "dashboard.properties.databaseProperties": "표시할 데이터베이스 페이지 속성", + "dashboard.properties.serverProperties": "표시할 서버 페이지 속성", + "carbon.extension.dashboard": "이 공급자가 대시보드를 지원함을 정의합니다.", + "dashboard.id": "공급자 ID(예: MSSQL)", + "dashboard.properties": "대시보드에 표시할 속성 값" + }, + "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { + "azdata.extension.contributes.widget.when": "이 항목을 표시하기 위해 true여야 하는 조건", + "azdata.extension.contributes.widget.hideHeader": "위젯의 헤더를 숨길지 여부를 나타냅니다. 기본값은 false입니다.", + "dashboardpage.tabName": "컨테이너의 제목", + "dashboardpage.rowNumber": "표의 구성 요소 행", + "dashboardpage.rowSpan": "표에 있는 구성 요소의 rowspan입니다. 기본값은 1입니다. 표의 행 수로 설정하려면 '*'를 사용합니다.", + "dashboardpage.colNumber": "표의 구성 요소 열", + "dashboardpage.colspan": "표에 있는 구성 요소의 colspan입니다. 기본값은 1입니다. 표의 열 수로 설정하려면 '*'를 사용합니다.", + "azdata.extension.contributes.dashboardPage.tab.id": "이 탭의 고유 식별자입니다. 모든 요청에서 확장으로 전달됩니다.", + "dashboardTabError": "확장 탭을 알 수 없거나 설치하지 않았습니다." + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { + "databasePageName": "데이터베이스 속성" + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { + "dashboardDatabaseProperties": "속성 위젯 사용 또는 사용 안 함", + "dashboard.databaseproperties": "표시할 속성 값", + "dashboard.databaseproperties.displayName": "속성의 표시 이름", + "dashboard.databaseproperties.value": "데이터베이스 정보 개체의 값", + "dashboard.databaseproperties.ignore": "무시할 특정 값 지정", + "recoveryModel": "복구 모델", + "lastDatabaseBackup": "마지막 데이터베이스 백업", + "lastLogBackup": "마지막 로그 백업", + "compatibilityLevel": "호환성 수준", + "owner": "소유자", + "dashboardDatabase": "데이터베이스 대시보드 페이지를 사용자 지정합니다.", + "objectsWidgetTitle": "검색", + "dashboardDatabaseTabs": "데이터베이스 대시보드 탭을 사용자 지정합니다." + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { + "serverPageName": "서버 속성" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { + "dashboardServerProperties": "속성 위젯 사용 또는 사용 안 함", + "dashboard.serverproperties": "표시할 속성 값", + "dashboard.serverproperties.displayName": "속성의 표시 이름", + "dashboard.serverproperties.value": "서버 정보 개체의 값", + "version": "버전", + "edition": "버전", + "computerName": "컴퓨터 이름", + "osVersion": "OS 버전", + "explorerWidgetsTitle": "검색", + "dashboardServer": "서버 대시보드 페이지를 사용자 지정합니다.", + "dashboardServerTabs": "서버 대시보드 탭을 사용자 지정합니다." + }, + "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { + "homeCrumb": "홈" + }, + "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { + "dashboard.changeDatabaseFailure": "데이터베이스를 변경하지 못함" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { + "dashboard.explorer.actions": "작업 표시", + "explorerSearchNoMatchResultMessage": "일치하는 항목 없음", + "explorerSearchSingleMatchResultMessage": "검색 목록을 1개 항목으로 필터링함", + "explorerSearchMatchResultMessage": "검색 목록을 {0}개 항목으로 필터링함" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { + "dashboard.explorer.namePropertyDisplayValue": "이름", + "dashboard.explorer.schemaDisplayValue": "스키마", + "dashboard.explorer.objectTypeDisplayValue": "형식" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { + "loadingObjects": "개체 로드", + "loadingDatabases": "데이터베이스 로드", + "loadingObjectsCompleted": "개체 로드가 완료되었습니다.", + "loadingDatabasesCompleted": "데이터베이스 로드가 완료되었습니다.", + "seachObjects": "형식 이름(t:, v:, f: 또는 sp:)으로 검색", + "searchDatabases": "데이터베이스 검색", + "dashboard.explorer.objectError": "개체를 로드할 수 없습니다.", + "dashboard.explorer.databaseError": "데이터베이스를 로드할 수 없습니다." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { + "insights.runQuery": "쿼리 실행" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { + "insightsWidgetLoadingMessage": "{0} 로드", + "insightsWidgetLoadingCompletedMessage": "{0} 로드 완료", + "insights.autoRefreshOffState": "자동 새로 고침: 꺼짐", + "insights.lastUpdated": "최종 업데이트: {0} {1}", + "noResults": "표시할 결과 없음" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { + "insightWidgetDescription": "서버 또는 데이터베이스를 쿼리하고 여러 방법(차트, 요약 개수 등)으로 결과를 표시할 수 있는 위젯을 추가합니다.", + "insightIdDescription": "인사이트의 결과를 캐싱하는 데 사용되는 고유 식별자입니다.", + "insightQueryDescription": "실행할 SQL 쿼리입니다. 정확히 1개의 결과 집합을 반환해야 합니다.", + "insightQueryFileDescription": "[옵션] 쿼리를 포함하는 파일의 경로입니다. '쿼리'를 설정하지 않은 경우에 사용합니다.", + "insightAutoRefreshIntervalDescription": "[옵션] 자동 새로 고침 간격(분)입니다. 설정하지 않으면 자동 새로 고침이 수행되지 않습니다.", + "actionTypes": "사용할 작업", + "actionDatabaseDescription": "작업의 대상 데이터베이스입니다. '${ columnName }' 형식을 사용하여 데이터 기반 열 이름을 사용할 수 있습니다.", + "actionServerDescription": "작업의 대상 서버입니다. '${ columnName }' 형식을 사용하여 데이터 기반 열 이름을 사용할 수 있습니다.", + "actionUserDescription": "작업의 대상 사용자입니다. '${ columnName }' 형식을 사용하여 데이터 기반 열 이름을 사용할 수 있습니다.", + "carbon.extension.contributes.insightType.id": "인사이트의 식별자", + "carbon.extension.contributes.insights": "대시보드 팔레트에 인사이트를 적용합니다." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { + "chartErrorMessage": "제공한 데이터로 차트를 표시할 수 없습니다." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.contribution": { + "chartInsightDescription": "쿼리 결과를 대시보드에 차트로 표시합니다.", + "colorMapDescription": "'열 이름'을 색에 매핑합니다. 예를 들어, 이 열에 빨간색을 사용하려면 'column1': red를 추가합니다. ", + "legendDescription": "차트 범례의 기본 위치 및 표시 여부를 나타냅니다. 이 항목은 쿼리의 열 이름이며, 각 차트 항목의 레이블에 매핑됩니다.", + "labelFirstColumnDescription": "dataDirection이 horizontal인 경우, 이 값을 true로 설정하면 범례의 첫 번째 열 값을 사용합니다.", + "columnsAsLabels": "dataDirection이 vertical인 경우, 이 값을 true로 설정하면 범례의 열 이름을 사용합니다.", + "dataDirectionDescription": "데이터를 열(세로)에서 읽어올지 행(가로)에서 읽어올지를 정의합니다. 시계열에서는 방향이 세로여야 하므로 무시됩니다.", + "showTopNData": "showTopNData를 설정한 경우 차트에 상위 N개 데이터만 표시합니다." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/barChart.contribution": { + "yAxisMin": "Y축 최솟값", + "yAxisMax": "Y축 최댓값", + "barchart.yAxisLabel": "Y축 레이블", + "xAxisMin": "X축 최솟값", + "xAxisMax": "X축 최댓값", + "barchart.xAxisLabel": "X축 레이블" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/lineChart.contribution": { + "dataTypeDescription": "차트 데이터 세트의 데이터 속성을 나타냅니다." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/countInsight.contribution": { + "countInsightDescription": "결과 세트의 각 열에 대해 행 0의 값을 개수와 열 이름으로 표시합니다. 예를 들어, '1 Healthy', '3 Unhealthy'가 지원됩니다. 여기서 'Healthy'는 열 이름이고 1은 행 1, 셀 1의 값입니다." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/imageInsight.contribution": { + "imageInsightDescription": "이미지(예: ggplot2를 사용하여 R 쿼리에서 반환한 이미지)를 표시합니다.", + "imageFormatDescription": "어떤 형식이 필요한가요? JPEG, PNG 또는 다른 형식인가요?", + "encodingDescription": "16진수, base64 또는 다른 형식으로 인코딩되어 있나요?" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/tableInsight.contribution": { + "tableInsightDescription": "단순 테이블에 결과를 표시합니다." + }, + "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { + "loadingProperties": "속성 로드", + "loadingPropertiesCompleted": "속성 로드 완료", + "dashboard.properties.error": "대시보드 속성을 로드할 수 없습니다." + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorer.contribution": { + "databaseConnections": "데이터베이스 연결", + "datasource.connections": "데이터 원본 연결", + "datasource.connectionGroups": "데이터 원본 그룹", + "connectionsSortOrder.dateAdded": "저장된 연결은 추가된 날짜를 기준으로 정렬됩니다.", + "connectionsSortOrder.displayName": "저장된 연결은 표시 이름을 기준으로 사전순으로 정렬됩니다.", + "datasource.connectionsSortOrder": "저장된 연결 및 연결 그룹의 정렬 순서를 제어합니다.", + "startupConfig": "시작 구성", + "startup.alwaysShowServersView": "Azure Data Studio 시작 시 서버 보기를 표시하려면 True(기본값), 마지막으로 열었던 보기를 표시하려면 False" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerExtensionPoint": { + "vscode.extension.contributes.view.id": "뷰의 식별자입니다. 'vscode.window.registerTreeDataProviderForView' API를 통해 데이터 공급자를 등록하는 데 사용합니다. 'onView:${id}' 이벤트를 'activationEvents'에 등록하여 확장 활성화를 트리거하는 데도 사용합니다.", + "vscode.extension.contributes.view.name": "사용자가 읽을 수 있는 뷰 이름입니다. 표시됩니다.", + "vscode.extension.contributes.view.when": "이 뷰를 표시하기 위해 true여야 하는 조건", + "extension.contributes.dataExplorer": "뷰를 편집기에 적용합니다.", + "extension.dataExplorer": "뷰를 작업 막대의 Data Explorer 컨테이너에 적용합니다.", + "dataExplorer.contributed": "뷰를 적용된 뷰 컨테이너에 적용합니다.", + "duplicateView1": "뷰 컨테이너 '{1}'에서 동일한 ID '{0}'의 여러 뷰를 등록할 수 없습니다.", + "duplicateView2": "ID가 '{0}'인 뷰가 뷰 컨테이너 '{1}'에 이미 등록되어 있습니다.", + "requirearray": "뷰는 배열이어야 합니다.", + "requirestring": "속성 '{0}'은(는) 필수이며 'string' 형식이어야 합니다.", + "optstring": "속성 '{0}'은(는) 생략할 수 있으며 'string' 형식이어야 합니다." + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { + "dataExplorer.servers": "서버", + "dataexplorer.name": "연결", + "showDataExplorer": "연결 표시" + }, + "sql/workbench/contrib/dataExplorer/browser/nodeActions.common.contribution": { + "disconnect": "연결 끊기", + "refresh": "새로 고침" + }, + "sql/workbench/contrib/editData/browser/editData.contribution": { + "showEditDataSqlPaneOnStartup": "시작 시 데이터 SQL 편집 창 표시" + }, + "sql/workbench/contrib/editData/browser/editDataActions": { + "editData.run": "실행", + "disposeEditFailure": "오류를 나타내며 편집 내용 삭제 실패: ", + "editData.stop": "중지", + "editData.showSql": "SQL 창 표시", + "editData.closeSql": "SQL 창 닫기" + }, + "sql/workbench/contrib/editData/browser/editDataEditor": { + "maxRowTaskbar": "최대 행 수:" + }, + "sql/workbench/contrib/editData/browser/editDataGridActions": { + "deleteRow": "행 삭제", + "revertRow": "현재 행 되돌리기" + }, + "sql/workbench/contrib/editData/browser/gridActions": { + "saveAsCsv": "CSV로 저장", + "saveAsJson": "JSON으로 저장", + "saveAsExcel": "Excel로 저장", + "saveAsXml": "XML로 저장", + "copySelection": "복사", + "copyWithHeaders": "복사(머리글 포함)", + "selectAll": "모두 선택" + }, + "sql/workbench/contrib/extensions/browser/contributionRenders": { + "tabs": "대시보드 탭({0})", + "tabId": "ID", + "tabTitle": "제목", + "tabDescription": "설명", + "insights": "대시보드 인사이트({0})", + "insightId": "ID", + "name": "이름", + "insight condition": "시기" + }, + "sql/workbench/contrib/extensions/browser/extensions.contribution": { + "workbench.extensions.getExtensionFromGallery.description": "갤러리에서 확장 정보를 가져옵니다.", + "workbench.extensions.getExtensionFromGallery.arg.name": "확장 ID", + "notFound": "'{0}' 확장을 찾을 수 없습니다." + }, + "sql/workbench/contrib/extensions/browser/extensionsActions": { + "showRecommendations": "권장 사항 표시", + "Install Extensions": "확장 설치", + "openExtensionAuthoringDocs": "확장 제작..." + }, + "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { + "neverShowAgain": "다시 표시 안 함", + "ExtensionsRecommended": "Azure Data Studio에는 확장 권장 사항이 있습니다.", + "VisualizerExtensionsRecommended": "Azure Data Studio에는 데이터 시각화를 위한 확장 권장 사항이 있습니다.\r\n설치한 후에는 시각화 도우미 아이콘을 선택하여 쿼리 결과를 시각화할 수 있습니다.", + "installAll": "모두 설치", + "showRecommendations": "권장 사항 표시", + "scenarioTypeUndefined": "확장 권장 사항의 시나리오 유형을 제공해야 합니다." + }, + "sql/workbench/contrib/extensions/browser/staticRecommendations": { + "defaultRecommendations": "이 확장은 Azure Data Studio에서 추천됩니다." + }, + "sql/workbench/contrib/jobManagement/browser/agentView.component": { + "jobview.Jobs": "작업", + "jobview.Notebooks": "Notebook", + "jobview.Alerts": "경고", + "jobview.Proxies": "프록시", + "jobview.Operators": "연산자" + }, + "sql/workbench/contrib/jobManagement/browser/alertsView.component": { + "jobAlertColumns.name": "이름", + "jobAlertColumns.lastOccurrenceDate": "마지막 발생", + "jobAlertColumns.enabled": "사용", + "jobAlertColumns.delayBetweenResponses": "응답 간격(초)", + "jobAlertColumns.categoryName": "범주 이름" }, "sql/workbench/contrib/jobManagement/browser/jobActions": { "jobaction.successLabel": "성공", @@ -11227,77 +10211,58 @@ "notebookaction.renameNotebook": "이름 바꾸기", "notebookaction.openLatestRun": "마지막 실행 열기" }, - "sql/workbench/contrib/assessment/browser/asmtActions": { - "asmtaction.server.getitems": "적용 가능한 규칙 보기", - "asmtaction.database.getitems": "{0}에 적용 가능한 규칙 보기", - "asmtaction.server.invokeitems": "평가 호출", - "asmtaction.database.invokeitems": "{0}의 평가 호출", - "asmtaction.exportasscript": "스크립트로 내보내기", - "asmtaction.showsamples": "GitHub에서 모든 규칙 보기 및 자세히 알아보기", - "asmtaction.generatehtmlreport": "HTML 보고서 만들기", - "asmtaction.openReport": "보고서가 저장되었습니다. 열어보시겠습니까?", - "asmtaction.label.open": "열기", - "asmtaction.label.cancel": "취소" + "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { + "stepRow.stepID": "단계 ID", + "stepRow.stepName": "단계 이름", + "stepRow.message": "메시지" }, - "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { - "data": "데이터", - "connection": "연결", - "queryEditor": "쿼리 편집기", - "notebook": "Notebook", - "dashboard": "대시보드", - "profiler": "Profiler" + "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { + "agent.steps": "단계" }, - "sql/workbench/contrib/extensions/browser/contributionRenders": { - "tabs": "대시보드 탭({0})", - "tabId": "ID", - "tabTitle": "제목", - "tabDescription": "설명", - "insights": "대시보드 인사이트({0})", - "insightId": "ID", - "name": "이름", - "insight condition": "시기" + "sql/workbench/contrib/jobManagement/browser/jobsView.component": { + "jobColumns.name": "이름", + "jobColumns.lastRun": "마지막 실행", + "jobColumns.nextRun": "다음 실행", + "jobColumns.enabled": "사용", + "jobColumns.status": "상태", + "jobColumns.category": "범주", + "jobColumns.runnable": "실행 가능", + "jobColumns.schedule": "일정", + "jobColumns.lastRunOutcome": "마지막 실행 결과", + "jobColumns.previousRuns": "이전 실행", + "jobsView.noSteps": "이 작업에 사용할 수 있는 단계가 없습니다.", + "jobsView.error": "오류: " }, - "sql/workbench/contrib/charts/browser/imageInsight": { - "invalidImage": "테이블에 유효한 이미지가 포함되어 있지 않습니다." + "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { + "notebookHistory.dateCreatedTooltip": "만든 날짜: ", + "notebookHistory.notebookErrorTooltip": "Notebook 오류: ", + "notebookHistory.ErrorTooltip": "작업 오류: ", + "notebookHistory.pinnedTitle": "고정됨", + "notebookHistory.recentRunsTitle": "최근 실행", + "notebookHistory.pastRunsTitle": "지난 실행" }, - "sql/workbench/contrib/notebook/browser/cellToolbarActions": { - "moreActionsLabel": "자세히", - "editLabel": "편집", - "closeLabel": "닫기", - "convertCell": "셀 변환", - "runAllAbove": "위 셀 실행", - "runAllBelow": "아래 셀 실행", - "codeAbove": "위에 코드 삽입", - "codeBelow": "아래에 코드 삽입", - "markdownAbove": "위에 텍스트 삽입", - "markdownBelow": "아래에 텍스트 삽입", - "collapseCell": "셀 축소", - "expandCell": "셀 확장", - "makeParameterCell": "매개 변수 셀 만들기", - "RemoveParameterCell": "매개 변수 셀 제거", - "clear": "결과 지우기" + "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { + "notebookColumns.name": "이름", + "notebookColumns.targetDatbase": "대상 데이터베이스", + "notebookColumns.lastRun": "마지막 실행", + "notebookColumns.nextRun": "다음 실행", + "notebookColumns.status": "상태", + "notebookColumns.lastRunOutcome": "마지막 실행 결과", + "notebookColumns.previousRuns": "이전 실행", + "notebooksView.noSteps": "이 작업에 사용할 수 있는 단계가 없습니다.", + "notebooksView.error": "오류: ", + "notebooksView.notebookError": "Notebook 오류: " }, - "sql/workbench/services/notebook/browser/models/clientSession": { - "clientSession.unknownError": "Notebook 세션을 시작하는 동안 오류가 발생했습니다.", - "ServerNotStarted": "알 수 없는 이유로 서버가 시작되지 않았습니다.", - "kernelRequiresConnection": "{0} 커널을 찾을 수 없습니다. 대신 기본 커널이 사용됩니다." + "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { + "jobOperatorsView.name": "이름", + "jobOperatorsView.emailAddress": "전자 메일 주소", + "jobOperatorsView.enabled": "사용" }, - "sql/workbench/contrib/charts/browser/graphInsight": { - "series": "시리즈 {0}" - }, - "sql/workbench/contrib/charts/browser/configureChartDialog": { - "configureChartDialog.close": "닫기" - }, - "sql/workbench/services/notebook/browser/models/notebookModel": { - "injectedParametersMsg": "# 삽입된 매개 변수\r\n", - "kernelRequiresConnection": "이 커널에 대해 셀을 실행하려면 연결을 선택하세요.", - "deleteCellFailed": "셀을 삭제하지 못했습니다.", - "changeKernelFailedRetry": "커널을 변경하지 못했습니다. {0} 커널이 사용됩니다. 오류: {1}", - "changeKernelFailed": "오류로 인해 커널을 변경하지 못했습니다. {0}", - "changeContextFailed": "{0} 컨텍스트를 변경하지 못했습니다.", - "startSessionFailed": "{0} 세션을 시작할 수 없습니다.", - "shutdownClientSessionError": "Notebook을 닫는 동안 클라이언트 세션 오류가 발생했습니다. {0}", - "ProviderNoManager": "{0} 공급자의 Notebook 관리자를 찾을 수 없습니다." + "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { + "jobProxiesView.accountName": "계정 이름", + "jobProxiesView.credentialName": "자격 증명 이름", + "jobProxiesView.description": "설명", + "jobProxiesView.isEnabled": "사용" }, "sql/workbench/contrib/notebook/browser/calloutDialog/common/constants": { "callout.insertButton": "삽입", @@ -11317,6 +10282,940 @@ "linkCallout.linkAddressLabel": "주소", "linkCallout.linkAddressPlaceholder": "기존 파일 또는 웹 페이지에 연결" }, + "sql/workbench/contrib/notebook/browser/cellToolbarActions": { + "moreActionsLabel": "자세히", + "editLabel": "편집", + "closeLabel": "닫기", + "convertCell": "셀 변환", + "runAllAbove": "위 셀 실행", + "runAllBelow": "아래 셀 실행", + "codeAbove": "위에 코드 삽입", + "codeBelow": "아래에 코드 삽입", + "markdownAbove": "위에 텍스트 삽입", + "markdownBelow": "아래에 텍스트 삽입", + "collapseCell": "셀 축소", + "expandCell": "셀 확장", + "makeParameterCell": "매개 변수 셀 만들기", + "RemoveParameterCell": "매개 변수 셀 제거", + "clear": "결과 지우기" + }, + "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { + "buttonAdd": "셀 추가", + "optionCodeCell": "코드 셀", + "optionTextCell": "텍스트 셀", + "buttonMoveDown": "아래로 셀 이동", + "buttonMoveUp": "위로 셀 이동", + "buttonDelete": "삭제", + "codeCellsPreview": "셀 추가", + "codePreview": "코드 셀", + "textPreview": "텍스트 셀" + }, + "sql/workbench/contrib/notebook/browser/cellViews/code.component": { + "parametersText": "매개 변수" + }, + "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { + "notebook.failed": "활성 셀을 선택하고 다시 시도하세요.", + "runCell": "셀 실행", + "stopCell": "실행 취소", + "errorRunCell": "마지막 실행 시 오류가 발생했습니다. 다시 실행하려면 클릭하세요." + }, + "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { + "expandCellContents": "코드 셀 콘텐츠 확장", + "collapseCellContents": "코드 셀 콘텐츠 축소" + }, + "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { + "buttonBold": "굵게", + "buttonItalic": "기울임꼴", + "buttonUnderline": "밑줄", + "buttonHighlight": "강조 표시", + "buttonCode": "코드", + "buttonLink": "링크", + "buttonList": "목록", + "buttonOrderedList": "순서가 지정된 목록", + "buttonImage": "이미지", + "buttonPreview": "Markdown 미리 보기 토글 - 끄기", + "dropdownHeading": "제목", + "optionHeading1": "제목 1", + "optionHeading2": "제목 2", + "optionHeading3": "제목 3", + "optionParagraph": "단락", + "callout.insertLinkHeading": "링크 삽입", + "callout.insertImageHeading": "이미지 삽입", + "richTextViewButton": "서식 있는 텍스트 보기", + "splitViewButton": "분할 보기", + "markdownViewButton": "Markdown 보기" + }, + "sql/workbench/contrib/notebook/browser/cellViews/output.component": { + "noMimeTypeFound": "출력의 {0}렌더러를 찾을 수 없습니다. MIME 형식이 {1}입니다.", + "safe": "안전 ", + "noSelectorFound": "선택기 {0}에 대한 구성 요소를 찾을 수 없습니다.", + "componentRenderError": "구성 요소 {0} 렌더링 중 오류 발생" + }, + "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { + "clickOn": "코드 또는 텍스트 셀을 추가하려면", + "plusCode": "+ 코드", + "or": "또는", + "plusText": "+ 텍스트", + "toAddCell": "클릭", + "plusCodeAriaLabel": "코드 셀 추가", + "plusTextAriaLabel": "텍스트 셀 추가" + }, + "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { + "stdInLabel": "StdIn:" + }, + "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { + "doubleClickEdit": "편집하려면 두 번 클릭", + "addContent": "여기에 콘텐츠를 추가..." + }, + "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { + "label.find": "찾기", + "placeholder.find": "찾기", + "label.previousMatchButton": "이전 검색 결과", + "label.nextMatchButton": "다음 검색 결과", + "label.closeButton": "닫기", + "title.matchesCountLimit": "많은 수의 검색 결과가 반환되었습니다. 처음 999개의 일치 항목만 강조 표시됩니다.", + "label.matchesLocation": "{0}/{1}", + "label.noResults": "결과 없음" + }, + "sql/workbench/contrib/notebook/browser/notebook.component": { + "addCodeLabel": "코드 추가", + "addTextLabel": "텍스트 추가", + "createFile": "파일 만들기", + "displayFailed": "내용 {0}을(를) 표시할 수 없습니다.", + "codeCellsPreview": "셀 추가", + "codePreview": "코드 셀", + "textPreview": "텍스트 셀", + "runAllPreview": "모두 실행", + "addCell": "셀", + "code": "코드", + "text": "텍스트", + "runAll": "셀 실행", + "previousButtonLabel": "< 이전", + "nextButtonLabel": "다음 >", + "cellNotFound": "이 모델에서 URI가 {0}인 셀을 찾을 수 없습니다.", + "cellRunFailed": "셀 실행 실패 - 자세한 내용은 현재 선택한 셀의 출력 오류를 참조하세요." + }, + "sql/workbench/contrib/notebook/browser/notebook.contribution": { + "newNotebook": "새 Notebook", + "newQuery": "새 Notebook", + "workbench.action.setWorkspaceAndOpen": "작업 영역 설정 및 열기", + "notebook.sqlStopOnError": "SQL 커널: 셀에서 오류가 발생하면 Notebook 실행을 중지합니다.", + "notebook.showAllKernels": "(미리 보기) 현재 Notebook 공급자의 모든 커널을 표시합니다.", + "notebook.allowADSCommands": "Notebook이 Azure Data Studio 명령을 실행하도록 허용합니다.", + "notebook.enableDoubleClickEdit": "두 번 클릭을 사용하여 Notebook에서 텍스트 셀 편집", + "notebook.richTextModeDescription": "텍스트는 서식 있는 텍스트로 표시됩니다(이 텍스트는 WYSIWYG라고도 함).", + "notebook.splitViewModeDescription": "Markdown은 왼쪽에 표시되고, 오른쪽에는 렌더링된 텍스트의 미리 보기가 표시됩니다.", + "notebook.markdownModeDescription": "텍스트가 Markdown으로 표시됩니다.", + "notebook.defaultTextEditMode": "텍스트 셀에 사용되는 기본 편집 모드", + "notebook.saveConnectionName": "(미리 보기) 연결 이름을 Notebook 메타데이터에 저장합니다.", + "notebook.markdownPreviewLineHeight": "Notebook markdown 미리 보기에서 사용되는 줄 높이를 제어합니다. 해당 숫자는 글꼴 크기에 상대적입니다.", + "notebook.showRenderedNotebookinDiffEditor": "(미리 보기) diff 편집기에서 렌더링된 전자 필기장을 표시합니다.", + "notebook.maxRichTextUndoHistory": "전자 필기장 서식 있는 텍스트 편집기의 실행 취소 기록에 저장된 최대 변경 내용 수입니다.", + "searchConfigurationTitle": "Notebook 검색", + "exclude": "전체 텍스트 검색 및 빠른 열기에서 glob 패턴을 구성하여 파일 및 폴더를 제외합니다. `#files.exclude#` 설정에서 모든 glob 패턴을 상속합니다. [여기](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)에서 glob 패턴에 대해 자세히 알아보세요.", + "exclude.boolean": "파일 경로를 일치시킬 GLOB 패턴입니다. 패턴을 사용하거나 사용하지 않도록 설정하려면 true 또는 false로 설정하세요.", + "exclude.when": "일치하는 파일의 형제에 대한 추가 검사입니다. $(basename)을 일치하는 파일 이름에 대한 변수로 사용하세요.", + "useRipgrep": "이 설정은 사용되지 않으며 이제 \"search.usePCRE2\"로 대체됩니다.", + "useRipgrepDeprecated": "사용되지 않습니다. 고급 regex 기능을 지원하려면 \"search.usePCRE2\"를 사용해 보세요.", + "search.maintainFileSearchCache": "사용하도록 설정하면 searchService 프로세스가 1시간의 비활성 상태 이후 종료되지 않고 계속 유지됩니다. 메모리에 파일 검색 캐시가 유지됩니다.", + "useIgnoreFiles": "파일을 검색할 때 '.gitignore' 파일 및 '.ignore' 파일을 사용할지 여부를 제어합니다.", + "useGlobalIgnoreFiles": "파일을 검색할 때 전역 '.gitignore' 및 '.ignore' 파일을 사용할지 여부를 제어합니다.", + "search.quickOpen.includeSymbols": "Quick Open에 대한 파일 결과에 전역 기호 검색 결과를 포함할지 여부입니다.", + "search.quickOpen.includeHistory": "Quick Open에 대한 파일 결과에 최근에 연 파일의 결과를 포함할지 여부입니다.", + "filterSortOrder.default": "기록 항목은 사용된 필터 값을 기준으로 관련성별로 정렬됩니다. 관련성이 더 높은 항목이 먼저 표시됩니다.", + "filterSortOrder.recency": "기록이 최신순으로 정렬됩니다. 가장 최근에 열람한 항목부터 표시됩니다.", + "filterSortOrder": "필터링할 때 빠른 열기에서 편집기 기록의 정렬 순서를 제어합니다.", + "search.followSymlinks": "검색하는 동안 symlink를 누를지 여부를 제어합니다.", + "search.smartCase": "패턴이 모두 소문자인 경우 대/소문자를 구분하지 않고 검색하고, 그렇지 않으면 대/소문자를 구분하여 검색합니다.", + "search.globalFindClipboard": "macOS에서 검색 보기가 공유 클립보드 찾기를 읽거나 수정할지 여부를 제어합니다.", + "search.location": "검색을 사이드바의 보기로 표시할지 또는 가로 간격을 늘리기 위해 패널 영역의 패널로 표시할지를 제어합니다.", + "search.location.deprecationMessage": "이 설정은 더 이상 사용되지 않습니다. 대신 검색 보기의 컨텍스트 메뉴를 사용하세요.", + "search.collapseResults.auto": "결과가 10개 미만인 파일이 확장됩니다. 다른 파일은 축소됩니다.", + "search.collapseAllResults": "검색 결과를 축소 또는 확장할지 여부를 제어합니다.", + "search.useReplacePreview": "일치하는 항목을 선택하거나 바꿀 때 미리 보기 바꾸기를 열지 여부를 제어합니다.", + "search.showLineNumbers": "검색 결과의 줄 번호를 표시할지 여부를 제어합니다.", + "search.usePCRE2": "텍스트 검색에서 PCRE2 regex 엔진을 사용할지 여부입니다. 사용하도록 설정하면 lookahead 및 backreferences와 같은 몇 가지 고급 regex 기능을 사용할 수 있습니다. 하지만 모든 PCRE2 기능이 지원되지는 않으며, JavaScript에서도 지원되는 기능만 지원됩니다.", + "usePCRE2Deprecated": "사용되지 않습니다. PCRE2는 PCRE2에서만 지원하는 regex 기능을 사용할 경우 자동으로 사용됩니다.", + "search.actionsPositionAuto": "검색 보기가 좁을 때는 오른쪽에, 그리고 검색 보기가 넓을 때는 콘텐츠 바로 뒤에 작업 모음을 배치합니다.", + "search.actionsPositionRight": "작업 모음을 항상 오른쪽에 배치합니다.", + "search.actionsPosition": "검색 보기에서 행의 작업 모음 위치를 제어합니다.", + "search.searchOnType": "입력할 때 모든 파일을 검색합니다.", + "search.seedWithNearestWord": "활성 편집기에 선택 항목이 없을 경우 커서에 가장 가까운 단어에서 시드 검색을 사용합니다.", + "search.seedOnFocus": "검색 보기에 포커스가 있을 때 작업 영역 검색 쿼리를 편집기의 선택한 텍스트로 업데이트합니다. 이 동작은 클릭 시 또는 `workbench.views.search.focus` 명령을 트리거할 때 발생합니다.", + "search.searchOnTypeDebouncePeriod": "'#search.searchOnType#'이 활성화되면 입력되는 문자와 검색 시작 사이의 시간 시간을 밀리초 단위로 제어합니다. 'search.searchOnType'을 사용하지 않도록 설정하면 아무런 효과가 없습니다.", + "search.searchEditor.doubleClickBehaviour.selectWord": "두 번 클릭하면 커서 아래에 있는 단어가 선택됩니다.", + "search.searchEditor.doubleClickBehaviour.goToLocation": "두 번 클릭하면 활성 편집기 그룹에 결과가 열립니다.", + "search.searchEditor.doubleClickBehaviour.openLocationToSide": "두 번 클릭하면 측면의 편집기 그룹에 결과가 열리고, 편집기 그룹이 없으면 새로 만듭니다.", + "search.searchEditor.doubleClickBehaviour": "검색 편집기에서 결과를 두 번 클릭하는 효과를 구성합니다.", + "searchSortOrder.default": "결과는 폴더 및 파일 이름의 알파벳 순으로 정렬됩니다.", + "searchSortOrder.filesOnly": "결과는 폴더 순서를 무시하고 파일 이름별 알파벳 순으로 정렬됩니다.", + "searchSortOrder.type": "결과는 파일 확장자의 알파벳 순으로 정렬됩니다.", + "searchSortOrder.modified": "결과는 파일을 마지막으로 수정한 날짜의 내림차순으로 정렬됩니다.", + "searchSortOrder.countDescending": "결과는 파일별 개수의 내림차순으로 정렬됩니다.", + "searchSortOrder.countAscending": "결과는 파일별 개수의 오름차순으로 정렬됩니다.", + "search.sortOrder": "검색 결과의 정렬 순서를 제어합니다." + }, + "sql/workbench/contrib/notebook/browser/notebookActions": { + "loading": "커널을 로드하는 중...", + "changing": "커널을 변경하는 중...", + "AttachTo": "연결 대상 ", + "Kernel": "커널 ", + "loadingContexts": "컨텍스트를 로드하는 중...", + "changeConnection": "연결 변경", + "selectConnection": "연결 선택", + "localhost": "localhost", + "noKernel": "커널 없음", + "kernelNotSupported": "커널이 지원되지 않으므로 이 전자 필기장을 매개 변수로 실행할 수 없습니다. 지원되는 커널 및 형식을 사용하세요. [자세한 정보] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "noParametersCell": "이 전자 필기장은 매개 변수 셀이 추가될 때까지 매개 변수를 사용하여 실행할 수 없습니다. [자세히 알아보기] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "noParametersInCell": "매개 변수 셀에 추가된 매개 변수가 있을 때까지 이 전자 필기장을 매개 변수로 실행할 수 없습니다. [자세한 정보] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "clearResults": "결과 지우기", + "trustLabel": "신뢰할 수 있음", + "untrustLabel": "신뢰할 수 없음", + "collapseAllCells": "셀 축소", + "expandAllCells": "셀 확장", + "runParameters": "매개 변수를 사용하여 실행", + "noContextAvailable": "없음", + "newNotebookAction": "새 Notebook", + "notebook.findNext": "다음 문자열 찾기", + "notebook.findPrevious": "이전 문자열 찾기" + }, + "sql/workbench/contrib/notebook/browser/notebookEditor": { + "notebookEditor.name": "Notebook Editor" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { + "notebookExplorer.searchResults": "검색 결과", + "searchPathNotFoundError": "검색 경로를 찾을 수 없음: {0}", + "notebookExplorer.name": "Notebook" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { + "searchWithoutFolder": "Notebook/Book이 포함된 폴더를 열지 않았습니다. ", + "openNotebookFolder": "Notebook 열기", + "searchMaxResultsWarning": "결과 집합에는 모든 일치 항목의 하위 집합만 포함됩니다. 결과 범위를 좁히려면 검색을 더 세분화하세요.", + "searchInProgress": "검색 진행 중... - ", + "noResultsIncludesExcludes": "'{0}'에 '{1}'을(를) 제외한 결과 없음 - ", + "noResultsIncludes": "'{0}'에 결과 없음 - ", + "noResultsExcludes": "'{0}'을(를) 제외하는 결과가 없음 - ", + "noResultsFound": "결과가 없습니다. 구성된 제외에 대한 설정을 검토하고 gitignore 파일을 확인하세요. - ", + "rerunSearch.message": "다시 검색", + "rerunSearchInAll.message": "모든 파일에서 다시 검색", + "openSettings.message": "설정 열기", + "ariaSearchResultsStatus": "검색에서 {1}개의 파일에 {0}개의 결과를 반환했습니다.", + "ToggleCollapseAndExpandAction.label": "축소 및 확장 전환", + "CancelSearchAction.label": "검색 취소", + "ExpandAllAction.label": "모두 확장", + "CollapseDeepestExpandedLevelAction.label": "모두 축소", + "ClearSearchResultsAction.label": "검색 결과 지우기" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { + "label.Search": "검색: 검색어를 입력하고 Enter 키를 눌러서 검색하세요. 취소하려면 Esc 키를 누르세요.", + "search.placeHolder": "검색" + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViews.component": { + "cellNotFound": "이 모델에서 URI가 {0}인 셀을 찾을 수 없습니다.", + "cellRunFailed": "셀 실행 실패 - 자세한 내용은 현재 선택한 셀의 출력 오류를 참조하세요." + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsCodeCell.component": { + "viewsCodeCell.emptyCellText": "출력을 보려면 이 셀을 실행하세요." + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsGrid.component": { + "emptyText": "이 보기는 비어 있습니다. 셀 삽입 단추를 클릭하여 이 보기에 셀을 추가합니다." + }, + "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { + "copyFailed": "{0} 오류를 나타내며 복사 실패", + "notebook.showChart": "차트 표시", + "notebook.showTable": "테이블 표시" + }, + "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { + "noRendererFound": "출력의 {0} 렌더러를 찾을 수 없습니다. MIME 형식이 {1}입니다.", + "safe": "(안전) " + }, + "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { + "plotlyError": "플롯 그래프 {0}을(를) 표시하는 동안 오류가 발생했습니다." + }, + "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { + "servers.noConnections": "연결이 없습니다.", + "serverTree.addConnection": "연결 추가" + }, + "sql/workbench/contrib/objectExplorer/common/serverGroup.contribution": { + "serverGroup.colors": "개체 탐색기 뷰렛에서 사용되는 서버 그룹 색상표입니다.", + "serverGroup.autoExpand": "개체 탐색기 뷰렛에서 서버 그룹을 자동으로 확장합니다.", + "serverTree.useAsyncServerTree": "(미리 보기) 동적 노드 필터링과 같은 새로운 기능 지원을 사용하여 서버 보기 및 연결 대화 상자에 새 비동기 서버 트리를 사용합니다." + }, + "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { + "data": "데이터", + "connection": "연결", + "queryEditor": "쿼리 편집기", + "notebook": "Notebook", + "dashboard": "대시보드", + "profiler": "Profiler", + "builtinCharts": "기본 제공 차트" + }, + "sql/workbench/contrib/profiler/browser/profiler.contribution": { + "profiler.settings.viewTemplates": "뷰 템플릿 지정", + "profiler.settings.sessionTemplates": "세션 템플릿 지정", + "profiler.settings.Filters": "Profiler 필터" + }, + "sql/workbench/contrib/profiler/browser/profilerActions": { + "profilerAction.connect": "연결", + "profilerAction.disconnect": "연결 끊기", + "start": "시작", + "create": "새 세션", + "profilerAction.pauseCapture": "일시 중지", + "profilerAction.resumeCapture": "재개", + "profilerStop.stop": "중지", + "profiler.clear": "데이터 지우기", + "profiler.clearDataPrompt": "데이터를 지우시겠습니까?", + "profiler.yes": "예", + "profiler.no": "아니요", + "profilerAction.autoscrollOn": "자동 스크롤: 켜기", + "profilerAction.autoscrollOff": "자동 스크롤: 끄기", + "profiler.toggleCollapsePanel": "축소된 패널로 전환", + "profiler.editColumns": "열 편집", + "profiler.findNext": "다음 문자열 찾기", + "profiler.findPrevious": "이전 문자열 찾기", + "profilerAction.newProfiler": "Profiler 시작", + "profiler.filter": "필터...", + "profiler.clearFilter": "필터 지우기", + "profiler.clearFilterPrompt": "필터를 지우시겠습니까?" + }, + "sql/workbench/contrib/profiler/browser/profilerEditor": { + "profiler.viewSelectAccessibleName": "뷰 선택", + "profiler.sessionSelectAccessibleName": "세션 선택", + "profiler.sessionSelectLabel": "세션 선택:", + "profiler.viewSelectLabel": "뷰 선택:", + "text": "텍스트", + "label": "레이블", + "profilerEditor.value": "값", + "details": "세부 정보" + }, + "sql/workbench/contrib/profiler/browser/profilerFindWidget": { + "label.find": "찾기", + "placeholder.find": "찾기", + "label.previousMatchButton": "이전 검색 결과", + "label.nextMatchButton": "다음 검색 결과", + "label.closeButton": "닫기", + "title.matchesCountLimit": "많은 수의 검색 결과가 반환되었습니다. 처음 999개의 일치 항목만 강조 표시됩니다.", + "label.matchesLocation": "{0}/{1}", + "label.noResults": "결과 없음" + }, + "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { + "profilerTextEditorAriaLabel": "이벤트 텍스트의 Profiler 편집기. 읽기 전용" + }, + "sql/workbench/contrib/profiler/browser/profilerTableEditor": { + "ProfilerTableEditor.eventCountFiltered": "이벤트(필터링됨): {0}/{1}", + "ProfilerTableEditor.eventCount": "이벤트: {0}", + "status.eventCount": "이벤트 수" + }, + "sql/workbench/contrib/query/browser/actions": { + "saveAsCsv": "CSV로 저장", + "saveAsJson": "JSON으로 저장", + "saveAsExcel": "Excel로 저장", + "saveAsXml": "XML로 저장", + "jsonEncoding": "JSON으로 내보낼 때 결과 인코딩이 저장되지 않습니다. 파일이 만들어지면 원하는 인코딩으로 저장해야 합니다.", + "saveToFileNotSupported": "백업 데이터 원본에서 파일로 저장하도록 지원하지 않습니다.", + "copySelection": "복사", + "copyWithHeaders": "복사(머리글 포함)", + "selectAll": "모두 선택", + "maximize": "최대화", + "restore": "복원", + "chart": "차트", + "visualizer": "시각화 도우미" + }, + "sql/workbench/contrib/query/browser/flavorStatus": { + "chooseSqlLang": "SQL 언어 선택", + "changeProvider": "SQL 언어 공급자 변경", + "status.query.flavor": "SQL 언어 버전", + "changeSqlProvider": "SQL 엔진 공급자 변경", + "alreadyConnected": "{0} 엔진을 사용하는 연결이 존재합니다. 변경하려면 연결을 끊거나 연결을 변경하세요.", + "noEditor": "현재 활성 텍스트 편집기 없음", + "pickSqlProvider": "언어 공급자 선택" + }, + "sql/workbench/contrib/query/browser/gridPanel": { + "xmlShowplan": "XML 실행 계획", + "resultsGrid": "결과 표", + "resultsGrid.maxRowCountExceeded": "필터링/정렬에 대한 최대 행 수가 초과되었습니다. 업데이트하려면 사용자 설정으로 이동하여 'queryEditor.results.inMemoryDataProcessingThreshold' 설정을 변경할 수 있습니다." + }, + "sql/workbench/contrib/query/browser/keyboardQueryActions": { + "focusOnCurrentQueryKeyboardAction": "현재 쿼리에 포커스", + "runQueryKeyboardAction": "쿼리 실행", + "runCurrentQueryKeyboardAction": "현재 쿼리 실행", + "copyQueryWithResultsKeyboardAction": "결과와 함께 쿼리 복사", + "queryActions.queryResultsCopySuccess": "쿼리 및 결과를 복사했습니다.", + "runCurrentQueryWithActualPlanKeyboardAction": "실제 계획에 따라 현재 쿼리 실행", + "cancelQueryKeyboardAction": "쿼리 취소", + "refreshIntellisenseKeyboardAction": "IntelliSense 캐시 새로 고침", + "toggleQueryResultsKeyboardAction": "쿼리 결과 전환", + "ToggleFocusBetweenQueryEditorAndResultsAction": "쿼리와 결과 간 포커스 전환", + "queryShortcutNoEditor": "바로 가기를 실행하려면 편집기 매개 변수가 필요합니다.", + "parseSyntaxLabel": "쿼리 구문 분석", + "queryActions.parseSyntaxSuccess": "명령을 완료했습니다.", + "queryActions.parseSyntaxFailure": "명령 실패: ", + "queryActions.notConnected": "서버에 연결하세요." + }, + "sql/workbench/contrib/query/browser/messagePanel": { + "messagePanel": "메시지 패널", + "copy": "복사", + "copyAll": "모두 복사" + }, + "sql/workbench/contrib/query/browser/query.contribution": { + "queryResultsEditor.name": "쿼리 결과", + "newQuery": "새 쿼리", + "queryEditorConfigurationTitle": "쿼리 편집기", + "queryEditor.results.saveAsCsv.includeHeaders": "true이면 결과를 CSV로 저장할 때 열 머리글이 포함됩니다.", + "queryEditor.results.saveAsCsv.delimiter": "CSV로 저장할 때 값 사이에 사용할 사용자 지정 구분 기호", + "queryEditor.results.saveAsCsv.lineSeperator": "결과를 CSV로 저장할 때 행을 분리하는 데 사용하는 문자", + "queryEditor.results.saveAsCsv.textIdentifier": "결과를 CSV로 저장할 때 텍스트 필드를 묶는 데 사용하는 문자", + "queryEditor.results.saveAsCsv.encoding": "결과를 CSV로 저장할 때 사용되는 파일 인코딩", + "queryEditor.results.saveAsXml.formatted": "true이면 결과를 XML로 저장할 때 XML 출력에 형식이 지정됩니다.", + "queryEditor.results.saveAsXml.encoding": "결과를 XML로 저장할 때 사용되는 파일 인코딩", + "queryEditor.results.streaming": "결과 스트리밍을 사용하도록 설정합니다. 몇 가지 사소한 시각적 문제가 있습니다.", + "queryEditor.results.copyIncludeHeaders": "결과 뷰에서 결과를 복사하기 위한 구성 옵션", + "queryEditor.results.copyRemoveNewLine": "결과 뷰에서 여러 줄 결과를 복사하기 위한 구성 옵션", + "queryEditor.results.optimizedTable": "(실험적) 결과에 최적화된 테이블을 사용합니다. 일부 기능이 누락되거나 작동 중입니다.", + "queryEditor.inMemoryDataProcessingThreshold": "메모리에서 필터링 및 정렬할 수 있는 최대 행 수를 제어합니다. 숫자를 초과하는 경우 정렬과 필터링이 비활성화됩니다. 경고: 이 항목을 늘리면 성능에 영향을 미칠 수 있습니다.", + "queryEditor.results.openAfterSave": "결과를 저장한 후 Azure Data Studio의 파일을 열지 여부입니다.", + "queryEditor.messages.showBatchTime": "개별 일괄 처리에 대한 실행 시간 표시 여부", + "queryEditor.messages.wordwrap": "메시지 자동 줄 바꿈", + "queryEditor.chart.defaultChartType": "쿼리 결과에서 차트 뷰어를 열 때 사용할 기본 차트 유형", + "queryEditor.tabColorMode.off": "탭 색 지정이 사용하지 않도록 설정됩니다.", + "queryEditor.tabColorMode.border": "각 편집기 탭의 상단 테두리는 관련 서버 그룹과 일치하도록 칠해집니다.", + "queryEditor.tabColorMode.fill": "각 편집기 탭의 배경색이 관련 서버 그룹과 일치합니다.", + "queryEditor.tabColorMode": "활성 연결의 서버 그룹을 기준으로 탭 색상 지정 방법을 제어합니다.", + "queryEditor.showConnectionInfoInTitle": "제목에 있는 탭에 연결 정보를 표시할지 여부를 제어합니다.", + "queryEditor.promptToSaveGeneratedFiles": "생성된 SQL 파일 저장 여부 확인", + "queryShortcutDescription": "keybinding workbench.action.query.shortcut{0}를 설정하여 프로시저 호출 또는 쿼리 실행으로 바로 가기 텍스트를 실행합니다. 쿼리 편집기에서 선택한 모든 텍스트는 쿼리 끝에 매개 변수로 전달되거나 {arg}로 참조할 수 있습니다." + }, + "sql/workbench/contrib/query/browser/queryActions": { + "newQueryTask.newQuery": "새 쿼리", + "runQueryLabel": "실행", + "cancelQueryLabel": "취소", + "estimatedQueryPlan": "설명", + "actualQueryPlan": "실제", + "disconnectDatabaseLabel": "연결 끊기", + "changeConnectionDatabaseLabel": "연결 변경", + "connectDatabaseLabel": "연결", + "enablesqlcmdLabel": "SQLCMD 사용", + "disablesqlcmdLabel": "SQLCMD 사용 안 함", + "selectDatabase": "데이터베이스 선택", + "changeDatabase.failed": "데이터베이스를 변경하지 못함", + "changeDatabase.failedWithError": "데이터베이스 {0}을(를) 변경하지 못함", + "queryEditor.exportSqlAsNotebook": "Notebook으로 내보내기" + }, + "sql/workbench/contrib/query/browser/queryEditor": { + "queryEditor.name": "Query Editor" + }, + "sql/workbench/contrib/query/browser/queryResultsView": { + "resultsTabTitle": "결과", + "messagesTabTitle": "메시지" + }, + "sql/workbench/contrib/query/browser/statusBarItems": { + "status.query.timeElapsed": "경과 시간", + "status.query.rowCount": "행 개수", + "rowCount": "{0}개의 행", + "query.status.executing": "쿼리를 실행하는 중...", + "status.query.status": "실행 상태", + "status.query.selection-summary": "선택 요약", + "status.query.summaryText": "평균: {0} 개수: {1} 합계: {2}" + }, + "sql/workbench/contrib/query/common/resultsGrid.contribution": { + "resultsGridConfigurationTitle": "결과 표 및 메시지", + "fontFamily": "글꼴 패밀리를 제어합니다.", + "fontWeight": "글꼴 두께를 제어합니다.", + "fontSize": "글꼴 크기(픽셀)를 제어합니다.", + "letterSpacing": "문자 간격(픽셀)을 제어합니다.", + "rowHeight": "행 높이(픽셀)를 제어합니다.", + "cellPadding": "셀 안쪽 여백(픽셀)을 제어합니다.", + "autoSizeColumns": "초기 결과의 열 너비를 자동으로 조정합니다. 열 개수가 많거나 셀이 크면 성능 문제가 발생할 수 있습니다.", + "maxColumnWidth": "자동으로 크기가 조정되는 열의 최대 너비(픽셀)" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryActions": { + "toggleQueryHistory": "쿼리 기록 전환", + "queryHistory.delete": "삭제", + "queryHistory.clearLabel": "모든 기록 지우기", + "queryHistory.openQuery": "쿼리 열기", + "queryHistory.runQuery": "쿼리 실행", + "queryHistory.toggleCaptureLabel": "쿼리 기록 캡처 전환", + "queryHistory.disableCapture": "쿼리 기록 캡처 일시 중지", + "queryHistory.enableCapture": "쿼리 기록 캡처 시작" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryRenderer": { + "succeeded": "성공", + "failed": "실패" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryView": { + "noQueriesMessage": "표시할 쿼리가 없습니다.", + "queryHistory.regTreeAriaLabel": "쿼리 기록" + }, + "sql/workbench/contrib/queryHistory/electron-browser/queryHistory": { + "queryHistoryConfigurationTitle": "QueryHistory", + "queryHistoryCaptureEnabled": "쿼리 기록 캡처가 사용하도록 설정되어 있는지 여부입니다. false이면 실행된 쿼리가 캡처되지 않습니다.", + "queryHistory.clearLabel": "모든 기록 지우기", + "queryHistory.disableCapture": "쿼리 기록 캡처 일시 중지", + "queryHistory.enableCapture": "쿼리 기록 캡처 시작", + "viewCategory": "보기", + "miViewQueryHistory": "쿼리 기록(&Q)", + "queryHistory": "쿼리 기록" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlan": { + "queryPlanTitle": "쿼리 계획" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlanEditor": { + "queryPlanEditor": "Query Plan Editor" + }, + "sql/workbench/contrib/queryPlan/browser/topOperations": { + "topOperations.operation": "작업", + "topOperations.object": "개체", + "topOperations.estCost": "예상 비용", + "topOperations.estSubtreeCost": "예상 하위 트리 비용", + "topOperations.actualRows": "실제 행 수", + "topOperations.estRows": "예상 행 수", + "topOperations.actualExecutions": "실제 실행 수", + "topOperations.estCPUCost": "예상 CPU 비용", + "topOperations.estIOCost": "예상 입출력 비용", + "topOperations.parallel": "병렬", + "topOperations.actualRebinds": "실제 다시 바인딩 횟수", + "topOperations.estRebinds": "예상 다시 바인딩 횟수", + "topOperations.actualRewinds": "실제 되감기 횟수", + "topOperations.estRewinds": "예상 되감기 횟수", + "topOperations.partitioned": "분할됨", + "topOperationsTitle": "상위 작업" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewer.contribution": { + "resourceViewer": "리소스 뷰어" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { + "resourceViewer.refresh": "새로 고침" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { + "resourceViewerTable.openError": "링크를 여는 동안 오류 발생: {0}", + "resourceViewerTable.commandError": "'{0}' 명령을 실행하는 동안 오류 발생: {1}" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { + "resourceViewer.ariaLabel": "리소스 뷰어 트리" + }, + "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { + "extension.contributes.resourceView.resource.id": "리소스 식별자입니다.", + "extension.contributes.resourceView.resource.name": "사용자가 읽을 수 있는 뷰 이름입니다. 표시됩니다.", + "extension.contributes.resourceView.resource.icon": "리소스 아이콘의 경로입니다.", + "extension.contributes.resourceViewResources": "리소스 뷰에 리소스 제공", + "requirestring": "속성 '{0}'은(는) 필수이며 'string' 형식이어야 합니다.", + "optstring": "속성 '{0}'은(는) 생략할 수 있으며 'string' 형식이어야 합니다." + }, + "sql/workbench/contrib/restore/browser/restore.contribution": { + "restore": "복원", + "backup": "복원" + }, + "sql/workbench/contrib/restore/browser/restoreActions": { + "restore.isPreviewFeature": "복원을 사용하려면 미리 보기 기능을 사용하도록 설정해야 합니다.", + "restore.commandNotSupportedOutsideContext": "복원 명령은 서버 컨텍스트 외부에서 지원되지 않습니다. 서버 또는 데이터베이스를 선택하고 다시 시도하세요.", + "restore.commandNotSupported": "Azure SQL Database에 대해 복원 명령이 지원되지 않습니다.", + "restoreAction.restore": "복원" + }, + "sql/workbench/contrib/scripting/browser/scripting.contribution": { + "scriptAsCreate": "Create로 스크립트", + "scriptAsDelete": "Drop으로 스크립트", + "scriptAsSelect": "상위 1,000개 선택", + "scriptAsExecute": "Execute로 스크립트", + "scriptAsAlter": "Alter로 스크립트", + "editData": "데이터 편집", + "scriptSelect": "상위 1,000개 선택", + "scriptKustoSelect": "Take 10", + "scriptCreate": "Create로 스크립트", + "scriptExecute": "Execute로 스크립트", + "scriptAlter": "Alter로 스크립트", + "scriptDelete": "Drop으로 스크립트", + "refreshNode": "새로 고침" + }, + "sql/workbench/contrib/scripting/browser/scriptingActions": { + "refreshError": "'{0}' 노드를 새로 고치는 동안 오류가 발생했습니다. {1}" + }, + "sql/workbench/contrib/tasks/browser/tasks.contribution": { + "inProgressTasksChangesBadge": "진행 중인 작업 {0}개", + "viewCategory": "보기", + "tasks": "작업", + "miViewTasks": "작업(&T)" + }, + "sql/workbench/contrib/tasks/browser/tasksActions": { + "toggleTasks": "작업 토글" + }, + "sql/workbench/contrib/tasks/browser/tasksRenderer": { + "succeeded": "성공", + "failed": "실패", + "inProgress": "진행 중", + "notStarted": "시작되지 않음", + "canceled": "취소됨", + "canceling": "취소 중" + }, + "sql/workbench/contrib/tasks/browser/tasksView": { + "noTaskMessage": "표시할 작업 기록이 없습니다.", + "taskHistory.regTreeAriaLabel": "작업 기록", + "taskError": "작업 오류" + }, + "sql/workbench/contrib/tasks/common/tasksAction": { + "cancelTask.cancel": "취소", + "errorMsgFromCancelTask": "작업을 취소하지 못했습니다.", + "taskAction.script": "스크립트" + }, + "sql/workbench/contrib/views/browser/treeView": { + "no-dataprovider": "보기 데이터를 제공할 수 있는 등록된 데이터 공급자가 없습니다.", + "refresh": "새로 고침", + "collapseAll": "모두 축소", + "command-error": "오류 실행 명령 {1}: {0}. 이는 {1}을(를) 제공하는 확장으로 인해 발생할 수 있습니다." + }, + "sql/workbench/contrib/webview/browser/webViewDialog": { + "webViewDialog.ok": "확인", + "webViewDialog.close": "닫기" + }, + "sql/workbench/contrib/welcome/gettingStarted/browser/abstractEnablePreviewFeatures": { + "enablePreviewFeatures.notice": "미리 보기 기능을 사용하면 새로운 기능 및 개선 사항에 대한 모든 권한을 제공함으로써 Azure Data Studio에서 환경이 개선됩니다. [여기]({0})에서 미리 보기 기능에 관해 자세히 알아볼 수 있습니다. 미리 보기 기능을 사용하시겠습니까?", + "enablePreviewFeatures.yes": "예(추천)", + "enablePreviewFeatures.no": "아니요", + "enablePreviewFeatures.never": "아니요, 다시 표시 안 함" + }, + "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { + "welcomePage.previewBody": "이 기능 페이지는 미리 보기로 제공됩니다. 미리 보기 기능은 제품에 영구적으로 포함될 예정인 새로운 기능을 도입합니다. 이와 같은 기능은 안정적이지만 접근성 측면에서 추가적인 개선이 필요합니다. 해당 기능이 개발되는 동안 초기 피드백을 주시면 감사하겠습니다.", + "welcomePage.preview": "미리 보기", + "welcomePage.createConnection": "연결 만들기", + "welcomePage.createConnectionBody": "연결 대화 상자를 통해 데이터베이스 인스턴스에 연결합니다.", + "welcomePage.runQuery": "쿼리 실행", + "welcomePage.runQueryBody": "쿼리 편집기를 통해 데이터와 상호 작용합니다.", + "welcomePage.createNotebook": "Notebook 만들기", + "welcomePage.createNotebookBody": "네이티브 Notebook 편집기를 사용하여 새 Notebook을 빌드합니다.", + "welcomePage.deployServer": "서버 배포", + "welcomePage.deployServerBody": "선택한 플랫폼에서 관계형 데이터 서비스의 새 인스턴스를 만듭니다.", + "welcomePage.resources": "리소스", + "welcomePage.history": "기록", + "welcomePage.name": "이름", + "welcomePage.location": "위치", + "welcomePage.moreRecent": "자세히 표시", + "welcomePage.showOnStartup": "시작 시 시작 페이지 표시", + "welcomePage.usefuLinks": "유용한 링크", + "welcomePage.gettingStarted": "시작", + "welcomePage.gettingStartedBody": "Azure Data Studio에서 제공하는 기능을 검색하고 기능을 최대한 활용하는 방법을 알아봅니다.", + "welcomePage.documentation": "설명서", + "welcomePage.documentationBody": "PowerShell, API 등의 빠른 시작, 방법 가이드, 참조 자료를 보려면 설명서 센터를 방문합니다.", + "welcomePage.videos": "비디오", + "welcomePage.videoDescriptionOverview": "Azure Data Studio 개요", + "welcomePage.videoDescriptionIntroduction": "Azure Data Studio Notebook 소개 | 데이터 공개됨", + "welcomePage.extensions": "확장", + "welcomePage.showAll": "모두 표시", + "welcomePage.learnMore": "자세한 정보 " + }, + "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { + "GuidedTour.connections": "연결", + "GuidedTour.makeConnections": "SQL Server, Azure 등에서 연결을 연결, 쿼리 및 관리합니다.", + "GuidedTour.one": "1", + "GuidedTour.next": "다음", + "GuidedTour.notebooks": "Notebook", + "GuidedTour.gettingStartedNotebooks": "한 곳에서 사용자 Notebook 또는 Notebook 컬렉션을 만드는 작업을 시작합니다.", + "GuidedTour.two": "2", + "GuidedTour.extensions": "확장", + "GuidedTour.addExtensions": "Microsoft 및 타사 커뮤니티에서 개발한 확장을 설치하여 Azure Data Studio 기능을 확장합니다.", + "GuidedTour.three": "3", + "GuidedTour.settings": "설정", + "GuidedTour.makeConnesetSettings": "기본 설정에 따라 Azure Data Studio를 사용자 지정합니다. 자동 저장 및 탭 크기 같은 설정을 구성하고, 바로 가기 키를 개인 설정하고, 원하는 색 테마로 전환할 수 있습니다.", + "GuidedTour.four": "4", + "GuidedTour.welcomePage": "시작 페이지", + "GuidedTour.discoverWelcomePage": "시작 페이지에서 주요 기능, 최근에 연 파일 및 추천 확장을 검색합니다. Azure Data Studio를 시작하는 방법에 관한 자세한 내용은 비디오 및 설명서를 확인하세요.", + "GuidedTour.five": "5", + "GuidedTour.finish": "마침", + "guidedTour": "사용자 시작 둘러보기", + "hideGuidedTour": "시작 둘러보기 숨기기", + "GuidedTour.readMore": "자세한 정보", + "help": "도움말" + }, + "sql/workbench/contrib/welcome/page/browser/welcomePage": { + "welcomePage": "시작", + "welcomePage.adminPack": "SQL 관리 팩", + "welcomePage.showAdminPack": "SQL 관리 팩", + "welcomePage.adminPackDescription": "SQL Server 관리 팩은 SQL Server를 관리하는 데 도움이 되는 인기 있는 데이터베이스 관리 확장 컬렉션입니다.", + "welcomePage.sqlServerAgent": "SQL Server 에이전트", + "welcomePage.sqlServerProfiler": "SQL Server 프로파일러", + "welcomePage.sqlServerImport": "SQL Server 가져오기", + "welcomePage.sqlServerDacpac": "SQL Server Dacpac", + "welcomePage.powershell": "PowerShell", + "welcomePage.powershellDescription": "Azure Data Studio에 제공되는 다양한 기능의 쿼리 편집기를 사용하여 PowerShell 스크립트 작성 및 실행", + "welcomePage.dataVirtualization": "데이터 가상화", + "welcomePage.dataVirtualizationDescription": "SQL Server 2019로 데이터를 가상화하고 대화형 마법사를 사용하여 외부 테이블 만들기", + "welcomePage.PostgreSQL": "PostgreSQL", + "welcomePage.PostgreSQLDescription": "Azure Data Studio를 사용하여 Postgres 데이터베이스 연결, 쿼리 및 관리", + "welcomePage.extensionPackAlreadyInstalled": "{0}에 대한 지원이 이미 설치되어 있습니다.", + "welcomePage.willReloadAfterInstallingExtensionPack": "{0}에 대한 추가 지원을 설치한 후 창이 다시 로드됩니다.", + "welcomePage.installingExtensionPack": "{0}에 대한 추가 지원을 설치하는 중...", + "welcomePage.extensionPackNotFound": "ID가 {1}인 {0}에 대한 지원을 찾을 수 없습니다.", + "welcomePage.newConnection": "새 연결", + "welcomePage.newQuery": "새 쿼리", + "welcomePage.newNotebook": "새 Notebook", + "welcomePage.deployServer": "서버 배포", + "welcome.title": "시작", + "welcomePage.new": "새로 만들기", + "welcomePage.open": "열기...", + "welcomePage.openFile": "파일 열기...", + "welcomePage.openFolder": "폴더 열기...", + "welcomePage.startTour": "둘러보기 시작", + "closeTourBar": "빠른 둘러보기 표시줄 닫기", + "WelcomePage.TakeATour": "Azure Data Studio를 빠르게 둘러보시겠습니까?", + "WelcomePage.welcome": "환영합니다!", + "welcomePage.openFolderWithPath": "경로가 {1}인 {0} 폴더 열기", + "welcomePage.install": "설치", + "welcomePage.installKeymap": "{0} 키맵 설치", + "welcomePage.installExtensionPack": "{0}에 대한 추가 지원 설치", + "welcomePage.installed": "설치됨", + "welcomePage.installedKeymap": "{0} 키맵이 이미 설치되어 있습니다.", + "welcomePage.installedExtensionPack": "{0} 지원이 이미 설치되어 있습니다.", + "ok": "확인", + "details": "세부 정보", + "welcomePage.background": "시작 페이지 배경색입니다." + }, + "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { + "welcomePage.azdata": "Azure Data Studio", + "welcomePage.start": "시작", + "welcomePage.newConnection": "새 연결", + "welcomePage.newQuery": "새 쿼리", + "welcomePage.newNotebook": "새 Notebook", + "welcomePage.openFileMac": "파일 열기", + "welcomePage.openFileLinuxPC": "파일 열기", + "welcomePage.deploy": "배포", + "welcomePage.newDeployment": "새 배포...", + "welcomePage.recent": "최근 항목", + "welcomePage.moreRecent": "자세히...", + "welcomePage.noRecentFolders": "최근 폴더 없음", + "welcomePage.help": "도움말", + "welcomePage.gettingStarted": "시작", + "welcomePage.productDocumentation": "설명서", + "welcomePage.reportIssue": "문제 또는 기능 요청 보고", + "welcomePage.gitHubRepository": "GitHub 리포지토리", + "welcomePage.releaseNotes": "릴리스 정보", + "welcomePage.showOnStartup": "시작 시 시작 페이지 표시", + "welcomePage.customize": "사용자 지정", + "welcomePage.extensions": "확장", + "welcomePage.extensionDescription": "SQL Server 관리자 팩 등을 포함하여 필요한 확장 다운로드", + "welcomePage.keyboardShortcut": "바로 가기 키", + "welcomePage.keyboardShortcutDescription": "즐겨 찾는 명령을 찾아 사용자 지정", + "welcomePage.colorTheme": "색 테마", + "welcomePage.colorThemeDescription": "편집기 및 코드를 원하는 방식으로 표시", + "welcomePage.learn": "학습", + "welcomePage.showCommands": "모든 명령 찾기 및 실행", + "welcomePage.showCommandsDescription": "명령 팔레트({0})에서 명령을 빠른 액세스 및 검색", + "welcomePage.azdataBlog": "최신 릴리스의 새로운 기능 알아보기", + "welcomePage.azdataBlogDescription": "매월 새로운 기능을 보여주는 새로운 월간 블로그 게시물", + "welcomePage.followTwitter": "Twitter에서 팔로우", + "welcomePage.followTwitterDescription": "커뮤니티가 Azure Data Studio를 사용하는 방식과 엔지니어와 직접 대화하는 방법을 최신 상태로 유지하세요." + }, + "sql/workbench/services/accountManagement/browser/accountDialog": { + "accountExplorer.name": "계정", + "linkedAccounts": "연결된 계정", + "accountDialog.close": "닫기", + "accountDialog.noAccountLabel": "연결된 계정이 없습니다. 계정을 추가하세요.", + "accountDialog.addConnection": "계정 추가", + "accountDialog.noCloudsRegistered": "클라우드를 사용할 수 없습니다. [설정] -> [Azure 계정 구성 검색] -> [하나 이상의 클라우드 사용]으로 이동합니다.", + "accountDialog.didNotPickAuthProvider": "인증 공급자를 선택하지 않았습니다. 다시 시도하세요." + }, + "sql/workbench/services/accountManagement/browser/accountDialogController": { + "accountDialog.addAccountErrorTitle": "계정 추가 오류" + }, + "sql/workbench/services/accountManagement/browser/accountListRenderer": { + "refreshCredentials": "이 계정의 자격 증명을 새로 고쳐야 합니다." + }, + "sql/workbench/services/accountManagement/browser/accountManagementService": { + "accountManagementService.close": "닫기", + "loggingIn": "계정 추가...", + "refreshFailed": "사용자가 계정 새로 고침을 취소했습니다." + }, + "sql/workbench/services/accountManagement/browser/accountPickerImpl": { + "azureAccount": "Azure 계정", + "azureTenant": "Azure 테넌트" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { + "copyAndOpen": "복사 및 열기", + "oauthDialog.cancel": "취소", + "userCode": "사용자 코드", + "website": "웹 사이트" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { + "oauthFlyoutIsAlreadyOpen": "자동 OAuth를 시작할 수 없습니다. 자동 OAuth가 이미 진행 중입니다." + }, + "sql/workbench/services/admin/common/adminService": { + "adminService.providerIdNotValidError": "adminservice와 상호 작용하려면 연결이 필요합니다.", + "adminService.noHandlerRegistered": "등록된 처리기 없음" + }, + "sql/workbench/services/assessment/common/assessmentService": { + "asmt.providerIdNotValidError": "평가 서비스와 상호 작용하려면 연결이 필요합니다.", + "asmt.noHandlerRegistered": "등록된 처리기 없음" + }, + "sql/workbench/services/connection/browser/advancedPropertiesController": { + "connectionAdvancedProperties": "고급 속성", + "advancedProperties.discard": "삭제" + }, + "sql/workbench/services/connection/browser/cmsConnectionWidget": { + "serverDescription": "서버 설명(옵션)" + }, + "sql/workbench/services/connection/browser/connectionActions": { + "ClearRecentlyUsedLabel": "목록 지우기", + "ClearedRecentConnections": "최근 연결 목록을 삭제함", + "connectionAction.yes": "예", + "connectionAction.no": "아니요", + "clearRecentConnectionMessage": "목록에서 모든 연결을 삭제하시겠습니까?", + "connectionDialog.yes": "예", + "connectionDialog.no": "아니요", + "delete": "삭제", + "connectionAction.GetCurrentConnectionString": "현재 연결 문자열 가져오기", + "connectionAction.connectionString": "연결 문자열을 사용할 수 없음", + "connectionAction.noConnection": "사용 가능한 활성 연결이 없음" + }, + "sql/workbench/services/connection/browser/connectionBrowseTab": { + "connectionDialog.browser": "찾아보기", + "connectionDialog.FilterPlaceHolder": "목록을 필터링하려면 여기에 입력하세요.", + "connectionDialog.FilterInputTitle": "연결 필터링", + "connectionDialog.ApplyingFilter": "필터 적용", + "connectionDialog.RemovingFilter": "필터 제거", + "connectionDialog.FilterApplied": "필터가 적용됨", + "connectionDialog.FilterRemoved": "필터가 제거됨", + "savedConnections": "저장된 연결", + "savedConnection": "저장된 연결", + "connectionBrowserTree": "연결 브라우저 트리" + }, + "sql/workbench/services/connection/browser/connectionDialogService": { + "connectionError": "연결 오류", + "kerberosErrorStart": "Kerberos 오류로 인해 연결이 실패했습니다.", + "kerberosHelpLink": "Kerberos 구성 도움말이 {0}에 있습니다.", + "kerberosKinit": "이전에 연결된 경우 kinit을 다시 실행해야 할 수 있습니다." + }, + "sql/workbench/services/connection/browser/connectionDialogWidget": { + "connection": "연결", + "connecting": "연결", + "connectType": "연결 형식", + "recentConnectionTitle": "최근 항목", + "connectionDetailsTitle": "연결 세부 정보", + "connectionDialog.connect": "연결", + "connectionDialog.cancel": "취소", + "connectionDialog.recentConnections": "최근 연결", + "noRecentConnections": "최근 연결 없음" + }, + "sql/workbench/services/connection/browser/connectionManagementService": { + "connection.noAzureAccount": "연결을 위한 Azure 계정 토큰을 가져오지 못함", + "connectionNotAcceptedError": "연결이 허용되지 않음", + "connectionService.yes": "예", + "connectionService.no": "아니요", + "cancelConnectionConfirmation": "이 연결을 취소하시겠습니까?" + }, + "sql/workbench/services/connection/browser/connectionWidget": { + "connectionWidget.AddAzureAccount": "계정 추가...", + "defaultDatabaseOption": "<기본값>", + "loadingDatabaseOption": "로드 중...", + "serverGroup": "서버 그룹", + "defaultServerGroup": "<기본값>", + "addNewServerGroup": "새 그룹 추가...", + "noneServerGroup": "<저장 안 함>", + "connectionWidget.missingRequireField": "{0}이(가) 필요합니다.", + "connectionWidget.fieldWillBeTrimmed": "{0}이(가) 잘립니다.", + "rememberPassword": "암호 저장", + "connection.azureAccountDropdownLabel": "계정", + "connectionWidget.refreshAzureCredentials": "계정 자격 증명 새로 고침", + "connection.azureTenantDropdownLabel": "Azure AD 테넌트", + "connectionName": "이름(옵션)", + "advanced": "고급...", + "connectionWidget.invalidAzureAccount": "계정을 선택해야 합니다." + }, + "sql/workbench/services/connection/browser/localizedConstants": { + "onDidConnectMessage": "연결 대상", + "onDidDisconnectMessage": "연결 끊김", + "unsavedGroupLabel": "저장되지 않은 연결" + }, + "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { + "newDashboardTab.openDashboardExtensions": "대시보드 확장 열기", + "newDashboardTab.ok": "확인", + "newDashboardTab.cancel": "취소", + "newdashboardTabDialog.noExtensionLabel": "현재 설치된 대시보드 확장이 없습니다. 확장 관리자로 가서 권장되는 확장을 살펴보세요." + }, + "sql/workbench/services/dialog/browser/dialogPane": { + "wizardPageNumberDisplayText": "{0}단계" + }, + "sql/workbench/services/dialog/common/dialogTypes": { + "dialogModalDoneButtonLabel": "완료", + "dialogModalCancelButtonLabel": "취소" + }, + "sql/workbench/services/editData/common/editQueryRunner": { + "query.initEditExecutionFailed": "편집 데이터 세션 초기화 실패: " + }, + "sql/workbench/services/errorMessage/browser/errorMessageDialog": { + "errorMessageDialog.ok": "확인", + "errorMessageDialog.close": "닫기", + "errorMessageDialog.action": "작업", + "copyDetails": "세부 정보 복사" + }, + "sql/workbench/services/errorMessage/browser/errorMessageService": { + "error": "오류", + "warning": "경고", + "info": "정보", + "ignore": "무시" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { + "filebrowser.filepath": "선택한 경로", + "fileFilter": "파일 형식", + "fileBrowser.ok": "확인", + "fileBrowser.discard": "삭제" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialogController": { + "filebrowser.selectFile": "파일 선택" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { + "fileBrowser.regTreeAriaLabel": "파일 브라우저 트리" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserService": { + "fileBrowserErrorMessage": "파일 브라우저를 로드하는 동안 오류가 발생했습니다.", + "fileBrowserErrorDialogTitle": "파일 브라우저 오류" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { + "allFiles": "모든 파일" + }, + "sql/workbench/services/insights/browser/insightDialogActions": { + "workbench.action.insights.copySelection": "셀 복사" + }, + "sql/workbench/services/insights/browser/insightsDialogController": { + "insightsInputError": "인사이트 플라이아웃에 전달된 연결 프로필이 없습니다.", + "insightsError": "인사이트 오류", + "insightsFileError": "쿼리 파일을 읽는 동안 오류가 발생했습니다. ", + "insightsConfigError": "인사이트 구성을 구문 분석하는 동안 오류가 발생했습니다. 쿼리 배열/문자열이나 쿼리 파일을 찾을 수 없습니다." + }, + "sql/workbench/services/insights/browser/insightsDialogView": { + "insights.item": "항목", + "insights.value": "값", + "insightsDetailView.name": "인사이트 세부 정보", + "property": "속성", + "value": "값", + "InsightsDialogTitle": "인사이트", + "insights.dialog.items": "항목", + "insights.dialog.itemDetails": "항목 세부 정보" + }, + "sql/workbench/services/insights/common/insightsUtils": { + "insightsDidNotFindResolvedFile": "다음 경로에서 쿼리 파일을 찾을 수 없습니다. \r\n {0}" + }, + "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { + "agentUtilities.failed": "실패", + "agentUtilities.succeeded": "성공", + "agentUtilities.retry": "다시 시도", + "agentUtilities.canceled": "취소됨", + "agentUtilities.inProgress": "진행 중", + "agentUtilities.statusUnknown": "알 수 없는 상태", + "agentUtilities.executing": "실행 중", + "agentUtilities.waitingForThread": "스레드 대기 중", + "agentUtilities.betweenRetries": "다시 시도 대기 중", + "agentUtilities.idle": "유휴 상태", + "agentUtilities.suspended": "일시 중지됨", + "agentUtilities.obsolete": "[사용되지 않음]", + "agentUtilities.yes": "예", + "agentUtilities.no": "아니요", + "agentUtilities.notScheduled": "예약되지 않음", + "agentUtilities.neverRun": "실행 안 함" + }, + "sql/workbench/services/jobManagement/common/jobManagementService": { + "providerIdNotValidError": "JobManagementService와 상호 작용하려면 연결이 필요합니다.", + "noHandlerRegistered": "등록된 처리기 없음" + }, + "sql/workbench/services/notebook/browser/interfaces": { + "sqlKernel": "SQL" + }, "sql/workbench/services/notebook/browser/models/cell": { "runCellCancelled": "셀 실행을 취소함", "executionCanceled": "쿼리 실행을 취소했습니다.", @@ -11325,12 +11224,223 @@ "noDefaultKernel": "이 Notebook에 사용할 수 있는 커널이 없습니다.", "commandSuccessful": "명령이 실행됨" }, + "sql/workbench/services/notebook/browser/models/clientSession": { + "clientSession.unknownError": "Notebook 세션을 시작하는 동안 오류가 발생했습니다.", + "ServerNotStarted": "알 수 없는 이유로 서버가 시작되지 않았습니다.", + "kernelRequiresConnection": "{0} 커널을 찾을 수 없습니다. 대신 기본 커널이 사용됩니다." + }, "sql/workbench/services/notebook/browser/models/notebookContexts": { "selectConnection": "연결 선택", "localhost": "localhost" }, - "sql/workbench/browser/parts/editor/editorStatusModeSelect": { - "languageChangeUnsupported": "저장하지 않은 파일의 경우 편집기 유형을 변경할 수 없습니다." + "sql/workbench/services/notebook/browser/models/notebookModel": { + "injectedParametersMsg": "# 삽입된 매개 변수\r\n", + "kernelRequiresConnection": "이 커널에 대해 셀을 실행하려면 연결을 선택하세요.", + "deleteCellFailed": "셀을 삭제하지 못했습니다.", + "changeKernelFailedRetry": "커널을 변경하지 못했습니다. {0} 커널이 사용됩니다. 오류: {1}", + "changeKernelFailed": "오류로 인해 커널을 변경하지 못했습니다. {0}", + "changeContextFailed": "{0} 컨텍스트를 변경하지 못했습니다.", + "startSessionFailed": "{0} 세션을 시작할 수 없습니다.", + "shutdownClientSessionError": "Notebook을 닫는 동안 클라이언트 세션 오류가 발생했습니다. {0}", + "ProviderNoManager": "{0} 공급자의 Notebook 관리자를 찾을 수 없습니다." + }, + "sql/workbench/services/notebook/browser/notebookServiceImpl": { + "notebookUriNotDefined": "Notebook 관리자를 만들 때 URI가 전달되지 않았습니다.", + "notebookServiceNoProvider": "Notebook 공급자가 없습니다." + }, + "sql/workbench/services/notebook/browser/notebookViews/notebookViewModel": { + "notebookView.nameTaken": "이름이 {0}인 보기가 이 전자 필기장에 이미 있습니다." + }, + "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { + "sqlKernelError": "SQL 커널 오류", + "connectionRequired": "Notebook 셀을 실행하려면 연결을 선택해야 합니다.", + "sqlMaxRowsDisplayed": "상위 {0}개 행을 표시합니다." + }, + "sql/workbench/services/notebook/common/contracts": { + "notebook.richTextEditMode": "서식있는 텍스트", + "notebook.splitViewEditMode": "분할 보기", + "notebook.markdownEditMode": "Markdown" + }, + "sql/workbench/services/notebook/common/localContentManager": { + "nbformatNotRecognized": "nbformat v{0}.{1}이(가) 인식되지 않습니다.", + "nbNotSupported": "이 파일에 유효한 Notebook 형식이 없습니다.", + "unknownCellType": "알 수 없는 셀 형식 {0}", + "unrecognizedOutput": "출력 형식 {0}을(를) 인식할 수 없습니다.", + "invalidMimeData": "{0}의 데이터는 문자열 또는 문자열 배열이어야 합니다.", + "unrecognizedOutputType": "출력 형식 {0}을(를) 인식할 수 없습니다." + }, + "sql/workbench/services/notebook/common/notebookRegistry": { + "carbon.extension.contributes.notebook.provider": "Notebook 공급자의 식별자입니다.", + "carbon.extension.contributes.notebook.fileExtensions": "이 Notebook 공급자에 등록해야 하는 파일 확장명", + "carbon.extension.contributes.notebook.standardKernels": "이 Notebook 공급자에서 표준이어야 하는 커널", + "vscode.extension.contributes.notebook.providers": "Notebook 공급자를 적용합니다.", + "carbon.extension.contributes.notebook.magic": "'%%sql'과(와) 같은 셀 매직의 이름입니다.", + "carbon.extension.contributes.notebook.language": "이 셀 매직이 셀에 포함되는 경우 사용되는 셀 언어", + "carbon.extension.contributes.notebook.executionTarget": "이 매직이 나타내는 선택적 실행 대상(예: Spark 및 SQL)", + "carbon.extension.contributes.notebook.kernels": "유효한 선택적 커널 세트(예: python3, pyspark, sql)", + "vscode.extension.contributes.notebook.languagemagics": "Notebook 언어를 적용합니다." + }, + "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { + "loading": "로드 중..." + }, + "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { + "connectionTree.refresh": "새로 고침", + "connectionTree.editConnection": "연결 편집", + "DisconnectAction": "연결 끊기", + "connectionTree.addConnection": "새 연결", + "connectionTree.addServerGroup": "새 서버 그룹", + "connectionTree.editServerGroup": "서버 그룹 편집", + "activeConnections": "활성 연결 표시", + "showAllConnections": "모든 연결 표시", + "deleteConnection": "연결 삭제", + "deleteConnectionGroup": "그룹 삭제" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerService": { + "OeSessionFailedError": "개체 탐색기 세션을 만들지 못함", + "nodeExpansionError": "여러 오류:" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerViewTreeShim": { + "noProviderFound": "필요한 연결 공급자 '{0}'을(를) 찾을 수 없으므로 확장할 수 없습니다.", + "loginCanceled": "사용자가 취소함", + "firewallCanceled": "방화벽 대화 상자를 취소함" + }, + "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { + "loading": "로드 중..." + }, + "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { + "treeAriaLabel": "최근 연결", + "serversAriaLabel": "서버", + "treeCreation.regTreeAriaLabel": "서버" + }, + "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { + "eventSort": "이벤트 기준 정렬", + "nameColumn": "열 기준 정렬", + "profilerColumnDialog.profiler": "Profiler", + "profilerColumnDialog.ok": "확인", + "profilerColumnDialog.cancel": "취소" + }, + "sql/workbench/services/profiler/browser/profilerFilterDialog": { + "profilerFilterDialog.clear": "모두 지우기", + "profilerFilterDialog.apply": "적용", + "profilerFilterDialog.ok": "확인", + "profilerFilterDialog.cancel": "취소", + "profilerFilterDialog.title": "필터", + "profilerFilterDialog.remove": "이 절 제거", + "profilerFilterDialog.saveFilter": "필터 저장", + "profilerFilterDialog.loadFilter": "필터 로드", + "profilerFilterDialog.addClauseText": "절 추가", + "profilerFilterDialog.fieldColumn": "필드", + "profilerFilterDialog.operatorColumn": "연산자", + "profilerFilterDialog.valueColumn": "값", + "profilerFilterDialog.isNullOperator": "Null임", + "profilerFilterDialog.isNotNullOperator": "Null이 아님", + "profilerFilterDialog.containsOperator": "포함", + "profilerFilterDialog.notContainsOperator": "포함하지 않음", + "profilerFilterDialog.startsWithOperator": "다음으로 시작", + "profilerFilterDialog.notStartsWithOperator": "다음으로 시작하지 않음" + }, + "sql/workbench/services/query/common/queryModelService": { + "commitEditFailed": "행 커밋 실패: ", + "runQueryBatchStartMessage": "다음에서 쿼리 실행 시작: ", + "runQueryStringBatchStartMessage": "쿼리 \"{0}\" 실행을 시작함", + "runQueryBatchStartLine": "줄 {0}", + "msgCancelQueryFailed": "쿼리 취소 실패: {0}", + "updateCellFailed": "셀 업데이트 실패: " + }, + "sql/workbench/services/query/common/queryRunner": { + "query.ExecutionFailedError": "예기치 않은 오류로 인해 실행하지 못했습니다. {0}\t{1}", + "query.message.executionTime": "총 실행 시간: {0}", + "query.message.startQueryWithRange": "줄 {0}에서 쿼리 실행을 시작함", + "query.message.startQuery": "일괄 처리 {0} 실행을 시작함", + "elapsedBatchTime": "일괄 처리 실행 시간: {0}", + "copyFailed": "{0} 오류를 나타내며 복사 실패" + }, + "sql/workbench/services/query/common/resultSerializer": { + "msgSaveFailed": "결과를 저장하지 못했습니다. ", + "resultsSerializer.saveAsFileTitle": "결과 파일 선택", + "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV(쉼표로 구분)", + "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", + "resultsSerializer.saveAsFileExtensionExcelTitle": "Excel 통합 문서", + "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", + "resultsSerializer.saveAsFileExtensionTXTTitle": "일반 텍스트", + "savingFile": "파일을 저장하는 중...", + "msgSaveSucceeded": "{0}에 결과를 저장함", + "openFile": "파일 열기" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { + "from": "시작", + "to": "끝", + "createNewFirewallRule": "새 방화벽 규칙 만들기", + "firewall.ok": "확인", + "firewall.cancel": "취소", + "firewallRuleDialogDescription": "클라이언트 IP 주소에서 서버에 액세스할 수 없습니다. Azure 계정에 로그인하고 액세스를 허용하는 새 방화벽 규칙을 만드세요.", + "firewallRuleHelpDescription": "방화벽 설정에 대한 자세한 정보", + "filewallRule": "방화벽 규칙", + "addIPAddressLabel": "내 클라이언트 IP 추가 ", + "addIpRangeLabel": "내 서브넷 IP 범위 추가" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialogController": { + "firewallDialog.addAccountErrorTitle": "계정 추가 오류", + "firewallRuleError": "방화벽 규칙 오류" + }, + "sql/workbench/services/restore/browser/restoreDialog": { + "backupFilePath": "백업 파일 경로", + "targetDatabase": "대상 데이터베이스", + "restoreDialog.restore": "복원", + "restoreDialog.restoreTitle": "데이터베이스 복원", + "restoreDialog.database": "데이터베이스", + "restoreDialog.backupFile": "백업 파일", + "RestoreDialogTitle": "데이터베이스 복원", + "restoreDialog.cancel": "취소", + "restoreDialog.script": "스크립트", + "source": "원본", + "restoreFrom": "복원할 원본 위치", + "missingBackupFilePathError": "백업 파일 경로가 필요합니다.", + "multipleBackupFilePath": "하나 이상의 파일 경로를 쉼표로 구분하여 입력하세요.", + "database": "데이터베이스", + "destination": "대상", + "restoreTo": "복원 위치", + "restorePlan": "복원 계획", + "backupSetsToRestore": "복원할 백업 세트", + "restoreDatabaseFileAs": "데이터베이스 파일을 다음으로 복원", + "restoreDatabaseFileDetails": "데이터베이스 파일 복원 세부 정보", + "logicalFileName": "논리적 파일 이름", + "fileType": "파일 형식", + "originalFileName": "원래 파일 이름", + "restoreAs": "다음으로 복원", + "restoreOptions": "복원 옵션", + "taillogBackup": "비상 로그 백업", + "serverConnection": "서버 연결", + "generalTitle": "일반", + "filesTitle": "파일", + "optionsTitle": "옵션" + }, + "sql/workbench/services/restore/common/constants": { + "backup.filterBackupFiles": "백업 파일", + "backup.allFiles": "모든 파일" + }, + "sql/workbench/services/serverGroup/browser/serverGroupDialog": { + "ServerGroupsDialogTitle": "서버 그룹", + "serverGroup.ok": "확인", + "serverGroup.cancel": "취소", + "connectionGroupName": "서버 그룹 이름", + "MissingGroupNameError": "그룹 이름이 필요합니다.", + "groupDescription": "그룹 설명", + "groupColor": "그룹 색" + }, + "sql/workbench/services/serverGroup/common/serverGroupViewModel": { + "serverGroup.addServerGroup": "서버 그룹 추가", + "serverGroup.editServerGroup": "서버 그룹 편집" + }, + "sql/workbench/services/tasks/common/tasksService": { + "InProgressWarning": "1개 이상의 작업이 진행 중입니다. 그래도 작업을 종료하시겠습니까?", + "taskService.yes": "예", + "taskService.no": "아니요" + }, + "sql/workbench/update/electron-browser/releaseNotes": { + "gettingStarted": "시작", + "showReleaseNotes": "시작 표시", + "miGettingStarted": "시작(&S)" } } } \ No newline at end of file diff --git a/i18n/ads-language-pack-pt-BR/package.json b/i18n/ads-language-pack-pt-BR/package.json index 9ee068a319..77a2823056 100644 --- a/i18n/ads-language-pack-pt-BR/package.json +++ b/i18n/ads-language-pack-pt-BR/package.json @@ -1,8 +1,8 @@ { - "name": "ads-language-pack-pt-br", + "name": "ads-language-pack-pt-BR", "displayName": "Portuguese (Brazil) Language Pack for Azure Data Studio", "description": "Language pack extension for Portuguese (Brazil)", - "version": "1.29.0", + "version": "1.31.0", "publisher": "Microsoft", "repository": { "type": "git", @@ -11,7 +11,7 @@ "license": "SEE SOURCE EULA LICENSE IN LICENSE.txt", "engines": { "vscode": "*", - "azdata": ">=1.29.0" + "azdata": "^0.0.0" }, "icon": "languagepack.png", "categories": [ @@ -164,6 +164,14 @@ "id": "vscode.yaml", "path": "./translations/extensions/yaml.i18n.json" }, + { + "id": "Microsoft.admin-tool-ext-win", + "path": "./translations/extensions/admin-tool-ext-win.i18n.json" + }, + { + "id": "Microsoft.agent", + "path": "./translations/extensions/agent.i18n.json" + }, { "id": "Microsoft.azurecore", "path": "./translations/extensions/azurecore.i18n.json" @@ -172,6 +180,18 @@ "id": "Microsoft.big-data-cluster", "path": "./translations/extensions/big-data-cluster.i18n.json" }, + { + "id": "Microsoft.cms", + "path": "./translations/extensions/cms.i18n.json" + }, + { + "id": "Microsoft.dacpac", + "path": "./translations/extensions/dacpac.i18n.json" + }, + { + "id": "Microsoft.import", + "path": "./translations/extensions/import.i18n.json" + }, { "id": "Microsoft.sqlservernotebook", "path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json" @@ -184,9 +204,17 @@ "id": "Microsoft.notebook", "path": "./translations/extensions/notebook.i18n.json" }, + { + "id": "Microsoft.profiler", + "path": "./translations/extensions/profiler.i18n.json" + }, { "id": "Microsoft.resource-deployment", "path": "./translations/extensions/resource-deployment.i18n.json" + }, + { + "id": "Microsoft.schema-compare", + "path": "./translations/extensions/schema-compare.i18n.json" } ] } diff --git a/i18n/ads-language-pack-pt-BR/translations/extensions/admin-tool-ext-win.i18n.json b/i18n/ads-language-pack-pt-BR/translations/extensions/admin-tool-ext-win.i18n.json new file mode 100644 index 0000000000..ded36e83cd --- /dev/null +++ b/i18n/ads-language-pack-pt-BR/translations/extensions/admin-tool-ext-win.i18n.json @@ -0,0 +1,26 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "adminToolExtWin.displayName": "Extensões da Ferramenta de Administração de Banco de Dados para Windows", + "adminToolExtWin.description": "Adiciona funcionalidade adicional específica do Windows ao Azure Data Studio", + "adminToolExtWin.propertiesMenuItem": "Propriedades", + "adminToolExtWin.launchGswMenuItem": "Gerar scripts..." + }, + "dist/main": { + "adminToolExtWin.noConnectionContextForProp": "Não foi fornecido nenhum ConnectionContext para handleLaunchSsmsMinPropertiesDialogCommand", + "adminToolExtWin.noOENode": "Não foi possível determinar o nó do Pesquisador de Objetos de connectionContext: {0}", + "adminToolExtWin.noConnectionContextForGsw": "Não foi fornecido nenhum ConnectionContext para handleLaunchSsmsMinPropertiesDialogCommand", + "adminToolExtWin.noConnectionProfile": "Não foi fornecido nenhum connectionProfile do connectionContext: {0}", + "adminToolExtWin.launchingDialogStatus": "Iniciando a caixa de diálogo...", + "adminToolExtWin.ssmsMinError": "Erro ao chamar SsmsMin com os argumentos '{0}' – {1}" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-pt-BR/translations/extensions/agent.i18n.json b/i18n/ads-language-pack-pt-BR/translations/extensions/agent.i18n.json new file mode 100644 index 0000000000..0ee11983ae --- /dev/null +++ b/i18n/ads-language-pack-pt-BR/translations/extensions/agent.i18n.json @@ -0,0 +1,282 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/agentDialog": { + "agentDialog.OK": "OK", + "agentDialog.Cancel": "Cancelar" + }, + "dist/dialogs/jobStepDialog": { + "jobStepDialog.fileBrowserTitle": "Localizar Arquivos de Banco de Dados –", + "jobStepDialog.ok": "OK", + "jobStepDialog.cancel": "Cancelar", + "jobStepDialog.general": "Geral", + "jobStepDialog.advanced": "Avançado", + "jobStepDialog.open": "Abrir...", + "jobStepDialog.parse": "Analisar", + "jobStepDialog.successParse": "Comando analisado com sucesso.", + "jobStepDialog.failParse": "O comando falhou.", + "jobStepDialog.blankStepName": "O nome da etapa não pode ser deixado em branco", + "jobStepDialog.processExitCode": "Código de saída do processo de um comando bem-sucedido:", + "jobStepDialog.stepNameLabel": "Nome da Etapa", + "jobStepDialog.typeLabel": "Tipo", + "jobStepDialog.runAsLabel": "Executar como", + "jobStepDialog.databaseLabel": "Banco de dados", + "jobStepDialog.commandLabel": "Comando", + "jobStepDialog.successAction": "Ação em caso de sucesso", + "jobStepDialog.failureAction": "Ação em falha", + "jobStepDialog.runAsUser": "Executar como usuário", + "jobStepDialog.retryAttempts": "Tentativas de Repetição", + "jobStepDialog.retryInterval": "Intervalo (em minutos) de Repetição", + "jobStepDialog.logToTable": "Registrar na tabela", + "jobStepDialog.appendExistingTableEntry": "Acrescentar a saída à entrada existente na tabela", + "jobStepDialog.includeStepOutputHistory": "Incluir a saída da etapa no histórico", + "jobStepDialog.outputFile": "Arquivo de Saída", + "jobStepDialog.appendOutputToFile": "Acrescentar a saída em um arquivo existente", + "jobStepDialog.selectedPath": "Caminho selecionado", + "jobStepDialog.filesOfType": "Arquivos do tipo", + "jobStepDialog.fileName": "Nome do arquivo", + "jobStepDialog.allFiles": "Todos os Arquivos (*)", + "jobStepDialog.newJobStep": "Nova Etapa de Trabalho", + "jobStepDialog.editJobStep": "Editar Etapa de Trabalho", + "jobStepDialog.TSQL": "Script Transact-SQL (T-SQL)", + "jobStepDialog.powershell": "PowerShell", + "jobStepDialog.CmdExec": "Sistema operacional (CmdExec)", + "jobStepDialog.replicationDistribution": "Distribuidor de Replicação", + "jobStepDialog.replicationMerge": "Mesclagem de Replicação", + "jobStepDialog.replicationQueueReader": "Leitor de Fila de Replicação", + "jobStepDialog.replicationSnapshot": "Instantâneo de Replicação", + "jobStepDialog.replicationTransactionLogReader": "Leitor de Log de Transações de Replicação", + "jobStepDialog.analysisCommand": "Comando do SQL Server Analysis Services", + "jobStepDialog.analysisQuery": "Consulta do SQL Server Analysis Services", + "jobStepDialog.servicesPackage": "Pacote do Serviço de Integração do SQL Server", + "jobStepDialog.agentServiceAccount": "Conta de Serviço do SQL Server Agent", + "jobStepDialog.nextStep": "Avançar para a próxima etapa", + "jobStepDialog.quitJobSuccess": "Encerrar o trabalho reportando sucesso", + "jobStepDialog.quitJobFailure": "Encerrar o trabalho relatando a falha" + }, + "dist/dialogs/pickScheduleDialog": { + "pickSchedule.jobSchedules": "Agendamentos de Trabalho", + "pickSchedule.ok": "OK", + "pickSchedule.cancel": "Cancelar", + "pickSchedule.availableSchedules": "Agendamentos Disponíveis:", + "pickSchedule.scheduleName": "Nome", + "pickSchedule.scheduleID": "ID", + "pickSchedule.description": "Descrição" + }, + "dist/dialogs/alertDialog": { + "alertDialog.createAlert": "Criar Alerta", + "alertDialog.editAlert": "Editar Alerta", + "alertDialog.General": "Geral", + "alertDialog.Response": "Resposta", + "alertDialog.Options": "Opções", + "alertDialog.eventAlert": "Definição de alerta de eventos", + "alertDialog.Name": "Nome", + "alertDialog.Type": "Tipo", + "alertDialog.Enabled": "Habilitado", + "alertDialog.DatabaseName": "Nome do banco de dados", + "alertDialog.ErrorNumber": "Número do erro", + "alertDialog.Severity": "Gravidade", + "alertDialog.RaiseAlertContains": "Gerar alerta quando a mensagem contiver", + "alertDialog.MessageText": "Mensagem de texto", + "alertDialog.Severity001": "001 – Informações Diversas do Sistema", + "alertDialog.Severity002": "002 – Reservado", + "alertDialog.Severity003": "003 – Reservado", + "alertDialog.Severity004": "004 – Reservado", + "alertDialog.Severity005": "005 – Reservado", + "alertDialog.Severity006": "006 – Reservado", + "alertDialog.Severity007": "007 – Notificação: Informações de Status", + "alertDialog.Severity008": "008 – Notificação: Necessidade de Intervenção de Usuário", + "alertDialog.Severity009": "009 – Definido pelo Usuário", + "alertDialog.Severity010": "010 – Informações", + "alertDialog.Severity011": "011 – Objeto de Banco de Dados Especificado Não Encontrado", + "alertDialog.Severity012": "012 – Não usado", + "alertDialog.Severity013": "013 – Erro de Sintaxe de Transação do Usuário", + "alertDialog.Severity014": "014 – Permissão Insuficiente", + "alertDialog.Severity015": "015 – Erro de Sintaxe em Instruções SQL", + "alertDialog.Severity016": "016 – Erros Diversos do Usuário", + "alertDialog.Severity017": "017 – Recursos Insuficientes", + "alertDialog.Severity018": "018 – Erro Interno Não fatal", + "alertDialog.Severity019": "019 – Erro Fatal no Recurso", + "alertDialog.Severity020": "020 – Erro Fatal no Processo Atual", + "alertDialog.Severity021": "021 – Erro Fatal nos Processos do Banco de Dados", + "alertDialog.Severity022": "022 – Erro Fatal: Integridade da Tabela Suspeita", + "alertDialog.Severity023": "023 – Erro Fatal: Integridade do Banco de Dados Suspeita", + "alertDialog.Severity024": "024 – Erro Fatal: Erro de Hardware", + "alertDialog.Severity025": "025 – Erro Fatal", + "alertDialog.AllDatabases": "", + "alertDialog.ExecuteJob": "Executar trabalho", + "alertDialog.ExecuteJobName": "Nome do Trabalho", + "alertDialog.NotifyOperators": "Notificar Operadores", + "alertDialog.NewJob": "Novo Trabalho", + "alertDialog.OperatorList": "Lista de Operadores", + "alertDialog.OperatorName": "Operador", + "alertDialog.OperatorEmail": "Email", + "alertDialog.OperatorPager": "Pager", + "alertDialog.NewOperator": "Novo Operador", + "alertDialog.IncludeErrorInEmail": "Incluir texto de erro do alerta no email", + "alertDialog.IncludeErrorInPager": "Incluir texto de erro do alerta no pager", + "alertDialog.AdditionalNotification": "Mensagem de notificação adicional para enviar", + "alertDialog.DelayMinutes": "Minutos de Atraso", + "alertDialog.DelaySeconds": "Segundos de Atraso" + }, + "dist/dialogs/operatorDialog": { + "createOperator.createOperator": "Criar Operador", + "createOperator.editOperator": "Editar Operador", + "createOperator.General": "Geral", + "createOperator.Notifications": "Notificações", + "createOperator.Name": "Nome", + "createOperator.Enabled": "Habilitado", + "createOperator.EmailName": "Nome do Email", + "createOperator.PagerEmailName": "Nome do Email do Pager", + "createOperator.PagerMondayCheckBox": "Segunda-feira", + "createOperator.PagerTuesdayCheckBox": "Terça-feira", + "createOperator.PagerWednesdayCheckBox": "Quarta-feira", + "createOperator.PagerThursdayCheckBox": "Quinta-feira", + "createOperator.PagerFridayCheckBox": "Sexta-feira ", + "createOperator.PagerSaturdayCheckBox": "Sábado", + "createOperator.PagerSundayCheckBox": "Domingo", + "createOperator.workdayBegin": "Início da jornada de trabalho", + "createOperator.workdayEnd": "Fim da jornada de trabalho", + "createOperator.PagerDutySchedule": "Agenda do pager de plantão", + "createOperator.AlertListHeading": "Lista de alerta", + "createOperator.AlertNameColumnLabel": "Nome do alerta", + "createOperator.AlertEmailColumnLabel": "Email", + "createOperator.AlertPagerColumnLabel": "Pager" + }, + "dist/dialogs/jobDialog": { + "jobDialog.general": "Geral", + "jobDialog.steps": "Etapas", + "jobDialog.schedules": "Agendamentos", + "jobDialog.alerts": "Alertas", + "jobDialog.notifications": "Notificações", + "jobDialog.blankJobNameError": "O nome do trabalho não pode ficar em branco.", + "jobDialog.name": "Nome", + "jobDialog.owner": "Proprietário", + "jobDialog.category": "Categoria", + "jobDialog.description": "Descrição", + "jobDialog.enabled": "Habilitado", + "jobDialog.jobStepList": "Lista de etapas do trabalho", + "jobDialog.step": "Etapa", + "jobDialog.type": "Tipo", + "jobDialog.onSuccess": "Em Caso de Sucesso", + "jobDialog.onFailure": "Em Caso de Falha", + "jobDialog.new": "Nova Etapa", + "jobDialog.edit": "Editar Etapa", + "jobDialog.delete": "Excluir Etapa", + "jobDialog.moveUp": "Mover a Etapa para Cima", + "jobDialog.moveDown": "Mover a Etapa para Baixo", + "jobDialog.startStepAt": "Iniciar etapa", + "jobDialog.notificationsTabTop": "Ações a executar quando o trabalho for concluído", + "jobDialog.email": "Email", + "jobDialog.page": "Página", + "jobDialog.eventLogCheckBoxLabel": "Escrever no log de eventos de aplicativos do Windows", + "jobDialog.deleteJobLabel": "Excluir o trabalho automaticamente", + "jobDialog.schedulesaLabel": "Lista de agendamentos", + "jobDialog.pickSchedule": "Escolha a Agenda", + "jobDialog.removeSchedule": "Remover agenda", + "jobDialog.alertsList": "Lista de alertas", + "jobDialog.newAlert": "Novo Alerta", + "jobDialog.alertNameLabel": "Nome do Alerta", + "jobDialog.alertEnabledLabel": "Habilitado", + "jobDialog.alertTypeLabel": "Tipo", + "jobDialog.newJob": "Novo Trabalho", + "jobDialog.editJob": "Editar Trabalho" + }, + "dist/data/jobData": { + "jobData.whenJobCompletes": "Quando o trabalho estiver concluído", + "jobData.whenJobFails": "Quando o trabalho falhar", + "jobData.whenJobSucceeds": "Quando o trabalho for bem-sucedido", + "jobData.jobNameRequired": "O nome do trabalho deve ser fornecido", + "jobData.saveErrorMessage": "Falha na atualização do trabalho '{0}'", + "jobData.newJobErrorMessage": "Falha na criação do trabalho '{0}'", + "jobData.saveSucessMessage": "Trabalho '{0}' atualizado com sucesso", + "jobData.newJobSuccessMessage": "Trabalho '{0}' criado com sucesso" + }, + "dist/data/jobStepData": { + "jobStepData.saveErrorMessage": "Falha na atualização da etapa '{0}'", + "stepData.jobNameRequired": "O nome do trabalho deve ser fornecido", + "stepData.stepNameRequired": "O nome da etapa deve ser fornecido" + }, + "dist/mainController": { + "mainController.notImplemented": "Este recurso está em desenvolvimento. Verifique se você gostaria de experimentar as últimas alterações liberadas.", + "agent.templateUploadSuccessful": "O modelo foi atualizado com sucesso", + "agent.templateUploadError": "Falha na atualização do modelo", + "agent.unsavedFileSchedulingError": "O bloco de anotações deve ser salvo antes de ser agendado. Salve e tente agendar novamente.", + "agent.AddNewConnection": "Adicionar nova conexão", + "agent.selectConnection": "Selecionar uma conexão", + "agent.selectValidConnection": "Selecione uma conexão válida." + }, + "dist/data/alertData": { + "alertData.saveErrorMessage": "Falha na atualização do alerta '{0}'", + "alertData.DefaultAlertTypString": "Alerta de evento do SQL Server", + "alertDialog.PerformanceCondition": "Alerta de condição de desempenho do SQL Server", + "alertDialog.WmiEvent": "Alerta de evento do WMI" + }, + "dist/dialogs/proxyDialog": { + "createProxy.createProxy": "Criar Proxy", + "createProxy.editProxy": "Editar Proxy", + "createProxy.General": "Geral", + "createProxy.ProxyName": "Nome do proxy", + "createProxy.CredentialName": "Nome da credencial", + "createProxy.Description": "Descrição", + "createProxy.SubsystemName": "Subsistema", + "createProxy.OperatingSystem": "Sistema operacional (CmdExec)", + "createProxy.ReplicationSnapshot": "Instantâneo de Replicação", + "createProxy.ReplicationTransactionLog": "Leitor de Log de Transações de Replicação", + "createProxy.ReplicationDistributor": "Distribuidor de Replicação", + "createProxy.ReplicationMerge": "Mesclagem de Replicação", + "createProxy.ReplicationQueueReader": "Leitor de Fila de Replicação", + "createProxy.SSASQueryLabel": "Consulta do SQL Server Analysis Services", + "createProxy.SSASCommandLabel": "Comando do SQL Server Analysis Services", + "createProxy.SSISPackage": "Pacote do SQL Server Integration Services", + "createProxy.PowerShell": "PowerShell" + }, + "dist/data/proxyData": { + "proxyData.saveErrorMessage": "Falha na atualização do proxy '{0}'", + "proxyData.saveSucessMessage": "Proxy '{0}' atualizado com sucesso", + "proxyData.newJobSuccessMessage": "Proxy '{0}' criado com sucesso" + }, + "dist/dialogs/notebookDialog": { + "notebookDialog.newJob": "Novo trabalho do bloco de anotações", + "notebookDialog.editJob": "Editar trabalho do bloco de anotações", + "notebookDialog.general": "Geral", + "notebookDialog.notebookSection": "Detalhes do bloco de anotações", + "notebookDialog.templateNotebook": "Caminho do bloco de anotações", + "notebookDialog.targetDatabase": "Banco de dados de armazenamento", + "notebookDialog.executeDatabase": "Banco de dados de execução", + "notebookDialog.defaultDropdownString": "Selecionar banco de dados", + "notebookDialog.jobSection": "Detalhes do trabalho", + "notebookDialog.name": "Nome", + "notebookDialog.owner": "Proprietário", + "notebookDialog.schedulesaLabel": "Lista de agendamentos", + "notebookDialog.pickSchedule": "Escolha a agenda", + "notebookDialog.removeSchedule": "Remover agenda", + "notebookDialog.description": "Descrição", + "notebookDialog.templatePath": "Selecione um bloco de anotações a ser agendado no PC", + "notebookDialog.targetDatabaseInfo": "Selecione um banco de dados para armazenar todos os metadados e resultados do trabalho do bloco de anotações", + "notebookDialog.executionDatabaseInfo": "Selecione um banco de dados no qual as consultas de bloco de anotações serão executadas" + }, + "dist/data/notebookData": { + "notebookData.whenJobCompletes": "Quando o bloco de anotações for concluído", + "notebookData.whenJobFails": "Quando o bloco de anotações falha", + "notebookData.whenJobSucceeds": "Quando o bloco de anotações é bem-sucedido", + "notebookData.jobNameRequired": "O nome do bloco de anotações deve ser fornecido", + "notebookData.templatePathRequired": "O caminho do modelo deve ser fornecido", + "notebookData.invalidNotebookPath": "Caminho do bloco de anotações inválido", + "notebookData.selectStorageDatabase": "Selecionar banco de dados de armazenamento", + "notebookData.selectExecutionDatabase": "Banco de dados de execução", + "notebookData.jobExists": "Já existe um trabalho com nome semelhante", + "notebookData.saveErrorMessage": "Falha na atualização do bloco de anotações '{0}'", + "notebookData.newJobErrorMessage": "Falha na criação do bloco de anotações '{0}'", + "notebookData.saveSucessMessage": "Bloco de anotações '{0}' atualizado com êxito", + "notebookData.newJobSuccessMessage": "Bloco de anotações '{0}' criado com êxito" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-pt-BR/translations/extensions/azurecore.i18n.json b/i18n/ads-language-pack-pt-BR/translations/extensions/azurecore.i18n.json index 90e8932d48..f339f5040a 100644 --- a/i18n/ads-language-pack-pt-BR/translations/extensions/azurecore.i18n.json +++ b/i18n/ads-language-pack-pt-BR/translations/extensions/azurecore.i18n.json @@ -41,6 +41,7 @@ "dist/azureResource/utils": { "azure.resource.error": "Erro: {0}", "azure.accounts.getResourceGroups.queryError": "Erro ao buscar os grupos de recursos para a conta {0} ({1}), assinatura {2} ({3}) e locatário {4} : {5}", + "azure.accounts.getLocations.queryError": "Erro ao buscar locais para a conta {0} ({1}) assinatura {2} ({3}) locatário {4} : {5}", "azure.accounts.runResourceQuery.errors.invalidQuery": "Consulta inválida", "azure.accounts.getSubscriptions.queryError": "Erro ao buscar as assinaturas para a conta {0}, locatário {1} : {2}", "azure.accounts.getSelectedSubscriptions.queryError": "Erro ao buscar as assinaturas para a conta {0} : {1}" @@ -105,7 +106,7 @@ "azurecore.azureArcsqlManagedInstance": "Instância gerenciada do SQL – Azure Arc", "azurecore.azureArcService": "Serviço de Dados – Azure Arc", "azurecore.sqlServerArc": "SQL Server – Azure Arc", - "azurecore.azureArcPostgres": "PostgreSQL de Hiperescala habilitado para o Azure Arc", + "azurecore.azureArcPostgres": "Hiperescala de PostgreSQL habilitada para Azure Arc", "azure.unableToOpenAzureLink": "Não é possível abrir o link, os valores necessários estão ausentes", "azure.azureResourcesGridTitle": "Recursos do Azure (Versão Prévia)", "azurecore.invalidAzureAccount": "Conta inválida", @@ -114,9 +115,9 @@ }, "dist/account-provider/auths/azureAuth": { "azureAuth.unidentifiedError": "Erro não identificado com a autenticação do Azure", - "azure.tenantNotFound": "O locatário especificado com a ID '{0}' não foi encontrado.", + "azure.tenantNotFound": "Locatário especificado com ID '{0}' não encontrado.", "azure.noBaseToken": "Ocorreu um erro com a autenticação ou os tokens foram excluídos do sistema. Tente adicionar a sua conta no Azure Data Studio novamente.", - "azure.responseError": "Houve uma falha na recuperação do token com um erro. Abra as ferramentas para desenvolvedores para exibir o erro", + "azure.responseError": "A recuperação de token falhou com um erro. Abra ferramentas de desenvolvedor para exibir o erro", "azure.accessTokenEmpty": "Nenhum token de acesso retornado do Microsoft OAuth", "azure.noUniqueIdentifier": "O usuário não tinha um identificador exclusivo no AAD", "azureWorkAccountDisplayName": "Conta corporativa ou de estudante", @@ -141,7 +142,9 @@ "dist/azureResource/tree/flatAccountTreeNode": { "azure.resource.tree.accountTreeNode.titleLoading": "{0} – Carregando...", "azure.resource.tree.accountTreeNode.title": "{0} ({1}/{2} assinaturas)", - "azure.resource.tree.accountTreeNode.credentialError": "Falha ao obter a credencial para a conta {0}. Acesse a caixa de diálogo Contas e atualize a conta." + "azure.resource.tree.accountTreeNode.credentialError": "Falha ao obter a credencial para a conta {0}. Acesse a caixa de diálogo Contas e atualize a conta.", + "azure.resource.throttleerror": "Solicitações desta conta foram limitadas. Para tentar novamente, selecione um número menor de assinaturas.", + "azure.resource.tree.loadresourceerror": "Ocorreu um erro ao carregar recursos do Azure: {0}" }, "dist/azureResource/tree/accountNotSignedInTreeNode": { "azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Entrar no Azure..." @@ -203,6 +206,9 @@ "dist/azureResource/providers/kusto/kustoTreeDataProvider": { "azure.resource.providers.KustoContainerLabel": "Cluster do Azure Data Explorer" }, + "dist/azureResource/providers/azuremonitor/azuremonitorTreeDataProvider": { + "azure.resource.providers.AzureMonitorContainerLabel": "Azure Monitor Workspace" + }, "dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": { "azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Servidor do Banco de Dados do Azure para PostgreSQL" }, diff --git a/i18n/ads-language-pack-pt-BR/translations/extensions/big-data-cluster.i18n.json b/i18n/ads-language-pack-pt-BR/translations/extensions/big-data-cluster.i18n.json index 71d5d7edf5..08d7187cf2 100644 --- a/i18n/ads-language-pack-pt-BR/translations/extensions/big-data-cluster.i18n.json +++ b/i18n/ads-language-pack-pt-BR/translations/extensions/big-data-cluster.i18n.json @@ -11,17 +11,17 @@ "package": { "description": "Suporte para gerenciar clusters de Big Data do SQL Server", "text.sqlServerBigDataClusters": "Clusters de Big Data do SQL Server", - "command.connectController.title": "Connect to Existing Controller", - "command.createController.title": "Create New Controller", - "command.removeController.title": "Remove Controller", + "command.connectController.title": "Conectar-se ao Controlador Existente", + "command.createController.title": "Criar Controlador", + "command.removeController.title": "Remover Controlador", "command.refreshController.title": "Atualizar", "command.manageController.title": "Gerenciar", "command.mount.title": "Montar o HDFS", "command.refreshmount.title": "Atualizar Montagem", "command.deletemount.title": "Excluir Montagem", "bdc.configuration.title": "Cluster de Big Data", - "bdc.view.welcome.connect": "No SQL Big Data Cluster controllers registered. [Learn More](https://docs.microsoft.com/sql/big-data-cluster/big-data-cluster-overview)\r\n[Connect Controller](command:bigDataClusters.command.connectController)", - "bdc.view.welcome.loading": "Loading controllers...", + "bdc.view.welcome.connect": "Nenhum controlador do Cluster de Big Data do SQL registrado. [Saiba Mais](https://docs.microsoft.com/sql/big-data-cluster/big-data-cluster-overview)\r\n[Conectar Controlador](command:bigDataClusters.command.connectController)", + "bdc.view.welcome.loading": "Carregando controladores...", "bdc.ignoreSslVerification.desc": "Ignorar os erros de verificação do SSL em relação aos pontos de extremidade do Cluster de Big Data do SQL Server, como o HDFS, o Spark e o Controlador, se for true", "resource-type-sql-bdc-display-name": "Cluster de Big Data do SQL Server", "resource-type-sql-bdc-description": "O Cluster de Big Data do SQL Server permite implantar clusters escalonáveis de contêineres do SQL Server, do Spark e do HDFS em execução no Kubernetes", @@ -31,8 +31,8 @@ "bdc-deployment-target-new-aks": "Novo Cluster do Serviço de Kubernetes do Azure", "bdc-deployment-target-existing-aks": "Cluster do Serviço de Kubernetes do Azure existente", "bdc-deployment-target-existing-kubeadm": "Cluster do Kubernetes existente (kubeadm)", - "bdc-deployment-target-existing-aro": "Existing Azure Red Hat OpenShift cluster", - "bdc-deployment-target-existing-openshift": "Existing OpenShift cluster", + "bdc-deployment-target-existing-aro": "Cluster do Red Hat OpenShift no Azure existente", + "bdc-deployment-target-existing-openshift": "Cluster do OpenShift existente", "bdc-cluster-settings-section-title": "Configurações do cluster de Big Data do SQL Server", "bdc-cluster-name-field": "Nome do cluster", "bdc-controller-username-field": "Nome de usuário do controlador", @@ -50,7 +50,7 @@ "bdc-data-size-field": "Capacidade de dados (GB)", "bdc-log-size-field": "Capacidade de logs (GB)", "bdc-agreement": "Aceito {0}, {1} e {2}.", - "microsoft-privacy-statement": "Microsoft Privacy Statement", + "microsoft-privacy-statement": "Política de Privacidade da Microsoft", "bdc-agreement-azdata-eula": "Termos de Licença do azdata", "bdc-agreement-bdc-eula": "Termos de Licença do SQL Server" }, @@ -103,102 +103,102 @@ "endpointsError": "Erro inesperado ao recuperar os pontos de Extremidade do BDC: {0}" }, "dist/bigDataCluster/localizedConstants": { - "bdc.dashboard.status": "Status Icon", - "bdc.dashboard.instance": "Instance", - "bdc.dashboard.state": "State", - "bdc.dashboard.view": "View", - "bdc.dashboard.notAvailable": "N/A", - "bdc.dashboard.healthStatusDetails": "Health Status Details", - "bdc.dashboard.metricsAndLogs": "Metrics and Logs", - "bdc.dashboard.healthStatus": "Health Status", - "bdc.dashboard.nodeMetrics": "Node Metrics", - "bdc.dashboard.sqlMetrics": "SQL Metrics", + "bdc.dashboard.status": "Ícone de Status", + "bdc.dashboard.instance": "Instância", + "bdc.dashboard.state": "Estado", + "bdc.dashboard.view": "Exibir", + "bdc.dashboard.notAvailable": "N/D", + "bdc.dashboard.healthStatusDetails": "Detalhes do Status da Integridade", + "bdc.dashboard.metricsAndLogs": "Métricas e Logs", + "bdc.dashboard.healthStatus": "Status da Integridade", + "bdc.dashboard.nodeMetrics": "Métricas do Node", + "bdc.dashboard.sqlMetrics": "Métricas do SQL", "bdc.dashboard.logs": "Logs", - "bdc.dashboard.viewNodeMetrics": "View Node Metrics {0}", - "bdc.dashboard.viewSqlMetrics": "View SQL Metrics {0}", - "bdc.dashboard.viewLogs": "View Kibana Logs {0}", - "bdc.dashboard.lastUpdated": "Last Updated : {0}", - "basicAuthName": "Basic", - "integratedAuthName": "Windows Authentication", - "addNewController": "Add New Controller", + "bdc.dashboard.viewNodeMetrics": "Exibir Métricas do Node {0}", + "bdc.dashboard.viewSqlMetrics": "Exibir Métricas do SQL {0}", + "bdc.dashboard.viewLogs": "Exibir os Logs do Kibana {0}", + "bdc.dashboard.lastUpdated": "Última Atualização: {0}", + "basicAuthName": "Básico", + "integratedAuthName": "Autenticação do Windows", + "addNewController": "Adicionar Novo Controlador", "url": "URL", - "username": "Username", - "password": "Password", - "rememberPassword": "Remember Password", - "clusterManagementUrl": "Cluster Management URL", - "textAuthCapital": "Authentication type", - "hdsf.dialog.connection.section": "Cluster Connection", - "add": "Add", - "cancel": "Cancel", + "username": "Nome de usuário", + "password": "Senha", + "rememberPassword": "Lembrar Senha", + "clusterManagementUrl": "URL de Gerenciamento de Cluster", + "textAuthCapital": "Tipo de autenticação", + "hdsf.dialog.connection.section": "Conexão de Cluster", + "add": "Adicionar", + "cancel": "Cancelar", "ok": "OK", - "bdc.dashboard.refresh": "Refresh", - "bdc.dashboard.troubleshoot": "Troubleshoot", - "bdc.dashboard.bdcOverview": "Big Data Cluster overview", - "bdc.dashboard.clusterDetails": "Cluster Details", - "bdc.dashboard.clusterOverview": "Cluster Overview", - "bdc.dashboard.serviceEndpoints": "Service Endpoints", - "bdc.dashboard.clusterProperties": "Cluster Properties", - "bdc.dashboard.clusterState": "Cluster State", - "bdc.dashboard.serviceName": "Service Name", - "bdc.dashboard.service": "Service", - "bdc.dashboard.endpoint": "Endpoint", - "copiedEndpoint": "Endpoint '{0}' copied to clipboard", - "bdc.dashboard.copy": "Copy", - "bdc.dashboard.viewDetails": "View Details", - "bdc.dashboard.viewErrorDetails": "View Error Details", - "connectController.dialog.title": "Connect to Controller", - "mount.main.section": "Mount Configuration", - "mount.task.name": "Mounting HDFS folder on path {0}", - "refreshmount.task.name": "Refreshing HDFS Mount on path {0}", - "deletemount.task.name": "Deleting HDFS Mount on path {0}", - "mount.task.submitted": "Mount creation has started", - "refreshmount.task.submitted": "Refresh mount request submitted", - "deletemount.task.submitted": "Delete mount request submitted", - "mount.task.complete": "Mounting HDFS folder is complete", - "mount.task.inprogress": "Mounting is likely to complete, check back later to verify", - "mount.dialog.title": "Mount HDFS Folder", - "mount.hdfsPath.title": "HDFS Path", - "mount.hdfsPath.info": "Path to a new (non-existing) directory which you want to associate with the mount", - "mount.remoteUri.title": "Remote URI", - "mount.remoteUri.info": "The URI to the remote data source. Example for ADLS: abfs://fs@saccount.dfs.core.windows.net/", - "mount.credentials.title": "Credentials", - "mount.credentials.info": "Mount credentials for authentication to remote data source for reads", - "refreshmount.dialog.title": "Refresh Mount", - "deleteMount.dialog.title": "Delete Mount", - "bdc.dashboard.loadingClusterStateCompleted": "Loading cluster state completed", - "bdc.dashboard.loadingHealthStatusCompleted": "Loading health status completed", - "err.controller.username.required": "Username is required", - "err.controller.password.required": "Password is required", - "endpointsError": "Unexpected error retrieving BDC Endpoints: {0}", - "bdc.dashboard.noConnection": "The dashboard requires a connection. Please click retry to enter your credentials.", - "bdc.dashboard.unexpectedError": "Unexpected error occurred: {0}", - "mount.hdfs.loginerror1": "Login to controller failed", - "mount.hdfs.loginerror2": "Login to controller failed: {0}", - "mount.err.formatting": "Bad formatting of credentials at {0}", - "mount.task.error": "Error mounting folder: {0}", - "mount.error.unknown": "Unknown error occurred during the mount process" + "bdc.dashboard.refresh": "Atualizar", + "bdc.dashboard.troubleshoot": "Solucionar problemas", + "bdc.dashboard.bdcOverview": "Visão geral do cluster de Big Data", + "bdc.dashboard.clusterDetails": "Detalhes do Cluster", + "bdc.dashboard.clusterOverview": "Visão Geral do Cluster", + "bdc.dashboard.serviceEndpoints": "Pontos de Extremidade de Serviço", + "bdc.dashboard.clusterProperties": "Propriedades do Cluster", + "bdc.dashboard.clusterState": "Estado do Cluster", + "bdc.dashboard.serviceName": "Nome do Serviço", + "bdc.dashboard.service": "Serviço", + "bdc.dashboard.endpoint": "Ponto de Extremidade", + "copiedEndpoint": "Ponto de extremidade '{0}' copiado para a área de transferência", + "bdc.dashboard.copy": "Copiar", + "bdc.dashboard.viewDetails": "Exibir Detalhes", + "bdc.dashboard.viewErrorDetails": "Exibir Detalhes do Erro", + "connectController.dialog.title": "Conectar ao Controlador", + "mount.main.section": "Configuração da Montagem", + "mount.task.name": "Montando a pasta do HDFS no caminho {0}", + "refreshmount.task.name": "Atualizando a Montagem do HDFS no caminho {0}", + "deletemount.task.name": "Excluindo a Montagem do HDFS no caminho {0}", + "mount.task.submitted": "A criação da montagem foi iniciada", + "refreshmount.task.submitted": "Solicitação de atualização de montagem enviada", + "deletemount.task.submitted": "Solicitação de exclusão de montagem enviada", + "mount.task.complete": "A montagem da pasta do HDFS está concluída", + "mount.task.inprogress": "A montagem provavelmente será concluída. Volte mais tarde para verificar", + "mount.dialog.title": "Montar a Pasta do HDFS", + "mount.hdfsPath.title": "Caminho do HDFS", + "mount.hdfsPath.info": "Caminho para um novo diretório (não existente) que você deseja associar com a montagem", + "mount.remoteUri.title": "URI remoto", + "mount.remoteUri.info": "O URI da fonte de dados remota. Exemplo para o ADLS: abfs://fs@saccount.dfs.core.windows.net/", + "mount.credentials.title": "Credenciais", + "mount.credentials.info": "Montar as credenciais para autenticação na fonte de dados remota para leituras", + "refreshmount.dialog.title": "Atualizar Montagem", + "deleteMount.dialog.title": "Excluir Montagem", + "bdc.dashboard.loadingClusterStateCompleted": "Carregamento do estado do cluster concluído", + "bdc.dashboard.loadingHealthStatusCompleted": "Carregamento do status da integridade concluído", + "err.controller.username.required": "O nome de usuário é obrigatório", + "err.controller.password.required": "A senha é obrigatória", + "endpointsError": "Erro inesperado ao recuperar os pontos de Extremidade do BDC: {0}", + "bdc.dashboard.noConnection": "O painel requer uma conexão. Clique em tentar novamente para inserir suas credenciais.", + "bdc.dashboard.unexpectedError": "Erro inesperado: {0}", + "mount.hdfs.loginerror1": "Falha ao entrar no controlador", + "mount.hdfs.loginerror2": "Falha ao entrar no controlador: {0}", + "mount.err.formatting": "Formatação incorreta de credenciais em {0}", + "mount.task.error": "Erro na montagem da pasta: {0}", + "mount.error.unknown": "Erro desconhecido durante o processo de montagem" }, "dist/bigDataCluster/controller/clusterControllerApi": { "error.no.activedirectory": "Este cluster não dá suporte à autenticação do Windows", "bdc.error.tokenPost": "Erro durante a autenticação", "bdc.error.unauthorized": "Você não tem permissão para fazer logon nesse cluster usando a autenticação do Windows", - "bdc.error.getClusterConfig": "Error retrieving cluster config from {0}", + "bdc.error.getClusterConfig": "Erro ao recuperar a configuração do cluster do {0}", "bdc.error.getEndPoints": "Erro ao recuperar os pontos de extremidade de {0}", "bdc.error.getBdcStatus": "Erro ao recuperar o status do BDC de {0}", "bdc.error.mountHdfs": "Erro ao criar a montagem", - "bdc.error.statusHdfs": "Error getting mount status", + "bdc.error.statusHdfs": "Erro ao obter o status de montagem", "bdc.error.refreshHdfs": "Erro ao atualizar a montagem", "bdc.error.deleteHdfs": "Erro ao excluir a montagem" }, "dist/extension": { "mount.error.endpointNotFound": "As informações do ponto de extremidade do controlador não foram encontradas", - "bdc.dashboard.title": "Big Data Cluster Dashboard -", + "bdc.dashboard.title": "Painel do Cluster de Big Data –", "textYes": "Sim", "textNo": "Não", - "textConfirmRemoveController": "Are you sure you want to remove '{0}'?" + "textConfirmRemoveController": "Tem certeza de que deseja remover '{0}'?" }, "dist/bigDataCluster/tree/controllerTreeDataProvider": { - "bdc.controllerTreeDataProvider.error": "Unexpected error loading saved controllers: {0}" + "bdc.controllerTreeDataProvider.error": "Erro inesperado ao carregar os controladores salvos: {0}" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-pt-BR/translations/extensions/cms.i18n.json b/i18n/ads-language-pack-pt-BR/translations/extensions/cms.i18n.json new file mode 100644 index 0000000000..5cfb7dcd31 --- /dev/null +++ b/i18n/ads-language-pack-pt-BR/translations/extensions/cms.i18n.json @@ -0,0 +1,146 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "cms.displayName": "Servidores de Gerenciamento Central do SQL Server", + "cms.description": "Suporte para gerenciar os Servidores de Gerenciamento Central do SQL Server", + "cms.title": "Servidores de Gerenciamento Central", + "cms.connectionProvider.displayName": "Microsoft SQL Server", + "cms.resource.explorer.title": "Servidores de Gerenciamento Central", + "cms.resource.refresh.title": "Atualizar", + "cms.resource.refreshServerGroup.title": "Atualizar Grupo de Servidores", + "cms.resource.deleteRegisteredServer.title": "Excluir", + "cms.resource.addRegisteredServer.title": "Novo Registro de Servidor...", + "cms.resource.deleteServerGroup.title": "Excluir", + "cms.resource.addServerGroup.title": "Novo Grupo de Servidores...", + "cms.resource.registerCmsServer.title": "Adicionar o Servidor de Gerenciamento Central", + "cms.resource.deleteCmsServer.title": "Excluir", + "cms.configuration.title": "Configuração do MSSQL", + "cms.query.displayBitAsNumber": "Colunas do tipo BIT devem ser exibidas como números (1 ou 0)? Se false, colunas do tipo BIT serão exibidas como 'true' ou 'false'", + "cms.format.alignColumnDefinitionsInColumns": "Definições de coluna devem ser alinhadas?", + "cms.format.datatypeCasing": "Tipos de dados devem ser formatados como letras MAIÚSCULAS, minúsculas ou nenhum (não formatado)?", + "cms.format.keywordCasing": "Palavras-chave devem ser formatadas como letras MAIÚSCULAS, minúsculas ou nenhum (não formatado)?", + "cms.format.placeCommasBeforeNextStatement": "vírgulas devem ser colocadas no início de cada instrução em uma lista? Por exemplo, ', minhacoluna2' em vez de no final, por exemplo, 'minhacoluna1,'?", + "cms.format.placeSelectStatementReferencesOnNewLine": "Referências a objetos em uma instrução select devem ser divididas em linhas separadas? Por exemplo, para 'SELECT C1, C2 FROM T1', em que C1 e C2 deverão estar em linhas separadas?", + "cms.logDebugInfo": "[Opcional] Registre a saída da depuração no console (Exibir -> Saída) e, em seguida, selecione o canal de saída apropriado no menu suspenso", + "cms.tracingLevel": "[Opcional] Registre o nível para serviços de back-end. O Azure Data Studio gera um nome de arquivo sempre que é iniciado e, quando o arquivo já existe, as entradas de logs são acrescentadas a esse arquivo. Para a limpeza de arquivos de log antigos, confira as configurações logRetentionMinutes e logFilesRemovalLimit. O tracingLevel padrão não registra uma grande quantidade de log. A alteração de detalhamento pode levar ao aumento dos requisitos de log e de espaço em disco para os logs. Erro inclui Crítico, Aviso inclui Erro, informações incluem Aviso e Detalhado inclui Informações", + "cms.logRetentionMinutes": "O número de minutos para reter os arquivos de log dos serviços de back-end. O padrão é uma semana.", + "cms.logFilesRemovalLimit": "Número máximo de arquivos antigos a serem removidos na inicialização com mssql.logRetentionMinutes expirado. Os arquivos que não forem limpos devido a essa limitação serão limpos na próxima vez em que o Azure Data Studio for iniciado.", + "ignorePlatformWarning": "[Opcional] Não mostrar os avisos de plataforma sem suporte", + "onprem.databaseProperties.recoveryModel": "Modo de Recuperação", + "onprem.databaseProperties.lastBackupDate": "Último Backup de Banco de Dados", + "onprem.databaseProperties.lastLogBackupDate": "Último Backup de Log", + "onprem.databaseProperties.compatibilityLevel": "Nível de Compatibilidade", + "onprem.databaseProperties.owner": "Proprietário", + "onprem.serverProperties.serverVersion": "Versão", + "onprem.serverProperties.serverEdition": "Edição", + "onprem.serverProperties.machineName": "Nome do Computador", + "onprem.serverProperties.osVersion": "Versão do Sistema Operacional", + "cloud.databaseProperties.azureEdition": "Edição", + "cloud.databaseProperties.serviceLevelObjective": "Tipo de Preço", + "cloud.databaseProperties.compatibilityLevel": "Nível de Compatibilidade", + "cloud.databaseProperties.owner": "Proprietário", + "cloud.serverProperties.serverVersion": "Versão", + "cloud.serverProperties.serverEdition": "Tipo", + "cms.provider.displayName": "Microsoft SQL Server", + "cms.connectionOptions.connectionName.displayName": "Nome (opcional)", + "cms.connectionOptions.connectionName.description": "Nome personalizado da conexão", + "cms.connectionOptions.serverName.displayName": "Servidor", + "cms.connectionOptions.serverName.description": "Nome da instância do SQL Server", + "cms.connectionOptions.serverDescription.displayName": "Descrição do Servidor", + "cms.connectionOptions.serverDescription.description": "Descrição da instância do SQL Server", + "cms.connectionOptions.authType.displayName": "Tipo de autenticação", + "cms.connectionOptions.authType.description": "Especifica o método de autenticação com o SQL Server", + "cms.connectionOptions.authType.categoryValues.sqlLogin": "Login do SQL", + "cms.connectionOptions.authType.categoryValues.integrated": "Autenticação do Windows", + "cms.connectionOptions.authType.categoryValues.azureMFA": "Azure Active Directory – Universal com suporte para MFA", + "cms.connectionOptions.userName.displayName": "Nome do usuário", + "cms.connectionOptions.userName.description": "Indica a ID de usuário a ser usada ao conectar-se à fonte de dados", + "cms.connectionOptions.password.displayName": "Senha", + "cms.connectionOptions.password.description": "Indica a senha a ser usada ao conectar-se à fonte de dados", + "cms.connectionOptions.applicationIntent.displayName": "Intenção do aplicativo", + "cms.connectionOptions.applicationIntent.description": "Declara o tipo de carga de trabalho do aplicativo ao conectar-se a um servidor", + "cms.connectionOptions.asynchronousProcessing.displayName": "Processamento assíncrono", + "cms.connectionOptions.asynchronousProcessing.description": "Quando true, permite o uso da funcionalidade assíncrona no provedor de dados do .NET Framework", + "cms.connectionOptions.connectTimeout.displayName": "Tempo limite de conexão", + "cms.connectionOptions.connectTimeout.description": "O período de tempo (em segundos) para aguardar uma conexão com o servidor antes de encerrar a tentativa e gerar um erro", + "cms.connectionOptions.currentLanguage.displayName": "Idioma atual", + "cms.connectionOptions.currentLanguage.description": "O nome do registro de idioma do SQL Server", + "cms.connectionOptions.columnEncryptionSetting.displayName": "Criptografia de coluna", + "cms.connectionOptions.columnEncryptionSetting.description": "A configuração de criptografia de coluna padrão para todos os comandos na conexão", + "cms.connectionOptions.encrypt.displayName": "Criptografar", + "cms.connectionOptions.encrypt.description": "Quando true, o SQL Server usa a criptografia SSL para todos os dados enviados entre o cliente e o servidor quando o servidor tem um certificado instalado", + "cms.connectionOptions.persistSecurityInfo.displayName": "Persistir as informações de segurança", + "cms.connectionOptions.persistSecurityInfo.description": "Quando false, as informações confidenciais de segurança, como a senha, não são retornadas como parte da conexão", + "cms.connectionOptions.trustServerCertificate.displayName": "Certificado do servidor de confiança", + "cms.connectionOptions.trustServerCertificate.description": "Quando true (e encrypt=true), o SQL Server usa a criptografia SSL para todos os dados enviados entre o cliente e o servidor sem validar o certificado do servidor", + "cms.connectionOptions.attachedDBFileName.displayName": "Nome do arquivo de BD anexado", + "cms.connectionOptions.attachedDBFileName.description": "O nome do arquivo principal, incluindo o nome do caminho completo, de um banco de dados anexável", + "cms.connectionOptions.contextConnection.displayName": "Conexão de contexto", + "cms.connectionOptions.contextConnection.description": "Quando true, indica que a conexão deve ser do contexto do SQL Server. Disponível somente quando executado no processo do SQL Server", + "cms.connectionOptions.port.displayName": "Porta", + "cms.connectionOptions.connectRetryCount.displayName": "Contagem de nova tentativa de conexão", + "cms.connectionOptions.connectRetryCount.description": "Número de tentativas para restaurar a conexão", + "cms.connectionOptions.connectRetryInterval.displayName": "Intervalo de nova tentativa de conexão", + "cms.connectionOptions.connectRetryInterval.description": "Atraso entre as tentativas de restauração de conexão", + "cms.connectionOptions.applicationName.displayName": "Nome do aplicativo", + "cms.connectionOptions.applicationName.description": "O nome do aplicativo", + "cms.connectionOptions.workstationId.displayName": "ID da estação de trabalho", + "cms.connectionOptions.workstationId.description": "O nome da estação de trabalho que se conecta ao SQL Server", + "cms.connectionOptions.pooling.displayName": "Pooling", + "cms.connectionOptions.pooling.description": "Quando true, o objeto de conexão é extraído do pool apropriado ou, se necessário, é criado e adicionado ao pool apropriado", + "cms.connectionOptions.maxPoolSize.displayName": "Tamanho máximo do pool", + "cms.connectionOptions.maxPoolSize.description": "O número máximo de conexões permitidas no pool", + "cms.connectionOptions.minPoolSize.displayName": "Tamanho mínimo do pool", + "cms.connectionOptions.minPoolSize.description": "O número mínimo de conexões permitidas no pool", + "cms.connectionOptions.loadBalanceTimeout.displayName": "Tempo limite de balanceamento de carga", + "cms.connectionOptions.loadBalanceTimeout.description": "O período mínimo de tempo (em segundos) para que essa conexão exista no pool antes de ser destruída", + "cms.connectionOptions.replication.displayName": "Replicação", + "cms.connectionOptions.replication.description": "Usado pelo SQL Server na replicação", + "cms.connectionOptions.attachDbFilename.displayName": "Anexar o nome do arquivo de BD", + "cms.connectionOptions.failoverPartner.displayName": "Parceiro de failover", + "cms.connectionOptions.failoverPartner.description": "O nome ou o endereço de rede da instância do SQL Server que atua como um parceiro de failover", + "cms.connectionOptions.multiSubnetFailover.displayName": "Failover de várias sub-redes", + "cms.connectionOptions.multipleActiveResultSets.displayName": "Conjuntos de resultados ativos múltiplos", + "cms.connectionOptions.multipleActiveResultSets.description": "Quando true, conjuntos de resultados múltiplos podem ser retornados e lidos de uma conexão", + "cms.connectionOptions.packetSize.displayName": "Tamanho do pacote", + "cms.connectionOptions.packetSize.description": "Tamanho em bytes dos pacotes de rede usados para comunicar-se com uma instância do SQL Server", + "cms.connectionOptions.typeSystemVersion.displayName": "Versão do sistema de tipos", + "cms.connectionOptions.typeSystemVersion.description": "Indica qual sistema de tipo de servidor o provedor poderá expor por meio do DataReader" + }, + "dist/cmsResource/tree/cmsResourceTreeNode": { + "cms.resource.cmsResourceTreeNode.noResourcesLabel": "Nenhum recurso encontrado" + }, + "dist/cmsResource/tree/cmsResourceEmptyTreeNode": { + "cms.resource.tree.CmsTreeNode.addCmsServerLabel": "Adicionar Servidor de Gerenciamento Central..." + }, + "dist/cmsResource/tree/treeProvider": { + "cms.resource.tree.treeProvider.loadError": "Erro inesperado durante o carregamento de servidores salvos {0}", + "cms.resource.tree.treeProvider.loadingLabel": "Carregando..." + }, + "dist/cmsResource/cmsResourceCommands": { + "cms.errors.sameCmsServerName": "O Grupo de Servidores de Gerenciamento Central já tem um Servidor Registrado com o nome {0}", + "cms.errors.azureNotAllowed": "Os Servidores SQL do Azure não podem ser usados como Servidores de Gerenciamento Central", + "cms.confirmDeleteServer": "Tem certeza de que deseja excluir", + "cms.yes": "Sim", + "cms.no": "Não", + "cms.AddServerGroup": "Adicionar Grupo de Servidores", + "cms.OK": "OK", + "cms.Cancel": "Cancelar", + "cms.ServerGroupName": "Nome do Grupo de Servidores", + "cms.ServerGroupDescription": "Descrição do Grupo de Servidores", + "cms.errors.sameServerGroupName": "{0} já tem um Grupo de Servidores com o nome {1}", + "cms.confirmDeleteGroup": "Tem certeza de que deseja excluir" + }, + "dist/cmsUtils": { + "cms.errors.sameServerUnderCms": "Não é possível adicionar um servidor registado compartilhado com o mesmo nome que o Servidor de Configuração" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-pt-BR/translations/extensions/dacpac.i18n.json b/i18n/ads-language-pack-pt-BR/translations/extensions/dacpac.i18n.json new file mode 100644 index 0000000000..6f90907782 --- /dev/null +++ b/i18n/ads-language-pack-pt-BR/translations/extensions/dacpac.i18n.json @@ -0,0 +1,78 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "dacFx.settings": "Dacpac", + "dacFx.defaultSaveLocation": "Caminho completo para a pasta em que se encontram os arquivos .DACPAC e .BACPAC são salvos por padrão" + }, + "dist/localizedConstants": { + "dacFx.targetServer": "Servidor de Destino", + "dacFx.sourceServer": "Servidor de Origem", + "dacFx.sourceDatabase": "Banco de Dados de Origem", + "dacFx.targetDatabase": "Banco de Dados de Destino", + "dacfx.fileLocation": "Localização do Arquivo", + "dacfx.selectFile": "Selecionar arquivo", + "dacfx.summaryTableTitle": "Resumo das configurações", + "dacfx.version": "Versão", + "dacfx.setting": "Configuração", + "dacfx.value": "Valor", + "dacFx.databaseName": "Nome do Banco de Dados", + "dacFxDeploy.openFile": "Abrir", + "dacFx.upgradeExistingDatabase": "Atualizar Banco de Dados Existente", + "dacFx.newDatabase": "Novo Banco de Dados", + "dacfx.dataLossTextWithCount": "{0} das ações de implantação listadas podem resultar em perda de dados. Verifique se você tem um backup ou instantâneo disponível no caso de um problema com a implantação.", + "dacFx.proceedDataLoss": "Prosseguir, apesar da possível perda de dados", + "dacfx.noDataLoss": "Nenhuma perda de dados ocorrerá nas ações de implantação listadas.", + "dacfx.dataLossText": "As ações de implantação podem resultar em perda de dados. Verifique se você tem um backup ou instantâneo disponível no caso de um problema com a implantação.", + "dacfx.operation": "Operação", + "dacfx.operationTooltip": "Operação (Criação, Alteração, Exclusão) que ocorrerá durante a implantação", + "dacfx.type": "Tipo", + "dacfx.typeTooltip": "Tipo de objeto que será afetado pela implantação", + "dacfx.object": "Objeto", + "dacfx.objecTooltip": "Nome do objeto que será afetado pela implantação", + "dacfx.dataLoss": "Perda de Dados", + "dacfx.dataLossTooltip": "Operações que podem resultar em perda de dados são marcadas com um sinal de aviso", + "dacfx.save": "Salvar", + "dacFx.versionText": "Versão (use x.x.x.x, em que x é um número)", + "dacFx.deployDescription": "Implantar um arquivo .dacpac de aplicativo de camada de dados em uma instância do SQL Server [implantar Dacpac]", + "dacFx.extractDescription": "Extrair um aplicativo de camada de dados de uma instância do SQL Server para um arquivo .dacpac [Extrair Dacpac]", + "dacFx.importDescription": "Criar um banco de dados de um arquivo .bacpac [Importar Bacpac]", + "dacFx.exportDescription": "Exportar o esquema e os dados de um banco de dados para o formato de arquivo lógico .bacpac [Exportar Bacpac]", + "dacfx.wizardTitle": "Assistente de Aplicativo em Camada de Dados", + "dacFx.selectOperationPageName": "Selecionar uma Operação", + "dacFx.deployConfigPageName": "Selecione Implantar Configurações do Dacpac", + "dacFx.deployPlanPageName": "Examine o plano de implantação", + "dacFx.summaryPageName": "Resumo", + "dacFx.extractConfigPageName": "Selecione Extrair Configurações do Dacpac", + "dacFx.importConfigPageName": "Selecione Importar Configurações do Bacpac", + "dacFx.exportConfigPageName": "Selecione Exportar Configurações do Bacpac", + "dacFx.deployButton": "Implantar", + "dacFx.extract": "Extrair", + "dacFx.import": "Importar", + "dacFx.export": "Exportar", + "dacFx.generateScriptButton": "Gerar Script", + "dacfx.scriptGeneratingMessage": "Você pode exibir o status da geração de script na Exibição de Tarefas depois que o assistente for fechado. O script gerado será aberto quando concluído.", + "dacfx.default": "padrão", + "dacfx.deployPlanTableTitle": "Implantar plano de operações", + "dacfx.databaseNameExistsErrorMessage": "Já existe um banco de dados com o mesmo nome na instância do SQL Server.", + "dacfx.undefinedFilenameErrorMessage": "Nome indefinido", + "dacfx.filenameEndingInPeriodErrorMessage": "O nome do arquivo não pode terminar com um ponto", + "dacfx.whitespaceFilenameErrorMessage": "O nome do arquivo não pode ser espaço em branco", + "dacfx.invalidFileCharsErrorMessage": "Caracteres de arquivo inválidos", + "dacfx.reservedWindowsFilenameErrorMessage": "Este nome de arquivo está reservado para ser usado pelo Windows. Escolha outro nome e tente novamente.", + "dacfx.reservedValueErrorMessage": "Nome de arquivo reservado. Escolha outro nome e tente novamente", + "dacfx.trailingWhitespaceErrorMessage": "O nome do arquivo não pode terminar com um espaço em branco", + "dacfx.tooLongFilenameErrorMessage": "O nome do arquivo tem mais de 255 caracteres", + "dacfx.deployPlanErrorMessage": "Falha na geração do plano de implantação '{0}'", + "dacfx.generateDeployErrorMessage": "Falha na geração do script de implantação '{0}'", + "dacfx.operationErrorMessage": "Falha na operação {0} '{1}'" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-pt-BR/translations/extensions/import.i18n.json b/i18n/ads-language-pack-pt-BR/translations/extensions/import.i18n.json new file mode 100644 index 0000000000..c825fe5aac --- /dev/null +++ b/i18n/ads-language-pack-pt-BR/translations/extensions/import.i18n.json @@ -0,0 +1,66 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "flatfileimport.configuration.title": "Configuração de Importação de Arquivo Simples", + "flatfileimport.logDebugInfo": "[Opcional] Registre a saída da depuração no console (Exibir -> Saída) e, em seguida, selecione o canal de saída apropriado no menu suspenso" + }, + "out/services/serviceClient": { + "serviceStarted": "{0} iniciado", + "serviceStarting": "Iniciando {0}", + "flatFileImport.serviceStartFailed": "Falha ao iniciar {0}: {1}", + "installingServiceDetailed": "Instalando {0} para {1}", + "installingService": "Instalando serviço {0}", + "serviceInstalled": "{0} instalado", + "downloadingService": "Baixando {0}", + "downloadingServiceSize": "({0} KB)", + "downloadingServiceStatus": "Baixando {0}", + "downloadingServiceComplete": "Download de {0} concluído", + "entryExtractedChannelMsg": "{0} extraído ({1}/{2})" + }, + "out/common/constants": { + "import.serviceCrashButton": "Fornecer Comentários", + "serviceCrashMessage": "componente de serviço não pôde ser iniciado", + "flatFileImport.serverDropdownTitle": "O servidor no qual o banco de dados está", + "flatFileImport.databaseDropdownTitle": "Banco de dados em que a tabela é criada", + "flatFile.InvalidFileLocation": "Localização de arquivo inválida. Tente um arquivo de entrada diferente", + "flatFileImport.browseFiles": "Procurar", + "flatFileImport.openFile": "Abrir", + "flatFileImport.fileTextboxTitle": "Local do arquivo a ser importado", + "flatFileImport.tableTextboxTitle": "Nome da nova tabela", + "flatFileImport.schemaTextboxTitle": "Esquema da tabela", + "flatFileImport.importData": "Importar Dados", + "flatFileImport.next": "Próximo", + "flatFileImport.columnName": "Nome da Coluna", + "flatFileImport.dataType": "Tipo de Dados", + "flatFileImport.primaryKey": "Chave Primária", + "flatFileImport.allowNulls": "Permitir Valores Nulos", + "flatFileImport.prosePreviewMessage": "Esta operação analisou a estrutura do arquivo de entrada para gerar a visualização abaixo para as primeiras 50 linhas.", + "flatFileImport.prosePreviewMessageFail": "Esta operação não teve êxito. Tente um arquivo de entrada diferente.", + "flatFileImport.refresh": "Atualizar", + "flatFileImport.importInformation": "Importar informações", + "flatFileImport.importStatus": "Status de importação", + "flatFileImport.serverName": "Nome do servidor", + "flatFileImport.databaseName": "Nome do banco de dados", + "flatFileImport.tableName": "Nome da tabela", + "flatFileImport.tableSchema": "Esquema da tabela", + "flatFileImport.fileImport": "Arquivo a ser importado", + "flatFileImport.success.norows": "✔ Dados inseridos na tabela corretamente.", + "import.needConnection": "Conecte-se a um servidor antes de usar este assistente.", + "import.needSQLConnection": "A extensão de importação SQL Server não dá suporte a este tipo de conexão", + "flatFileImport.wizardName": "Assistente de importação de arquivo simples", + "flatFileImport.page1Name": "Especificar o Arquivo de Entrada", + "flatFileImport.page2Name": "Visualizar Dados", + "flatFileImport.page3Name": "Modificar Colunas", + "flatFileImport.page4Name": "Resumo", + "flatFileImport.importNewFile": "Importar novo arquivo" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-pt-BR/translations/extensions/notebook.i18n.json b/i18n/ads-language-pack-pt-BR/translations/extensions/notebook.i18n.json index ae207dabd5..a80932cef2 100644 --- a/i18n/ads-language-pack-pt-BR/translations/extensions/notebook.i18n.json +++ b/i18n/ads-language-pack-pt-BR/translations/extensions/notebook.i18n.json @@ -14,13 +14,16 @@ "notebook.configuration.title": "Configuração do Notebook", "notebook.pythonPath.description": "Caminho local para a instalação do Python usada por Notebooks.", "notebook.useExistingPython.description": "Caminho local para uma instalação do Python preexistente usada por Notebooks.", + "notebook.dontPromptPythonUpdate.description": "Não mostrar aviso para atualizar Python.", + "notebook.jupyterServerShutdownTimeout.description": "A quantidade de tempo (em minutos) de espera antes de desligar um servidor depois de fechar todos os blocos de anotações. (Digite 0 para não desligar)", "notebook.overrideEditorTheming.description": "Substitua as configurações padrão do editor no editor de Notebook. As configurações incluem a cor da tela de fundo, a cor e a borda da linha atual", "notebook.maxTableRows.description": "Número máximo de linhas retornadas por tabela no editor do Notebook", - "notebook.trustedBooks.description": "Notebooks contained in these books will automatically be trusted.", + "notebook.trustedBooks.description": "Os Notebooks contidos nesses livros serão automaticamente confiáveis.", "notebook.maxBookSearchDepth.description": "Profundidade máxima de subdiretórios para pesquisar Books (insira 0 para infinita)", - "notebook.collapseBookItems.description": "Collapse Book items at root level in the Notebooks Viewlet", - "notebook.remoteBookDownloadTimeout.description": "Download timeout in milliseconds for GitHub books", - "notebook.pinnedNotebooks.description": "Notebooks that are pinned by the user for the current workspace", + "notebook.collapseBookItems.description": "Recolher itens do Livro no nível raiz no Viewlet dos Notebooks", + "notebook.remoteBookDownloadTimeout.description": "Baixar o tempo limite em milissegundos para os livros do GitHub", + "notebook.pinnedNotebooks.description": "Os Notebooks que são fixados pelo usuário para o workspace atual", + "notebook.allowRoot.description": "Allow Jupyter server to run as root user", "notebook.command.new": "Novo Notebook", "notebook.command.open": "Abrir o Notebook", "notebook.analyzeJupyterNotebook": "Analisar no Notebook", @@ -43,108 +46,121 @@ "title.managePackages": "Gerenciar Pacotes", "title.SQL19PreviewBook": "Guia do SQL Server 2019", "books-preview-category": "Jupyter Books", - "title.saveJupyterBook": "Salvar Book", - "title.trustBook": "Trust Book", - "title.searchJupyterBook": "Pesquisar Book", + "title.saveJupyterBook": "Salvar Livro Jupyter", + "title.trustBook": "Confiar Livro Jupyter", + "title.searchJupyterBook": "Pesquisar no Livro Jupyter", "title.SavedBooks": "Notebooks", - "title.ProvidedBooks": "Provided Books", - "title.PinnedBooks": "Pinned notebooks", - "title.PreviewLocalizedBook": "Get localized SQL Server 2019 guide", - "title.openJupyterBook": "Open Jupyter Book", - "title.closeJupyterBook": "Close Jupyter Book", - "title.closeJupyterNotebook": "Close Jupyter Notebook", - "title.revealInBooksViewlet": "Reveal in Books", - "title.createJupyterBook": "Create Book (Preview)", - "title.openNotebookFolder": "Open Notebooks in Folder", - "title.openRemoteJupyterBook": "Add Remote Jupyter Book", - "title.pinNotebook": "Pin Notebook", - "title.unpinNotebook": "Unpin Notebook", - "title.moveTo": "Move to ..." + "title.ProvidedBooks": "Livros Jupyter fornecidos", + "title.PinnedBooks": "Notebooks fixados", + "title.PreviewLocalizedBook": "Obtenha o guia do SQL Server 2019 localizado", + "title.openJupyterBook": "Abrir Livro do Jupyter", + "title.closeJupyterBook": "Fechar o Livro do Jupyter", + "title.closeNotebook": "Fechar Bloco de Anotações", + "title.removeNotebook": "Remover Bloco de Anotações", + "title.addNotebook": "Adicionar Bloco de Anotações", + "title.addMarkdown": "Adicionar Arquivo de Marcação", + "title.revealInBooksViewlet": "Revelar nos Livros", + "title.createJupyterBook": "Criar Livro Jupyter", + "title.openNotebookFolder": "Abrir Notebooks na Pasta", + "title.openRemoteJupyterBook": "Adicionar Livro do Jupyter Remoto", + "title.pinNotebook": "Fixar Notebook", + "title.unpinNotebook": "Desafixar Notebook", + "title.moveTo": "Mover para..." }, "dist/common/utils": { - "ensureDirOutputMsg": "... Ensuring {0} exists", - "executeCommandProcessExited": "Process exited with error code: {0}. StdErr Output: {1}" + "ensureDirOutputMsg": "... Verificando se {0} existe", + "executeCommandProcessExited": "O processo foi encerrado com o código de erro: {0}. Saída de StdErr: {1}" }, "dist/common/constants": { "managePackages.localhost": "localhost", - "managePackages.packageNotFound": "Could not find the specified package" + "managePackages.packageNotFound": "Não foi possível localizar o pacote especificado" }, "dist/common/localizedConstants": { "msgYes": "Sim", "msgNo": "Não", "msgSampleCodeDataFrame": "Este código de exemplo carrega o arquivo em um quadro de dados e mostra os 10 primeiros resultados.", - "noBDCConnectionError": "Spark kernels require a connection to a SQL Server Big Data Cluster master instance.", - "providerNotValidError": "Non-MSSQL providers are not supported for spark kernels.", - "allFiles": "All Files", - "labelSelectFolder": "Select Folder", - "labelBookFolder": "Select Book", - "confirmReplace": "Folder already exists. Are you sure you want to delete and replace this folder?", - "openNotebookCommand": "Open Notebook", - "openMarkdownCommand": "Open Markdown", - "openExternalLinkCommand": "Open External Link", - "msgBookTrusted": "Book is now trusted in the workspace.", - "msgBookAlreadyTrusted": "Book is already trusted in this workspace.", - "msgBookUntrusted": "Book is no longer trusted in this workspace", - "msgBookAlreadyUntrusted": "Book is already untrusted in this workspace.", - "msgBookPinned": "Book {0} is now pinned in the workspace.", - "msgBookUnpinned": "Book {0} is no longer pinned in this workspace", - "bookInitializeFailed": "Failed to find a Table of Contents file in the specified book.", - "noBooksSelected": "No books are currently selected in the viewlet.", - "labelBookSection": "Select Book Section", - "labelAddToLevel": "Add to this level", - "missingFileError": "Missing file : {0} from {1}", - "InvalidError.tocFile": "Invalid toc file", - "Invalid toc.yml": "Error: {0} has an incorrect toc.yml file", - "configFileError": "Configuration file missing", - "openBookError": "Open book {0} failed: {1}", - "readBookError": "Failed to read book {0}: {1}", - "openNotebookError": "Open notebook {0} failed: {1}", - "openMarkdownError": "Open markdown {0} failed: {1}", - "openUntitledNotebookError": "Open untitled notebook {0} as untitled failed: {1}", - "openExternalLinkError": "Open link {0} failed: {1}", - "closeBookError": "Close book {0} failed: {1}", - "duplicateFileError": "File {0} already exists in the destination folder {1} \r\n The file has been renamed to {2} to prevent data loss.", - "editBookError": "Error while editing book {0}: {1}", - "selectBookError": "Error while selecting a book or a section to edit: {0}", + "noBDCConnectionError": "Os kernels do Spark exigem uma conexão com uma instância mestra do cluster de Big Data do SQL Server.", + "providerNotValidError": "Não há suporte para provedores não MSSQL em kernels do Spark.", + "allFiles": "Todos os Arquivos", + "labelSelectFolder": "Selecionar Pasta", + "labelBookFolder": "Selecionar Livro Jupyter", + "confirmReplace": "A pasta já existe. Tem certeza de que deseja excluir e substituir essa pasta?", + "openNotebookCommand": "Abrir Notebook", + "openMarkdownCommand": "Abrir Markdown", + "openExternalLinkCommand": "Abrir Link Externo", + "msgBookTrusted": "O Livro Jupyter agora é confiável no espaço de trabalho.", + "msgBookAlreadyTrusted": "O Livro Jupyter já é confiável neste espaço de trabalho.", + "msgBookUntrusted": "O Livro Jupyter não é mais confiável neste espaço de trabalho", + "msgBookAlreadyUntrusted": "O Livro Jupyter já não é confiável neste espaço de trabalho.", + "msgBookPinned": "O Livro Jupyter {0} agora está fixado no espaço de trabalho.", + "msgBookUnpinned": "O Livro Jupyter {0} agora não está mais fixado neste espaço de trabalho", + "bookInitializeFailed": "Falha ao encontrar um arquivo de Índice no Livro Jupyter especificado.", + "noBooksSelected": "Nenhum Livro Jupyter está selecionado no momento no viewlet.", + "labelBookSection": "Selecione a Seção do Livro Jupyter", + "labelAddToLevel": "Adicionar a este nível", + "missingFileError": "Arquivo ausente: {0} de {1}", + "InvalidError.tocFile": "Arquivo de sumário inválido", + "Invalid toc.yml": "Erro: {0} tem um arquivo toc.yml incorreto", + "configFileError": "Arquivo de configuração ausente", + "openBookError": "Falha ao abrir o Livro Jupyter {0}: {1}", + "readBookError": "Falha ao ler o Livro Jupyter {0}: {1}", + "openNotebookError": "Falha ao abrir o notebook {0}: {1}", + "openMarkdownError": "Falha ao abrir o markdown {0}: {1}", + "openUntitledNotebookError": "Abrir o notebook sem título {0} porque o sem título falhou: {1}", + "openExternalLinkError": "Falha ao abrir o link {0}: {1}", + "closeBookError": "Falha ao Fechar Livro Jupyter {0}: {1}", + "duplicateFileError": "O arquivo {0} já existe na pasta de destino {1} \r\n O arquivo foi renomeado para {2} para impedir a perda de dados.", + "editBookError": "Erro ao editar o Livro Jupyter {0}: {1}", + "selectBookError": "Erro ao selecionar um Livro Jupyter ou uma seção para editar: {0}", + "sectionNotFound": "Falha ao localizar a seção {0} em {1}.", "url": "URL", - "repoUrl": "Repository URL", - "location": "Location", - "addRemoteBook": "Add Remote Book", + "repoUrl": "URL do repositório", + "location": "Localização", + "addRemoteBook": "Adicionar Livro do Jupyter Remoto", "onGitHub": "GitHub", - "onsharedFile": "Shared File", - "releases": "Releases", - "book": "Book", - "version": "Version", - "language": "Language", - "booksNotFound": "No books are currently available on the provided link", - "urlGithubError": "The url provided is not a Github release url", - "search": "Search", - "add": "Add", - "close": "Close", - "invalidTextPlaceholder": "-", - "msgRemoteBookDownloadProgress": "Remote Book download is in progress", - "msgRemoteBookDownloadComplete": "Remote Book download is complete", - "msgRemoteBookDownloadError": "Error while downloading remote Book", - "msgRemoteBookUnpackingError": "Error while decompressing remote Book", - "msgRemoteBookDirectoryError": "Error while creating remote Book directory", - "msgTaskName": "Downloading Remote Book", - "msgResourceNotFound": "Resource not Found", - "msgBookNotFound": "Books not Found", - "msgReleaseNotFound": "Releases not Found", - "msgUndefinedAssetError": "The selected book is not valid", - "httpRequestError": "Http Request failed with error: {0} {1}", - "msgDownloadLocation": "Downloading to {0}", - "newGroup": "New Group", - "groupDescription": "Groups are used to organize Notebooks.", - "locationBrowser": "Browse locations...", - "selectContentFolder": "Select content folder", - "browse": "Browse", - "create": "Create", - "name": "Name", - "saveLocation": "Save location", - "contentFolder": "Content folder (Optional)", - "msgContentFolderError": "Content folder path does not exist", - "msgSaveFolderError": "Save location path does not exist" + "onsharedFile": "Arquivo Compartilhado", + "releases": "Versões", + "book": "Livro Jupyter", + "version": "Versão", + "language": "Linguagem", + "booksNotFound": "Nenhum Livro Jupyter está disponível no momento no link fornecido", + "urlGithubError": "A URL fornecida não é uma URL de versão do Github", + "search": "Pesquisar", + "add": "Adicionar", + "close": "Fechar", + "invalidTextPlaceholder": "–", + "msgRemoteBookDownloadProgress": "O download do Livro Jupyter Remoto está em andamento", + "msgRemoteBookDownloadComplete": "O download do Livro Jupyter Remoto está concluído", + "msgRemoteBookDownloadError": "Erro ao baixar o Livro Jupyter remoto", + "msgRemoteBookUnpackingError": "Erro ao descompactar o Livro Jupyter remoto", + "msgRemoteBookDirectoryError": "Erro ao criar diretório remoto do Livro Jupyter", + "msgTaskName": "Baixando o Livro Jupyter Remoto", + "msgResourceNotFound": "Recurso Não Encontrado", + "msgBookNotFound": "Livros Jupyter não encontrados", + "msgReleaseNotFound": "Versões Não Encontradas", + "msgUndefinedAssetError": "O Livro Jupyter selecionado não é válido", + "httpRequestError": "Houve uma falha na solicitação HTTP com o erro: {0} {1}", + "msgDownloadLocation": "Baixando para {0}", + "newBook": "Novo Livro Jupyter (Visualização)", + "bookDescription": "Os Livros Jupyter são usados para organizar Blocos de Anotações.", + "learnMore": "Saiba mais.", + "contentFolder": "Pasta de conteúdo", + "browse": "Procurar", + "create": "Criar", + "name": "Nome", + "saveLocation": "Salvar localização", + "contentFolderOptional": "Pasta de conteúdo (Opcional)", + "msgContentFolderError": "O caminho da pasta de conteúdo não existe", + "msgSaveFolderError": "O caminho de localização para salvar não existe.", + "msgCreateBookWarningMsg": "Erro ao tentar acessar: {0}", + "newNotebook": "Novo Bloco de Anotações (Visualização)", + "newMarkdown": "Nova Marcação (Visualização)", + "fileExtension": "Extensão de Arquivo", + "confirmOverwrite": "O arquivo já existe. Tem certeza de que deseja substituir este arquivo?", + "title": "Título", + "fileName": "Nome do Arquivo", + "msgInvalidSaveFolder": "O caminho do local salvo não é válido.", + "msgDuplicadFileName": "Arquivo {0} já existe na pasta de destino" }, "dist/jupyter/jupyterServerInstallation": { "msgInstallPkgProgress": "A instalação de dependências do Notebook está em andamento", @@ -159,20 +175,26 @@ "msgInstallPkgFinish": "A instalação das dependências do Notebook está concluída", "msgPythonRunningError": "Não é possível substituir uma instalação do Python existente enquanto o Python está em execução. Feche todos os notebooks ativos antes de prosseguir.", "msgWaitingForInstall": "Outra instalação do Python está em andamento no momento. Esperando a conclusão.", + "msgShutdownNotebookSessions": "As sessões ativas do bloco de anotações do Python serão encerradas para serem atualizadas. Deseja continuar agora?", + "msgPythonVersionUpdatePrompt": "O Python {0} agora está disponível no Azure Data Studio. A versão atual do Python (3.6.6) estará sem suporte em dezembro de 2021. Deseja atualizar para o Python {0} agora?", + "msgPythonVersionUpdateWarning": "O Python {0} será instalado e substituirá o Python 3.6.6. Alguns pacotes podem não ser mais compatíveis com a nova versão ou talvez precisem ser reinstalados. Um bloco de anotações será criado para ajudá-lo a reinstalar todos os pacotes pip. Deseja continuar com a atualização agora?", "msgDependenciesInstallationFailed": "Falha na instalação das dependências do Notebook com o erro: {0}", "msgDownloadPython": "Baixando o Python local para a plataforma: {0} a {1}", - "msgPackageRetrievalFailed": "Encountered an error when trying to retrieve list of installed packages: {0}", - "msgGetPythonUserDirFailed": "Encountered an error when getting Python user path: {0}" + "msgPackageRetrievalFailed": "Foi encontrado um erro ao tentar recuperar a lista de pacotes instalados: {0}", + "msgGetPythonUserDirFailed": "Foi encontrado um erro ao obter o caminho do usuário do Python: {0}", + "yes": "Sim", + "no": "Não", + "dontAskAgain": "Não perguntar novamente" }, "dist/dialog/configurePython/configurePythonWizard": { - "configurePython.okButtonText": "Install", - "configurePython.invalidLocationMsg": "The specified install location is invalid.", - "configurePython.pythonNotFoundMsg": "No Python installation was found at the specified location.", - "configurePython.wizardNameWithKernel": "Configure Python to run {0} kernel", - "configurePython.wizardNameWithoutKernel": "Configure Python to run kernels", - "configurePython.page0Name": "Configure Python Runtime", - "configurePython.page1Name": "Install Dependencies", - "configurePython.pythonInstallDeclined": "Python installation was declined." + "configurePython.okButtonText": "Instalar", + "configurePython.invalidLocationMsg": "O local de instalação especificado é inválido.", + "configurePython.pythonNotFoundMsg": "Não foi encontrada nenhuma instalação do Python na localização especificada.", + "configurePython.wizardNameWithKernel": "Configurar o Python para executar o kernel {0}", + "configurePython.wizardNameWithoutKernel": "Configurar o Python para executar kernels", + "configurePython.page0Name": "Configurar Runtime do Python", + "configurePython.page1Name": "Instalar Dependências", + "configurePython.pythonInstallDeclined": "A instalação do Python foi recusada." }, "dist/extension": { "codeCellName": "Código", @@ -185,34 +207,34 @@ "confirmReinstall": "Tem certeza de que deseja reinstalar?" }, "dist/dialog/configurePython/configurePathPage": { - "configurePython.browseButtonText": "Browse", - "configurePython.selectFileLabel": "Select", - "configurePython.descriptionWithKernel": "The {0} kernel requires a Python runtime to be configured and dependencies to be installed.", - "configurePython.descriptionWithoutKernel": "Notebook kernels require a Python runtime to be configured and dependencies to be installed.", - "configurePython.installationType": "Installation Type", - "configurePython.locationTextBoxText": "Python Install Location", - "configurePython.pythonConfigured": "Python runtime configured!", + "configurePython.browseButtonText": "Procurar", + "configurePython.selectFileLabel": "Selecionar", + "configurePython.descriptionWithKernel": "O kernel {0} exige que um runtime do Python seja configurado e que as dependências sejam instaladas.", + "configurePython.descriptionWithoutKernel": "Os kernels do Notebook exigem que o runtime do Python seja configurado e as dependências sejam instaladas.", + "configurePython.installationType": "Tipo de Instalação", + "configurePython.locationTextBoxText": "Localização da Instalação do Python", + "configurePython.pythonConfigured": "Runtime do Python configurado.", "configurePythyon.dropdownPathLabel": "{0} (Python {1})", - "configurePythyon.noVersionsFound": "No supported Python versions found.", - "configurePythyon.defaultPathLabel": "{0} (Default)", - "configurePython.newInstall": "New Python installation", - "configurePython.existingInstall": "Use existing Python installation", - "configurePythyon.customPathLabel": "{0} (Custom)" + "configurePythyon.noVersionsFound": "Não foram encontradas versões do Python com suporte.", + "configurePythyon.defaultPathLabel": "{0} (Padrão)", + "configurePython.newInstall": "Nova instalação do Python", + "configurePython.existingInstall": "Usar a instalação existente do Python", + "configurePythyon.customPathLabel": "{0} (Personalizado)" }, "dist/dialog/configurePython/pickPackagesPage": { - "configurePython.pkgNameColumn": "Name", - "configurePython.existingVersionColumn": "Existing Version", - "configurePython.requiredVersionColumn": "Required Version", + "configurePython.pkgNameColumn": "Nome", + "configurePython.existingVersionColumn": "Versão Existente", + "configurePython.requiredVersionColumn": "Versão Obrigatória", "configurePython.kernelLabel": "Kernel", - "configurePython.requiredDependencies": "Install required kernel dependencies", - "msgUnsupportedKernel": "Could not retrieve packages for kernel {0}" + "configurePython.requiredDependencies": "Instalar dependências do kernel obrigatórias", + "msgUnsupportedKernel": "Não foi possível recuperar pacotes para o kernel {0}" }, "dist/jupyter/jupyterServerManager": { "shutdownError": "Falha no desligamento do servidor do Notebook: {0}" }, "dist/jupyter/serverInstance": { "serverStopError": "Erro ao parar o Servidor do Notebook: {0}", - "notebookStartProcessExitPremature": "Notebook process exited prematurely with error code: {0}. StdErr Output: {1}", + "notebookStartProcessExitPremature": "O processo do Notebook foi encerrado prematuramente com o código de erro: {0}. Saída de StdErr: {1}", "jupyterError": "Erro enviado do Jupyter: {0}", "jupyterOutputMsgStartSuccessful": "... O Jupyter está sendo executado em {0}", "jupyterOutputMsgStart": "... Iniciando o servidor do Notebook" @@ -222,11 +244,11 @@ }, "dist/jupyter/jupyterSessionManager": { "errorStartBeforeReady": "Não é possível iniciar uma sessão. O gerente ainda não foi inicializado", - "notebook.couldNotFindKnoxGateway": "Could not find Knox gateway endpoint", - "promptBDCUsername": "{0}Please provide the username to connect to the BDC Controller:", - "promptBDCPassword": "Please provide the password to connect to the BDC Controller", - "bdcConnectError": "Error: {0}. ", - "clusterControllerConnectionRequired": "A connection to the cluster controller is required to run Spark jobs" + "notebook.couldNotFindKnoxGateway": "Não foi possível localizar o ponto de extremidade do gateway do Knox", + "promptBDCUsername": "{0}Forneça o nome de usuário para se conectar ao Controlador do BDC:", + "promptBDCPassword": "Forneça a senha para se conectar ao Controlador do BDC", + "bdcConnectError": "Erro: {0}. ", + "clusterControllerConnectionRequired": "Uma conexão com o controlador de cluster é necessária para executar trabalhos do Spark" }, "dist/dialog/managePackages/managePackagesDialog": { "managePackages.dialogName": "Gerenciar Pacotes", @@ -236,10 +258,10 @@ "managePackages.installedTabTitle": "Instalado", "managePackages.pkgNameColumn": "Nome", "managePackages.newPkgVersionColumn": "Versão", - "managePackages.deleteColumn": "Delete", + "managePackages.deleteColumn": "Excluir", "managePackages.uninstallButtonText": "Desinstalar os pacotes selecionados", "managePackages.packageType": "Tipo de Pacote", - "managePackages.location": "Location", + "managePackages.location": "Localização", "managePackages.packageCount": "{0} {1} pacotes encontrados", "managePackages.confirmUninstall": "Tem certeza de que deseja desinstalar os pacotes especificados?", "managePackages.backgroundUninstallStarted": "Desinstalando {0}", @@ -261,16 +283,16 @@ "managePackages.backgroundInstallFailed": "Falha ao instalar {0} {1}. Erro: {2}" }, "dist/jupyter/pypiClient": { - "managePackages.packageRequestError": "Package info request failed with error: {0} {1}" + "managePackages.packageRequestError": "Falha na solicitação de informações do pacote com o erro: {0} {1}" }, "dist/common/notebookUtils": { - "msgSampleCodeDataFrame": "This sample code loads the file into a data frame and shows the first 10 results.", - "noNotebookVisible": "No notebook editor is active", + "msgSampleCodeDataFrame": "Este código de exemplo carrega o arquivo em um quadro de dados e mostra os 10 primeiros resultados.", + "noNotebookVisible": "Não há nenhum editor de notebook ativo", "notebookFiles": "Notebooks" }, "dist/protocol/notebookUriHandler": { "notebook.unsupportedAction": "Não há suporte para a ação {0} para esse manipulador", - "unsupportedScheme": "Não é possível abrir o link {0} porque somente os links HTTP e HTTPS são compatíveis", + "unsupportedScheme": "Não é possível abrir o link {0} porque somente os links HTTP, HTTPS e de arquivos são compatíveis", "notebook.confirmOpen": "Baixar e abrir '{0}'?", "notebook.fileNotFound": "Não foi possível localizar o arquivo especificado", "notebook.fileDownloadError": "Falha na solicitação de abertura de arquivo com o erro: {0} {1}" diff --git a/i18n/ads-language-pack-pt-BR/translations/extensions/profiler.i18n.json b/i18n/ads-language-pack-pt-BR/translations/extensions/profiler.i18n.json new file mode 100644 index 0000000000..c6d9514b78 --- /dev/null +++ b/i18n/ads-language-pack-pt-BR/translations/extensions/profiler.i18n.json @@ -0,0 +1,23 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/profilerCreateSessionDialog": { + "createSessionDialog.cancel": "Cancelar", + "createSessionDialog.create": "Iníciar", + "createSessionDialog.title": "Iniciar Nova Sessão do Profiler", + "createSessionDialog.templatesInvalid": "Lista de modelos inválidas. Não é possível abrir a caixa de diálogo", + "createSessionDialog.dialogOwnerInvalid": "Proprietário de caixa de diálogo inválido. Não é possível abrir a caixa de diálogo", + "createSessionDialog.invalidProviderType": "Tipo de provedor inválido. Não é possível abrir a caixa de diálogo", + "createSessionDialog.selectTemplates": "Selecione o modelo de sessão:", + "createSessionDialog.enterSessionName": "Digite o nome da sessão:", + "createSessionDialog.createSessionFailed": "Falha ao criar uma sessão" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-pt-BR/translations/extensions/resource-deployment.i18n.json b/i18n/ads-language-pack-pt-BR/translations/extensions/resource-deployment.i18n.json index cdd7c82b69..966181e49f 100644 --- a/i18n/ads-language-pack-pt-BR/translations/extensions/resource-deployment.i18n.json +++ b/i18n/ads-language-pack-pt-BR/translations/extensions/resource-deployment.i18n.json @@ -11,306 +11,309 @@ "package": { "extension-displayName": "Extensão de Implantação do SQL Server para o Azure Data Studio", "extension-description": "Fornece uma experiência baseada em Notebook para implantar o Microsoft SQL Server", - "deploy-resource-command-name": "New Deployment…", + "deploy-resource-command-name": "Nova Implantação…", "deploy-resource-command-category": "Implantação", "resource-type-sql-image-display-name": "Imagem de contêiner do SQL Server", "resource-type-sql-image-description": "Executar a imagem de contêiner do SQL Server com o Docker", "version-display-name": "Versão", "sql-2017-display-name": "SQL Server 2017", "sql-2019-display-name": "SQL Server 2019", - "docker-sql-2017-title": "Deploy SQL Server 2017 container images", - "docker-sql-2019-title": "Deploy SQL Server 2019 container images", + "docker-sql-2017-title": "Implantar imagens de contêiner do SQL Server 2017", + "docker-sql-2019-title": "Implantar imagens de contêiner do SQL Server 2019", "docker-container-name-field": "Nome do contêiner", "docker-sql-password-field": "Senha do SQL Server", "docker-confirm-sql-password-field": "Confirmar a senha", "docker-sql-port-field": "Porta", "resource-type-sql-windows-setup-display-name": "SQL Server no Windows", "resource-type-sql-windows-setup-description": "Execute o SQL Server no Windows, selecione uma versão para começar.", - "microsoft-privacy-statement": "Microsoft Privacy Statement", - "deployment.configuration.title": "Deployment configuration", - "azdata-install-location-description": "Location of the azdata package used for the install command", - "azure-sqlvm-display-name": "SQL Server on Azure Virtual Machine", - "azure-sqlvm-description": "Create SQL virtual machines on Azure. Best for migrations and applications requiring OS-level access.", - "azure-sqlvm-deploy-dialog-title": "Deploy Azure SQL virtual machine", - "azure-sqlvm-deploy-dialog-action-text": "Script to notebook", - "azure-sqlvm-agreement": "I accept {0}, {1} and {2}.", - "azure-sqlvm-agreement-sqlvm-eula": "Azure SQL VM License Terms", - "azure-sqlvm-agreement-azdata-eula": "azdata License Terms", - "azure-sqlvm-azure-account-page-label": "Azure information", - "azure-sqlvm-azure-location-label": "Azure locations", - "azure-sqlvm-vm-information-page-label": "VM information", - "azure-sqlvm-image-label": "Image", - "azure-sqlvm-image-sku-label": "VM image SKU", - "azure-sqlvm-publisher-label": "Publisher", - "azure-sqlvm-vmname-label": "Virtual machine name", - "azure-sqlvm-vmsize-label": "Size", - "azure-sqlvm-storage-page-lable": "Storage account", - "azure-sqlvm-storage-accountname-label": "Storage account name", - "azure-sqlvm-storage-sku-label": "Storage account SKU type", - "azure-sqlvm-vm-administrator-account-page-label": "Administrator account", - "azure-sqlvm-username-label": "Username", - "azure-sqlvm-password-label": "Password", - "azure-sqlvm-password-confirm-label": "Confirm password", - "azure-sqlvm-vm-summary-page-label": "Summary", - "azure-sqldb-display-name": "Azure SQL Database", - "azure-sqldb-description": "Create a SQL database, database server, or elastic pool in Azure.", - "azure-sqldb-portal-ok-button-text": "Create in Azure portal", - "azure-sqldb-notebook-ok-button-text": "Select", - "resource-type-display-name": "Resource Type", - "sql-azure-single-database-display-name": "Single Database", - "sql-azure-elastic-pool-display-name": "Elastic Pool", - "sql-azure-database-server-display-name": "Database Server", - "azure-sqldb-agreement": "I accept {0}, {1} and {2}.", - "azure-sqldb-agreement-sqldb-eula": "Azure SQL DB License Terms", - "azure-sqldb-agreement-azdata-eula": "azdata License Terms", - "azure-sql-mi-display-name": "Azure SQL managed instance", - "azure-sql-mi-display-description": "Create a SQL Managed Instance in either Azure or a customer-managed environment", - "azure-sql-mi-okButton-text": "Open in Portal", - "azure-sql-mi-resource-type-option-label": "Resource Type", - "azure-sql-mi-agreement": "I accept {0} and {1}.", - "azure-sql-mi-agreement-eula": "Azure SQL MI License Terms", - "azure-sql-mi-help-text": "Azure SQL Managed Instance provides full SQL Server access and feature compatibility for migrating SQL Servers to Azure, or developing new applications. {0}.", - "azure-sql-mi-help-text-learn-more": "Learn More" + "microsoft-privacy-statement": "Política de Privacidade da Microsoft", + "deployment.configuration.title": "Configuração de implantação", + "azdata-install-location-description": "Localização do pacote azdata usado para o comando de instalação", + "azure-sqlvm-display-name": "SQL Server na Máquina Virtual do Azure", + "azure-sqlvm-description": "Crie máquinas virtuais do SQL no Azure. Isso é ideal para migrações e aplicativos que exigem acesso ao nível do SO.", + "azure-sqlvm-deploy-dialog-title": "Implantar a máquina virtual do SQL do Azure", + "azure-sqlvm-deploy-dialog-action-text": "Script para o notebook", + "azure-sqlvm-agreement": "Aceito {0}, {1} e {2}.", + "azure-sqlvm-agreement-sqlvm-eula": "Termos de Licença da VM do SQL do Azure", + "azure-sqlvm-agreement-azdata-eula": "Termos de Licença do azdata", + "azure-sqlvm-azure-account-page-label": "Informações do Azure", + "azure-sqlvm-azure-location-label": "Locais do Azure", + "azure-sqlvm-vm-information-page-label": "Informações da VM", + "azure-sqlvm-image-label": "Imagem", + "azure-sqlvm-image-sku-label": "SKU da imagem de VM", + "azure-sqlvm-publisher-label": "Editor", + "azure-sqlvm-vmname-label": "Nome da máquina virtual", + "azure-sqlvm-vmsize-label": "Tamanho", + "azure-sqlvm-storage-page-lable": "Conta de armazenamento", + "azure-sqlvm-storage-accountname-label": "Nome da conta de armazenamento", + "azure-sqlvm-storage-sku-label": "Tipo de SKU da conta de armazenamento", + "azure-sqlvm-vm-administrator-account-page-label": "Conta de administrador", + "azure-sqlvm-username-label": "Nome de usuário", + "azure-sqlvm-password-label": "Senha", + "azure-sqlvm-password-confirm-label": "Confirmar a senha", + "azure-sqlvm-vm-summary-page-label": "Resumo", + "azure-sqldb-display-name": "Banco de Dados SQL do Azure", + "azure-sqldb-description": "Crie um banco de dados SQL, um servidor de banco de dados ou um pool elástico no Azure.", + "azure-sqldb-portal-ok-button-text": "Criar no portal do Azure", + "azure-sqldb-notebook-ok-button-text": "Selecionar", + "resource-type-display-name": "Tipo de Recurso", + "sql-azure-single-database-display-name": "Banco de Dados Individual", + "sql-azure-elastic-pool-display-name": "Pool Elástico", + "sql-azure-database-server-display-name": "Servidor de Banco de Dados", + "azure-sqldb-agreement": "Aceito {0}, {1} e {2}.", + "azure-sqldb-agreement-sqldb-eula": "Termos de Licença do BD SQL do Azure", + "azure-sqldb-agreement-azdata-eula": "Termos de Licença do azdata", + "azure-sql-mi-display-name": "Instância gerenciada de SQL do Azure", + "azure-sql-mi-display-description": "Criar uma Instância Gerenciada de SQL no Azure ou em um ambiente gerenciado pelo cliente", + "azure-sql-mi-okButton-text": "Abrir no Portal", + "azure-sql-mi-resource-type-option-label": "Tipo de Recurso", + "azure-sql-mi-agreement": "Aceito {0} e {1}.", + "azure-sql-mi-agreement-eula": "Termos de Licença da MI do SQL do Azure", + "azure-sql-mi-help-text": "A Instância Gerenciada de SQL do Azure fornece acesso completo ao SQL Server e compatibilidade de recurso para migrar SQL Servers para o Azure ou desenvolver novos aplicativos. {0}.", + "azure-sql-mi-help-text-learn-more": "Saiba Mais" }, "dist/localizedConstants": { - "azure.account": "Azure Account", - "azure.account.subscription": "Subscription (selected subset)", - "azure.account.subscriptionDescription": "Change the currently selected subscriptions through the 'Select Subscriptions' action on an account listed in the 'Azure' tree view of the 'Connections' viewlet", - "azure.account.resourceGroup": "Resource Group", - "azure.account.location": "Azure Location", - "filePicker.browse": "Browse", - "button.label": "Select", - "kubeConfigClusterPicker.kubeConfigFilePath": "Kube config file path", - "kubeConfigClusterPicker.clusterContextNotFound": "No cluster context information found", - "azure.signin": "Sign in…", - "azure.refresh": "Refresh", - "azure.yes": "Yes", - "azure.no": "No", - "azure.resourceGroup.createNewResourceGroup": "Create a new resource group", - "azure.resourceGroup.NewResourceGroupAriaLabel": "New resource group name", + "azure.account": "Conta do Azure", + "azure.account.subscription": "Assinatura (subconjunto selecionado)", + "azure.account.subscriptionDescription": "Altere as assinaturas atualmente selecionadas por meio da ação 'Selecionar Assinaturas' em uma conta listada no modo de exibição de árvore 'Azure' do viewlet 'Conexões'", + "azure.account.resourceGroup": "Grupo de Recursos", + "azure.account.location": "Localização do Azure", + "filePicker.browse": "Procurar", + "button.label": "Selecionar", + "kubeConfigClusterPicker.kubeConfigFilePath": "Caminho do arquivo de configuração de Kube", + "kubeConfigClusterPicker.clusterContextNotFound": "Nenhuma informação de contexto de cluster encontrada", + "azure.signin": "Entrar…", + "azure.refresh": "Atualizar", + "azure.yes": "Sim", + "azure.no": "Não", + "azure.resourceGroup.createNewResourceGroup": "Criar um novo grupo de recurso", + "azure.resourceGroup.NewResourceGroupAriaLabel": "Nome do novo grupo de recursos", "deployCluster.Realm": "Realm", - "UnknownFieldTypeError": "Unknown field type: \"{0}\"", - "optionsSource.alreadyDefined": "Options Source with id:{0} is already defined", - "valueProvider.alreadyDefined": "Value Provider with id:{0} is already defined", - "optionsSource.notDefined": "No Options Source defined for id: {0}", - "valueProvider.notDefined": "No Value Provider defined for id: {0}", - "getVariableValue.unknownVariableName": "Attempt to get variable value for unknown variable:{0}", - "getIsPassword.unknownVariableName": "Attempt to get isPassword for unknown variable:{0}", - "optionsNotDefined": "FieldInfo.options was not defined for field type: {0}", - "optionsNotObjectOrArray": "FieldInfo.options must be an object if it is not an array", - "optionsTypeNotFound": "When FieldInfo.options is an object it must have 'optionsType' property", - "optionsTypeRadioOrDropdown": "When optionsType is not {0} then it must be {1}", - "azdataEulaNotAccepted": "Deployment cannot continue. Azure Data CLI license terms have not yet been accepted. Please accept the EULA to enable the features that requires Azure Data CLI.", - "azdataEulaDeclined": "Deployment cannot continue. Azure Data CLI license terms were declined.You can either Accept EULA to continue or Cancel this operation", - "deploymentDialog.RecheckEulaButton": "Accept EULA & Select", - "resourceTypePickerDialog.title": "Select the deployment options", - "resourceTypePickerDialog.resourceSearchPlaceholder": "Filter resources...", - "resourceTypePickerDialog.tagsListViewTitle": "Categories", - "validation.multipleValidationErrors": "There are some errors on this page, click 'Show Details' to view the errors.", + "UnknownFieldTypeError": "Tipo de campo desconhecido: \"{0}\"", + "optionsSource.alreadyDefined": "A Fonte de Opções com a ID {0} já está definida", + "valueProvider.alreadyDefined": "O Provedor de Valor com a ID {0} já está definido", + "optionsSource.notDefined": "Nenhuma Fonte de Opções definida para a ID: {0}", + "valueProvider.notDefined": "Nenhum Provedor de Valor foi definido para a ID: {0}", + "getVariableValue.unknownVariableName": "Tentativa de obter o valor de variável para a variável desconhecida: {0}", + "getIsPassword.unknownVariableName": "Tentativa de obter isPassword para uma variável desconhecida: {0}", + "optionsNotDefined": "FieldInfo.options não foi definido para o tipo de campo: {0}", + "optionsNotObjectOrArray": "FieldInfo.options precisa ser um objeto se não for uma matriz", + "optionsTypeNotFound": "Quando FieldInfo.options for um objeto, ele precisará ter a propriedade 'optionsType'", + "optionsTypeRadioOrDropdown": "Quando optionsType não for {0}, ele precisará ser {1}", + "azdataEulaNotAccepted": "A implantação não pode continuar. Os termos de licença da CLI de Dados do Azure ainda não foram aceitos. Aceite os Termos de Licença para Software Microsoft para habilitar os recursos que exigem a CLI de Dados do Azure.", + "azdataEulaDeclined": "A implantação não pode continuar. Os termos de licença da CLI de Dados do Azure foram recusados. Você pode aceitar os Termos de Licença para Software Microsoft para continuar ou cancelar esta operação", + "deploymentDialog.RecheckEulaButton": "Aceitar os Termos de Licença para Software Microsoft e Selecionar", + "resourceDeployment.extensionRequiredPrompt": "A extensão '{0}' é necessária para implantar esse recurso, deseja instalá-lo agora?", + "resourceDeployment.install": "Instalar", + "resourceDeployment.installingExtension": "Instalando a Extensão '{0}'...", + "resourceDeployment.unknownExtension": "Extensão desconhecida '{0}'", + "resourceTypePickerDialog.title": "Selecione as opções de implantação", + "resourceTypePickerDialog.resourceSearchPlaceholder": "Filtrar recursos...", + "resourceTypePickerDialog.tagsListViewTitle": "Categorias", + "validation.multipleValidationErrors": "Há alguns erros nesta página. Clique em 'Mostrar Detalhes' para exibir os erros.", "ui.ScriptToNotebookButton": "Script", - "ui.DeployButton": "Run", - "resourceDeployment.ViewErrorDetail": "View error detail", - "resourceDeployment.FailedToOpenNotebook": "An error occurred opening the output notebook. {1}{2}.", - "resourceDeployment.BackgroundExecutionFailed": "The task \"{0}\" has failed.", - "resourceDeployment.TaskFailedWithNoOutputNotebook": "The task \"{0}\" failed and no output Notebook was generated.", - "resourceTypePickerDialog.resourceTypeCategoryAll": "All", - "resourceTypePickerDialog.resourceTypeCategoryOnPrem": "On-premises", + "ui.DeployButton": "Executar", + "resourceDeployment.ViewErrorDetail": "Exibir detalhe do erro", + "resourceDeployment.FailedToOpenNotebook": "Ocorreu um erro ao abrir o notebook de saída. {1}{2}.", + "resourceDeployment.BackgroundExecutionFailed": "Falha na tarefa \"{0}\".", + "resourceDeployment.TaskFailedWithNoOutputNotebook": "Houve uma falha na tarefa \"{0}\" e nenhum Notebook de saída foi gerado.", + "resourceTypePickerDialog.resourceTypeCategoryAll": "Tudo", + "resourceTypePickerDialog.resourceTypeCategoryOnPrem": "Local", "resourceTypePickerDialog.resourceTypeCategoriesSqlServer": "SQL Server", - "resourceTypePickerDialog.resourceTypeCategoryOnHybrid": "Hybrid", + "resourceTypePickerDialog.resourceTypeCategoryOnHybrid": "Híbrido", "resourceTypePickerDialog.resourceTypeCategoryOnPostgreSql": "PostgreSQL", - "resourceTypePickerDialog.resourceTypeCategoryOnCloud": "Cloud", - "resourceDeployment.Description": "Description", - "resourceDeployment.Tool": "Tool", + "resourceTypePickerDialog.resourceTypeCategoryOnCloud": "Nuvem", + "resourceDeployment.Description": "Descrição", + "resourceDeployment.Tool": "Ferramenta", "resourceDeployment.Status": "Status", - "resourceDeployment.Version": "Version", - "resourceDeployment.RequiredVersion": "Required Version", - "resourceDeployment.discoverPathOrAdditionalInformation": "Discovered Path or Additional Information", - "resourceDeployment.requiredTools": "Required tools", - "resourceDeployment.InstallTools": "Install tools", - "resourceDeployment.Options": "Options", - "deploymentDialog.InstallingTool": "Required tool '{0}' [ {1} ] is being installed now." + "resourceDeployment.Version": "Versão", + "resourceDeployment.RequiredVersion": "Versão Obrigatória", + "resourceDeployment.discoverPathOrAdditionalInformation": "Caminho Descoberto ou Informações Adicionais", + "resourceDeployment.requiredTools": "Ferramentas necessárias", + "resourceDeployment.InstallTools": "Ferramentas de instalação", + "resourceDeployment.Options": "Opções", + "deploymentDialog.InstallingTool": "A ferramenta obrigatória '{0}' [ {1} ] está sendo instalada agora." }, "dist/ui/modelViewUtils": { - "getClusterContexts.errorFetchingClusters": "An error ocurred while loading or parsing the config file:{0}, error is:{1}", - "fileChecker.NotFile": "Path: {0} is not a file, please select a valid kube config file.", - "fileChecker.FileNotFound": "File: {0} not found. Please select a kube config file.", - "azure.accounts.unexpectedAccountsError": "Unexpected error fetching accounts: {0}", - "resourceDeployment.errorFetchingStorageClasses": "Unexpected error fetching available kubectl storage classes : {0}", - "azure.accounts.unexpectedSubscriptionsError": "Unexpected error fetching subscriptions for account {0}: {1}", - "azure.accounts.accountNotFoundError": "The selected account '{0}' is no longer available. Click sign in to add it again or select a different account.", - "azure.accessError": "\r\n Error Details: {0}.", - "azure.accounts.accountStaleError": "The access token for selected account '{0}' is no longer valid. Please click the sign in button and refresh the account or select a different account.", - "azure.accounts.unexpectedResourceGroupsError": "Unexpected error fetching resource groups for subscription {0}: {1}", + "getClusterContexts.errorFetchingClusters": "Ocorreu um erro ao carregar ou analisar o arquivo de configuração: {0}. O erro é: {1}", + "fileChecker.NotFile": "Caminho: {0} não é um arquivo, selecione um arquivo de configuração de kube válido.", + "fileChecker.FileNotFound": "Arquivo: {0} não encontrado. Selecione um arquivo de configuração de kube.", + "azure.accounts.unexpectedAccountsError": "Erro inesperado ao buscar contas: {0}", + "resourceDeployment.errorFetchingStorageClasses": "Erro inesperado ao buscar classes de armazenamento kubectl disponíveis: {0}", + "azure.accounts.unexpectedSubscriptionsError": "Erro inesperado ao buscar assinaturas para a conta {0}: {1}", + "azure.accounts.accountNotFoundError": "A conta selecionada '{0}' não está mais disponível. Clique em entrar para adicioná-la novamente ou selecione uma conta diferente.", + "azure.accessError": "\r\n Detalhes do Erro: {0}.", + "azure.accounts.accountStaleError": "O token de acesso para a conta selecionada '{0}' não é mais válido. Clique no botão Entrar e atualize a conta ou selecione uma conta diferente.", + "azure.accounts.unexpectedResourceGroupsError": "Erro inesperado ao buscar grupos de recursos para a assinatura {0}: {1}", "invalidSQLPassword": "{0} não atende ao requisito de complexidade de senha. Para obter mais informações: https://docs.microsoft.com/sql/relational-databases/security/password-policy", "passwordNotMatch": "{0} não corresponde à senha de confirmação" }, "dist/ui/deployAzureSQLVMWizard/constants": { - "deployAzureSQLVM.NewSQLVMTitle": "Deploy Azure SQL VM", - "deployAzureSQLVM.ScriptToNotebook": "Script to Notebook", - "deployAzureSQLVM.MissingRequiredInfoError": "Please fill out the required fields marked with red asterisks.", - "deployAzureSQLVM.AzureSettingsPageTitle": "Azure settings", - "deployAzureSQLVM.AzureAccountDropdownLabel": "Azure Account", - "deployAzureSQLVM.AzureSubscriptionDropdownLabel": "Subscription", - "deployAzureSQLVM.ResourceGroup": "Resource Group", - "deployAzureSQLVM.AzureRegionDropdownLabel": "Region", - "deployeAzureSQLVM.VmSettingsPageTitle": "Virtual machine settings", - "deployAzureSQLVM.VmNameTextBoxLabel": "Virtual machine name", - "deployAzureSQLVM.VmAdminUsernameTextBoxLabel": "Administrator account username", - "deployAzureSQLVM.VmAdminPasswordTextBoxLabel": "Administrator account password", - "deployAzureSQLVM.VmAdminConfirmPasswordTextBoxLabel": "Confirm password", - "deployAzureSQLVM.VmImageDropdownLabel": "Image", - "deployAzureSQLVM.VmSkuDropdownLabel": "Image SKU", - "deployAzureSQLVM.VmImageVersionDropdownLabel": "Image Version", - "deployAzureSQLVM.VmSizeDropdownLabel": "Size", - "deployeAzureSQLVM.VmSizeLearnMoreLabel": "Click here to learn more about pricing and supported VM sizes", - "deployAzureSQLVM.NetworkSettingsPageTitle": "Networking", - "deployAzureSQLVM.NetworkSettingsPageDescription": "Configure network settings", - "deployAzureSQLVM.NetworkSettingsNewVirtualNetwork": "New virtual network", - "deployAzureSQLVM.VirtualNetworkDropdownLabel": "Virtual Network", - "deployAzureSQLVM.NetworkSettingsNewSubnet": "New subnet", - "deployAzureSQLVM.SubnetDropdownLabel": "Subnet", - "deployAzureSQLVM.PublicIPDropdownLabel": "Public IP", - "deployAzureSQLVM.NetworkSettingsUseExistingPublicIp": "New public ip", - "deployAzureSQLVM.VmRDPAllowCheckboxLabel": "Enable Remote Desktop (RDP) inbound port (3389)", - "deployAzureSQLVM.SqlServerSettingsPageTitle": "SQL Servers settings", - "deployAzureSQLVM.SqlConnectivityTypeDropdownLabel": "SQL connectivity", - "deployAzureSQLVM.SqlPortLabel": "Port", - "deployAzureSQLVM.SqlEnableSQLAuthenticationLabel": "Enable SQL authentication", - "deployAzureSQLVM.SqlAuthenticationUsernameLabel": "Username", - "deployAzureSQLVM.SqlAuthenticationPasswordLabel": "Password", - "deployAzureSQLVM.SqlAuthenticationConfirmPasswordLabel": "Confirm password" + "deployAzureSQLVM.NewSQLVMTitle": "Implantar a VM do SQL do Azure", + "deployAzureSQLVM.ScriptToNotebook": "Script para o Notebook", + "deployAzureSQLVM.MissingRequiredInfoError": "Preencha os campos obrigatórios marcados com asteriscos vermelhos.", + "deployAzureSQLVM.AzureSettingsPageTitle": "Configurações do Azure", + "deployAzureSQLVM.AzureAccountDropdownLabel": "Conta do Azure", + "deployAzureSQLVM.AzureSubscriptionDropdownLabel": "Assinatura", + "deployAzureSQLVM.ResourceGroup": "Grupo de Recursos", + "deployAzureSQLVM.AzureRegionDropdownLabel": "Região", + "deployeAzureSQLVM.VmSettingsPageTitle": "Configurações de máquina virtual", + "deployAzureSQLVM.VmNameTextBoxLabel": "Nome da máquina virtual", + "deployAzureSQLVM.VmAdminUsernameTextBoxLabel": "Nome de usuário da conta de administrador", + "deployAzureSQLVM.VmAdminPasswordTextBoxLabel": "Senha da conta de administrador", + "deployAzureSQLVM.VmAdminConfirmPasswordTextBoxLabel": "Confirmar a senha", + "deployAzureSQLVM.VmImageDropdownLabel": "Imagem", + "deployAzureSQLVM.VmSkuDropdownLabel": "SKU da Imagem", + "deployAzureSQLVM.VmImageVersionDropdownLabel": "Versão da Imagem", + "deployAzureSQLVM.VmSizeDropdownLabel": "Tamanho", + "deployeAzureSQLVM.VmSizeLearnMoreLabel": "Clique aqui para saber mais sobre o preço e os tamanhos de VM com suporte", + "deployAzureSQLVM.NetworkSettingsPageTitle": "Rede", + "deployAzureSQLVM.NetworkSettingsPageDescription": "Definir configurações de rede", + "deployAzureSQLVM.NetworkSettingsNewVirtualNetwork": "Nova rede virtual", + "deployAzureSQLVM.VirtualNetworkDropdownLabel": "Rede Virtual", + "deployAzureSQLVM.NetworkSettingsNewSubnet": "Nova sub-rede", + "deployAzureSQLVM.SubnetDropdownLabel": "Sub-rede", + "deployAzureSQLVM.PublicIPDropdownLabel": "IP", + "deployAzureSQLVM.NetworkSettingsUseExistingPublicIp": "Novo IP", + "deployAzureSQLVM.VmRDPAllowCheckboxLabel": "Habilitar a porta de entrada da RDP (Área de Trabalho Remota) (3389)", + "deployAzureSQLVM.SqlServerSettingsPageTitle": "Configurações de SQL Servers", + "deployAzureSQLVM.SqlConnectivityTypeDropdownLabel": "Conectividade do SQL", + "deployAzureSQLVM.SqlPortLabel": "Porta", + "deployAzureSQLVM.SqlEnableSQLAuthenticationLabel": "Habilitar autenticação do SQL", + "deployAzureSQLVM.SqlAuthenticationUsernameLabel": "Nome de usuário", + "deployAzureSQLVM.SqlAuthenticationPasswordLabel": "Senha", + "deployAzureSQLVM.SqlAuthenticationConfirmPasswordLabel": "Confirmar a senha" }, "dist/ui/deployClusterWizard/deployClusterWizardModel": { - "deployCluster.SaveConfigFiles": "Save config files", - "deployCluster.ScriptToNotebook": "Script to Notebook", - "deployCluster.SelectConfigFileFolder": "Save config files", - "deployCluster.SaveConfigFileSucceeded": "Config files saved to {0}", - "deployCluster.NewAKSWizardTitle": "Deploy SQL Server 2019 Big Data Cluster on a new AKS cluster", - "deployCluster.ExistingAKSWizardTitle": "Deploy SQL Server 2019 Big Data Cluster on an existing AKS cluster", - "deployCluster.ExistingKubeAdm": "Deploy SQL Server 2019 Big Data Cluster on an existing kubeadm cluster", - "deployCluster.ExistingARO": "Deploy SQL Server 2019 Big Data Cluster on an existing Azure Red Hat OpenShift cluster", - "deployCluster.ExistingOpenShift": "Deploy SQL Server 2019 Big Data Cluster on an existing OpenShift cluster" + "deployCluster.SaveConfigFiles": "Salvar arquivos de configuração", + "deployCluster.ScriptToNotebook": "Script para o Notebook", + "deployCluster.SelectConfigFileFolder": "Salvar arquivos de configuração", + "deployCluster.SaveConfigFileSucceeded": "Arquivos de configuração salvos em {0}", + "deployCluster.NewAKSWizardTitle": "Implantar o Cluster de Big Data do SQL Server 2019 em um novo cluster do AKS", + "deployCluster.ExistingAKSWizardTitle": "Implantar o Cluster de Big Data do SQL Server 2019 em um cluster do AKS existente", + "deployCluster.ExistingKubeAdm": "Implantar o Cluster de Big Data do SQL Server 2019 em um cluster de kubeadm existente", + "deployCluster.ExistingARO": "Implante o Cluster de Big Data do SQL Server 2019 em um cluster do Red Hat OpenShift no Azure existente", + "deployCluster.ExistingOpenShift": "Implante o Cluster de Big Data do SQL Server 2019 em um cluster do OpenShift existente" }, "dist/services/tools/toolBase": { - "deploymentDialog.ToolStatus.NotInstalled": "Not Installed", - "deploymentDialog.ToolStatus.Installed": "Installed", - "deploymentDialog.ToolStatus.Installing": "Installing…", - "deploymentDialog.ToolStatus.Error": "Error", - "deploymentDialog.ToolStatus.Failed": "Failed", - "deploymentDialog.ToolInformationalMessage.Brew": "•\tbrew is needed for deployment of the tools and needs to be pre-installed before necessary tools can be deployed", - "deploymentDialog.ToolInformationalMessage.Curl": "•\tcurl is needed for installation and needs to be pre-installed before necessary tools can be deployed", - "toolBase.getPip3InstallationLocation.LocationNotFound": " Could not find 'Location' in the output:", - "toolBase.getPip3InstallationLocation.Output": " output:", - "toolBase.InstallError": "Error installing tool '{0}' [ {1} ].{2}Error: {3}{2}See output channel '{4}' for more details", - "toolBase.InstallErrorInformation": "Error installing tool. See output channel '{0}' for more details", - "toolBase.InstallFailed": "Installation commands completed but version of tool '{0}' could not be detected so our installation attempt has failed. Detection Error: {1}{2}Cleaning up previous installations would help.", - "toolBase.InstallFailInformation": "Failed to detect version post installation. See output channel '{0}' for more details", - "toolBase.ManualUninstallCommand": " A possibly way to uninstall is using this command:{0} >{1}", - "toolBase.SeeOutputChannel": "{0}See output channel '{1}' for more details", - "toolBase.installCore.CannotInstallTool": "Cannot install tool:{0}::{1} as installation commands are unknown for your OS distribution, Please install {0} manually before proceeding", - "toolBase.addInstallationSearchPathsToSystemPath.SearchPaths": "Search Paths for tool '{0}': {1}", - "deployCluster.GetToolVersionErrorInformation": "Error retrieving version information. See output channel '{0}' for more details", - "deployCluster.GetToolVersionError": "Error retrieving version information.{0}Invalid output received, get version command output: '{1}' " + "deploymentDialog.ToolStatus.NotInstalled": "Não Instalado", + "deploymentDialog.ToolStatus.Installed": "Instalado", + "deploymentDialog.ToolStatus.Installing": "Instalando…", + "deploymentDialog.ToolStatus.Error": "Erro", + "deploymentDialog.ToolStatus.Failed": "Com falha", + "deploymentDialog.ToolInformationalMessage.Brew": "•\tO brew é necessário na implantação das ferramentas e precisa ser pré-instalado antes que as ferramentas necessárias possam ser implantadas", + "deploymentDialog.ToolInformationalMessage.Curl": "•\tO curl é necessário na instalação e precisa ser pré-instalado antes que as ferramentas necessárias possam ser implantadas", + "toolBase.getPip3InstallationLocation.LocationNotFound": " Não foi possível encontrar 'Localização' na saída:", + "toolBase.getPip3InstallationLocation.Output": " saída:", + "toolBase.InstallError": "Erro ao instalar a ferramenta '{0}' [ {1} ].{2}Erro: {3}{2}Confira o canal de saída '{4}' para obter mais detalhes", + "toolBase.InstallErrorInformation": "Erro ao instalar a ferramenta. Confira o canal de saída '{0}' para obter mais detalhes", + "toolBase.InstallFailed": "Os comandos de instalação foram concluídos, mas a versão da ferramenta '{0}' não pôde ser detectada, portanto, houve uma falha na tentativa de instalação. Erro de detecção: {1}{2}Limpar instalações anteriores pode ajudar.", + "toolBase.InstallFailInformation": "Falha ao detectar a versão após a instalação. Confira o canal de saída '{0}' para obter mais detalhes", + "toolBase.ManualUninstallCommand": " Um modo possível de desinstalar é usando este comando:{0} >{1}", + "toolBase.SeeOutputChannel": "{0}Confira o canal de saída '{1}' para obter mais detalhes", + "toolBase.installCore.CannotInstallTool": "Não é possível instalar a ferramenta {0}::{1}, pois os comandos de instalação são desconhecidos pela sua distribuição de SO. Instale o {0} manualmente antes de continuar", + "toolBase.addInstallationSearchPathsToSystemPath.SearchPaths": "Caminhos de pesquisa para a ferramenta '{0}': {1}", + "deployCluster.GetToolVersionErrorInformation": "Erro ao recuperar as informações da versão. Confira o canal de saída '{0}' para obter mais detalhes", + "deployCluster.GetToolVersionError": "Erro ao recuperar informações de versão.{0}Saída inválida recebida, obtenha a saída do comando da versão: '{1}' " }, "dist/ui/deployAzureSQLDBWizard/constants": { - "deployAzureSQLDB.NewSQLDBTitle": "Deploy Azure SQL DB", - "deployAzureSQLDB.ScriptToNotebook": "Script to Notebook", - "deployAzureSQLDB.MissingRequiredInfoError": "Please fill out the required fields marked with red asterisks.", - "deployAzureSQLDB.AzureSettingsPageTitle": "Azure SQL Database - Azure account settings", - "deployAzureSQLDB.AzureSettingsSummaryPageTitle": "Azure account settings", - "deployAzureSQLDB.AzureAccountDropdownLabel": "Azure account", - "deployAzureSQLDB.AzureSubscriptionDropdownLabel": "Subscription", - "deployAzureSQLDB.AzureDatabaseServersDropdownLabel": "Server", - "deployAzureSQLDB.ResourceGroup": "Resource group", - "deployAzureSQLDB.DatabaseSettingsPageTitle": "Database settings", - "deployAzureSQLDB.FirewallRuleNameLabel": "Firewall rule name", - "deployAzureSQLDB.DatabaseNameLabel": "SQL database name", - "deployAzureSQLDB.CollationNameLabel": "Database collation", - "deployAzureSQLDB.CollationNameSummaryLabel": "Collation for database", - "deployAzureSQLDB.IpAddressInfoLabel": "Enter IP addresses in IPv4 format.", - "deployAzureSQLDB.StartIpAddressLabel": "Min IP address in firewall IP range", - "deployAzureSQLDB.EndIpAddressLabel": "Max IP address in firewall IP range", - "deployAzureSQLDB.StartIpAddressShortLabel": "Min IP address", - "deployAzureSQLDB.EndIpAddressShortLabel": "Max IP address", - "deployAzureSQLDB.FirewallRuleDescription": "Create a firewall rule for your local client IP in order to connect to your database through Azure Data Studio after creation is completed.", - "deployAzureSQLDB.FirewallToggleLabel": "Create a firewall rule" + "deployAzureSQLDB.NewSQLDBTitle": "Implantar o BD SQL do Azure", + "deployAzureSQLDB.ScriptToNotebook": "Script para o Notebook", + "deployAzureSQLDB.MissingRequiredInfoError": "Preencha os campos obrigatórios marcados com asteriscos vermelhos.", + "deployAzureSQLDB.AzureSettingsPageTitle": "Banco de Dados SQL do Azure – Configurações da conta do Azure", + "deployAzureSQLDB.AzureSettingsSummaryPageTitle": "Configurações de conta do Azure", + "deployAzureSQLDB.AzureAccountDropdownLabel": "Conta do Azure", + "deployAzureSQLDB.AzureSubscriptionDropdownLabel": "Assinatura", + "deployAzureSQLDB.AzureDatabaseServersDropdownLabel": "Servidor", + "deployAzureSQLDB.ResourceGroup": "Grupo de recursos", + "deployAzureSQLDB.DatabaseSettingsPageTitle": "Configurações do banco de dados", + "deployAzureSQLDB.FirewallRuleNameLabel": "Nome da regra de firewall", + "deployAzureSQLDB.DatabaseNameLabel": "Nome do banco de dados SQL", + "deployAzureSQLDB.CollationNameLabel": "Ordenação de banco de dados", + "deployAzureSQLDB.CollationNameSummaryLabel": "Ordenação para banco de dados", + "deployAzureSQLDB.IpAddressInfoLabel": "Insira os endereços IP no formato IPv4.", + "deployAzureSQLDB.StartIpAddressLabel": "Endereço IP mínimo no intervalo de IP do firewall", + "deployAzureSQLDB.EndIpAddressLabel": "Endereço IP máximo no intervalo de IP do firewall", + "deployAzureSQLDB.StartIpAddressShortLabel": "Endereço IP mínimo", + "deployAzureSQLDB.EndIpAddressShortLabel": "Endereço IP máximo", + "deployAzureSQLDB.FirewallRuleDescription": "Crie uma regra de firewall para o IP do cliente local para se conectar ao seu banco de dados por meio do Azure Data Studio após a conclusão da criação.", + "deployAzureSQLDB.FirewallToggleLabel": "Criar uma regra de firewall" }, "dist/services/tools/kubeCtlTool": { - "resourceDeployment.KubeCtlDescription": "Runs commands against Kubernetes clusters", + "resourceDeployment.KubeCtlDescription": "Executa comandos em clusters do Kubernetes", "resourceDeployment.KubeCtlDisplayName": "kubectl", - "resourceDeployment.invalidKubectlVersionOutput": "Unable to parse the kubectl version command output: \"{0}\"", - "resourceDeployment.Kubectl.UpdatingBrewRepository": "updating your brew repository for kubectl installation …", - "resourceDeployment.Kubectl.InstallingKubeCtl": "installing kubectl …", - "resourceDeployment.Kubectl.AptGetUpdate": "updating repository information …", - "resourceDeployment.Kubectl.AptGetPackages": "getting packages needed for kubectl installation …", - "resourceDeployment.Kubectl.DownloadAndInstallingSigningKey": "downloading and installing the signing key for kubectl …", - "resourceDeployment.Kubectl.AddingKubectlRepositoryInformation": "adding the kubectl repository information …", - "resourceDeployment.Kubectl.InstallingKubectl": "installing kubectl …", - "resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl.exe": "deleting previously downloaded kubectl.exe if one exists …", - "resourceDeployment.Kubectl.DownloadingAndInstallingKubectl": "downloading and installing the latest kubectl.exe …", - "resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl": "deleting previously downloaded kubectl if one exists …", - "resourceDeployment.Kubectl.DownloadingKubectl": "downloading the latest kubectl release …", - "resourceDeployment.Kubectl.MakingExecutable": "making kubectl executable …", - "resourceDeployment.Kubectl.CleaningUpOldBackups": "cleaning up any previously backed up version in the install location if they exist …", - "resourceDeployment.Kubectl.BackupCurrentBinary": "backing up any existing kubectl in the install location …", - "resourceDeployment.Kubectl.MoveToSystemPath": "moving kubectl into the install location in the PATH …" + "resourceDeployment.invalidKubectlVersionOutput": "Não é possível analisar a saída do comando da versão do kubectl: \"{0}\"", + "resourceDeployment.Kubectl.UpdatingBrewRepository": "atualizando o seu repositório brew para a instalação do kubectl…", + "resourceDeployment.Kubectl.InstallingKubeCtl": "instalando o kubectl…", + "resourceDeployment.Kubectl.AptGetUpdate": "atualizando informações do repositório…", + "resourceDeployment.Kubectl.AptGetPackages": "obtendo pacotes necessários para a instalação do kubectl…", + "resourceDeployment.Kubectl.DownloadAndInstallingSigningKey": "baixando e instalando a chave de assinatura para kubectl…", + "resourceDeployment.Kubectl.AddingKubectlRepositoryInformation": "adicionando informações do repositório kubectl…", + "resourceDeployment.Kubectl.InstallingKubectl": "instalando o kubectl…", + "resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl.exe": "excluindo o kubectl.exe baixado anteriormente, se houver…", + "resourceDeployment.Kubectl.DownloadingAndInstallingKubectl": "baixando e instalando o kubectl.exe mais recente…", + "resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl": "excluindo o kubectl baixado anteriormente, se houver…", + "resourceDeployment.Kubectl.DownloadingKubectl": "baixando a versão mais recente do kubectl…", + "resourceDeployment.Kubectl.MakingExecutable": "tornando o kubectl executável…", + "resourceDeployment.Kubectl.CleaningUpOldBackups": "limpando todas as versões das quais foi feito backup anteriormente na localização de instalação, se houver…", + "resourceDeployment.Kubectl.BackupCurrentBinary": "fazendo backup de qualquer kubectl existente na localização de instalação…", + "resourceDeployment.Kubectl.MoveToSystemPath": "movendo o kubectl para a localização de instalação em PATH…" }, "dist/ui/notebookWizard/notebookWizardPage": { - "wizardPage.ValidationError": "There are some errors on this page, click 'Show Details' to view the errors." + "wizardPage.ValidationError": "Há alguns erros nesta página. Clique em 'Mostrar Detalhes' para exibir os erros." }, "dist/ui/deploymentInputDialog": { - "deploymentDialog.OpenNotebook": "Open Notebook", + "deploymentDialog.OpenNotebook": "Abrir Notebook", "deploymentDialog.OkButtonText": "OK", - "notebookType": "Notebook type" + "notebookType": "Tipo de notebook" }, "dist/main": { - "resourceDeployment.FailedToLoadExtension": "Falha ao carregar a extensão: {0}, Erro detectado na definição de tipo de recurso no package.json. Verifique o console de depuração para obter detalhes.", "resourceDeployment.UnknownResourceType": "O tipo de recurso: {0} não está definido" }, "dist/services/notebookService": { "resourceDeployment.notebookNotFound": "O notebook {0} não existe" }, "dist/services/platformService": { - "resourceDeployment.outputChannel": "Deployments", - "platformService.RunCommand.ErroredOut": "\t>>> {0} … errored out: {1}", - "platformService.RunCommand.IgnoringError": "\t>>> Ignoring error in execution and continuing tool deployment", + "resourceDeployment.outputChannel": "Implantações", + "platformService.RunCommand.ErroredOut": "\t>>> {0} … com o erro: {1}", + "platformService.RunCommand.IgnoringError": "\t>>> Ignorando erro na execução e continuando a implantação da ferramenta", "platformService.RunCommand.stdout": " stdout: ", "platformService.RunCommand.stderr": " stderr: ", - "platformService.RunStreamedCommand.ExitedWithCode": " >>> {0} … exited with code: {1}", - "platformService.RunStreamedCommand.ExitedWithSignal": " >>> {0} … exited with signal: {1}" + "platformService.RunStreamedCommand.ExitedWithCode": " >>> {0} … foi encerrado com o código: {1}", + "platformService.RunStreamedCommand.ExitedWithSignal": " >>> {0} … foi encerrado com o sinal: {1}" }, "dist/services/resourceTypeService": { "downloadError": "Falha ao baixar, código de status: {0}, mensagem: {1}" }, "dist/ui/deployClusterWizard/pages/deploymentProfilePage": { - "deployCluster.serviceScaleTableTitle": "Service scale settings (Instances)", - "deployCluster.storageTableTitle": "Service storage settings (GB per Instance)", - "deployCluster.featureTableTitle": "Features", - "deployCluster.yesText": "Yes", - "deployCluster.noText": "No", - "deployCluster.summaryPageTitle": "Deployment configuration profile", - "deployCluster.summaryPageDescription": "Select the target configuration profile", + "deployCluster.serviceScaleTableTitle": "Configurações de escala de serviço (Instâncias)", + "deployCluster.storageTableTitle": "Configurações de armazenamento de serviço (GB por Instância)", + "deployCluster.featureTableTitle": "Recursos", + "deployCluster.yesText": "Sim", + "deployCluster.noText": "Não", + "deployCluster.summaryPageTitle": "Perfil de configuração de implantação", + "deployCluster.summaryPageDescription": "Selecione o perfil de configuração de destino", "deployCluster.ProfileHintText": "Observação: as configurações do perfil de implantação podem ser personalizadas nas etapas posteriores.", - "deployCluster.loadingProfiles": "Loading profiles", - "deployCluster.loadingProfilesCompleted": "Loading profiles completed", - "deployCluster.profileRadioGroupLabel": "Deployment configuration profile", + "deployCluster.loadingProfiles": "Carregando perfis", + "deployCluster.loadingProfilesCompleted": "Carregamento de perfis concluído", + "deployCluster.profileRadioGroupLabel": "Perfil de configuração de implantação", "deployCluster.loadProfileFailed": "Falha ao carregar os perfis de implantação: {0}", "deployCluster.masterPoolLabel": "SQL Server Mestre", "deployCluster.computePoolLable": "Computação", "deployCluster.dataPoolLabel": "Dados", "deployCluster.hdfsLabel": "HDFS + Spark", - "deployCluster.ServiceName": "Service", - "deployCluster.dataStorageType": "Data", + "deployCluster.ServiceName": "Serviço", + "deployCluster.dataStorageType": "Dados", "deployCluster.logsStorageType": "Logs", - "deployCluster.StorageType": "Storage type", + "deployCluster.StorageType": "Tipo de armazenamento", "deployCluster.basicAuthentication": "Autenticação básica", "deployCluster.activeDirectoryAuthentication": "Autenticação do Active Directory", "deployCluster.hadr": "Alta disponibilidade", - "deployCluster.featureText": "Feature", + "deployCluster.featureText": "Recurso", "deployCluster.ProfileNotSelectedError": "Selecione um perfil de implantação." }, "dist/ui/deployClusterWizard/pages/azureSettingsPage": { - "deployCluster.MissingRequiredInfoError": "Please fill out the required fields marked with red asterisks.", + "deployCluster.MissingRequiredInfoError": "Preencha os campos obrigatórios marcados com asteriscos vermelhos.", "deployCluster.AzureSettingsPageTitle": "Configurações do Azure", "deployCluster.AzureSettingsPageDescription": "Definir as configurações para criar um cluster do Serviço de Kubernetes do Azure", "deployCluster.SubscriptionField": "ID da assinatura", @@ -326,7 +329,7 @@ "deployCluster.VMSizeHelpLink": "Exibir os tamanhos de VM disponíveis" }, "dist/ui/deployClusterWizard/pages/clusterSettingsPage": { - "deployCluster.ClusterNameDescription": "The cluster name must consist only of alphanumeric lowercase characters or '-' and must start and end with an alphanumeric character.", + "deployCluster.ClusterNameDescription": "O nome do cluster precisa conter apenas caracteres alfanuméricos em minúsculas ou '-', e começar e terminar com um caractere alfanumérico.", "deployCluster.ClusterSettingsPageTitle": "Configurações de cluster", "deployCluster.ClusterSettingsPageDescription": "Definir as configurações do Cluster de Big Data do SQL Server", "deployCluster.ClusterName": "Nome do cluster", @@ -354,7 +357,7 @@ "deployCluster.DomainDNSIPAddressesPlaceHolder": "Use vírgula para separar os valores.", "deployCluster.DomainDNSIPAddressesDescription": "Endereços IP dos servidores DNS do domínio. Use vírgula para separar vários endereços IP.", "deployCluster.DomainDNSName": "Nome do DNS do domínio", - "deployCluster.RealmDescription": "If not provided, the domain DNS name will be used as the default value.", + "deployCluster.RealmDescription": "Se não for fornecido, o nome DNS do domínio será usado como o valor padrão.", "deployCluster.ClusterAdmins": "Grupo de administração do cluster", "deployCluster.ClusterAdminsDescription": "O grupo do Active Directory para administrador de clusters.", "deployCluster.ClusterUsers": "Usuários do cluster", @@ -363,16 +366,16 @@ "deployCluster.DomainServiceAccountUserName": "Nome de usuário da conta de serviço", "deployCluster.DomainServiceAccountUserNameDescription": "Conta de serviço de domínio do Cluster de Big Data", "deployCluster.DomainServiceAccountPassword": "Senha da conta de serviço", - "deployCluster.AppOwners": "App owners", + "deployCluster.AppOwners": "Proprietários de aplicativos", "deployCluster.AppOwnersPlaceHolder": "Use vírgula para separar os valores.", "deployCluster.AppOwnersDescription": "Os usuários ou grupos do Active Directory com a função de proprietários de aplicativos. Use vírgula para separar vários usuários ou grupos.", "deployCluster.AppReaders": "Leitores de aplicativos", "deployCluster.AppReadersPlaceHolder": "Use vírgula para separar os valores.", "deployCluster.AppReadersDescription": "Os usuários ou os grupos de leitores de aplicativos do Active Directory. Use vírgula como separador se houver vários usuários ou grupos.", - "deployCluster.Subdomain": "Subdomain", - "deployCluster.SubdomainDescription": "A unique DNS subdomain to use for this SQL Server Big Data Cluster. If not provided, the cluster name will be used as the default value.", - "deployCluster.AccountPrefix": "Account prefix", - "deployCluster.AccountPrefixDescription": "A unique prefix for AD accounts SQL Server Big Data Cluster will generate. If not provided, the subdomain name will be used as the default value. If a subdomain is not provided, the cluster name will be used as the default value.", + "deployCluster.Subdomain": "Subdomínio", + "deployCluster.SubdomainDescription": "Um subdomínio DNS exclusivo a ser usado neste Cluster de Big Data do SQL Server. Se não for fornecido, o nome do cluster será usado como o valor padrão.", + "deployCluster.AccountPrefix": "Prefixo da conta", + "deployCluster.AccountPrefixDescription": "Um prefixo exclusivo para contas do AD que o Cluster de Big Data do SQL Server vai gerar. Se não for fornecido, o nome de subdomínio será usado como o valor padrão. Se um subdomínio não for fornecido, o nome do cluster será usado como o valor padrão.", "deployCluster.AdminPasswordField": "Senha", "deployCluster.ValidationError": "Há alguns erros nesta página. Clique em 'Mostrar Detalhes' para exibir os erros." }, @@ -408,30 +411,30 @@ "deployCluster.EndpointSettings": "Configurações de ponto de extremidade", "deployCluster.storageFieldTooltip": "Usar as configurações do controlador", "deployCluster.AdvancedStorageDescription": "Por padrão, as configurações de armazenamento do Controlador também serão aplicadas a outros serviços. Você pode expandir as configurações de armazenamento avançadas para configurar o armazenamento para outros serviços.", - "deployCluster.controllerDataStorageClass": "Controller's data storage class", - "deployCluster.controllerDataStorageClaimSize": "Controller's data storage claim size", - "deployCluster.controllerLogsStorageClass": "Controller's logs storage class", - "deployCluster.controllerLogsStorageClaimSize": "Controller's logs storage claim size", + "deployCluster.controllerDataStorageClass": "Classe de armazenamento de dados do controlador", + "deployCluster.controllerDataStorageClaimSize": "Tamanho da declaração de armazenamento de dados do controlador", + "deployCluster.controllerLogsStorageClass": "Classe de armazenamento de logs do controlador", + "deployCluster.controllerLogsStorageClaimSize": "Tamanho da declaração de armazenamento de logs do controlador", "deployCluster.StoragePool": "Pool de armazenamento (HDFS)", - "deployCluster.storagePoolDataStorageClass": "Storage pool's data storage class", - "deployCluster.storagePoolDataStorageClaimSize": "Storage pool's data storage claim size", - "deployCluster.storagePoolLogsStorageClass": "Storage pool's logs storage class", - "deployCluster.storagePoolLogsStorageClaimSize": "Storage pool's logs storage claim size", + "deployCluster.storagePoolDataStorageClass": "Classe de armazenamento de dados do pool de armazenamento", + "deployCluster.storagePoolDataStorageClaimSize": "Tamanho da declaração de armazenamento de dados do pool de armazenamento", + "deployCluster.storagePoolLogsStorageClass": "Classe de armazenamento de logs do pool de armazenamento", + "deployCluster.storagePoolLogsStorageClaimSize": "Tamanho da declaração de armazenamento de logs do pool de armazenamento", "deployCluster.DataPool": "Pool de dados", - "deployCluster.dataPoolDataStorageClass": "Data pool's data storage class", - "deployCluster.dataPoolDataStorageClaimSize": "Data pool's data storage claim size", - "deployCluster.dataPoolLogsStorageClass": "Data pool's logs storage class", - "deployCluster.dataPoolLogsStorageClaimSize": "Data pool's logs storage claim size", - "deployCluster.sqlServerMasterDataStorageClass": "SQL Server master's data storage class", - "deployCluster.sqlServerMasterDataStorageClaimSize": "SQL Server master's data storage claim size", - "deployCluster.sqlServerMasterLogsStorageClass": "SQL Server master's logs storage class", - "deployCluster.sqlServerMasterLogsStorageClaimSize": "SQL Server master's logs storage claim size", - "deployCluster.ServiceName": "Service name", + "deployCluster.dataPoolDataStorageClass": "Classe de armazenamento de dados do pool de dados", + "deployCluster.dataPoolDataStorageClaimSize": "Tamanho da declaração de armazenamento de dados do pool de dados", + "deployCluster.dataPoolLogsStorageClass": "Classe de armazenamento de logs do pool de dados", + "deployCluster.dataPoolLogsStorageClaimSize": "Tamanho da declaração de armazenamento de logs do pool de dados", + "deployCluster.sqlServerMasterDataStorageClass": "Classe de armazenamento de dados do SQL Server mestre", + "deployCluster.sqlServerMasterDataStorageClaimSize": "Tamanho da declaração de armazenamento de dados do SQL Server mestre", + "deployCluster.sqlServerMasterLogsStorageClass": "Classe de armazenamento de logs do SQL Server mestre", + "deployCluster.sqlServerMasterLogsStorageClaimSize": "Tamanho da declaração de armazenamento de logs do SQL Server mestre", + "deployCluster.ServiceName": "Nome do serviço", "deployCluster.DataStorageClassName": "Classe de armazenamento para dados", "deployCluster.DataClaimSize": "Tamanho da declaração de dados (GB)", "deployCluster.LogStorageClassName": "Classe de armazenamento de logs", "deployCluster.LogsClaimSize": "Tamanho da declaração de logs (GB)", - "deployCluster.StorageSettings": "Storage settings", + "deployCluster.StorageSettings": "Configurações de armazenamento", "deployCluster.StorageSectionTitle": "Configurações de armazenamento", "deployCluster.SparkMustBeIncluded": "Configuração inválida do Spark. Marque a caixa de seleção 'Incluir o Spark' ou defina as 'Instâncias do pool do Spark' para pelo menos 1." }, @@ -453,10 +456,10 @@ "deployCluster.DomainDNSName": "Nome do DNS do domínio", "deployCluster.ClusterAdmins": "Grupo de administração do cluster", "deployCluster.ClusterUsers": "Usuários do cluster", - "deployCluster.AppOwners": "App owners", + "deployCluster.AppOwners": "Proprietários de aplicativos", "deployCluster.AppReaders": "Leitores de aplicativos", - "deployCluster.Subdomain": "Subdomain", - "deployCluster.AccountPrefix": "Account prefix", + "deployCluster.Subdomain": "Subdomínio", + "deployCluster.AccountPrefix": "Prefixo da conta", "deployCluster.DomainServiceAccountUserName": "Nome de usuário da conta de serviço", "deployCluster.AzureSettings": "Configurações do Azure", "deployCluster.SubscriptionId": "ID da assinatura", @@ -473,7 +476,7 @@ "deployCluster.SparkPoolInstances": "Instâncias do pool do Spark", "deployCluster.StoragePoolInstances": "Instâncias do pool de armazenamento (HDFS)", "deployCluster.WithSpark": "(Spark incluído)", - "deployCluster.ServiceName": "Service", + "deployCluster.ServiceName": "Serviço", "deployCluster.DataStorageClassName": "Classe de armazenamento para dados", "deployCluster.DataClaimSize": "Tamanho da declaração de dados (GB)", "deployCluster.LogStorageClassName": "Classe de armazenamento de logs", @@ -502,138 +505,129 @@ "deployCluster.ConfigParseError": "Falha ao carregar o arquivo de configuração" }, "dist/ui/deployAzureSQLVMWizard/deployAzureSQLVMWizardModel": { - "sqlVMDeploymentWizard.PasswordLengthError": "Password must be between 12 and 123 characters long.", - "sqlVMDeploymentWizard.PasswordSpecialCharRequirementError": "Password must have 3 of the following: 1 lower case character, 1 upper case character, 1 number, and 1 special character." + "sqlVMDeploymentWizard.PasswordLengthError": "A senha precisa ter entre 12 e 123 caracteres.", + "sqlVMDeploymentWizard.PasswordSpecialCharRequirementError": "A senha deve ter 3 dos seguintes itens: 1 caractere minúsculo, 1 caractere maiúsculo, 1 número e 1 caractere especial." }, "dist/ui/deployAzureSQLVMWizard/pages/vmSettingsPage": { - "deployAzureSQLVM.VnameLengthError": "Virtual machine name must be between 1 and 15 characters long.", - "deployAzureSQLVM.VNameOnlyNumericNameError": "Virtual machine name cannot contain only numbers.", - "deployAzureSQLVM.VNamePrefixSuffixError": "Virtual machine name Can't start with underscore. Can't end with period or hyphen", - "deployAzureSQLVM.VNameSpecialCharError": "Virtual machine name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .", - "deployAzureSQLVM.VNameExistsError": "Virtual machine name must be unique in the current resource group.", - "deployAzureSQLVM.VMUsernameLengthError": "Username must be between 1 and 20 characters long.", - "deployAzureSQLVM.VMUsernameSuffixError": "Username cannot end with period", - "deployAzureSQLVM.VMUsernameSpecialCharError": "Username cannot contain special characters \\/\"\"[]:|<>+=;,?*@& .", - "deployAzureSQLVM.VMUsernameReservedWordsError": "Username must not include reserved words.", - "deployAzureSQLVM.VMConfirmPasswordError": "Password and confirm password must match.", - "deployAzureSQLVM.vmDropdownSizeError": "Select a valid virtual machine size." + "deployAzureSQLVM.VnameLengthError": "O nome da máquina virtual precisa ter entre 1 e 15 caracteres.", + "deployAzureSQLVM.VNameOnlyNumericNameError": "O nome da máquina virtual não pode conter somente números.", + "deployAzureSQLVM.VNamePrefixSuffixError": "O nome da máquina virtual não pode começar com sublinhado e não pode terminar com ponto ou hífen", + "deployAzureSQLVM.VNameSpecialCharError": "O nome da máquina virtual não pode conter os caracteres especiais \\/\"\"[]:|<>+=;,?*@&, .", + "deployAzureSQLVM.VNameExistsError": "O nome da máquina virtual deve ser exclusivo no grupo de recursos atual.", + "deployAzureSQLVM.VMUsernameLengthError": "O nome de usuário precisa ter entre 1 e 20 caracteres.", + "deployAzureSQLVM.VMUsernameSuffixError": "O nome de usuário não pode terminar com um ponto", + "deployAzureSQLVM.VMUsernameSpecialCharError": "O nome de usuário não pode conter caracteres especiais \\/\"\"[]:|<>+=;,?*@& .", + "deployAzureSQLVM.VMUsernameReservedWordsError": "O nome de usuário não pode incluir palavras reservadas.", + "deployAzureSQLVM.VMConfirmPasswordError": "A Senha e a Confirmação de senha devem corresponder.", + "deployAzureSQLVM.vmDropdownSizeError": "Selecione um tamanho de máquina virtual válido." }, "dist/ui/deployAzureSQLVMWizard/pages/networkSettingsPage": { - "deployAzureSQLVM.NewVnetPlaceholder": "Enter name for new virtual network", - "deployAzureSQLVM.NewSubnetPlaceholder": "Enter name for new subnet", - "deployAzureSQLVM.NewPipPlaceholder": "Enter name for new public IP", - "deployAzureSQLVM.VnetNameLengthError": "Virtual Network name must be between 2 and 64 characters long", - "deployAzureSQLVM.NewVnetError": "Create a new virtual network", - "deployAzureSQLVM.SubnetNameLengthError": "Subnet name must be between 1 and 80 characters long", - "deployAzureSQLVM.NewSubnetError": "Create a new sub network", - "deployAzureSQLVM.PipNameError": "Public IP name must be between 1 and 80 characters long", - "deployAzureSQLVM.NewPipError": "Create a new new public Ip" + "deployAzureSQLVM.NewVnetPlaceholder": "Inserir o nome da nova rede virtual", + "deployAzureSQLVM.NewSubnetPlaceholder": "Inserir o nome da nova sub-rede", + "deployAzureSQLVM.NewPipPlaceholder": "Inserir o nome do novo IP", + "deployAzureSQLVM.VnetNameLengthError": "O nome da Rede Virtual precisa ter entre 2 e 64 caracteres", + "deployAzureSQLVM.NewVnetError": "Criar uma rede virtual", + "deployAzureSQLVM.SubnetNameLengthError": "O nome da sub-rede precisa ter entre 1 e 80 caracteres", + "deployAzureSQLVM.NewSubnetError": "Criar uma sub-rede", + "deployAzureSQLVM.PipNameError": "O nome do IP precisa ter entre 1 e 80 caracteres", + "deployAzureSQLVM.NewPipError": "Criar um IP" }, "dist/ui/deployAzureSQLVMWizard/pages/sqlServerSettingsPage": { - "deployAzureSQLVM.PrivateConnectivityDropdownOptionDefault": "Private (within Virtual Network)", - "deployAzureSQLVM.LocalConnectivityDropdownOption": "Local (inside VM only)", - "deployAzureSQLVM.PublicConnectivityDropdownOption": "Public (Internet)", - "deployAzureSQLVM.SqlUsernameLengthError": "Username must be between 2 and 128 characters long.", - "deployAzureSQLVM.SqlUsernameSpecialCharError": "Username cannot contain special characters \\/\"\"[]:|<>+=;,?* .", - "deployAzureSQLVM.SqlConfirmPasswordError": "Password and confirm password must match." + "deployAzureSQLVM.PrivateConnectivityDropdownOptionDefault": "Privado (dentro da Rede Virtual)", + "deployAzureSQLVM.LocalConnectivityDropdownOption": "Local (somente dentro da VM)", + "deployAzureSQLVM.PublicConnectivityDropdownOption": "Público (Internet)", + "deployAzureSQLVM.SqlUsernameLengthError": "O nome de usuário precisa ter entre 2 e 128 caracteres.", + "deployAzureSQLVM.SqlUsernameSpecialCharError": "O nome de usuário não pode conter caracteres especiais \\/\"\"[]:|<>+=;,?* .", + "deployAzureSQLVM.SqlConfirmPasswordError": "A Senha e a Confirmação de senha devem corresponder." }, "dist/ui/notebookWizard/notebookWizardAutoSummaryPage": { - "notebookWizard.autoSummaryPageTitle": "Review your configuration" + "notebookWizard.autoSummaryPageTitle": "Examine a sua configuração" }, "dist/ui/deployAzureSQLDBWizard/pages/databaseSettingsPage": { - "deployAzureSQLDB.DBMinIpInvalidError": "Min Ip address is invalid", - "deployAzureSQLDB.DBMaxIpInvalidError": "Max Ip address is invalid", - "deployAzureSQLDB.DBFirewallOnlyNumericNameError": "Firewall name cannot contain only numbers.", - "deployAzureSQLDB.DBFirewallLengthError": "Firewall name must be between 1 and 100 characters long.", - "deployAzureSQLDB.DBFirewallSpecialCharError": "Firewall name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .", - "deployAzureSQLDB.DBFirewallUpperCaseError": "Upper case letters are not allowed for firewall name", - "deployAzureSQLDB.DBNameOnlyNumericNameError": "Database name cannot contain only numbers.", - "deployAzureSQLDB.DBNameLengthError": "Database name must be between 1 and 100 characters long.", - "deployAzureSQLDB.DBNameSpecialCharError": "Database name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .", - "deployAzureSQLDB.DBNameExistsError": "Database name must be unique in the current server.", - "deployAzureSQLDB.DBCollationOnlyNumericNameError": "Collation name cannot contain only numbers.", - "deployAzureSQLDB.DBCollationLengthError": "Collation name must be between 1 and 100 characters long.", - "deployAzureSQLDB.DBCollationSpecialCharError": "Collation name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, ." + "deployAzureSQLDB.DBMinIpInvalidError": "O endereço IP mínimo é inválido", + "deployAzureSQLDB.DBMaxIpInvalidError": "O endereço IP máximo é inválido", + "deployAzureSQLDB.DBFirewallOnlyNumericNameError": "O nome do firewall não pode conter somente números.", + "deployAzureSQLDB.DBFirewallLengthError": "O nome do firewall precisa ter entre 1 e 100 caracteres.", + "deployAzureSQLDB.DBFirewallSpecialCharError": "O nome do firewall não pode conter caracteres especiais \\/\"\"[]:|<>+=;,?*@&, .", + "deployAzureSQLDB.DBFirewallUpperCaseError": "Letras maiúsculas não são permitidas no nome do firewall", + "deployAzureSQLDB.DBNameOnlyNumericNameError": "O nome do banco de dados não pode conter somente números.", + "deployAzureSQLDB.DBNameLengthError": "O nome do banco de dados precisa ter entre 1 e 100 caracteres.", + "deployAzureSQLDB.DBNameSpecialCharError": "O nome do banco de dados não pode conter caracteres especiais \\/\"\"[]:|<>+=;,?*@&, .", + "deployAzureSQLDB.DBNameExistsError": "O nome do banco de dados precisa ser exclusivo no servidor atual.", + "deployAzureSQLDB.DBCollationOnlyNumericNameError": "O nome da ordenação não pode conter somente números.", + "deployAzureSQLDB.DBCollationLengthError": "O nome da ordenação precisa ter entre 1 e 100 caracteres.", + "deployAzureSQLDB.DBCollationSpecialCharError": "O nome da ordenação não pode conter caracteres especiais \\/\"\"[]:|<>+=;,?*@&, ." }, "dist/ui/deployAzureSQLDBWizard/pages/azureSettingsPage": { - "deployAzureSQLDB.azureSignInError": "Sign in to an Azure account first", - "deployAzureSQLDB.NoServerLabel": "No servers found", - "deployAzureSQLDB.NoServerError": "No servers found in current subscription.\r\nSelect a different subscription containing at least one server" + "deployAzureSQLDB.azureSignInError": "Entrar em uma conta do Azure primeiro", + "deployAzureSQLDB.NoServerLabel": "Não foram encontrados servidores", + "deployAzureSQLDB.NoServerError": "Nenhum servidor encontrado na assinatura atual.\r\nSelecione uma assinatura diferente contendo pelo menos um servidor" }, "dist/ui/toolsAndEulaSettingsPage": { - "notebookWizard.toolsAndEulaPageTitle": "Deployment pre-requisites", - "deploymentDialog.FailedEulaValidation": "To proceed, you must accept the terms of the End User License Agreement(EULA)", - "deploymentDialog.FailedToolsInstallation": "Some tools were still not discovered. Please make sure that they are installed, running and discoverable", - "deploymentDialog.loadingRequiredToolsCompleted": "Loading required tools information completed", - "deploymentDialog.loadingRequiredTools": "Loading required tools information", - "resourceDeployment.AgreementTitle": "Accept terms of use", - "deploymentDialog.ToolDoesNotMeetVersionRequirement": "'{0}' [ {1} ] does not meet the minimum version requirement, please uninstall it and restart Azure Data Studio.", - "deploymentDialog.InstalledTools": "All required tools are installed now.", - "deploymentDialog.PendingInstallation": "Following tools: {0} were still not discovered. Please make sure that they are installed, running and discoverable", - "deploymentDialog.ToolInformation": "'{0}' was not discovered and automated installation is not currently supported. Install '{0}' manually or ensure it is started and discoverable. Once done please restart Azure Data Studio. See [{1}] .", - "deploymentDialog.VersionInformationDebugHint": "You will need to restart Azure Data Studio if the tools are installed manually to pick up the change. You may find additional details in 'Deployments' and 'Azure Data CLI' output channels", - "deploymentDialog.InstallToolsHintOne": "Tool: {0} is not installed, you can click the \"{1}\" button to install it.", - "deploymentDialog.InstallToolsHintMany": "Tools: {0} are not installed, you can click the \"{1}\" button to install them.", - "deploymentDialog.NoRequiredTool": "No tools required" + "notebookWizard.toolsAndEulaPageTitle": "Pré-requisitos da implantação", + "deploymentDialog.FailedToolsInstallation": "Algumas ferramentas ainda não foram descobertas. Verifique se eles estão instaladas, em execução e são detectáveis", + "deploymentDialog.FailedEulaValidation": "Para continuar, você precisa aceitar os Termos de Licença", + "deploymentDialog.loadingRequiredToolsCompleted": "O carregamento das informações das ferramentas necessárias foi concluído", + "deploymentDialog.loadingRequiredTools": "Carregando informações de ferramentas necessárias", + "resourceDeployment.AgreementTitle": "Aceitar os termos de uso", + "deploymentDialog.ToolDoesNotMeetVersionRequirement": "O '{0}' [ {1} ] não atende ao requisito mínimo de versão. Desinstale-o e reinicie o Azure Data Studio.", + "deploymentDialog.InstalledTools": "Todas as ferramentas necessárias estão instaladas agora.", + "deploymentDialog.PendingInstallation": "As ferramentas {0} ainda não foram descobertas. Verifique se elas estão instaladas, em execução e são detectáveis", + "deploymentDialog.ToolInformation": "O '{0}' não foi descoberto e a instalação automática não tem suporte atualmente. Instale o '{0}' manualmente ou verifique se ele foi iniciado e é detectável. Depois de fazer isso, reinicie o Azure Data Studio. Confira [{1}].", + "deploymentDialog.VersionInformationDebugHint": "Você precisará reiniciar o Azure Data Studio se as ferramentas forem instaladas manualmente para escolher a alteração. Você pode encontrar mais detalhes nos canais de saída 'Implantações' e 'CLI de Dados do Azure'", + "deploymentDialog.InstallToolsHintOne": "Ferramenta: o {0} não está instalado, você pode clicar no botão \"{1}\" para instalá-lo.", + "deploymentDialog.InstallToolsHintMany": "Ferramentas: os {0} não estão instalados, você pode clicar no botão \"{1}\" para instalá-los.", + "deploymentDialog.NoRequiredTool": "Nenhuma ferramenta é necessária" }, "dist/ui/pageLessDeploymentModel": { - "resourceDeployment.DownloadAndLaunchTaskName": "Download and launch installer, URL: {0}", - "resourceDeployment.DownloadingText": "Downloading from: {0}", - "resourceDeployment.DownloadCompleteText": "Successfully downloaded: {0}", - "resourceDeployment.LaunchingProgramText": "Launching: {0}", - "resourceDeployment.ProgramLaunchedText": "Successfully launched: {0}" + "resourceDeployment.DownloadAndLaunchTaskName": "Baixe e inicie o instalador, URL: {0}", + "resourceDeployment.DownloadingText": "Baixando de: {0}", + "resourceDeployment.DownloadCompleteText": "Baixado com êxito: {0}", + "resourceDeployment.LaunchingProgramText": "Iniciando: {0}", + "resourceDeployment.ProgramLaunchedText": "Iniciado com êxito: {0}" }, "dist/services/tools/dockerTool": { - "resourceDeployment.DockerDescription": "Packages and runs applications in isolated containers", + "resourceDeployment.DockerDescription": "Empacota e executa aplicativos em contêineres isolados", "resourceDeployment.DockerDisplayName": "docker" }, "dist/services/tools/azCliTool": { - "resourceDeployment.AzCLIDescription": "Manages Azure resources", + "resourceDeployment.AzCLIDescription": "Gerencia recursos do Azure", "resourceDeployment.AzCLIDisplayName": "CLI do Azure", - "resourceDeployment.AziCli.DeletingPreviousAzureCli.msi": "deleting previously downloaded azurecli.msi if one exists …", - "resourceDeployment.AziCli.DownloadingAndInstallingAzureCli": "downloading azurecli.msi and installing azure-cli …", - "resourceDeployment.AziCli.DisplayingInstallationLog": "displaying the installation log …", - "resourceDeployment.AziCli.UpdatingBrewRepository": "updating your brew repository for azure-cli installation …", - "resourceDeployment.AziCli.InstallingAzureCli": "installing azure-cli …", - "resourceDeployment.AziCli.AptGetUpdate": "updating repository information before installing azure-cli …", - "resourceDeployment.AziCli.AptGetPackages": "getting packages needed for azure-cli installation …", - "resourceDeployment.AziCli.DownloadAndInstallingSigningKey": "downloading and installing the signing key for azure-cli …", - "resourceDeployment.AziCli.AddingAzureCliRepositoryInformation": "adding the azure-cli repository information …", - "resourceDeployment.AziCli.AptGetUpdateAgain": "updating repository information again for azure-cli …", - "resourceDeployment.AziCli.ScriptedInstall": "download and invoking script to install azure-cli …" + "resourceDeployment.AziCli.DeletingPreviousAzureCli.msi": "excluindo o azurecli.msi baixado anteriormente, se houver…", + "resourceDeployment.AziCli.DownloadingAndInstallingAzureCli": "baixando o azurecli.msi e instalando o azure-cli…", + "resourceDeployment.AziCli.DisplayingInstallationLog": "exibindo o log de instalação…", + "resourceDeployment.AziCli.UpdatingBrewRepository": "atualizando o seu repositório brew para a instalação do azure-cli…", + "resourceDeployment.AziCli.InstallingAzureCli": "instalando o azure-cli.…", + "resourceDeployment.AziCli.AptGetUpdate": "atualizando as informações do repositório antes de instalar o azure-cli…", + "resourceDeployment.AziCli.AptGetPackages": "obtendo pacotes necessários para a instalação do azure-cli…", + "resourceDeployment.AziCli.DownloadAndInstallingSigningKey": "baixando e instalando a chave de assinatura do azure-cli…", + "resourceDeployment.AziCli.AddingAzureCliRepositoryInformation": "adicionando informações do repositório do azure-cli…", + "resourceDeployment.AziCli.AptGetUpdateAgain": "atualizando as informações do repositório novamente do azure-cli…", + "resourceDeployment.AziCli.ScriptedInstall": "baixe e invoque o script para instalar o azure-cli…" }, "dist/services/tools/azdataTool": { - "resourceDeployment.AzdataDescription": "Azure Data command line interface", - "resourceDeployment.AzdataDisplayName": "Azure Data CLI", - "deployCluster.GetToolVersionErrorInformation": "Error retrieving version information. See output channel '{0}' for more details", - "deployCluster.GetToolVersionError": "Error retrieving version information.{0}Invalid output received, get version command output: '{1}' ", - "resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "deleting previously downloaded Azdata.msi if one exists …", - "resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "downloading Azdata.msi and installing azdata-cli …", - "resourceDeployment.Azdata.DisplayingInstallationLog": "displaying the installation log …", - "resourceDeployment.Azdata.TappingBrewRepository": "tapping into the brew repository for azdata-cli …", - "resourceDeployment.Azdata.UpdatingBrewRepository": "updating the brew repository for azdata-cli installation …", - "resourceDeployment.Azdata.InstallingAzdata": "installing azdata …", - "resourceDeployment.Azdata.AptGetUpdate": "updating repository information …", - "resourceDeployment.Azdata.AptGetPackages": "getting packages needed for azdata installation …", - "resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "downloading and installing the signing key for azdata …", - "resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "adding the azdata repository information …" + "resourceDeployment.AzdataDescription": "Interface de linha de comando dos Dados do Azure", + "resourceDeployment.AzdataDisplayName": "CLI de Dados do Azure", + "deploy.azdataExtMissing": "A extensão Azure Data CLI deve ser instalada para implantar esse recurso. Instale-o por meio da galeria de extensões e tente novamente.", + "deployCluster.GetToolVersionErrorInformation": "Erro ao recuperar as informações da versão. Confira o canal de saída '{0}' para obter mais detalhes", + "deployCluster.GetToolVersionError": "Erro ao recuperar informações de versão.{0}Saída inválida recebida, obtenha a saída do comando da versão: '{1}' " }, "dist/services/tools/azdataToolOld": { - "resourceDeployment.AzdataDescription": "Azure Data command line interface", - "resourceDeployment.AzdataDisplayName": "Azure Data CLI", - "resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "deleting previously downloaded Azdata.msi if one exists …", - "resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "downloading Azdata.msi and installing azdata-cli …", - "resourceDeployment.Azdata.DisplayingInstallationLog": "displaying the installation log …", - "resourceDeployment.Azdata.TappingBrewRepository": "tapping into the brew repository for azdata-cli …", - "resourceDeployment.Azdata.UpdatingBrewRepository": "updating the brew repository for azdata-cli installation …", - "resourceDeployment.Azdata.InstallingAzdata": "installing azdata …", - "resourceDeployment.Azdata.AptGetUpdate": "updating repository information …", - "resourceDeployment.Azdata.AptGetPackages": "getting packages needed for azdata installation …", - "resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "downloading and installing the signing key for azdata …", - "resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "adding the azdata repository information …" + "resourceDeployment.AzdataDescription": "Interface de linha de comando dos Dados do Azure", + "resourceDeployment.AzdataDisplayName": "CLI de Dados do Azure", + "resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "excluindo o Azdata.msi baixado anteriormente, se houver…", + "resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "baixando o Azdata.msi e instalando o azdata-cli…", + "resourceDeployment.Azdata.DisplayingInstallationLog": "exibindo o log de instalação…", + "resourceDeployment.Azdata.TappingBrewRepository": "explorando o repositório brew para azdata-cli…", + "resourceDeployment.Azdata.UpdatingBrewRepository": "atualizando o repositório brew para a instalação do azdata-cli…", + "resourceDeployment.Azdata.InstallingAzdata": "instalando o azdata…", + "resourceDeployment.Azdata.AptGetUpdate": "atualizando informações do repositório…", + "resourceDeployment.Azdata.AptGetPackages": "obtendo pacotes necessários para a instalação do azdata…", + "resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "baixando e instalando a chave de assinatura para azdata…", + "resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "adicionando informações do repositório azdata…" }, "dist/ui/resourceTypePickerDialog": { - "deploymentDialog.deploymentOptions": "Deployment options" + "deploymentDialog.deploymentOptions": "Opções de implantação" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-pt-BR/translations/extensions/schema-compare.i18n.json b/i18n/ads-language-pack-pt-BR/translations/extensions/schema-compare.i18n.json new file mode 100644 index 0000000000..8c3afa299a --- /dev/null +++ b/i18n/ads-language-pack-pt-BR/translations/extensions/schema-compare.i18n.json @@ -0,0 +1,319 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "displayName": "Comparação de Esquemas do SQL Server", + "description": "A Comparação de Esquemas do SQL Server para o Azure Data Studio dá suporte à comparação de esquemas de bancos de dados e dacpacs.", + "schemaCompare.start": "Comparação de Esquemas" + }, + "dist/localizedConstants": { + "schemaCompareDialog.ok": "OK", + "schemaCompareDialog.cancel": "Cancelar", + "schemaCompareDialog.SourceTitle": "Fonte", + "schemaCompareDialog.TargetTitle": "Destino", + "schemaCompareDialog.fileTextBoxLabel": "Arquivo", + "schemaCompare.dacpacRadioButtonLabel": "Arquivo do Aplicativo da Camada de Dados (.dacpac)", + "schemaCompare.databaseButtonLabel": "Banco de dados", + "schemaCompare.radioButtonsLabel": "Tipo", + "schemaCompareDialog.serverDropdownTitle": "Servidor", + "schemaCompareDialog.databaseDropdownTitle": "Banco de dados", + "schemaCompare.dialogTitle": "Comparação de Esquemas", + "schemaCompareDialog.differentSourceMessage": "Um esquema de origem diferente foi selecionado. Comparar para ver a comparação?", + "schemaCompareDialog.differentTargetMessage": "Um esquema de destino diferente foi selecionado. Comparar para ver a comparação?", + "schemaCompareDialog.differentSourceTargetMessage": "Diferentes esquemas de origem e de destino foram selecionados. Comparar para ver a comparação?", + "schemaCompareDialog.Yes": "Sim", + "schemaCompareDialog.No": "Não", + "schemaCompareDialog.sourceTextBox": "Arquivo de origem", + "schemaCompareDialog.targetTextBox": "Arquivo de destino", + "schemaCompareDialog.sourceDatabaseDropdown": "Banco de Dados de Origem", + "schemaCompareDialog.targetDatabaseDropdown": "Banco de Dados de Destino", + "schemaCompareDialog.sourceServerDropdown": "Servidor de Origem", + "schemaCompareDialog.targetServerDropdown": "Servidor de Destino", + "schemaCompareDialog.defaultUser": "padrão", + "schemaCompare.openFile": "Abrir", + "schemaCompare.selectSourceFile": "Selecione o arquivo de origem", + "schemaCompare.selectTargetFile": "Selecionar a pasta de destino", + "SchemaCompareOptionsDialog.Reset": "Redefinir", + "schemaCompareOptions.RecompareMessage": "As opções mudaram. Comparar novamente para ver a comparação?", + "SchemaCompare.SchemaCompareOptionsDialogLabel": "Opções da Comparação de Esquemas", + "SchemaCompare.GeneralOptionsLabel": "Opções Gerais", + "SchemaCompare.ObjectTypesOptionsLabel": "Incluir Tipos de Objetos", + "schemaCompare.CompareDetailsTitle": "Comparar os Detalhes", + "schemaCompare.ApplyConfirmation": "Tem certeza de que deseja atualizar o destino?", + "schemaCompare.RecompareToRefresh": "Pressione Comparar para atualizar a comparação.", + "schemaCompare.generateScriptEnabledButton": "Gerar script para implantar alterações no destino", + "schemaCompare.generateScriptNoChanges": "Nenhuma alteração no script", + "schemaCompare.applyButtonEnabledTitle": "Aplicar alterações ao destino", + "schemaCompare.applyNoChanges": "Não há nenhuma alteração a ser aplicada", + "schemaCompare.includeExcludeInfoMessage": "Observe que as operações incluir/excluir podem demorar um pouco para calcular as dependências afetadas", + "schemaCompare.deleteAction": "Excluir", + "schemaCompare.changeAction": "Alterar", + "schemaCompare.addAction": "Adicionar", + "schemaCompare.differencesTableTitle": "Comparação entre Origem e Destino", + "schemaCompare.waitText": "Inicializando a comparação. Isso pode demorar um pouco.", + "schemaCompare.startText": "Para comparar dois esquemas, primeiro selecione um esquema de origem e um esquema de destino e, em seguida, pressione Comparar.", + "schemaCompare.noDifferences": "Não foi encontrada nenhuma diferença de esquema.", + "schemaCompare.typeColumn": "Tipo", + "schemaCompare.sourceNameColumn": "Nome da Origem", + "schemaCompare.includeColumnName": "Incluir", + "schemaCompare.actionColumn": "Ação", + "schemaCompare.targetNameColumn": "Nome do Destino", + "schemaCompare.generateScriptButtonDisabledTitle": "Gerar script é habilitado quando o destino é um banco de dados", + "schemaCompare.applyButtonDisabledTitle": "Aplicar é habilitado quando o destino é um banco de dados", + "schemaCompare.cannotExcludeMessageWithDependent": "Não é possível excluir {0}. Existem dependentes incluídos, como {1}", + "schemaCompare.cannotIncludeMessageWithDependent": "Não é possível incluir {0}. Existem dependentes excluídos, como {1}", + "schemaCompare.cannotExcludeMessage": "Não é possível excluir {0}. Existem dependentes incluídos", + "schemaCompare.cannotIncludeMessage": "Não é possível incluir {0}. Existem dependentes excluídos", + "schemaCompare.compareButton": "Comparar", + "schemaCompare.cancelCompareButton": "Parar", + "schemaCompare.generateScriptButton": "Gerar script", + "schemaCompare.optionsButton": "Opções", + "schemaCompare.updateButton": "Aplicar", + "schemaCompare.switchDirectionButton": "Alternar direção", + "schemaCompare.switchButtonTitle": "Alternar origem e destino", + "schemaCompare.sourceButtonTitle": "Selecionar Origem", + "schemaCompare.targetButtonTitle": "Selecionar Destino", + "schemaCompare.openScmpButton": "Abrir arquivo .scmp", + "schemaCompare.openScmpButtonTitle": "Carregar a origem, o destino e as opções salvas em um arquivo .scmp", + "schemaCompare.saveScmpButton": "Salvar o arquivo .scmp", + "schemaCompare.saveScmpButtonTitle": "Salvar a origem e o destino, as opções e os elementos excluídos", + "schemaCompare.saveFile": "Salvar", + "schemaCompare.GetConnectionString": "Você deseja se conectar a {0}?", + "schemaCompare.selectConnection": "Selecionar a conexão", + "SchemaCompare.IgnoreTableOptions": "Ignorar as Opções de Tabela", + "SchemaCompare.IgnoreSemicolonBetweenStatements": "Ignorar Ponto e Vírgula Entre Instruções", + "SchemaCompare.IgnoreRouteLifetime": "Ignorar o Tempo de Vida da Rota", + "SchemaCompare.IgnoreRoleMembership": "Ignorar Associação de Função", + "SchemaCompare.IgnoreQuotedIdentifiers": "Ignorar Identificadores Entre Aspas", + "SchemaCompare.IgnorePermissions": "Ignorar Permissões", + "SchemaCompare.IgnorePartitionSchemes": "Ignorar os Esquemas de Partição", + "SchemaCompare.IgnoreObjectPlacementOnPartitionScheme": "Ignorar o Posicionamento de Objeto no Esquema de Partição", + "SchemaCompare.IgnoreNotForReplication": "Ignorar os que Não São para Replicação", + "SchemaCompare.IgnoreLoginSids": "Ignorar os SIDs de Logon", + "SchemaCompare.IgnoreLockHintsOnIndexes": "Ignorar Dicas de Bloqueio Em Índices", + "SchemaCompare.IgnoreKeywordCasing": "Ignorar o Uso de Maiúsculas e Minúsculas em Palavra-chave", + "SchemaCompare.IgnoreIndexPadding": "Ignorar o Preenchimento de Índice", + "SchemaCompare.IgnoreIndexOptions": "Ignorar as Opções de Índice", + "SchemaCompare.IgnoreIncrement": "Ignorar Incremento", + "SchemaCompare.IgnoreIdentitySeed": "Ignorar Semente de Identidade", + "SchemaCompare.IgnoreUserSettingsObjects": "Ignorar os Objetos de Configurações do Usuário", + "SchemaCompare.IgnoreFullTextCatalogFilePath": "Ignorar o FilePath do Catálogo de Texto Completo", + "SchemaCompare.IgnoreWhitespace": "Ignorar Espaço em Branco", + "SchemaCompare.IgnoreWithNocheckOnForeignKeys": "Ignorar Com Nocheck Em ForeignKeys", + "SchemaCompare.VerifyCollationCompatibility": "Verificar a Compatibilidade da Ordenação", + "SchemaCompare.UnmodifiableObjectWarnings": "Avisos de Objeto Não Modificável", + "SchemaCompare.TreatVerificationErrorsAsWarnings": "Tratar os Erros de Verificação Como Avisos", + "SchemaCompare.ScriptRefreshModule": "Módulo de Atualização de Script", + "SchemaCompare.ScriptNewConstraintValidation": "Validação de Nova Restrição de Script", + "SchemaCompare.ScriptFileSize": "Tamanho do Arquivo de Script", + "SchemaCompare.ScriptDeployStateChecks": "StateChecks de Implantação de Script", + "SchemaCompare.ScriptDatabaseOptions": "Opções de Banco de Dados de Script", + "SchemaCompare.ScriptDatabaseCompatibility": "Compatibilidade do Banco de Dados de Script", + "SchemaCompare.ScriptDatabaseCollation": "Ordenação de Banco de Dados de Script", + "SchemaCompare.RunDeploymentPlanExecutors": "Executar Executores do Plano de Implantação", + "SchemaCompare.RegisterDataTierApplication": "Registrar o Aplicativo DataTier", + "SchemaCompare.PopulateFilesOnFileGroups": "Popular Arquivos em Grupos de Arquivos", + "SchemaCompare.NoAlterStatementsToChangeClrTypes": "Sem instruções Alter para alterar tipos Clr", + "SchemaCompare.IncludeTransactionalScripts": "Incluir Scripts Transacionais", + "SchemaCompare.IncludeCompositeObjects": "Incluir Objetos Compostos", + "SchemaCompare.AllowUnsafeRowLevelSecurityDataMovement": "Permitir a Movimentação Não Segura de Dados de Segurança em Nível de Linha", + "SchemaCompare.IgnoreWithNocheckOnCheckConstraints": "Ignorar Sem Nenhuma Verificação nas Restrições de Verificação", + "SchemaCompare.IgnoreFillFactor": "Ignorar Fator de Preenchimento", + "SchemaCompare.IgnoreFileSize": "Ignorar o Tamanho do Arquivo", + "SchemaCompare.IgnoreFilegroupPlacement": "Ignorar o Posicionamento do Grupo de Arquivos", + "SchemaCompare.DoNotAlterReplicatedObjects": "Não Alterar os Objetos Replicados", + "SchemaCompare.DoNotAlterChangeDataCaptureObjects": "Não Alterar os Objetos de Captura de Dados de Alterações", + "SchemaCompare.DisableAndReenableDdlTriggers": "Desabilitar e Reabilitar os Gatilhos DDL", + "SchemaCompare.DeployDatabaseInSingleUserMode": "Implantar o Banco de Dados no Modo de Usuário Único", + "SchemaCompare.CreateNewDatabase": "Criar Banco de Dados", + "SchemaCompare.CompareUsingTargetCollation": "Comparar Usando a Ordenação de Destino", + "SchemaCompare.CommentOutSetVarDeclarations": "Comentário nas Declarações de Definição de Var", + "SchemaCompare.BlockWhenDriftDetected": "Bloquear Quando For Detectado Descompasso", + "SchemaCompare.BlockOnPossibleDataLoss": "Bloquear Em Uma Possível Perda de Dados", + "SchemaCompare.BackupDatabaseBeforeChanges": "Fazer Backup do Banco de Dados Antes das Alterações", + "SchemaCompare.AllowIncompatiblePlatform": "Permitir Plataforma Incompatível", + "SchemaCompare.AllowDropBlockingAssemblies": "Permitir a Remoção de Assemblies de Bloqueio", + "SchemaCompare.DropConstraintsNotInSource": "Remover as Restrições que Não Estão na Origem", + "SchemaCompare.DropDmlTriggersNotInSource": "Remover os Gatilhos DML que Não Estão na Origem", + "SchemaCompare.DropExtendedPropertiesNotInSource": "Remover as Propriedades Estendidas que Não Estão na Origem", + "SchemaCompare.DropIndexesNotInSource": "Remover os Índices que Não Estão na Origem", + "SchemaCompare.IgnoreFileAndLogFilePath": "Ignorar o Arquivo e o Caminho do Arquivo de Log", + "SchemaCompare.IgnoreExtendedProperties": "Ignorar as Propriedades Estendidas", + "SchemaCompare.IgnoreDmlTriggerState": "Ignorar o Estado do Gatilho DML", + "SchemaCompare.IgnoreDmlTriggerOrder": "Ignorar a Ordem do Gatilho DML", + "SchemaCompare.IgnoreDefaultSchema": "Ignorar o Esquema Padrão", + "SchemaCompare.IgnoreDdlTriggerState": "Ignorar o Estado do Gatilho DDL", + "SchemaCompare.IgnoreDdlTriggerOrder": "Ignorar a Ordem do Gatilho DDL", + "SchemaCompare.IgnoreCryptographicProviderFilePath": "Ignorar o FilePath do Provedor de Criptografia", + "SchemaCompare.VerifyDeployment": "Verificar a Implantação", + "SchemaCompare.IgnoreComments": "Ignorar Comentários", + "SchemaCompare.IgnoreColumnCollation": "Ignorar a Ordenação de Colunas", + "SchemaCompare.IgnoreAuthorizer": "Ignorar o Autorizador", + "SchemaCompare.IgnoreAnsiNulls": "Ignorar AnsiNulls", + "SchemaCompare.GenerateSmartDefaults": "Gerar SmartDefaults", + "SchemaCompare.DropStatisticsNotInSource": "Remover as Estatísticas que Não Estão na Origem", + "SchemaCompare.DropRoleMembersNotInSource": "Remover os Membros da Função que Não Estão na Origem", + "SchemaCompare.DropPermissionsNotInSource": "Remover as Permissões que Não Estão na Origem", + "SchemaCompare.DropObjectsNotInSource": "Remover os Objetos que Não Estão na Origem", + "SchemaCompare.IgnoreColumnOrder": "Ignorar a Ordem de Colunas", + "SchemaCompare.Aggregates": "Agregações", + "SchemaCompare.ApplicationRoles": "Funções de Aplicativo", + "SchemaCompare.Assemblies": "Assemblies", + "SchemaCompare.AssemblyFiles": "Arquivos do Assembly", + "SchemaCompare.AsymmetricKeys": "Chaves Assimétricas", + "SchemaCompare.BrokerPriorities": "Prioridades do Agente", + "SchemaCompare.Certificates": "Certificados", + "SchemaCompare.ColumnEncryptionKeys": "Chaves de Criptografia de Coluna", + "SchemaCompare.ColumnMasterKeys": "Chaves Mestras de Coluna", + "SchemaCompare.Contracts": "Contratos", + "SchemaCompare.DatabaseOptions": "Opções de Banco de Dados", + "SchemaCompare.DatabaseRoles": "Funções de Banco de Dados", + "SchemaCompare.DatabaseTriggers": "Gatilhos de Banco de Dados", + "SchemaCompare.Defaults": "Padrões", + "SchemaCompare.ExtendedProperties": "Propriedades Estendidas", + "SchemaCompare.ExternalDataSources": "Fontes de Dados Externas", + "SchemaCompare.ExternalFileFormats": "Formatos de Arquivo Externos", + "SchemaCompare.ExternalStreams": "Fluxos Externos", + "SchemaCompare.ExternalStreamingJobs": "Trabalhos de Streaming Externos", + "SchemaCompare.ExternalTables": "Tabelas Externas", + "SchemaCompare.Filegroups": "Grupos de Arquivos", + "SchemaCompare.Files": "Arquivos", + "SchemaCompare.FileTables": "Tabelas de Arquivos", + "SchemaCompare.FullTextCatalogs": "Catálogos de Texto Completo", + "SchemaCompare.FullTextStoplists": "Listas de Palavras Irrelevantes de Texto Completo", + "SchemaCompare.MessageTypes": "Tipos de Mensagem", + "SchemaCompare.PartitionFunctions": "Funções de Partição", + "SchemaCompare.PartitionSchemes": "Esquemas de Partição", + "SchemaCompare.Permissions": "Permissões", + "SchemaCompare.Queues": "Filas", + "SchemaCompare.RemoteServiceBindings": "Associações de Serviço Remoto", + "SchemaCompare.RoleMembership": "Associação de Função", + "SchemaCompare.Rules": "Regras", + "SchemaCompare.ScalarValuedFunctions": "Funções de Valor Escalar", + "SchemaCompare.SearchPropertyLists": "Listas de Propriedades de Pesquisa", + "SchemaCompare.SecurityPolicies": "Políticas de Segurança", + "SchemaCompare.Sequences": "Sequências", + "SchemaCompare.Services": "Serviços", + "SchemaCompare.Signatures": "Assinaturas", + "SchemaCompare.StoredProcedures": "Procedimentos Armazenados", + "SchemaCompare.SymmetricKeys": "Chaves Simétricas", + "SchemaCompare.Synonyms": "Sinônimos", + "SchemaCompare.Tables": "Tabelas", + "SchemaCompare.TableValuedFunctions": "Funções com Valor de Tabela", + "SchemaCompare.UserDefinedDataTypes": "Tipos de Dados Definidos pelo Usuário", + "SchemaCompare.UserDefinedTableTypes": "Tipos de Tabela Definidos pelo Usuário", + "SchemaCompare.ClrUserDefinedTypes": "Tipos Definidos pelo Usuário CLR", + "SchemaCompare.Users": "Usuários", + "SchemaCompare.Views": "Exibições", + "SchemaCompare.XmlSchemaCollections": "Coleções de Esquema XML", + "SchemaCompare.Audits": "Auditorias", + "SchemaCompare.Credentials": "Credenciais", + "SchemaCompare.CryptographicProviders": "Provedores Criptográficos", + "SchemaCompare.DatabaseAuditSpecifications": "Especificações de Auditoria de Banco de Dados", + "SchemaCompare.DatabaseEncryptionKeys": "Chaves de Criptografia de Banco de Dados", + "SchemaCompare.DatabaseScopedCredentials": "Credenciais no Escopo do Banco de Dados", + "SchemaCompare.Endpoints": "Pontos de Extremidade", + "SchemaCompare.ErrorMessages": "Mensagens de Erro", + "SchemaCompare.EventNotifications": "Notificações de Evento", + "SchemaCompare.EventSessions": "Sessões de Evento", + "SchemaCompare.LinkedServerLogins": "Logons de Servidor Vinculado", + "SchemaCompare.LinkedServers": "Servidores Vinculados", + "SchemaCompare.Logins": "Logons", + "SchemaCompare.MasterKeys": "Chaves Mestras", + "SchemaCompare.Routes": "Rotas", + "SchemaCompare.ServerAuditSpecifications": "Especificações de Auditoria de Servidor", + "SchemaCompare.ServerRoleMembership": "Associação de Função de Servidor", + "SchemaCompare.ServerRoles": "Funções de Servidor", + "SchemaCompare.ServerTriggers": "Gatilhos de Servidor", + "SchemaCompare.Description.IgnoreTableOptions": "Especifica se diferenças nas opções de tabela serão ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreSemicolonBetweenStatements": "Especifica se diferenças nos pontos e vírgulas entre instruções T-SQL serão ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreRouteLifetime": "Especifica se diferenças na quantidade de tempo que o SQL Server retém a rota na tabela de roteamento deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreRoleMembership": "Especifica se diferenças na associação de funções de logons deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreQuotedIdentifiers": "Especifica se diferenças na configuração de identificadores entre aspas deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnorePermissions": "Especifica se as permissões deverão ser ignoradas.", + "SchemaCompare.Description.IgnorePartitionSchemes": "Especifica se diferenças em esquemas de partição e funções deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreObjectPlacementOnPartitionScheme": "Especifica se o posicionamento de um objeto em um esquema de partição deverá ser ignorado ou atualizado quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreNotForReplication": "Especifica se as configurações que não sejam para replicação deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreLoginSids": "Especifica se diferenças no SID (número de identificação de segurança) deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreLockHintsOnIndexes": "Especifica se diferenças nas dicas de bloqueio em índices deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreKeywordCasing": "Especifica se diferenças de uso de maiúsculas em palavras-chave deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreIndexPadding": "Especifica se diferenças no preenchimento de índices deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreIndexOptions": "Especifica se diferenças nas opções de índice deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreIncrement": "Especifica se diferenças no incremento de uma coluna de identidade deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreIdentitySeed": "Especifica se diferenças na semente de uma coluna de identidade deverão ser ignoradas ou atualizadas quando você publicar atualizações em um banco de dados.", + "SchemaCompare.Description.IgnoreUserSettingsObjects": "Especifica se diferenças nos objetos de configuração de usuário serão ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreFullTextCatalogFilePath": "Especifica se diferenças no caminho do arquivo do catálogo de texto completo deverão ser ignoradas ou se um aviso deverá ser emitido quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreWhitespace": "Especifica se diferenças de espaço em branco serão ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreWithNocheckOnForeignKeys": "Especifica se diferenças no valor da cláusula WITH NOCHECK para chaves estrangeiras serão ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.VerifyCollationCompatibility": "Especifica se a compatibilidade do agrupamento é verificada.", + "SchemaCompare.Description.UnmodifiableObjectWarnings": "Especifica se avisos deverão ser gerados quando diferenças forem encontradas em objetos que não podem ser modificados, por exemplo, se o tamanho de arquivo ou caminho de arquivo for diferente para um arquivo.", + "SchemaCompare.Description.TreatVerificationErrorsAsWarnings": "Especifica se erros encontrados durante a verificação de publicação deverão ser tratados como avisos. A verificação é executada no plano de implantação gerado antes de o plano ser executado no banco de dados de destino. A verificação do plano detecta problemas, como a perda de objetos somente destino (como índices), que deverão ser removidos para fazer uma alteração. A verificação também detecta situações em que dependências (como uma tabela ou exibição) existem por causa de uma referência a um projeto composto, mas não existem no banco de dados de destino. Convém fazer isso para obter uma lista completa de todos os problemas, ao invés de interromper a publicação no primeiro erro.", + "SchemaCompare.Description.ScriptRefreshModule": "Inclui instruções de atualização no fim do script de publicação.", + "SchemaCompare.Description.ScriptNewConstraintValidation": "Ao final da publicação, todas as restrições serão verificadas em conjunto, evitando erros de dados causados por uma restrição de verificação ou chave estrangeira no meio da publicação. Se o item for definido como False, as restrições serão publicadas sem que os dados correspondentes sejam verificados.", + "SchemaCompare.Description.ScriptFileSize": "Determina se o tamanho é especificado ao adicionar um arquivo a um filegroup.", + "SchemaCompare.Description.ScriptDeployStateChecks": "Especifica se as instruções serão geradas no script de publicação para verificar se o nome do banco de dados e o nome do servidor correspondem aos nomes especificados no projeto de banco de dados.", + "SchemaCompare.Description.ScriptDatabaseOptions": "Especifica se as propriedades do banco de dados de destino devem ser definidas ou atualizadas como parte da ação de publicação.", + "SchemaCompare.Description.ScriptDatabaseCompatibility": "Especifica se diferenças na compatibilidade do banco de dados deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.ScriptDatabaseCollation": "Especifica se diferenças no agrupamento do banco de dados deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.RunDeploymentPlanExecutors": "Especifica se os colaboradores de DeploymentPlanExecutor deverão ser executados quando outras operações forem executadas.", + "SchemaCompare.Description.RegisterDataTierApplication": "Especifica se o esquema é registrado no servidor de banco de dados.", + "SchemaCompare.Description.PopulateFilesOnFileGroups": "Especifica se um novo arquivo também será criado quando um novo FileGroup for criado no banco de dados de destino.", + "SchemaCompare.Description.NoAlterStatementsToChangeClrTypes": "Especifica que a publicação sempre deverá remover e recriar um assembly quando houver uma diferença em vez de emitir uma instrução ALTER ASSEMBLY", + "SchemaCompare.Description.IncludeTransactionalScripts": "Especifica se instruções transacionais deverão ser usadas onde possível quando você publicar em um banco de dados.", + "SchemaCompare.Description.IncludeCompositeObjects": "Inclua todos os elementos compostos como parte de uma única operação de publicação.", + "SchemaCompare.Description.AllowUnsafeRowLevelSecurityDataMovement": "Não bloqueie a movimentação de dados em uma tabela que tem Segurança em Nível de Linha se esta propriedade estiver definida como true. O padrão é false.", + "SchemaCompare.Description.IgnoreWithNocheckOnCheckConstraints": "Especifica se diferenças no valor da cláusula WITH NOCHECK para restrições de verificação serão ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreFillFactor": "Especifica se diferenças no fator de preenchimento de armazenamento de índice deverão ser ignoradas ou se um aviso deverá ser emitido quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreFileSize": "Especifica se diferenças nos tamanhos de arquivos deverão ser ignoradas ou se um aviso deverá ser emitido quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreFilegroupPlacement": "Especifica se diferenças no posicionamento de objetos em FILEGROUPs deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.DoNotAlterReplicatedObjects": "Especifica se os objetos replicados são identificados durante a verificação.", + "SchemaCompare.Description.DoNotAlterChangeDataCaptureObjects": "Se true, os objetos do Change Data Capture não serão alterados.", + "SchemaCompare.Description.DisableAndReenableDdlTriggers": "Especifica se os gatilhos DDL (Data Definition Language) são desabilitados no início do processo de publicação e reabilitados ao final da ação de publicação.", + "SchemaCompare.Description.DeployDatabaseInSingleUserMode": "Se true, o banco de dados será definido para o Modo de Usuário Único antes da implantação.", + "SchemaCompare.Description.CreateNewDatabase": "Especifica se o banco de dados de destino deverá ser atualizado ou removido e recriado quando você publicar em um banco de dados.", + "SchemaCompare.Description.CompareUsingTargetCollation": "Essa configuração determina como a ordenação do banco de dados é manipulada durante a implantação. Por padrão, a ordenação do banco de dados de destino será atualizada se não corresponder à ordenação especificada pela origem. Quando essa opção estiver definida, a ordenação do banco de dados de destino (ou do servidor) deverá ser usada.", + "SchemaCompare.Description.CommentOutSetVarDeclarations": "Especifica se a declaração de variáveis SETVAR deve ser comentada no script de publicação gerado. Convém fazer isso se você pretende especificar os valores na linha de comando ao publicar usando uma ferramenta, como SQLCMD.EXE.", + "SchemaCompare.Description.BlockWhenDriftDetected": "Especifica se a atualização de um banco de dados cujo esquema não corresponde mais a seu registro ou que não está registrado deverá ser bloqueada.", + "SchemaCompare.Description.BlockOnPossibleDataLoss": "Especifica se o episódio de publicação deve ser terminado na possibilidade de perda de dados resultante da operação de publicação.", + "SchemaCompare.Description.BackupDatabaseBeforeChanges": "Faz backups do banco de dados antes de implantar alterações.", + "SchemaCompare.Description.AllowIncompatiblePlatform": "Especifica se a ação deve ser tentada apesar de plataformas SQL Server incompatíveis.", + "SchemaCompare.Description.AllowDropBlockingAssemblies": "Esta propriedade é usada pela implantação de SqlClr para que todos os assemblies de bloqueio sejam removidos como parte do plano de implantação. Por padrão, todos os assemblies de bloqueio/referência bloquearão uma atualização de assembly se o assembly de referência precisar ser removido.", + "SchemaCompare.Description.DropConstraintsNotInSource": "Especifica se restrições que não existem no arquivo de instantâneo do banco de dados (.dacpac) serão removidas do banco de dados de destino quando você publicar em um banco de dados.", + "SchemaCompare.Description.DropDmlTriggersNotInSource": "Especifica se gatilhos DML que não existem no arquivo de instantâneo do banco de dados (.dacpac) serão removidos do banco de dados de destino quando você publicar em um banco de dados.", + "SchemaCompare.Description.DropExtendedPropertiesNotInSource": "Especifica se as propriedades estendidas que não existem no arquivo de instantâneo do banco de dados (.dacpac) serão removidas do banco de dados de destino quando você publicar em um banco de dados.", + "SchemaCompare.Description.DropIndexesNotInSource": "Especifica se os índices que não existem no arquivo de instantâneo do banco de dados (.dacpac) serão removidos do banco de dados de destino quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreFileAndLogFilePath": "Especifica se diferenças nos caminhos para arquivos e arquivos de log deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreExtendedProperties": "Especifica se as propriedades estendidas devem ser ignoradas.", + "SchemaCompare.Description.IgnoreDmlTriggerState": "Especifica se diferenças no estado habilitado ou desabilitado de gatilhos DML deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreDmlTriggerOrder": "Especifica se diferenças na ordem de gatilhos DML (linguagem de manipulação de dados) deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreDefaultSchema": "Especifica se diferenças no esquema padrão deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreDdlTriggerState": "Especifica se diferenças no estado habilitado ou desabilitado de gatilhos DDL (linguagem de definição de dados) deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreDdlTriggerOrder": "Especifica se diferenças na ordem de gatilhos DDL (linguagem de definição de dados) deverão ser ignoradas ou atualizadas quando você publicar em um servidor ou banco de dados.", + "SchemaCompare.Description.IgnoreCryptographicProviderFilePath": "Especifica se as diferenças no caminho do arquivo para o provedor de criptografia deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.VerifyDeployment": "Especifica se, antes da publicação, deverão ser executadas verificações, que interromperão a ação de publicação se houver problemas presentes que possam impedir uma publicação bem-sucedida. Por exemplo, a ação de publicação poderá ser interrompida se houver chaves estrangeiras no banco de dados de destino que não existam no projeto de banco de dados e que causarão erros na publicação.", + "SchemaCompare.Description.IgnoreComments": "Especifica se diferenças nos comentários deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreColumnCollation": "Especifica se diferenças nos agrupamentos de colunas deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreAuthorizer": "Especifica se diferenças no Autorizador deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.IgnoreAnsiNulls": "Especifica se diferenças na configuração ANSI NULLS deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados.", + "SchemaCompare.Description.GenerateSmartDefaults": "Automaticamente fornece um valor padrão ao atualizar uma tabela que contém dados com uma coluna que não permite valores nulos.", + "SchemaCompare.Description.DropStatisticsNotInSource": "Especifica se as estatísticas que não existem no arquivo de instantâneo do banco de dados (.dacpac) serão removidas do banco de dados de destino quando você publicar em um banco de dados.", + "SchemaCompare.Description.DropRoleMembersNotInSource": "Especifica se os membros da função que não estão definidos no arquivo de instantâneo (.dacpac) do banco de dados serão removidos do banco de dados de destino quando você publicar as atualizações em um banco de dados. cor. Por exemplo, adicione 'column1': red para garantir que essa coluna use uma cor vermelha ", - "legendDescription": "Indica a posição preferida e a visibilidade da legenda do gráfico. Esses são os nomes das colunas da sua consulta e mapeados para o rótulo de cada entrada do gráfico", - "labelFirstColumnDescription": "Se dataDirection for horizontal, definir como true usará o valor das primeiras colunas para a legenda.", - "columnsAsLabels": "Se dataDirection for vertical, definir como true usará os nomes das colunas para a legenda.", - "dataDirectionDescription": "Define se os dados são lidos de uma coluna (vertical) ou uma linha (horizontal). Para séries temporais, isso é ignorado, pois a direção deve ser vertical.", - "showTopNData": "Se showTopNData for definido, mostre somente os dados top N no gráfico." - }, - "sql/platform/dashboard/browser/insightRegistry": { - "schema.dashboardWidgets.InsightsRegistry": "Widget usado nos painéis" - }, - "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { - "resourceViewer.showActions": "Mostrar Ações", - "resourceViewerInput.resourceViewer": "Visualizador de Recursos" - }, - "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { - "extension.contributes.resourceView.resource.id": "Identificador do recurso.", - "extension.contributes.resourceView.resource.name": "O nome legível para humanos da exibição. Será mostrado", - "extension.contributes.resourceView.resource.icon": "Caminho para o ícone de recurso.", - "extension.contributes.resourceViewResources": "Contribui o recurso para o modo de exibição de recursos", - "requirestring": "a propriedade `{0}` é obrigatória e deve ser do tipo `string`", - "optstring": "a propriedade `{0}` pode ser omitida ou deve ser do tipo `string`" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { - "resourceViewer.ariaLabel": "Árvore do Visualizador de Recursos" - }, - "sql/platform/dashboard/browser/widgetRegistry": { - "schema.dashboardWidgets.all": "Widget usado nos painéis", - "schema.dashboardWidgets.database": "Widget usado nos painéis", - "schema.dashboardWidgets.server": "Widget usado nos painéis" - }, - "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { - "azdata.extension.contributes.widget.when": "A condição deve ser true para mostrar este item", - "azdata.extension.contributes.widget.hideHeader": "Opção de ocultar o cabeçalho do widget. O valor padrão é false", - "dashboardpage.tabName": "O título do contêiner", - "dashboardpage.rowNumber": "A linha do componente na grade", - "dashboardpage.rowSpan": "O rowspan do componente na grade. O valor padrão é 1. Use '*' para definir o número de linhas na grade.", - "dashboardpage.colNumber": "A coluna do componente na grade", - "dashboardpage.colspan": "O colspan do component na grade. O valor padrão é 1. Use '*' para definir o número de colunas na grade.", - "azdata.extension.contributes.dashboardPage.tab.id": "Identificador exclusivo para esta guia. Será passado para a extensão para quaisquer solicitações.", - "dashboardTabError": "A guia Extensão é desconhecida ou não está instalada." - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { - "dashboardDatabaseProperties": "Habilitar ou desabilitar o widget de propriedades", - "dashboard.databaseproperties": "Valores de propriedade para mostrar", - "dashboard.databaseproperties.displayName": "Nome de exibição da propriedade", - "dashboard.databaseproperties.value": "Valor no objeto de informações do banco de dados", - "dashboard.databaseproperties.ignore": "Especificar valores específicos para ignorar", - "recoveryModel": "Modo de Recuperação", - "lastDatabaseBackup": "Último Backup de Banco de Dados", - "lastLogBackup": "Último Backup de Log", - "compatibilityLevel": "Nível de Compatibilidade", - "owner": "Proprietário", - "dashboardDatabase": "Personaliza a página do painel de banco de dados", - "objectsWidgetTitle": "Pesquisar", - "dashboardDatabaseTabs": "Personaliza as guias do painel de banco de dados" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { - "dashboardServerProperties": "Habilitar ou desabilitar o widget de propriedades", - "dashboard.serverproperties": "Valores de propriedade para mostrar", - "dashboard.serverproperties.displayName": "Nome de exibição da propriedade", - "dashboard.serverproperties.value": "Valor no objeto de informações do servidor", - "version": "Versão", - "edition": "Edição", - "computerName": "Nome do Computador", - "osVersion": "Versão do Sistema Operacional", - "explorerWidgetsTitle": "Pesquisar", - "dashboardServer": "Personaliza a página de painel do servidor", - "dashboardServerTabs": "Personaliza as guias de painel do servidor" - }, - "sql/workbench/contrib/dashboard/browser/dashboardActions": { - "ManageAction": "Gerenciar" - }, - "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { - "opticon": "propriedade `ícone` pode ser omitida ou deve ser uma cadeia de caracteres ou um literal como `{escuro, claro}`" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { - "insightWidgetDescription": "Adiciona um widget que pode consultar um servidor ou banco de dados e exibir os resultados de várias maneiras – como um gráfico, uma contagem resumida e muito mais", - "insightIdDescription": "Identificador Exclusivo usado para armazenar em cache os resultados do insight.", - "insightQueryDescription": "Consulta SQL para executar. Isso deve retornar exatamente 1 resultset.", - "insightQueryFileDescription": "[Opcional] caminho para um arquivo que contém uma consulta. Use se a 'query' não for definida", - "insightAutoRefreshIntervalDescription": "[Opcional] Intervalo de atualização automática em minutos, se não estiver definido, não haverá atualização automática", - "actionTypes": "Quais ações usar", - "actionDatabaseDescription": "Banco de dados de destino da ação. É possível usar o formato '${ columnName }' para usar um nome de coluna controlado por dados.", - "actionServerDescription": "O servidor de destino da ação. É possível usar o formato '${ columnName }' para usar um nome de coluna controlado por dados.", - "actionUserDescription": "O usuário de destino para a ação. É possível usar o formato '${ columnName }' para usar um nome de coluna controlado por dados.", - "carbon.extension.contributes.insightType.id": "Identificador do insight", - "carbon.extension.contributes.insights": "Contribui com insights para a paleta do painel." - }, - "sql/workbench/contrib/backup/browser/backupActions": { - "backupAction.backup": "Backup", - "backup.isPreviewFeature": "Você precisa habilitar as versões prévias dos recursos para poder utilizar o backup", - "backup.commandNotSupported": "O comando Backup não é compatível com bancos de dados SQL do Azure.", - "backup.commandNotSupportedForServer": "O comando Backup não é compatível no contexto do servidor. Selecione um banco de dados e tente novamente." - }, - "sql/workbench/contrib/restore/browser/restoreActions": { - "restoreAction.restore": "Restaurar", - "restore.isPreviewFeature": "Você precisa habilitar as versões prévias dos recursos para poder utilizar a restauração", - "restore.commandNotSupported": "O comando Restore não é compatível com bancos de dados SQL do Azure." - }, - "sql/workbench/contrib/extensions/browser/extensionsActions": { - "showRecommendations": "Mostrar Recomendações", - "Install Extensions": "Instalar Extensões", - "openExtensionAuthoringDocs": "Criar uma Extensão..." - }, - "sql/workbench/browser/editData/editDataInput": { - "connectionFailure": "Falha ao conectar sessão de dados" - }, - "sql/workbench/browser/modal/optionsDialog": { - "optionsDialog.ok": "OK", - "optionsDialog.cancel": "Cancelar" - }, - "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { - "newDashboardTab.openDashboardExtensions": "Abrir extensões do painel", - "newDashboardTab.ok": "OK", - "newDashboardTab.cancel": "Cancelar", - "newdashboardTabDialog.noExtensionLabel": "Não há extensões de painel para serem instaladas neste momento. Vá para o Gerenciador de Extensões para explorar extensões recomendadas." - }, - "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { - "filebrowser.filepath": "Caminho selecionado", - "fileFilter": "Arquivos do tipo", - "fileBrowser.ok": "OK", - "fileBrowser.discard": "Descartar" - }, - "sql/workbench/services/insights/browser/insightsDialogController": { - "insightsInputError": "Nenhum Perfil de Conexão foi passado para o submenu de insights", - "insightsError": "Erro de insights", - "insightsFileError": "Houve um erro ao ler o arquivo de consulta: ", - "insightsConfigError": "Ocorreu um erro ao analisar a configuração do insight. Não foi possível encontrar a matriz/cadeia de caracteres de consulta ou o arquivo de consulta" - }, - "sql/workbench/services/accountManagement/browser/accountPickerImpl": { - "azureAccount": "Conta do Azure", - "azureTenant": "Locatário do Azure" - }, - "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { - "showDataExplorer": "Mostrar Conexões", - "dataExplorer.servers": "Servidores", - "dataexplorer.name": "Conexões" - }, - "sql/workbench/contrib/tasks/browser/tasksView": { - "noTaskMessage": "Nenhum histórico de tarefas a ser exibido.", - "taskHistory.regTreeAriaLabel": "Histórico de tarefa", - "taskError": "Erro de tarefa" - }, - "sql/workbench/services/connection/browser/connectionActions": { - "ClearRecentlyUsedLabel": "Limpar Lista", - "ClearedRecentConnections": "Lista de conexões recentes limpa", - "connectionAction.yes": "Sim", - "connectionAction.no": "Não", - "clearRecentConnectionMessage": "Tem certeza de que deseja excluir todas as conexões da lista?", - "connectionDialog.yes": "Sim", - "connectionDialog.no": "Não", - "delete": "Excluir", - "connectionAction.GetCurrentConnectionString": "Obter a Cadeia de Conexão Atual", - "connectionAction.connectionString": "A cadeia de conexão não está disponível", - "connectionAction.noConnection": "Nenhuma conexão ativa disponível" - }, - "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { - "connectionTree.refresh": "Atualizar", - "connectionTree.editConnection": "Editar Conexão", - "DisconnectAction": "Desconectar", - "connectionTree.addConnection": "Nova Conexão", - "connectionTree.addServerGroup": "Novo Grupo de Servidores", - "connectionTree.editServerGroup": "Editar Grupo de Servidores", - "activeConnections": "Mostrar Conexões Ativas", - "showAllConnections": "Mostrar Todas as Conexões", - "recentConnections": "Conexões Recentes", - "deleteConnection": "Excluir Conexão", - "deleteConnectionGroup": "Excluir Grupo" - }, - "sql/workbench/contrib/editData/browser/editDataActions": { - "editData.run": "Executar", - "disposeEditFailure": "Editar descarte falhou com o erro: ", - "editData.stop": "Parar", - "editData.showSql": "Mostrar Painel do SQL", - "editData.closeSql": "Fechar Painel do SQL" - }, - "sql/workbench/browser/editor/profiler/profilerInput": { - "profilerInput.profiler": "Profiler", - "profilerInput.notConnected": "Não conectado", - "profiler.sessionStopped": "A sessão do XEvent Profiler parou inesperadamente no servidor {0}.", - "profiler.sessionCreationError": "Erro ao iniciar nova sessão", - "profiler.eventsLost": "A sessão do XEvent Profiler para {0} perdeu eventos." - }, - "sql/workbench/browser/modelComponents/loadingComponent.component": { + "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { "loadingMessage": "Carregando", "loadingCompletedMessage": "Carregamento concluído" }, - "sql/workbench/services/serverGroup/browser/serverGroupDialog": { - "ServerGroupsDialogTitle": "Grupos de Servidores", - "serverGroup.ok": "OK", - "serverGroup.cancel": "Cancelar", - "connectionGroupName": "Nome do grupo de servidores", - "MissingGroupNameError": "O nome do grupo é obrigatório.", - "groupDescription": "Descrição do grupo", - "groupColor": "Cor do grupo" + "sql/base/browser/ui/panel/panel.component": { + "hideTextLabel": "Ocultar rótulos de texto", + "showTextLabel": "Mostrar rótulos de texto" }, - "sql/workbench/services/accountManagement/browser/accountDialogController": { - "accountDialog.addAccountErrorTitle": "Erro ao adicionar a conta" - }, - "sql/workbench/services/insights/browser/insightsDialogView": { - "insights.item": "Item", - "insights.value": "Valor", - "insightsDetailView.name": "Detalhes do Insight", - "property": "Propriedade", - "value": "Valor", - "InsightsDialogTitle": "Insights", - "insights.dialog.items": "Itens", - "insights.dialog.itemDetails": "Detalhes do Item" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { - "oauthFlyoutIsAlreadyOpen": "Não é possível iniciar o OAuth automático. Um OAuth automático já está em andamento." - }, - "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { - "eventSort": "Classificar por evento", - "nameColumn": "Classificar por coluna", - "profilerColumnDialog.profiler": "Profiler", - "profilerColumnDialog.ok": "OK", - "profilerColumnDialog.cancel": "Cancelar" - }, - "sql/workbench/services/profiler/browser/profilerFilterDialog": { - "profilerFilterDialog.clear": "Limpar tudo", - "profilerFilterDialog.apply": "Aplicar", - "profilerFilterDialog.ok": "OK", - "profilerFilterDialog.cancel": "Cancelar", - "profilerFilterDialog.title": "Filtros", - "profilerFilterDialog.remove": "Remover esta cláusula", - "profilerFilterDialog.saveFilter": "Salvar Filtro", - "profilerFilterDialog.loadFilter": "Carregar Filtro", - "profilerFilterDialog.addClauseText": "Adicionar uma cláusula", - "profilerFilterDialog.fieldColumn": "Campo", - "profilerFilterDialog.operatorColumn": "Operador", - "profilerFilterDialog.valueColumn": "Valor", - "profilerFilterDialog.isNullOperator": "É Nulo", - "profilerFilterDialog.isNotNullOperator": "Não É Nulo", - "profilerFilterDialog.containsOperator": "Contém", - "profilerFilterDialog.notContainsOperator": "Não Contém", - "profilerFilterDialog.startsWithOperator": "Começa Com", - "profilerFilterDialog.notStartsWithOperator": "Não Começa Com" - }, - "sql/workbench/contrib/editData/browser/gridActions": { - "saveAsCsv": "Salvar Como CSV", - "saveAsJson": "Salvar Como JSON", - "saveAsExcel": "Salvar Como Excel", - "saveAsXml": "Salvar Como XML", - "copySelection": "Copiar", - "copyWithHeaders": "Copiar com Cabeçalhos", - "selectAll": "Selecionar Tudo" - }, - "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { - "dashboard.properties.property": "Define uma propriedade para mostrar no painel", - "dashboard.properties.property.displayName": "Qual o valor a ser usado como um rótulo para a propriedade", - "dashboard.properties.property.value": "Qual o valor do objeto para acessar o valor", - "dashboard.properties.property.ignore": "Especifique os valores a serem ignorados", - "dashboard.properties.property.default": "Valor padrão para mostrar se ignorado ou sem valor", - "dashboard.properties.flavor": "Uma variante para definir as propriedades do painel", - "dashboard.properties.flavor.id": "Id da variante", - "dashboard.properties.flavor.condition": "Condição para usar essa variante", - "dashboard.properties.flavor.condition.field": "Campo para comparar a", - "dashboard.properties.flavor.condition.operator": "Qual operador usar para comparação", - "dashboard.properties.flavor.condition.value": "Valor para comparar o campo com", - "dashboard.properties.databaseProperties": "Propriedades a serem exibidas na página de banco de dados", - "dashboard.properties.serverProperties": "Propriedades a serem exibidas na página do servidor", - "carbon.extension.dashboard": "Define que este provedor oferece suporte para o painel", - "dashboard.id": "Id do provedor (ex. MSSQL)", - "dashboard.properties": "Valores de propriedade a serem exibidos no painel" - }, - "sql/workbench/browser/modelComponents/inputbox.component": { - "invalidValueError": "Valor inválido", - "period": "{0}. {1}" - }, - "sql/workbench/browser/modelComponents/dropdown.component": { - "loadingMessage": "Carregando", - "loadingCompletedMessage": "Carregamento concluído" - }, - "sql/workbench/browser/modelComponents/declarativeTable.component": { - "blankValue": "branco", - "checkAllColumnLabel": "marcar todas as caixas de seleção na coluna: {0}" - }, - "sql/workbench/api/common/extHostModelViewTree": { - "treeView.notRegistered": "Não há exibição de árvore com a id '{0}' registrada." - }, - "sql/workbench/services/editData/common/editQueryRunner": { - "query.initEditExecutionFailed": "Falha ao inicializar a sessão de edição de dados: " - }, - "sql/workbench/services/notebook/common/notebookRegistry": { - "carbon.extension.contributes.notebook.provider": "Identificador do provedor de notebook.", - "carbon.extension.contributes.notebook.fileExtensions": "Quais extensões de arquivo devem ser registradas para este provedor de notebook?", - "carbon.extension.contributes.notebook.standardKernels": "Quais kernels devem ser padrão com este provedor de notebook?", - "vscode.extension.contributes.notebook.providers": "Contribui com provedores de notebooks.", - "carbon.extension.contributes.notebook.magic": "Nome do magic da célula, como '%%sql'.", - "carbon.extension.contributes.notebook.language": "A linguagem de célula a ser usada se esta magic da célula estiver incluída na célula", - "carbon.extension.contributes.notebook.executionTarget": "Destino de execução opcional que essa mágic indica, por exemplo, Spark versus SQL", - "carbon.extension.contributes.notebook.kernels": "Conjunto opcional de kernels que é válido para, por exemplo, python3, pyspark, SQL", - "vscode.extension.contributes.notebook.languagemagics": "Contribui com a linguagem do notebook." - }, - "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { - "runActiveCell": "A tecla de atalho F5 requer que uma célula de código seja selecionada. Selecione uma célula de código para executar.", - "clearResultActiveCell": "Limpar o resultado requer que uma célula de código seja selecionada. Selecione uma célula de código para executar." - }, - "sql/workbench/services/notebook/browser/interfaces": { - "sqlKernel": "SQL" - }, - "sql/workbench/contrib/editData/browser/editDataEditor": { - "maxRowTaskbar": "Máximo de Linhas:" - }, - "sql/workbench/contrib/profiler/browser/profilerEditor": { - "profiler.viewSelectAccessibleName": "Selecionar Exibição", - "profiler.sessionSelectAccessibleName": "Selecionar Sessão", - "profiler.sessionSelectLabel": "Selecionar Sessão:", - "profiler.viewSelectLabel": "Selecionar Exibição:", - "text": "Texto", - "label": "Rótulo", - "profilerEditor.value": "Valor", - "details": "Detalhes" - }, - "sql/workbench/contrib/query/browser/statusBarItems": { - "status.query.timeElapsed": "Tempo Decorrido", - "status.query.rowCount": "Contagem de Linhas", - "rowCount": "{0} linhas", - "query.status.executing": "Executando consulta...", - "status.query.status": "Status de Execução", - "status.query.selection-summary": "Resumo da Seleção", - "status.query.summaryText": "Média: {0} Contagem: {1} Soma: {2}" - }, - "sql/workbench/contrib/query/browser/flavorStatus": { - "chooseSqlLang": "Escolha a linguagem SQL", - "changeProvider": "Alterar provedor de linguagem SQL", - "status.query.flavor": "Variante de linguagem SQL", - "changeSqlProvider": "Alterar Provedor de Mecanismo SQL", - "alreadyConnected": "Existe uma conexão usando o mecanismo {0}. Para alterar, desconecte ou altere a conexão", - "noEditor": "Nenhum editor de texto ativo neste momento", - "pickSqlProvider": "Selecionar o Provedor de Linguagem" - }, - "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { - "plotlyError": "Erro ao exibir o gráfico Plotly: {0}" - }, - "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { - "noRendererFound": "Nenhum renderizador {0} foi encontrado para saída. Ele tem os seguintes tipos MIME: {1}", - "safe": "(seguro) " - }, - "sql/workbench/browser/scriptingActions": { - "scriptSelect": "Selecione Top 1000", - "scriptKustoSelect": "Levar 10", - "scriptExecute": "Script como Executar", - "scriptAlter": "Script como Alterar", - "editData": "Editar Dados", - "scriptCreate": "Script como Criar", - "scriptDelete": "Script como Soltar" - }, - "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { - "providerRequired": "Um NotebookProvider com providerId válido precisa ser passado para este método" - }, - "sql/workbench/api/common/extHostNotebook": { - "providerRequired": "Um NotebookProvider com providerId válido precisa ser passado para este método", - "errNoProvider": "nenhum provedor de notebook encontrado", - "errNoManager": "Nenhum Gerenciador encontrado", - "noServerManager": "O Notebook Manager para o notebook {0} não tem um gerenciador de servidores. Não é possível executar operações nele", - "noContentManager": "O Notebook Manager do notebook {0} não tem um gerenciador de conteúdo. Não é possível executar operações nele", - "noSessionManager": "O Notebook Manager do notebook {0} não tem um gerenciador de sessão. Não é possível executar operações nele" - }, - "sql/workbench/services/connection/browser/connectionManagementService": { - "connection.noAzureAccount": "Falha ao obter o token de conta do Azure para a conexão", - "connectionNotAcceptedError": "Conexão não aceita", - "connectionService.yes": "Sim", - "connectionService.no": "Não", - "cancelConnectionConfirmation": "Tem certeza de que deseja cancelar esta conexão?" - }, - "sql/workbench/contrib/webview/browser/webViewDialog": { - "webViewDialog.ok": "OK", - "webViewDialog.close": "Fechar" - }, - "sql/workbench/contrib/notebook/browser/notebookActions": { - "loading": "Carregando kernels...", - "changing": "Alterando kernel...", - "AttachTo": "Anexar a ", - "Kernel": "Kernel ", - "loadingContexts": "Carregando contextos...", - "changeConnection": "Alterar Conexão", - "selectConnection": "Selecionar Conexão", - "localhost": "localhost", - "noKernel": "Nenhum Kernel", - "clearResults": "Limpar Resultados", - "trustLabel": "Confiável", - "untrustLabel": "Não Confiável", - "collapseAllCells": "Recolher Células", - "expandAllCells": "Expandir Células", - "noContextAvailable": "Nenhum", - "newNotebookAction": "Novo Notebook", - "notebook.findNext": "Encontrar Próxima Cadeia de Caracteres", - "notebook.findPrevious": "Encontrar Cadeia de Caracteres Anterior" - }, - "sql/workbench/contrib/queryPlan/browser/queryPlan": { - "queryPlanTitle": "Plano de Consulta" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { - "resourceViewer.refresh": "Atualizar" - }, - "sql/workbench/services/dialog/browser/dialogPane": { - "wizardPageNumberDisplayText": "Etapa {0}" - }, - "sql/base/parts/editableDropdown/browser/dropdown": { - "editableDropdown.errorValidate": "Deve ser uma opção da lista", - "selectBox": "Selecionar Caixa" + "sql/base/browser/ui/panel/tabActions": { + "closeTab": "Fechar" }, "sql/base/browser/ui/selectBox/selectBox": { "alertErrorMessage": "Erro: {0}", "alertWarningMessage": "Aviso: {0}", "alertInfoMessage": "Informações: {0}" }, - "sql/workbench/services/connection/browser/connectionDialogWidget": { - "connection": "Conexão", - "connecting": "Conectando", - "connectType": "Tipo de conexão", - "recentConnectionTitle": "Conexões Recentes", - "savedConnectionTitle": "Conexões Salvas", - "connectionDetailsTitle": "Detalhes da Conexão", - "connectionDialog.connect": "Conectar", - "connectionDialog.cancel": "Cancelar", - "connectionDialog.recentConnections": "Conexões Recentes", - "noRecentConnections": "Nenhuma conexão recente", - "connectionDialog.savedConnections": "Conexões Salvas", - "noSavedConnections": "Nenhuma conexão salva" + "sql/base/browser/ui/table/formatters": { + "tableCell.NoDataAvailable": "não há dados disponíveis" }, - "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { - "fileBrowser.regTreeAriaLabel": "Árvore de navegador de arquivo" + "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { + "selectDeselectAll": "Selecionar/Desmarcar Tudo" }, - "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { - "from": "De", - "to": "Para", - "createNewFirewallRule": "Criar regra de firewall", - "firewall.ok": "OK", - "firewall.cancel": "Cancelar", - "firewallRuleDialogDescription": "Seu endereço IP de cliente não tem acesso ao servidor. Entre com uma conta Azure e crie uma regra de firewall para permitir o acesso.", - "firewallRuleHelpDescription": "Saiba mais sobre as configurações do firewall", - "filewallRule": "Regra de firewall", - "addIPAddressLabel": "Adicionar o meu IP de cliente ", - "addIpRangeLabel": "Adicionar meu intervalo de IP de sub-rede" + "sql/base/browser/ui/table/plugins/headerFilter.plugin": { + "headerFilter.showFilter": "Mostrar Filtro", + "table.selectAll": "Selecionar tudo", + "table.searchPlaceHolder": "Pesquisar", + "tableFilter.visibleCount": "{0} resultados", + "tableFilter.selectedCount": "{0} selecionado(s)", + "table.sortAscending": "Classificação Crescente", + "table.sortDescending": "Classificação Decrescente", + "headerFilter.ok": "OK", + "headerFilter.clear": "Limpar", + "headerFilter.cancel": "Cancelar", + "table.filterOptions": "Opções de filtro" }, - "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { - "allFiles": "Todos os arquivos" + "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { + "loadingSpinner.loading": "Carregando" }, - "sql/workbench/services/insights/common/insightsUtils": { - "insightsDidNotFindResolvedFile": "Não foi possível encontrar o arquivo de consulta em nenhum dos seguintes caminhos: {0}" + "sql/base/browser/ui/table/plugins/rowDetailView": { + "rowDetailView.loadError": "Erro ao carregar..." }, - "sql/workbench/services/accountManagement/browser/accountListRenderer": { - "refreshCredentials": "Você precisa atualizar as credenciais para esta conta." + "sql/base/browser/ui/taskbar/overflowActionbar": { + "toggleMore": "Alternar Mais" + }, + "sql/base/common/locConstants": { + "azuredatastudio": "Azure Data Studio", + "default": "Habilitar verificações de atualização automática. O Azure Data Studio verificará se há atualizações automaticamente e periodicamente.", + "enableWindowsBackgroundUpdates": "Habilitar o download e a instalação de novas versões do Azure Data Studio no segundo plano no Windows", + "showReleaseNotes": "Mostrar notas de versão após uma atualização. As notas de versão são abertas em uma nova janela do navegador da Web.", + "dashboard.toolbar": "O menu de ação da barra de ferramentas do painel", + "notebook.cellTitle": "O menu de título da célula do bloco de anotações", + "notebook.title": "O menu de título do bloco de anotações", + "notebook.toolbar": "O menu da barra de ferramentas do bloco de anotações.", + "dataExplorer.action": "O menu de ação do título do contêiner de exibição dataexplorer", + "dataExplorer.context": "O menu de contexto do item dataexplorer", + "objectExplorer.context": "O menu de contexto do item do explorador de objetos", + "connectionDialogBrowseTree.context": "O menu de contexto da árvore de navegação da caixa de diálogo de conexão", + "dataGrid.context": "O menu de contexto do item da grade de dados", + "extensionsPolicy": "Define a política de segurança para baixar extensões.", + "InstallVSIXAction.allowNone": "A política de extensão não permite a instalação de extensões. Altere sua política de extensão e tente novamente.", + "InstallVSIXAction.successReload": "A instalação da extensão {0} foi concluída do VSIX. Recarregue o Azure Data Studio para habilitá-la.", + "postUninstallTooltip": "Recarregue o Azure Data Studio para concluir a desinstalação dessa extensão.", + "postUpdateTooltip": "Recarregue o Azure Data Studio para habilitar a extensão atualizada.", + "enable locally": "Recarregue o Azure Data Studio para habilitar essa extensão localmente.", + "postEnableTooltip": "Recarregue o Azure Data Studio para habilitar essa extensão.", + "postDisableTooltip": "Recarregue o Azure Data Studio para desabilitar essa extensão.", + "uninstallExtensionComplete": "Recarregue o Azure Data Studio para concluir a desinstalação da extensão {0}.", + "enable remote": "Recarregue o Azure Data Studio para habilitar essa extensão em {0}.", + "installExtensionCompletedAndReloadRequired": "A instalação da extensão {0} foi concluída. Recarregue o Azure Data Studio para habilitá-la.", + "ReinstallAction.successReload": "Recarregue o Azure Data Studio para concluir a reinstalação da extensão {0}.", + "recommendedExtensions": "Marketplace", + "scenarioTypeUndefined": "O tipo de cenário para as recomendações de extensão precisa ser fornecido.", + "incompatible": "Não é possível instalar a extensão '{0}' porque ela não é compatível com o Azure Data Studio '{1}'.", + "newQuery": "Nova consulta", + "miNewQuery": "Nova &&consulta", + "miNewNotebook": "&&Novo Bloco de anotações", + "maxMemoryForLargeFilesMB": "Controla a memória disponível para o Azure Data Studio após a reinicialização ao tentar abrir arquivos grandes. O mesmo efeito que especificar `--max-memory=NEWSIZE` na linha de comando.", + "updateLocale": "Deseja alterar o idioma da interface do usuário do Azure Data Studio para {0} e reiniciar?", + "activateLanguagePack": "Para usar o Azure Data Studio em {0}, o Azure Data Studio precisa ser reiniciado.", + "watermark.newSqlFile": "Novo arquivo SQL", + "watermark.newNotebook": "Novo bloco de anotações", + "miinstallVsix": "Instalar extensão do pacote VSIX" + }, + "sql/base/parts/editableDropdown/browser/dropdown": { + "editableDropdown.errorValidate": "Deve ser uma opção da lista", + "selectBox": "Selecionar Caixa" }, "sql/platform/accounts/common/accountActions": { "addAccount": "Adicionar uma conta", @@ -10190,354 +9358,24 @@ "refreshAccount": "Reinsira suas credenciais", "NoAccountToRefresh": "Não há nenhuma conta para atualizar" }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { - "showNotebookExplorer": "Mostrar Notebooks", - "notebookExplorer.searchResults": "Resultados da Pesquisa", - "searchPathNotFoundError": "Caminho de pesquisa não encontrado: {0}", - "notebookExplorer.name": "Notebooks" + "sql/platform/clipboard/browser/clipboardService": { + "imageCopyingNotSupported": "Não há suporte para copiar imagens" }, - "sql/workbench/contrib/query/browser/keyboardQueryActions": { - "focusOnCurrentQueryKeyboardAction": "Foco na Consulta Atual", - "runQueryKeyboardAction": "Executar Consulta", - "runCurrentQueryKeyboardAction": "Executar Consulta Atual", - "copyQueryWithResultsKeyboardAction": "Copiar Consulta com Resultados", - "queryActions.queryResultsCopySuccess": "Consulta e resultados copiados com êxito.", - "runCurrentQueryWithActualPlanKeyboardAction": "Executar Consulta Atual com Plano Real", - "cancelQueryKeyboardAction": "Cancelar Consulta", - "refreshIntellisenseKeyboardAction": "Atualizar Cache do IntelliSense", - "toggleQueryResultsKeyboardAction": "Alternar Resultados da Consulta", - "ToggleFocusBetweenQueryEditorAndResultsAction": "Alternar Foco entre a Consulta e os Resultados", - "queryShortcutNoEditor": "O editor de parâmetro é necessário para um atalho ser executado", - "parseSyntaxLabel": "Analisar Consulta", - "queryActions.parseSyntaxSuccess": "Comandos concluídos com êxito", - "queryActions.parseSyntaxFailure": "Falha no comando: ", - "queryActions.notConnected": "Conecte-se a um servidor" + "sql/platform/connection/common/connectionConfig": { + "invalidServerName": "Um grupo de servidores com o mesmo nome já existe." }, - "sql/workbench/contrib/tasks/browser/tasksRenderer": { - "succeeded": "com êxito", - "failed": "falhou", - "inProgress": "em andamento", - "notStarted": "não iniciado", - "canceled": "cancelado", - "canceling": "cancelando" + "sql/platform/dashboard/browser/insightRegistry": { + "schema.dashboardWidgets.InsightsRegistry": "Widget usado nos painéis" }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { - "chartErrorMessage": "O gráfico não pode ser exibido com os dados fornecidos" + "sql/platform/dashboard/browser/widgetRegistry": { + "schema.dashboardWidgets.all": "Widget usado nos painéis", + "schema.dashboardWidgets.database": "Widget usado nos painéis", + "schema.dashboardWidgets.server": "Widget usado nos painéis" }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { - "resourceViewerTable.openError": "Erro ao abrir o link: {0}", - "resourceViewerTable.commandError": "Erro ao executar o comando '{0}' : {1}" - }, - "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { - "copyFailed": "Falha na cópia com o erro {0}", - "notebook.showChart": "Mostrar gráfico", - "notebook.showTable": "Mostrar tabela" - }, - "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { - "doubleClickEdit": "Clique duas vezes para editar", - "addContent": "Adicionar conteúdo aqui... " - }, - "sql/workbench/contrib/scripting/browser/scriptingActions": { - "refreshError": "Ocorreu um erro ao atualizar o nó '{0}': {1}" - }, - "sql/workbench/api/common/extHostModelViewDialog": { - "dialogDoneLabel": "Concluído", - "dialogCancelLabel": "Cancelar", - "generateScriptLabel": "Gerar script", - "dialogNextLabel": "Próximo", - "dialogPreviousLabel": "Anterior", - "dashboardNotInitialized": "As guias não estão inicializadas" - }, - "sql/workbench/browser/modal/optionsDialogHelper": { - "optionsDialog.missingRequireField": " é necessário.", - "optionsDialog.invalidInput": "Entrada inválida. Valor numérico esperado." - }, - "sql/workbench/services/restore/browser/restoreDialog": { - "backupFilePath": "Caminho do arquivo de backup", - "targetDatabase": "Banco de dados de destino", - "restoreDialog.restore": "Restaurar", - "restoreDialog.restoreTitle": "Restaurar banco de dados", - "restoreDialog.database": "Banco de dados", - "restoreDialog.backupFile": "Arquivo de backup", - "RestoreDialogTitle": "Restaurar banco de dados", - "restoreDialog.cancel": "Cancelar", - "restoreDialog.script": "Script", - "source": "Fonte", - "restoreFrom": "Restaurar de", - "missingBackupFilePathError": "O caminho do arquivo de backup é obrigatório.", - "multipleBackupFilePath": "Insira um ou mais caminhos de arquivo separados por vírgulas", - "database": "Banco de dados", - "destination": "Destino", - "restoreTo": "Restaurar para", - "restorePlan": "Restaurar plano", - "backupSetsToRestore": "Conjuntos de backup para restaurar", - "restoreDatabaseFileAs": "Restaurar arquivos de banco de dados como", - "restoreDatabaseFileDetails": "Restaurar os detalhes do arquivo de banco de dados", - "logicalFileName": "Nome do Arquivo lógico", - "fileType": "Tipo de arquivo", - "originalFileName": "Nome do Arquivo Original", - "restoreAs": "Restaurar como", - "restoreOptions": "Opções de restauração", - "taillogBackup": "Backup da parte final do log", - "serverConnection": "Conexões de servidor", - "generalTitle": "Geral", - "filesTitle": "Arquivos", - "optionsTitle": "Opções" - }, - "sql/workbench/services/insights/browser/insightDialogActions": { - "workbench.action.insights.copySelection": "Copiar Célula" - }, - "sql/workbench/services/dialog/common/dialogTypes": { - "dialogModalDoneButtonLabel": "Concluído", - "dialogModalCancelButtonLabel": "Cancelar" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { - "copyAndOpen": "Copiar e Abrir", - "oauthDialog.cancel": "Cancelar", - "userCode": "Código do usuário", - "website": "Site" - }, - "sql/workbench/browser/modelComponents/componentBase": { - "invalidIndex": "O índice {0} é inválido." - }, - "sql/workbench/services/connection/browser/cmsConnectionWidget": { - "serverDescription": "Descrição do Servidor (opcional)" - }, - "sql/workbench/services/connection/browser/advancedPropertiesController": { - "connectionAdvancedProperties": "Propriedades Avançadas", - "advancedProperties.discard": "Descartar" - }, - "sql/workbench/services/notebook/common/localContentManager": { - "nbformatNotRecognized": "nbformat v{0}.{1} não reconhecido", - "nbNotSupported": "Este arquivo não tem um formato de notebook válido", - "unknownCellType": "Tipo de célula {0} desconhecido", - "unrecognizedOutput": "Tipo de saída {0} não reconhecido", - "invalidMimeData": "Espera-se que os dados de {0} sejam uma cadeia de caracteres ou uma matriz de cadeia de caracteres", - "unrecognizedOutputType": "Tipo de saída {0} não reconhecido" - }, - "sql/workbench/contrib/welcome/page/browser/welcomePage": { - "welcomePage": "Bem-vindo(a)", - "welcomePage.adminPack": "Admin Pack do SQL", - "welcomePage.showAdminPack": "Admin Pack do SQL", - "welcomePage.adminPackDescription": "O Admin Pack do SQL Server é uma coleção de extensões populares de administração de banco de dados que ajudam você a gerenciar o SQL Server", - "welcomePage.powershell": "PowerShell", - "welcomePage.powershellDescription": "Grave e execute scripts do PowerShell usando o editor de consultas avançado do Azure Data Studio", - "welcomePage.dataVirtualization": "Virtualização de Dados", - "welcomePage.dataVirtualizationDescription": "Virtualize os dados com o SQL Server 2019 e crie tabelas externas usando assistentes interativos", - "welcomePage.PostgreSQL": "PostgreSQL", - "welcomePage.PostgreSQLDescription": "Conecte-se, consulte e gerencie bancos de dados Postgres com o Azure Data Studio", - "welcomePage.extensionPackAlreadyInstalled": "O suporte para {0} já está instalado.", - "welcomePage.willReloadAfterInstallingExtensionPack": "A janela será recarregada após a instalação do suporte adicional para {0}.", - "welcomePage.installingExtensionPack": "Instalando suporte adicional para {0}...", - "welcomePage.extensionPackNotFound": "Não foi possível encontrar suporte para {0} com a id {1}.", - "welcomePage.newConnection": "Nova conexão", - "welcomePage.newQuery": "Nova consulta", - "welcomePage.newNotebook": "Novo notebook", - "welcomePage.deployServer": "Implantar um servidor", - "welcome.title": "Bem-vindo(a)", - "welcomePage.new": "Novo", - "welcomePage.open": "Abrir…", - "welcomePage.openFile": "Abrir arquivo…", - "welcomePage.openFolder": "Abrir a pasta…", - "welcomePage.startTour": "Iniciar Tour", - "closeTourBar": "Fechar barra do tour rápido", - "WelcomePage.TakeATour": "Deseja fazer um tour rápido pelo Azure Data Studio?", - "WelcomePage.welcome": "Bem-vindo(a)!", - "welcomePage.openFolderWithPath": "Abrir pasta {0} com caminho {1}", - "welcomePage.install": "Instalar", - "welcomePage.installKeymap": "Instalar o mapa de teclas {0}", - "welcomePage.installExtensionPack": "Instalar suporte adicional para {0}", - "welcomePage.installed": "Instalado", - "welcomePage.installedKeymap": "O mapa de teclas {0} já está instalado", - "welcomePage.installedExtensionPack": "O suporte de {0} já está instalado", - "ok": "OK", - "details": "Detalhes", - "welcomePage.background": "Cor da tela de fundo da página inicial." - }, - "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { - "profilerTextEditorAriaLabel": "Editor do Profiler para o texto do evento .ReadOnly" - }, - "sql/workbench/services/query/common/resultSerializer": { - "msgSaveFailed": "Falha ao salvar os resultados. ", - "resultsSerializer.saveAsFileTitle": "Escolher o Arquivo de Resultados", - "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (separado por vírgula)", - "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", - "resultsSerializer.saveAsFileExtensionExcelTitle": "Pasta de Trabalho do Excel", - "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", - "resultsSerializer.saveAsFileExtensionTXTTitle": "Texto Sem Formatação", - "savingFile": "Salvando arquivo...", - "msgSaveSucceeded": "Os resultados foram salvos com êxito em {0}", - "openFile": "Abrir arquivo" - }, - "sql/base/browser/ui/panel/panel.component": { - "hideTextLabel": "Ocultar rótulos de texto", - "showTextLabel": "Mostrar rótulos de texto" - }, - "sql/workbench/browser/modelComponents/queryTextEditor": { - "queryTextEditorAriaLabel": "Editor de código modelview para modelo de exibição." - }, - "sql/workbench/browser/modal/modal": { - "infoAltText": "Informações", - "warningAltText": "Aviso", - "errorAltText": "Erro", - "showMessageDetails": "Mostrar Detalhes", - "copyMessage": "Copiar", - "closeMessage": "Fechar", - "modal.back": "Voltar", - "hideMessageDetails": "Ocultar Detalhes" - }, - "sql/workbench/services/accountManagement/browser/accountDialog": { - "accountExplorer.name": "Contas", - "linkedAccounts": "Contas vinculadas", - "accountDialog.close": "Fechar", - "accountDialog.noAccountLabel": "Não há nenhuma conta vinculada. Adicione uma conta.", - "accountDialog.addConnection": "Adicionar uma conta", - "accountDialog.noCloudsRegistered": "Você não tem nuvens habilitadas. Acesse Configurações-> Pesquisar Configuração de Conta do Azure-> Habilitar pelo menos uma nuvem", - "accountDialog.didNotPickAuthProvider": "Você não selecionou nenhum provedor de autenticação. Tente novamente." - }, - "sql/workbench/services/query/common/queryRunner": { - "query.ExecutionFailedError": "A execução falhou devido a um erro inesperado: {0} {1}", - "query.message.executionTime": "Tempo total de execução: {0}", - "query.message.startQueryWithRange": "Execução da consulta iniciada na linha {0}", - "query.message.startQuery": "Execução do lote {0} iniciada", - "elapsedBatchTime": "Tempo de execução em lote: {0}", - "copyFailed": "Falha na cópia com o erro {0}" - }, - "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { - "welcomePage.azdata": "Azure Data Studio", - "welcomePage.start": "Início", - "welcomePage.newConnection": "Nova conexão", - "welcomePage.newQuery": "Nova consulta", - "welcomePage.newNotebook": "Novo notebook", - "welcomePage.openFileMac": "Abrir arquivo", - "welcomePage.openFileLinuxPC": "Abrir arquivo", - "welcomePage.deploy": "Implantar", - "welcomePage.newDeployment": "Nova Implantação…", - "welcomePage.recent": "Recente", - "welcomePage.moreRecent": "Mais...", - "welcomePage.noRecentFolders": "Não há pastas recentes", - "welcomePage.help": "Ajuda", - "welcomePage.gettingStarted": "Introdução", - "welcomePage.productDocumentation": "Documentação", - "welcomePage.reportIssue": "Relatar problema ou solicitação de recurso", - "welcomePage.gitHubRepository": "Repositório GitHub", - "welcomePage.releaseNotes": "Notas sobre a versão", - "welcomePage.showOnStartup": "Mostrar a página inicial na inicialização", - "welcomePage.customize": "Personalizar", - "welcomePage.extensions": "Extensões", - "welcomePage.extensionDescription": "Baixe as extensões necessárias, incluindo o pacote de Administrador do SQL Server e muito mais", - "welcomePage.keyboardShortcut": "Atalhos de Teclado", - "welcomePage.keyboardShortcutDescription": "Encontre seus comandos favoritos e personalize-os", - "welcomePage.colorTheme": "Tema de cores", - "welcomePage.colorThemeDescription": "Faça com que o editor e seu código tenham a aparência que você mais gosta", - "welcomePage.learn": "Learn", - "welcomePage.showCommands": "Encontrar e executar todos os comandos", - "welcomePage.showCommandsDescription": "Acesse e pesquise rapidamente comandos na Paleta de Comandos ({0})", - "welcomePage.azdataBlog": "Descubra o que há de novo na versão mais recente", - "welcomePage.azdataBlogDescription": "Novas postagens mensais do blog apresentando nossos novos recursos", - "welcomePage.followTwitter": "Siga-nos no Twitter", - "welcomePage.followTwitterDescription": "Mantenha-se atualizado com a forma como a Comunidade está usando o Azure Data Studio e converse diretamente com os engenheiros." - }, - "sql/workbench/contrib/profiler/browser/profilerActions": { - "profilerAction.connect": "Conectar", - "profilerAction.disconnect": "Desconectar", - "start": "Início", - "create": "Nova Sessão", - "profilerAction.pauseCapture": "Pausar", - "profilerAction.resumeCapture": "Continuar", - "profilerStop.stop": "Parar", - "profiler.clear": "Limpar Dados", - "profiler.clearDataPrompt": "Tem certeza de que deseja limpar os dados?", - "profiler.yes": "Sim", - "profiler.no": "Não", - "profilerAction.autoscrollOn": "Rolagem Automática: Ativada", - "profilerAction.autoscrollOff": "Rolagem Automática: Desativada", - "profiler.toggleCollapsePanel": "Alternar Painel Recolhido", - "profiler.editColumns": "Editar Colunas", - "profiler.findNext": "Encontrar Próxima Cadeia de Caracteres", - "profiler.findPrevious": "Encontrar Cadeia de Caracteres Anterior", - "profilerAction.newProfiler": "Iniciar Profiler", - "profiler.filter": "Filtro...", - "profiler.clearFilter": "Limpar Filtro", - "profiler.clearFilterPrompt": "Tem certeza de que deseja limpar os filtros?" - }, - "sql/workbench/contrib/profiler/browser/profilerTableEditor": { - "ProfilerTableEditor.eventCountFiltered": "Eventos (Filtrados): {0}/{1}", - "ProfilerTableEditor.eventCount": "Eventos: {0}", - "status.eventCount": "Contagem de Eventos" - }, - "sql/base/browser/ui/table/formatters": { - "tableCell.NoDataAvailable": "não há dados disponíveis" - }, - "sql/workbench/contrib/query/browser/queryResultsView": { - "resultsTabTitle": "Resultados", - "messagesTabTitle": "Mensagens" - }, - "sql/workbench/browser/scriptingUtils": { - "scriptSelectNotFound": "Nenhum script foi retornado ao chamar o script select no objeto ", - "selectOperationName": "Selecionar", - "createOperationName": "Criar", - "insertOperationName": "Inserir", - "updateOperationName": "Atualizar", - "deleteOperationName": "Excluir", - "scriptNotFoundForObject": "Nenhum script foi retornado durante o script como {0} no objeto {1}", - "scriptingFailed": "O script falhou", - "scriptNotFound": "Nenhum script foi retornado ao criar scripts como {0}" - }, - "sql/platform/theme/common/colors": { - "tableHeaderBackground": "Cor da tela de fundo do cabeçalho de tabela", - "tableHeaderForeground": "Cor de primeiro plano do cabeçalho de tabela", - "listFocusAndSelectionBackground": "Cor da tela de fundo da lista/tabela para o item selecionado e foco quando a lista/tabela estiver ativa", - "tableCellOutline": "Cor do contorno de uma célula.", - "disabledInputBoxBackground": "Fundo da caixa de entrada desabilitado.", - "disabledInputBoxForeground": "Primeiro plano da caixa de entrada desabilitado.", - "buttonFocusOutline": "Cor do contorno do botão quando focada.", - "disabledCheckboxforeground": "Primeiro plano da caixa de seleção desabilitado.", - "agentTableBackground": "Cor da tela de fundo da tabela do SQL Agent.", - "agentCellBackground": "Cor da tela de fundo da célula de tabela do SQL Agent.", - "agentTableHoverBackground": "Cor da tela de fundo para tabela do SQL Agent.", - "agentJobsHeadingColor": "Cor da tela de fundo do título do SQL Agent.", - "agentCellBorderColor": "Cor da borda da célula na tabela do SQL Agent.", - "resultsErrorColor": "Cor de erro das mensagens de resultados." - }, - "sql/workbench/contrib/backup/browser/backup.component": { - "backup.backupName": "Nome do backup", - "backup.recoveryModel": "Modelo de recuperação", - "backup.backupType": "Tipo de backup", - "backup.backupDevice": "Arquivos de backup", - "backup.algorithm": "Algoritmo", - "backup.certificateOrAsymmetricKey": "Chave de Certificado ou Assimétrica", - "backup.media": "Mídia", - "backup.mediaOption": "Backup para o conjunto de mídias existente", - "backup.mediaOptionFormat": "Backup para um novo conjunto de mídias", - "backup.existingMediaAppend": "Acrescentar ao conjunto de backup existente", - "backup.existingMediaOverwrite": "Substituir todos os conjuntos de backup existentes", - "backup.newMediaSetName": "Novo nome do conjunto de mídias", - "backup.newMediaSetDescription": "Nova descrição do conjunto de mídias", - "backup.checksumContainer": "Executar soma de verificação antes de gravar na mídia", - "backup.verifyContainer": "Verificar backup quando terminar", - "backup.continueOnErrorContainer": "Continuar em caso de erro", - "backup.expiration": "Expiração", - "backup.setBackupRetainDays": "Defina os dias de retenção de backup", - "backup.copyOnly": "Backup somente cópia", - "backup.advancedConfiguration": "Configuração Avançada", - "backup.compression": "Compactação", - "backup.setBackupCompression": "Definir a compactação de backup", - "backup.encryption": "Criptografia", - "backup.transactionLog": "Log de transações", - "backup.truncateTransactionLog": "Truncar o log de transações", - "backup.backupTail": "Backup do final do log", - "backup.reliability": "Confiabilidade", - "backup.mediaNameRequired": "O nome da mídia é obrigatório", - "backup.noEncryptorWarning": "Nenhum certificado ou chave assimétrica está disponível", - "addFile": "Adicionar um arquivo", - "removeFile": "Remover arquivos", - "backupComponent.invalidInput": "Entrada inválida. O valor deve ser maior ou igual a 0.", - "backupComponent.script": "Script", - "backupComponent.backup": "Backup", - "backupComponent.cancel": "Cancelar", - "backup.containsBackupToUrlError": "Apenas backup para arquivo é compatível", - "backup.backupFileRequired": "O caminho do arquivo de backup é obrigatório" + "sql/platform/serialization/common/serializationService": { + "saveAsNotSupported": "O salvamento de resultados em diferentes formatos está desabilitado para este provedor de dados.", + "noSerializationProvider": "Não foi possível serializar os dados, pois não foi registrado nenhum provedor", + "unknownSerializationError": "Falha na serialização com um erro desconhecido" }, "sql/platform/theme/common/colorRegistry": { "tileBorder": "A cor da borda dos blocos", @@ -10587,231 +9425,184 @@ "calloutDialogBodyBackground": "Tela de fundo do corpo da caixa de diálogo do texto explicativo.", "calloutDialogShadowColor": "Cor da sombra da caixa de diálogo do texto explicativo." }, - "sql/workbench/contrib/views/browser/treeView": { - "no-dataprovider": "Não há nenhum provedor de dados registrado que possa fornecer dados de exibição.", - "refresh": "Atualizar", - "collapseAll": "Recolher Tudo", - "command-error": "Erro ao executar o comando {1}: {0}. Isso provavelmente é causado pela extensão que contribui com {1}." + "sql/platform/theme/common/colors": { + "tableHeaderBackground": "Cor da tela de fundo do cabeçalho de tabela", + "tableHeaderForeground": "Cor de primeiro plano do cabeçalho de tabela", + "listFocusAndSelectionBackground": "Cor da tela de fundo da lista/tabela para o item selecionado e foco quando a lista/tabela estiver ativa", + "tableCellOutline": "Cor do contorno de uma célula.", + "disabledInputBoxBackground": "Fundo da caixa de entrada desabilitado.", + "disabledInputBoxForeground": "Primeiro plano da caixa de entrada desabilitado.", + "buttonFocusOutline": "Cor do contorno do botão quando focada.", + "disabledCheckboxforeground": "Primeiro plano da caixa de seleção desabilitado.", + "agentTableBackground": "Cor da tela de fundo da tabela do SQL Agent.", + "agentCellBackground": "Cor da tela de fundo da célula de tabela do SQL Agent.", + "agentTableHoverBackground": "Cor da tela de fundo para tabela do SQL Agent.", + "agentJobsHeadingColor": "Cor da tela de fundo do título do SQL Agent.", + "agentCellBorderColor": "Cor da borda da célula na tabela do SQL Agent.", + "resultsErrorColor": "Cor de erro das mensagens de resultados." }, - "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { - "notebook.failed": "Selecione a célula ativa e tente novamente", - "runCell": "Executar célula", - "stopCell": "Cancelar execução", - "errorRunCell": "Erro na última execução. Clique para executar novamente" + "sql/workbench/api/browser/mainThreadExtensionManagement": { + "workbench.generalObsoleteApiNotification": "Algumas das extensões carregadas estão usando APIs obsoletas. Encontre as informações detalhadas na guia Console da janela Ferramentas para Desenvolvedores", + "dontShowAgain": "Não Mostrar Novamente" }, - "sql/workbench/contrib/tasks/common/tasksAction": { - "cancelTask.cancel": "Cancelar", - "errorMsgFromCancelTask": "Falha ao cancelar a tarefa.", - "taskAction.script": "Script" - }, - "sql/base/browser/ui/taskbar/overflowActionbar": { - "toggleMore": "Alternar Mais" - }, - "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { - "loadingSpinner.loading": "Carregando" - }, - "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { - "homeCrumb": "Página Inicial" - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { - "dashboardNavSection.loadTabError": "A seção \"{0}\" tem conteúdo inválido. Entre em contato com o proprietário da extensão." - }, - "sql/workbench/contrib/jobManagement/browser/agentView.component": { - "jobview.Jobs": "Trabalhos", - "jobview.Notebooks": "Notebooks", - "jobview.Alerts": "Alertas", - "jobview.Proxies": "Proxies", - "jobview.Operators": "Operadores" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { - "serverPageName": "Propriedades do Servidor" - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { - "databasePageName": "Propriedades do Banco de Dados" - }, - "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { - "selectDeselectAll": "Selecionar/Desmarcar Tudo" - }, - "sql/base/browser/ui/table/plugins/headerFilter.plugin": { - "headerFilter.showFilter": "Mostrar Filtro", - "headerFilter.ok": "OK", - "headerFilter.clear": "Limpar", - "headerFilter.cancel": "Cancelar" - }, - "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { - "treeAriaLabel": "Conexões Recentes", - "serversAriaLabel": "Servidores", - "treeCreation.regTreeAriaLabel": "Servidores" - }, - "sql/workbench/services/restore/common/constants": { - "backup.filterBackupFiles": "Arquivos de Backup", - "backup.allFiles": "Todos os Arquivos" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { - "label.Search": "Pesquisar: digite o termo de pesquisa e pressione Enter para pesquisar ou Escape para cancelar", - "search.placeHolder": "Pesquisar" - }, - "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { - "dashboard.changeDatabaseFailure": "Falha ao alterar o banco de dados" - }, - "sql/workbench/contrib/jobManagement/browser/alertsView.component": { - "jobAlertColumns.name": "Nome", - "jobAlertColumns.lastOccurrenceDate": "Última Ocorrência", - "jobAlertColumns.enabled": "Habilitado", - "jobAlertColumns.delayBetweenResponses": "Atraso Entre as Respostas (em segundos)", - "jobAlertColumns.categoryName": "Nome da Categoria" - }, - "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { - "jobOperatorsView.name": "Nome", - "jobOperatorsView.emailAddress": "Endereço de Email", - "jobOperatorsView.enabled": "Habilitado" - }, - "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { - "jobProxiesView.accountName": "Nome da Conta", - "jobProxiesView.credentialName": "Nome da Credencial", - "jobProxiesView.description": "Descrição", - "jobProxiesView.isEnabled": "Habilitado" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { - "loadingObjects": "carregando objetos", - "loadingDatabases": "carregando bancos de dados", - "loadingObjectsCompleted": "carregamento de objetos concluído.", - "loadingDatabasesCompleted": "carregamento dos bancos de dados concluído.", - "seachObjects": "Pesquisar pelo nome do tipo (t:, v:, f: ou sp:)", - "searchDatabases": "Pesquisar bancos de dados", - "dashboard.explorer.objectError": "Não é possível carregar objetos", - "dashboard.explorer.databaseError": "Não é possível carregar bancos de dados" - }, - "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { - "loadingProperties": "Carregando as propriedades", - "loadingPropertiesCompleted": "Carregamento de propriedades concluído", - "dashboard.properties.error": "Não é possível carregar as propriedades do painel" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { - "insightsWidgetLoadingMessage": "Carregando {0}", - "insightsWidgetLoadingCompletedMessage": "Carregamento de {0} concluído", - "insights.autoRefreshOffState": "Atualização Automática: DESATIVADA", - "insights.lastUpdated": "Ultima Atualização: {0} {1}", - "noResults": "Nenhum resultado para mostrar" - }, - "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { - "agent.steps": "Etapas" - }, - "sql/workbench/contrib/query/browser/actions": { - "saveAsCsv": "Salvar Como CSV", - "saveAsJson": "Salvar Como JSON", - "saveAsExcel": "Salvar Como Excel", - "saveAsXml": "Salvar Como XML", - "jsonEncoding": "A codificação de resultados não será salva ao exportar para JSON. Lembre-se de salvar com a codificação desejada após a criação do arquivo.", - "saveToFileNotSupported": "Salvar em arquivo não é uma ação compatível com a fonte de dados de backup", - "copySelection": "Copiar", - "copyWithHeaders": "Copiar Com Cabeçalhos", - "selectAll": "Selecionar Tudo", - "maximize": "Maximizar", - "restore": "Restaurar", - "chart": "Gráfico", - "visualizer": "Visualizador" + "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { + "runActiveCell": "A tecla de atalho F5 requer que uma célula de código seja selecionada. Selecione uma célula de código para executar.", + "clearResultActiveCell": "Limpar o resultado requer que uma célula de código seja selecionada. Selecione uma célula de código para executar." }, "sql/workbench/api/common/extHostModelView": { "unknownComponentType": "Tipo de componente desconhecido. É necessário usar o ModelBuilder para criar objetos", "invalidIndex": "O índice {0} é inválido.", "unknownConfig": "Configuração de componente desconhecida. É necessário usar o ModelBuilder para criar um objeto de configuração" }, - "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { - "stepRow.stepID": "ID da Etapa", - "stepRow.stepName": "Nome da Etapa", - "stepRow.message": "Mensagem" + "sql/workbench/api/common/extHostModelViewDialog": { + "dialogDoneLabel": "Concluído", + "dialogCancelLabel": "Cancelar", + "generateScriptLabel": "Gerar script", + "dialogNextLabel": "Próximo", + "dialogPreviousLabel": "Anterior", + "dashboardNotInitialized": "As guias não estão inicializadas" }, - "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { - "label.find": "Encontrar", - "placeholder.find": "Encontrar", - "label.previousMatchButton": "Correspondência anterior", - "label.nextMatchButton": "Próxima correspondência", - "label.closeButton": "Fechar", - "title.matchesCountLimit": "Sua pesquisa retornou um grande número de resultados. Apenas as primeiras 999 correspondências serão destacadas.", - "label.matchesLocation": "{0} de {1}", - "label.noResults": "Nenhum Resultado" + "sql/workbench/api/common/extHostModelViewTree": { + "treeView.notRegistered": "Não há exibição de árvore com a id '{0}' registrada." }, - "sql/workbench/contrib/charts/browser/chartView": { - "horizontalBarAltName": "Barra Horizontal", - "barAltName": "Barra", - "lineAltName": "Linha", - "pieAltName": "Pizza", - "scatterAltName": "Dispersão", - "timeSeriesAltName": "Série Temporal", - "imageAltName": "Imagem", - "countAltName": "Contagem", - "tableAltName": "Tabela", - "doughnutAltName": "Rosca", - "charting.failedToGetRows": "Falha ao obter as linhas do conjunto de dados para o gráfico.", - "charting.unsupportedType": "Não há suporte para o tipo de gráfico '{0}'." + "sql/workbench/api/common/extHostNotebook": { + "providerRequired": "Um NotebookProvider com providerId válido precisa ser passado para este método", + "errNoProvider": "nenhum provedor de notebook encontrado", + "errNoManager": "Nenhum Gerenciador encontrado", + "noServerManager": "O Notebook Manager para o notebook {0} não tem um gerenciador de servidores. Não é possível executar operações nele", + "noContentManager": "O Notebook Manager do notebook {0} não tem um gerenciador de conteúdo. Não é possível executar operações nele", + "noSessionManager": "O Notebook Manager do notebook {0} não tem um gerenciador de sessão. Não é possível executar operações nele" }, - "sql/workbench/contrib/notebook/browser/cellViews/code.component": { - "parametersText": "Parâmetros" + "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { + "providerRequired": "Um NotebookProvider com providerId válido precisa ser passado para este método" }, - "sql/workbench/services/connection/browser/localizedConstants": { - "onDidConnectMessage": "Conectado a", - "onDidDisconnectMessage": "Desconectado", - "unsavedGroupLabel": "Conexões Não Salvas" + "sql/workbench/browser/actions": { + "manage": "Gerenciar", + "showDetails": "Mostrar Detalhes", + "configureDashboardLearnMore": "Saiba Mais", + "clearSavedAccounts": "Limpar todas as contas salvas" }, - "sql/workbench/services/connection/browser/connectionBrowseTab": { - "connectionDialog.browser": "Procurar (Versão Prévia)", - "connectionDialog.FilterPlaceHolder": "Digite aqui para filtrar a lista", - "connectionDialog.FilterInputTitle": "Filtrar conexões", - "connectionDialog.ApplyingFilter": "Aplicando filtro", - "connectionDialog.RemovingFilter": "Removendo filtro", - "connectionDialog.FilterApplied": "Filtro aplicado", - "connectionDialog.FilterRemoved": "Filtro removido", - "savedConnections": "Conexões Salvas", - "savedConnection": "Conexões Salvas", - "connectionBrowserTree": "Árvore do Navegador de Conexão" + "sql/workbench/browser/actions.contribution": { + "previewFeatures.configTitle": "Versões prévias dos recursos", + "previewFeatures.configEnable": "Habilitar versões prévias dos recursos não liberadas", + "showConnectDialogOnStartup": "Mostrar caixa de diálogo de conexão na inicialização", + "enableObsoleteApiUsageNotificationTitle": "Notificação de API obsoleta", + "enableObsoleteApiUsageNotification": "Habilitar/desabilitar a notificação de uso de API obsoleta" }, - "sql/workbench/contrib/extensions/browser/staticRecommendations": { - "defaultRecommendations": "Esta extensão é recomendada pelo Azure Data Studio." + "sql/workbench/browser/editData/editDataInput": { + "connectionFailure": "Falha ao conectar sessão de dados" }, - "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { - "neverShowAgain": "Não Mostrar Novamente", - "ExtensionsRecommended": "O Azure Data Studio tem recomendações de extensão.", - "VisualizerExtensionsRecommended": "O Azure Data Studio tem recomendações de extensão para a visualização de dados.\r\nQuando ele estiver, você poderá selecionar o ícone Visualizador para visualizar os resultados da consulta.", - "installAll": "Instalar Tudo", - "showRecommendations": "Mostrar Recomendações", - "scenarioTypeUndefined": "O tipo de cenário para as recomendações de extensão precisa ser fornecido." + "sql/workbench/browser/editor/profiler/profilerInput": { + "profilerInput.profiler": "Profiler", + "profilerInput.notConnected": "Não conectado", + "profiler.sessionStopped": "A sessão do XEvent Profiler parou inesperadamente no servidor {0}.", + "profiler.sessionCreationError": "Erro ao iniciar nova sessão", + "profiler.eventsLost": "A sessão do XEvent Profiler para {0} perdeu eventos." }, - "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { - "welcomePage.previewBody": "Esta página de recurso está em versão prévia. Os recursos de versão prévia apresentam novas funcionalidades que estão no caminho para se tornar parte permanente do produto. Eles são estáveis, mas precisam de melhorias de acessibilidade adicionais. Nós agradecemos os seus comentários iniciais enquanto os recursos estão em desenvolvimento.", - "welcomePage.preview": "Versão prévia", - "welcomePage.createConnection": "Criar uma conexão", - "welcomePage.createConnectionBody": "Conectar a uma instância do banco de dados por meio da caixa de diálogo de conexão.", - "welcomePage.runQuery": "Executar uma consulta", - "welcomePage.runQueryBody": "Interagir com os dados por meio de um editor de consultas.", - "welcomePage.createNotebook": "Criar um notebook", - "welcomePage.createNotebookBody": "Crie um notebook usando um editor de notebook nativo.", - "welcomePage.deployServer": "Implantar um servidor", - "welcomePage.deployServerBody": "Crie uma instância de um serviço de dados relacionais na plataforma de sua escolha.", - "welcomePage.resources": "Recursos", - "welcomePage.history": "Histórico", - "welcomePage.name": "Nome", - "welcomePage.location": "Localização", - "welcomePage.moreRecent": "Mostrar mais", - "welcomePage.showOnStartup": "Mostrar a página inicial na inicialização", - "welcomePage.usefuLinks": "Links Úteis", - "welcomePage.gettingStarted": "Introdução", - "welcomePage.gettingStartedBody": "Descubra as funcionalidades oferecidas pelo Azure Data Studio e saiba como aproveitá-las ao máximo.", - "welcomePage.documentation": "Documentação", - "welcomePage.documentationBody": "Visite o centro de documentos para obter guias de início rápido, guias de instruções e referências para o PowerShell, as APIs e outros.", - "welcomePage.videoDescriptionOverview": "Visão geral do Azure Data Studio", - "welcomePage.videoDescriptionIntroduction": "Introdução aos Notebooks do Azure Data Studio | Dados Expostos", - "welcomePage.extensions": "Extensões", - "welcomePage.showAll": "Mostrar Tudo", - "welcomePage.learnMore": "Saiba mais " + "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { + "resourceViewer.showActions": "Mostrar Ações", + "resourceViewerInput.resourceViewer": "Visualizador de Recursos" }, - "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { - "notebookHistory.dateCreatedTooltip": "Data de Criação: ", - "notebookHistory.notebookErrorTooltip": "Erro do Notebook: ", - "notebookHistory.ErrorTooltip": "Erro de Trabalho: ", - "notebookHistory.pinnedTitle": "Fixo", - "notebookHistory.recentRunsTitle": "Execuções Recentes", - "notebookHistory.pastRunsTitle": "Execuções Anteriores" + "sql/workbench/browser/modal/modal": { + "infoAltText": "Informações", + "warningAltText": "Aviso", + "errorAltText": "Erro", + "showMessageDetails": "Mostrar Detalhes", + "copyMessage": "Copiar", + "closeMessage": "Fechar", + "modal.back": "Voltar", + "hideMessageDetails": "Ocultar Detalhes" + }, + "sql/workbench/browser/modal/optionsDialog": { + "optionsDialog.ok": "OK", + "optionsDialog.cancel": "Cancelar" + }, + "sql/workbench/browser/modal/optionsDialogHelper": { + "optionsDialog.missingRequireField": " é necessário.", + "optionsDialog.invalidInput": "Entrada inválida. Valor numérico esperado." + }, + "sql/workbench/browser/modelComponents/componentBase": { + "invalidIndex": "O índice {0} é inválido." + }, + "sql/workbench/browser/modelComponents/declarativeTable.component": { + "blankValue": "branco", + "checkAllColumnLabel": "marcar todas as caixas de seleção na coluna: {0}", + "declarativeTable.showActions": "Mostrar ações" + }, + "sql/workbench/browser/modelComponents/dropdown.component": { + "loadingMessage": "Carregando", + "loadingCompletedMessage": "Carregamento concluído" + }, + "sql/workbench/browser/modelComponents/inputbox.component": { + "invalidValueError": "Valor inválido", + "period": "{0}. {1}" + }, + "sql/workbench/browser/modelComponents/loadingComponent.component": { + "loadingMessage": "Carregando", + "loadingCompletedMessage": "Carregamento concluído" + }, + "sql/workbench/browser/modelComponents/queryTextEditor": { + "queryTextEditorAriaLabel": "Editor de código modelview para modelo de exibição." + }, + "sql/workbench/browser/modelComponents/viewBase": { + "componentTypeNotRegistered": "Não foi possível localizar o componente para o tipo {0}" + }, + "sql/workbench/browser/parts/editor/editorStatusModeSelect": { + "languageChangeUnsupported": "Não há suporte para alterar os tipos de editor em arquivos não salvos" + }, + "sql/workbench/browser/scriptingActions": { + "scriptSelect": "Selecione Top 1000", + "scriptKustoSelect": "Levar 10", + "scriptExecute": "Script como Executar", + "scriptAlter": "Script como Alterar", + "editData": "Editar Dados", + "scriptCreate": "Script como Criar", + "scriptDelete": "Script como Soltar" + }, + "sql/workbench/browser/scriptingUtils": { + "scriptSelectNotFound": "Nenhum script foi retornado ao chamar o script select no objeto ", + "selectOperationName": "Selecionar", + "createOperationName": "Criar", + "insertOperationName": "Inserir", + "updateOperationName": "Atualizar", + "deleteOperationName": "Excluir", + "scriptNotFoundForObject": "Nenhum script foi retornado durante o script como {0} no objeto {1}", + "scriptingFailed": "O script falhou", + "scriptNotFound": "Nenhum script foi retornado ao criar scripts como {0}" + }, + "sql/workbench/common/editor/query/queryEditorInput": { + "disconnected": "desconectado" + }, + "sql/workbench/common/editor/query/queryResultsInput": { + "extensionsInputName": "Extensão" + }, + "sql/workbench/common/theme": { + "verticalTabActiveBackground": "Cor da tela de fundo da guia ativa para guias verticais", + "dashboardBorder": "Cor das bordas no painel", + "dashboardWidget": "Cor do título do widget do painel", + "dashboardWidgetSubtext": "Cor do subtexto do widget de painel", + "propertiesContainerPropertyValue": "Cor dos valores de propriedade exibidos no componente contêiner de propriedades", + "propertiesContainerPropertyName": "Cor dos nomes de propriedade exibidos no componente contêiner de propriedades", + "toolbarOverflowShadow": "Cor da sombra do estouro de barra de ferramentas" + }, + "sql/workbench/contrib/accounts/browser/accountManagement.contribution": { + "carbon.extension.contributes.account.id": "Identificador do tipo de conta", + "carbon.extension.contributes.account.icon": "(Opcional) Ícone que é usado para representar o accpunt na interface do usuário. Um caminho de arquivo ou uma configuração tematizáveis", + "carbon.extension.contributes.account.icon.light": "Caminho do ícone quando um tema leve é usado", + "carbon.extension.contributes.account.icon.dark": "Caminho de ícone quando um tema escuro é usado", + "carbon.extension.contributes.account": "Contribui ícones para provedor de conta." + }, + "sql/workbench/contrib/assessment/browser/asmtActions": { + "asmtaction.server.getitems": "Exibir regras aplicáveis", + "asmtaction.database.getitems": "Exibir regras aplicáveis para {0}", + "asmtaction.server.invokeitems": "Invocar Avaliação", + "asmtaction.database.invokeitems": "Invocar Avaliação para {0}", + "asmtaction.exportasscript": "Exportar como Script", + "asmtaction.showsamples": "Veja todas as regras e saiba mais no GitHub", + "asmtaction.generatehtmlreport": "Criar Relatório HTML", + "asmtaction.openReport": "O relatório foi salvo. Deseja abri-lo?", + "asmtaction.label.open": "Abrir", + "asmtaction.label.cancel": "Cancelar" }, "sql/workbench/contrib/assessment/browser/asmtResultsView.component": { "asmt.NoResultsInitial": "Nada para mostrar. Invoque a avaliação para obter resultados", @@ -10821,110 +9612,6 @@ "asmt.TargetInstanceComplient": "A instância {0} está em total conformidade com as práticas recomendadas. Bom trabalho!", "asmt.TargetDatabaseComplient": "O banco de dados {0} está em total conformidade com as práticas recomendadas. Bom trabalho!" }, - "sql/workbench/contrib/charts/browser/chartTab": { - "chartTabTitle": "Gráfico" - }, - "sql/workbench/contrib/queryPlan/browser/topOperations": { - "topOperations.operation": "Operação", - "topOperations.object": "Objeto", - "topOperations.estCost": "Custo Est.", - "topOperations.estSubtreeCost": "Custo Est. da Subárvore", - "topOperations.actualRows": "Linhas Atuais", - "topOperations.estRows": "Linhas Est.", - "topOperations.actualExecutions": "Execuções Reais", - "topOperations.estCPUCost": "Custo Est. de CPU", - "topOperations.estIOCost": "Custo Est. de E/S", - "topOperations.parallel": "Paralelo", - "topOperations.actualRebinds": "Reassociações Reais", - "topOperations.estRebinds": "Reassociações Est.", - "topOperations.actualRewinds": "Rebobinações Reais", - "topOperations.estRewinds": "Rebobinações Est.", - "topOperations.partitioned": "Particionado", - "topOperationsTitle": "Operações Principais" - }, - "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { - "servers.noConnections": "Nenhuma conexão encontrada.", - "serverTree.addConnection": "Adicionar Conexão" - }, - "sql/workbench/services/connection/browser/connectionWidget": { - "connectionWidget.AddAzureAccount": "Adicionar uma conta...", - "defaultDatabaseOption": "", - "loadingDatabaseOption": "Carregando...", - "serverGroup": "Grupo de servidores", - "defaultServerGroup": "", - "addNewServerGroup": "Adicionar novo grupo...", - "noneServerGroup": "", - "connectionWidget.missingRequireField": "{0} é obrigatório.", - "connectionWidget.fieldWillBeTrimmed": "{0} será removido.", - "rememberPassword": "Lembrar senha", - "connection.azureAccountDropdownLabel": "Conta", - "connectionWidget.refreshAzureCredentials": "Atualizar as credenciais de conta", - "connection.azureTenantDropdownLabel": "Locatário do Azure AD", - "connectionName": "Nome (opcional)", - "advanced": "Avançado...", - "connectionWidget.invalidAzureAccount": "Você precisa selecionar uma conta" - }, - "sql/workbench/contrib/backup/common/constants": { - "backup.labelDatabase": "Banco de dados", - "backup.labelFilegroup": "Arquivos e grupos de arquivos", - "backup.labelFull": "Completo", - "backup.labelDifferential": "Diferencial", - "backup.labelLog": "Log de Transações", - "backup.labelDisk": "Disco", - "backup.labelUrl": "URL", - "backup.defaultCompression": "Usar a configuração padrão do servidor", - "backup.compressBackup": "Compactar backup", - "backup.doNotCompress": "Não compactar backup", - "backup.serverCertificate": "Certificado do Servidor", - "backup.asymmetricKey": "Chave Assimétrica" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { - "searchWithoutFolder": "Você não abriu nenhuma pasta que contenha notebooks/livros. ", - "openNotebookFolder": "Abrir os Notebooks", - "searchMaxResultsWarning": "O conjunto de resultados contém apenas um subconjunto de todas as correspondências. Faça uma pesquisa mais específica para restringir os resultados.", - "searchInProgress": "Pesquisa em andamento... – ", - "noResultsIncludesExcludes": "Nenhum resultado encontrado em '{0}', exceto '{1}' – ", - "noResultsIncludes": "Nenhum resultado encontrado em '{0}' – ", - "noResultsExcludes": "Nenhum resultado encontrado, exceto '{0}' – ", - "noResultsFound": "Nenhum resultado encontrado. Examine suas configurações para obter exclusões configuradas e verifique os arquivos do gitignore – ", - "rerunSearch.message": "Pesquisar novamente", - "cancelSearch.message": "Cancelar Pesquisa", - "rerunSearchInAll.message": "Pesquisar novamente em todos os arquivos", - "openSettings.message": "Abrir as Configurações", - "ariaSearchResultsStatus": "A pesquisa retornou {0} resultados em {1} arquivos", - "ToggleCollapseAndExpandAction.label": "Ativar/Desativar Recolhimento e Expansão", - "CancelSearchAction.label": "Cancelar Pesquisa", - "ExpandAllAction.label": "Expandir Tudo", - "CollapseDeepestExpandedLevelAction.label": "Recolher Tudo", - "ClearSearchResultsAction.label": "Limpar os Resultados da Pesquisa" - }, - "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { - "GuidedTour.connections": "Conexões", - "GuidedTour.makeConnections": "Conecte-se, consulte e gerencie as suas conexões no SQL Server, no Azure e muito mais.", - "GuidedTour.one": "1", - "GuidedTour.next": "Próximo", - "GuidedTour.notebooks": "Notebooks", - "GuidedTour.gettingStartedNotebooks": "Comece a criar o seu notebook ou uma coleção de notebooks em um único lugar.", - "GuidedTour.two": "2", - "GuidedTour.extensions": "Extensões", - "GuidedTour.addExtensions": "Estenda a funcionalidade do Azure Data Studio instalando extensões desenvolvidas por nós/Microsoft e também pela comunidade de terceiros (você!).", - "GuidedTour.three": "3", - "GuidedTour.settings": "Configurações", - "GuidedTour.makeConnesetSettings": "Personalize o Azure Data Studio com base nas suas preferências. Você pode definir configurações como o salvamento automático e o tamanho da tabulação, personalizar os seus Atalhos de Teclado e mudar para um Tema de Cores de sua preferência.", - "GuidedTour.four": "4", - "GuidedTour.welcomePage": "Página Inicial", - "GuidedTour.discoverWelcomePage": "Descubra os principais recursos, arquivos abertos recentemente e extensões recomendadas na Página inicial. Para obter mais informações sobre como começar a usar o Azure Data Studio, confira nossos vídeos e documentação.", - "GuidedTour.five": "5", - "GuidedTour.finish": "Concluir", - "guidedTour": "Tour de Boas-Vindas do Usuário", - "hideGuidedTour": "Ocultar Tour de Boas-Vindas", - "GuidedTour.readMore": "Leia mais", - "help": "Ajuda" - }, - "sql/workbench/contrib/editData/browser/editDataGridActions": { - "deleteRow": "Excluir Linha", - "revertRow": "Desfazer Linha Atual" - }, "sql/workbench/contrib/assessment/common/strings": { "asmt.section.api.title": "Informações da API", "asmt.apiversion": "Versão da API:", @@ -10947,171 +9634,81 @@ "asmt.column.helpLink": "Link da Ajuda", "asmt.sqlReport.severityMsg": "{0}: {1} itens" }, - "sql/workbench/contrib/query/browser/messagePanel": { - "messagePanel": "Painel de Mensagens", - "copy": "Copiar", - "copyAll": "Copiar Tudo" + "sql/workbench/contrib/azure/browser/azure.contribution": { + "azure.openInAzurePortal.title": "Abrir no Portal do Azure" }, - "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { - "loadingMessage": "Carregando", - "loadingCompletedMessage": "Carregamento concluído" + "sql/workbench/contrib/backup/browser/backup.component": { + "backup.backupName": "Nome do backup", + "backup.recoveryModel": "Modelo de recuperação", + "backup.backupType": "Tipo de backup", + "backup.backupDevice": "Arquivos de backup", + "backup.algorithm": "Algoritmo", + "backup.certificateOrAsymmetricKey": "Chave de Certificado ou Assimétrica", + "backup.media": "Mídia", + "backup.mediaOption": "Backup para o conjunto de mídias existente", + "backup.mediaOptionFormat": "Backup para um novo conjunto de mídias", + "backup.existingMediaAppend": "Acrescentar ao conjunto de backup existente", + "backup.existingMediaOverwrite": "Substituir todos os conjuntos de backup existentes", + "backup.newMediaSetName": "Novo nome do conjunto de mídias", + "backup.newMediaSetDescription": "Nova descrição do conjunto de mídias", + "backup.checksumContainer": "Executar soma de verificação antes de gravar na mídia", + "backup.verifyContainer": "Verificar backup quando terminar", + "backup.continueOnErrorContainer": "Continuar em caso de erro", + "backup.expiration": "Expiração", + "backup.setBackupRetainDays": "Defina os dias de retenção de backup", + "backup.copyOnly": "Backup somente cópia", + "backup.advancedConfiguration": "Configuração Avançada", + "backup.compression": "Compactação", + "backup.setBackupCompression": "Definir a compactação de backup", + "backup.encryption": "Criptografia", + "backup.transactionLog": "Log de transações", + "backup.truncateTransactionLog": "Truncar o log de transações", + "backup.backupTail": "Backup do final do log", + "backup.reliability": "Confiabilidade", + "backup.mediaNameRequired": "O nome da mídia é obrigatório", + "backup.noEncryptorWarning": "Nenhum certificado ou chave assimétrica está disponível", + "addFile": "Adicionar um arquivo", + "removeFile": "Remover arquivos", + "backupComponent.invalidInput": "Entrada inválida. O valor deve ser maior ou igual a 0.", + "backupComponent.script": "Script", + "backupComponent.backup": "Backup", + "backupComponent.cancel": "Cancelar", + "backup.containsBackupToUrlError": "Apenas backup para arquivo é compatível", + "backup.backupFileRequired": "O caminho do arquivo de backup é obrigatório" }, - "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { - "clickOn": "Clique em", - "plusCode": "+ Código", - "or": "ou", - "plusText": "+ Texto", - "toAddCell": "para adicionar uma célula de texto ou código" + "sql/workbench/contrib/backup/browser/backup.contribution": { + "backup": "Backup" }, - "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { - "stdInLabel": "Stdin:" + "sql/workbench/contrib/backup/browser/backupActions": { + "backup.isPreviewFeature": "Você precisa habilitar as versões prévias dos recursos para poder utilizar o backup", + "backup.commandNotSupportedForServer": "O comando Backup não é suportado fora de um contexto de banco de dados. Selecione um banco de dados e tente novamente.", + "backup.commandNotSupported": "O comando Backup não é compatível com bancos de dados SQL do Azure.", + "backupAction.backup": "Backup" }, - "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { - "expandCellContents": "Expandir conteúdo da célula do código", - "collapseCellContents": "Recolher conteúdo da célula do código" + "sql/workbench/contrib/backup/common/constants": { + "backup.labelDatabase": "Banco de dados", + "backup.labelFilegroup": "Arquivos e grupos de arquivos", + "backup.labelFull": "Completo", + "backup.labelDifferential": "Diferencial", + "backup.labelLog": "Log de Transações", + "backup.labelDisk": "Disco", + "backup.labelUrl": "URL", + "backup.defaultCompression": "Usar a configuração padrão do servidor", + "backup.compressBackup": "Compactar backup", + "backup.doNotCompress": "Não compactar backup", + "backup.serverCertificate": "Certificado do Servidor", + "backup.asymmetricKey": "Chave Assimétrica" }, - "sql/workbench/contrib/query/browser/gridPanel": { - "xmlShowplan": "Plano de execução XML", - "resultsGrid": "Grade de resultados" - }, - "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { - "buttonAdd": "Adicionar célula", - "optionCodeCell": "Célula de código", - "optionTextCell": "Célula de texto", - "buttonMoveDown": "Mover a célula para baixo", - "buttonMoveUp": "Mover a célula para cima", - "buttonDelete": "Excluir", - "codeCellsPreview": "Adicionar célula", - "codePreview": "Célula de código", - "textPreview": "Célula de texto" - }, - "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { - "sqlKernelError": "Erro no kernel do SQL", - "connectionRequired": "Uma conexão precisa ser escolhida para executar as células do notebook", - "sqlMaxRowsDisplayed": "Exibindo as Primeiras {0} linhas." - }, - "sql/workbench/contrib/jobManagement/browser/jobsView.component": { - "jobColumns.name": "Nome", - "jobColumns.lastRun": "Última Execução", - "jobColumns.nextRun": "Próxima Execução", - "jobColumns.enabled": "Habilitado", - "jobColumns.status": "Status", - "jobColumns.category": "Categoria", - "jobColumns.runnable": "Executável", - "jobColumns.schedule": "Agendamento", - "jobColumns.lastRunOutcome": "Resultado da Última Execução", - "jobColumns.previousRuns": "Execuções Anteriores", - "jobsView.noSteps": "Nenhuma etapa disponível para este trabalho.", - "jobsView.error": "Erro: " - }, - "sql/workbench/browser/modelComponents/viewBase": { - "componentTypeNotRegistered": "Não foi possível localizar o componente para o tipo {0}" - }, - "sql/workbench/contrib/profiler/browser/profilerFindWidget": { - "label.find": "Encontrar", - "placeholder.find": "Encontrar", - "label.previousMatchButton": "Correspondência anterior", - "label.nextMatchButton": "Próxima correspondência", - "label.closeButton": "Fechar", - "title.matchesCountLimit": "Sua pesquisa retornou um grande número de resultados. Apenas as primeiras 999 correspondências serão destacadas.", - "label.matchesLocation": "{0} de {1}", - "label.noResults": "Nenhum Resultado" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { - "dashboard.explorer.namePropertyDisplayValue": "Nome", - "dashboard.explorer.schemaDisplayValue": "Esquema", - "dashboard.explorer.objectTypeDisplayValue": "Tipo" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { - "insights.runQuery": "Executar Consulta" - }, - "sql/workbench/contrib/notebook/browser/cellViews/output.component": { - "noMimeTypeFound": "Não foi possível encontrar nenhum {0}renderizador para saída. Ele tem os seguintes tipos MIME: {1}", - "safe": "seguro ", - "noSelectorFound": "Não foi possível encontrar nenhum componente para o seletor {0}", - "componentRenderError": "Erro ao renderizar o componente: {0}" - }, - "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { - "loading": "Carregando..." - }, - "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { - "loading": "Carregando..." - }, - "sql/workbench/contrib/dashboard/browser/core/actions": { - "editDashboard": "Editar", - "editDashboardExit": "Sair", - "refreshWidget": "Atualizar", - "toggleMore": "Mostrar Ações", - "deleteWidget": "Excluir Widget", - "clickToUnpin": "Clique para desafixar", - "clickToPin": "Clique para fixar", - "addFeatureAction.openInstalledFeatures": "Abrir recursos instalados", - "collapseWidget": "Recolher Widget", - "expandWidget": "Expandir Widget" - }, - "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { - "unknownDashboardContainerError": "{0} é um contêiner desconhecido." - }, - "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { - "notebookColumns.name": "Nome", - "notebookColumns.targetDatbase": "Banco de Dados de Destino", - "notebookColumns.lastRun": "Última Execução", - "notebookColumns.nextRun": "Próxima Execução", - "notebookColumns.status": "Status", - "notebookColumns.lastRunOutcome": "Resultado da Última Execução", - "notebookColumns.previousRuns": "Execuções Anteriores", - "notebooksView.noSteps": "Nenhuma etapa disponível para este trabalho.", - "notebooksView.error": "Erro: ", - "notebooksView.notebookError": "Erro do Notebook: " - }, - "sql/base/browser/ui/table/plugins/rowDetailView": { - "rowDetailView.loadError": "Erro ao carregar..." - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { - "dashboard.explorer.actions": "Mostrar Ações", - "explorerSearchNoMatchResultMessage": "Não foi encontrado nenhum item correspondente", - "explorerSearchSingleMatchResultMessage": "Lista de pesquisa filtrada para um item", - "explorerSearchMatchResultMessage": "Lista de pesquisa filtrada para {0} itens" - }, - "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { - "agentUtilities.failed": "Com falha", - "agentUtilities.succeeded": "Com Êxito", - "agentUtilities.retry": "Tentar Novamente", - "agentUtilities.canceled": "Cancelado", - "agentUtilities.inProgress": "Em Andamento", - "agentUtilities.statusUnknown": "Status Desconhecido", - "agentUtilities.executing": "Executando", - "agentUtilities.waitingForThread": "Esperando pela Thread", - "agentUtilities.betweenRetries": "Entre Tentativas", - "agentUtilities.idle": "Ocioso", - "agentUtilities.suspended": "Suspenso", - "agentUtilities.obsolete": "[Obsoleto]", - "agentUtilities.yes": "Sim", - "agentUtilities.no": "Não", - "agentUtilities.notScheduled": "Não Agendado", - "agentUtilities.neverRun": "Nunca Executar" - }, - "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { - "buttonBold": "Negrito", - "buttonItalic": "Itálico", - "buttonUnderline": "Sublinhado", - "buttonHighlight": "Realçar", - "buttonCode": "Código", - "buttonLink": "Vínculo", - "buttonList": "Lista", - "buttonOrderedList": "Lista ordenada", - "buttonImage": "Imagem", - "buttonPreview": "Alternância de versão prévia do Markdown – Desativado", - "dropdownHeading": "Título", - "optionHeading1": "Título 1", - "optionHeading2": "Título 2", - "optionHeading3": "Título 3", - "optionParagraph": "Parágrafo", - "callout.insertLinkHeading": "Inserir link", - "callout.insertImageHeading": "Inserir imagem", - "richTextViewButton": "Exibição de Rich Text", - "splitViewButton": "Modo Divisão", - "markdownViewButton": "Exibição do Markdown" + "sql/workbench/contrib/charts/browser/actions": { + "createInsightLabel": "Criar Insight", + "createInsightNoEditor": "Não é possível criar insight, pois o editor ativo não é um Editor SQL", + "myWidgetName": "Meu Widget", + "configureChartLabel": "Configurar Gráfico", + "copyChartLabel": "Copiar como imagem", + "chartNotFound": "Não foi possível encontrar o gráfico para salvar", + "saveImageLabel": "Salvar como imagem", + "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", + "chartSaved": "Gráfico salvo no caminho: {0}" }, "sql/workbench/contrib/charts/browser/chartOptions": { "dataDirectionLabel": "Direção de Dados", @@ -11135,45 +9732,432 @@ "encodingOption": "Codificação", "imageFormatOption": "Formato de Imagem" }, - "sql/base/browser/ui/panel/tabActions": { - "closeTab": "Fechar" + "sql/workbench/contrib/charts/browser/chartTab": { + "chartTabTitle": "Gráfico" }, - "sql/platform/connection/common/connectionConfig": { - "invalidServerName": "Um grupo de servidores com o mesmo nome já existe." + "sql/workbench/contrib/charts/browser/chartView": { + "horizontalBarAltName": "Barra Horizontal", + "barAltName": "Barra", + "lineAltName": "Linha", + "pieAltName": "Pizza", + "scatterAltName": "Dispersão", + "timeSeriesAltName": "Série Temporal", + "imageAltName": "Imagem", + "countAltName": "Contagem", + "tableAltName": "Tabela", + "doughnutAltName": "Rosca", + "charting.failedToGetRows": "Falha ao obter as linhas do conjunto de dados para o gráfico.", + "charting.unsupportedType": "Não há suporte para o tipo de gráfico '{0}'." + }, + "sql/workbench/contrib/charts/browser/charts.contribution": { + "builtinChartsConfigurationTitle": "Gráficos Integrados", + "builtinCharts.maxRowCountDescription": "O número máximo de linhas para os gráficos exibirem. Aviso: aumentar isso pode afetar o desempenho." + }, + "sql/workbench/contrib/charts/browser/configureChartDialog": { + "configureChartDialog.close": "Fechar" + }, + "sql/workbench/contrib/charts/browser/graphInsight": { + "series": "Série {0}" + }, + "sql/workbench/contrib/charts/browser/imageInsight": { + "invalidImage": "A tabela não contém uma imagem válida" + }, + "sql/workbench/contrib/charts/browser/utils": { + "charts.maxAllowedRowsExceeded": "A contagem máxima de linhas para gráficos integrados foi excedida, somente as primeiras {0} linhas são usadas. Para definir o valor, você pode abrir as configurações do usuário e procurar: 'builtinCharts.maxRowCount'.", + "charts.neverShowAgain": "Não Mostrar Novamente" + }, + "sql/workbench/contrib/commandLine/electron-browser/commandLine": { + "connectingLabel": "Conectando: {0}", + "runningCommandLabel": "Comando em execução: {0}", + "openingNewQueryLabel": "Abrindo a nova consulta: {0}", + "warnServerRequired": "Não é possível se conectar, pois não foi fornecida nenhuma informação do servidor", + "errConnectUrl": "Não foi possível abrir a URL devido ao erro {0}", + "connectServerDetail": "Isso será conectado ao servidor {0}", + "confirmConnect": "Tem certeza de que deseja se conectar?", + "open": "&&Abrir", + "connectingQueryLabel": "Conectando o arquivo de consulta" + }, + "sql/workbench/contrib/configuration/common/configurationUpgrader": { + "workbench.configuration.upgradeUser": "{0} foi substituído por {1} nas suas configurações de usuário.", + "workbench.configuration.upgradeWorkspace": "{0} foi substituído por {1} nas suas configurações de workspace." + }, + "sql/workbench/contrib/connection/browser/connection.contribution": { + "sql.maxRecentConnectionsDescription": "O número máximo de conexões usadas recentemente para armazenar na lista de conexão.", + "sql.defaultEngineDescription": "Mecanismo SQL padrão a ser usado. Isso direciona o provedor de idioma padrão em arquivos .sql e o padrão a ser usado ao criar uma conexão.", + "connection.parseClipboardForConnectionStringDescription": "Tentativa de analisar o conteúdo da área de transferência quando a caixa de diálogo conexão é aberta ou a cópia é executada." + }, + "sql/workbench/contrib/connection/browser/connectionStatus": { + "status.connection.status": "Status da Conexão" + }, + "sql/workbench/contrib/connection/common/connectionProviderExtension": { + "schema.providerId": "ID comum do provedor", + "schema.displayName": "Nome de Exibição do provedor", + "schema.notebookKernelAlias": "Alias do Kernel do Notebook para o provedor", + "schema.iconPath": "Caminho do ícone do tipo de servidor", + "schema.connectionOptions": "Opções de conexão" + }, + "sql/workbench/contrib/connection/common/connectionTreeProviderExentionPoint": { + "connectionTreeProvider.schema.name": "Nome visível do usuário para o provedor de árvore", + "connectionTreeProvider.schema.id": "A ID do provedor precisa ser a mesma usada para registrar o provedor de dados de árvore e precisa começar com `connectionDialog/`" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardContainer.contribution": { + "azdata.extension.contributes.dashboard.container.id": "Identificador exclusivo para este contêiner.", + "azdata.extension.contributes.dashboard.container.container": "O contêiner que será exibido na guia.", + "azdata.extension.contributes.containers": "Contribui com um único ou vários contêineres de painéis para os usuários adicionarem ao painel.", + "dashboardContainer.contribution.noIdError": "Nenhuma ID no contêiner de painéis especificada para a extensão.", + "dashboardContainer.contribution.noContainerError": "Nenhum contêiner no contêiner de painéis especificado para a extensão.", + "dashboardContainer.contribution.moreThanOneDashboardContainersError": "Exatamente 1 contêiner de painéis deve ser definido por espaço.", + "dashboardTab.contribution.unKnownContainerType": "O tipo de contêiner desconhecido é definido no contêiner de painéis para extensão." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardControlHostContainer.contribution": { + "dashboard.container.controlhost": "O controlhost que será exibido nesta guia." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { + "dashboardNavSection.loadTabError": "A seção \"{0}\" tem conteúdo inválido. Entre em contato com o proprietário da extensão." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardGridContainer.contribution": { + "dashboard.container.gridtab.items": "A lista de widgets ou de modos de exibição da Web que serão exibidos nesta guia.", + "gridContainer.invalidInputs": "widgets ou modos de exibição da Web são esperados dentro de contêiner de widgets para a extensão." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardModelViewContainer.contribution": { + "dashboard.container.modelview": "A visualização com suporte do modelo que será exibida nesta guia." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardNavSection.contribution": { + "dashboard.container.left-nav-bar.id": "Identificador exclusivo para esta seção de navegação. Será passado para a extensão para quaisquer solicitações.", + "dashboard.container.left-nav-bar.icon": "(Opcional) Ícone usado para representar essa seção de navegação na interface do usuário. Um caminho de arquivo ou uma configuração com tema", + "dashboard.container.left-nav-bar.icon.light": "Caminho do ícone quando um tema leve é usado", + "dashboard.container.left-nav-bar.icon.dark": "Caminho de ícone quando um tema escuro é usado", + "dashboard.container.left-nav-bar.title": "Título da seção de navegação para mostrar ao usuário.", + "dashboard.container.left-nav-bar.container": "O contêiner que será exibido nesta seção de navegação.", + "dashboard.container.left-nav-bar": "A lista de contêineres de painéis que será exibida nesta seção de navegação.", + "navSection.missingTitle.error": "Não foi especificado nenhum título na seção de navegação para a extensão.", + "navSection.missingContainer.error": "Não foi especificado nenhum contêiner na seção de navegação para a extensão.", + "navSection.moreThanOneDashboardContainersError": "Exatamente 1 contêiner de painéis deve ser definido por espaço.", + "navSection.invalidContainer.error": "NAV_SECTION dentro de NAV_SECTION é um contêiner inválido para a extensão." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWebviewContainer.contribution": { + "dashboard.container.webview": "O modo de exibição da Web que será exibido nesta guia." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWidgetContainer.contribution": { + "dashboard.container.widgets": "A lista de widgets que serão exibidos nesta guia.", + "widgetContainer.invalidInputs": "A lista de widgets é esperada dentro de contêiner de widgets para a extensão." + }, + "sql/workbench/contrib/dashboard/browser/core/actions": { + "editDashboard": "Editar", + "editDashboardExit": "Sair", + "refreshWidget": "Atualizar", + "toggleMore": "Mostrar Ações", + "deleteWidget": "Excluir Widget", + "clickToUnpin": "Clique para desafixar", + "clickToPin": "Clique para fixar", + "addFeatureAction.openInstalledFeatures": "Abrir recursos instalados", + "collapseWidget": "Recolher Widget", + "expandWidget": "Expandir Widget" + }, + "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { + "unknownDashboardContainerError": "{0} é um contêiner desconhecido." }, "sql/workbench/contrib/dashboard/browser/core/dashboardPage.component": { "home": "Página Inicial", "missingConnectionInfo": "Nenhuma informação de conexão foi encontrada para este painel", "dashboard.generalTabGroupHeader": "Geral" }, - "sql/workbench/contrib/charts/browser/actions": { - "createInsightLabel": "Criar Insight", - "createInsightNoEditor": "Não é possível criar insight, pois o editor ativo não é um Editor SQL", - "myWidgetName": "Meu Widget", - "configureChartLabel": "Configurar Gráfico", - "copyChartLabel": "Copiar como imagem", - "chartNotFound": "Não foi possível encontrar o gráfico para salvar", - "saveImageLabel": "Salvar como imagem", - "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", - "chartSaved": "Gráfico salvo no caminho: {0}" + "sql/workbench/contrib/dashboard/browser/core/dashboardTab.contribution": { + "azdata.extension.contributes.dashboard.tab.id": "Identificador exclusivo para esta guia. Será passado para a extensão para quaisquer solicitações.", + "azdata.extension.contributes.dashboard.tab.title": "Título da guia para mostrar ao usuário.", + "azdata.extension.contributes.dashboard.tab.description": "Descrição desta guia que será mostrada ao usuário.", + "azdata.extension.contributes.tab.when": "A condição deve ser true para mostrar este item", + "azdata.extension.contributes.tab.provider": "Define os tipos de conexão com os quais essa guia é compatível. O padrão será 'MSSQL' se essa opção não for definida", + "azdata.extension.contributes.dashboard.tab.container": "O contêiner que será exibido nesta guia.", + "azdata.extension.contributes.dashboard.tab.alwaysShow": "Se esta guia deve ou não ser sempre exibida ou apenas quando o usuário a adiciona.", + "azdata.extension.contributes.dashboard.tab.isHomeTab": "Se esta guia deve ou não ser usada como guia da Página Inicial para um tipo de conexão.", + "azdata.extension.contributes.dashboard.tab.group": "O identificador exclusivo do grupo ao qual esta guia pertence. Valor do grupo doméstico: página inicial.", + "dazdata.extension.contributes.dashboard.tab.icon": "(Opcional) Ícone usado para representar esta guia na interface do usuário. Um caminho de arquivo ou uma configuração com tema", + "azdata.extension.contributes.dashboard.tab.icon.light": "Caminho do ícone quando um tema leve é usado", + "azdata.extension.contributes.dashboard.tab.icon.dark": "Caminho de ícone quando um tema escuro é usado", + "azdata.extension.contributes.tabs": "Contribui com uma única ou várias guias para que os usuários adicionem ao painel.", + "dashboardTab.contribution.noTitleError": "Nenhum título especificado para a extensão.", + "dashboardTab.contribution.noDescriptionWarning": "Nenhuma descrição especificada para mostrar.", + "dashboardTab.contribution.noContainerError": "Nenhum contêiner especificado para a extensão.", + "dashboardTab.contribution.moreThanOneDashboardContainersError": "Exatamente 1 contêiner de painéis deve ser definido por espaço", + "azdata.extension.contributes.dashboard.tabGroup.id": "Identificador exclusivo deste grupo de guias.", + "azdata.extension.contributes.dashboard.tabGroup.title": "Título do grupo de guias.", + "azdata.extension.contributes.tabGroups": "Contribui com um ou vários grupos de guias para os usuários adicionarem ao painel.", + "dashboardTabGroup.contribution.noIdError": "Nenhuma ID foi especificada para o grupo de guias.", + "dashboardTabGroup.contribution.noTitleError": "Nenhum título foi especificado para o grupo de guias.", + "administrationTabGroup": "Administração", + "monitoringTabGroup": "Monitoramento", + "performanceTabGroup": "Desempenho", + "securityTabGroup": "Segurança", + "troubleshootingTabGroup": "Solução de Problemas", + "settingsTabGroup": "Configurações", + "databasesTabDescription": "guia de bancos de dados", + "databasesTabTitle": "Bancos de Dados" }, - "sql/workbench/contrib/notebook/browser/notebook.component": { - "addCodeLabel": "Adicionar código", - "addTextLabel": "Adicionar texto", - "createFile": "Criar Arquivo", - "displayFailed": "Não foi possível exibir o conteúdo: {0}", - "codeCellsPreview": "Adicionar célula", - "codePreview": "Célula de código", - "textPreview": "Célula de texto", - "runAllPreview": "Executar tudo", - "addCell": "Célula", - "code": "Código", - "text": "Texto", - "runAll": "Executar Células", - "previousButtonLabel": "< Anterior", - "nextButtonLabel": "Próximo >", - "cellNotFound": "a célula com o URI {0} não foi encontrada neste modelo", - "cellRunFailed": "Falha ao executar células – Confira o erro na saída da célula selecionada no momento para obter mais informações." + "sql/workbench/contrib/dashboard/browser/dashboard.contribution": { + "manage": "Gerenciar", + "dashboard.editor.label": "Painel" + }, + "sql/workbench/contrib/dashboard/browser/dashboardActions": { + "ManageAction": "Gerenciar" + }, + "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { + "opticon": "propriedade `ícone` pode ser omitida ou deve ser uma cadeia de caracteres ou um literal como `{escuro, claro}`" + }, + "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { + "dashboard.properties.property": "Define uma propriedade para mostrar no painel", + "dashboard.properties.property.displayName": "Qual o valor a ser usado como um rótulo para a propriedade", + "dashboard.properties.property.value": "Qual o valor do objeto para acessar o valor", + "dashboard.properties.property.ignore": "Especifique os valores a serem ignorados", + "dashboard.properties.property.default": "Valor padrão para mostrar se ignorado ou sem valor", + "dashboard.properties.flavor": "Uma variante para definir as propriedades do painel", + "dashboard.properties.flavor.id": "Id da variante", + "dashboard.properties.flavor.condition": "Condição para usar essa variante", + "dashboard.properties.flavor.condition.field": "Campo para comparar a", + "dashboard.properties.flavor.condition.operator": "Qual operador usar para comparação", + "dashboard.properties.flavor.condition.value": "Valor para comparar o campo com", + "dashboard.properties.databaseProperties": "Propriedades a serem exibidas na página de banco de dados", + "dashboard.properties.serverProperties": "Propriedades a serem exibidas na página do servidor", + "carbon.extension.dashboard": "Define que este provedor oferece suporte para o painel", + "dashboard.id": "Id do provedor (ex. MSSQL)", + "dashboard.properties": "Valores de propriedade a serem exibidos no painel" + }, + "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { + "azdata.extension.contributes.widget.when": "A condição deve ser true para mostrar este item", + "azdata.extension.contributes.widget.hideHeader": "Opção de ocultar o cabeçalho do widget. O valor padrão é false", + "dashboardpage.tabName": "O título do contêiner", + "dashboardpage.rowNumber": "A linha do componente na grade", + "dashboardpage.rowSpan": "O rowspan do componente na grade. O valor padrão é 1. Use '*' para definir o número de linhas na grade.", + "dashboardpage.colNumber": "A coluna do componente na grade", + "dashboardpage.colspan": "O colspan do component na grade. O valor padrão é 1. Use '*' para definir o número de colunas na grade.", + "azdata.extension.contributes.dashboardPage.tab.id": "Identificador exclusivo para esta guia. Será passado para a extensão para quaisquer solicitações.", + "dashboardTabError": "A guia Extensão é desconhecida ou não está instalada." + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { + "databasePageName": "Propriedades do Banco de Dados" + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { + "dashboardDatabaseProperties": "Habilitar ou desabilitar o widget de propriedades", + "dashboard.databaseproperties": "Valores de propriedade para mostrar", + "dashboard.databaseproperties.displayName": "Nome de exibição da propriedade", + "dashboard.databaseproperties.value": "Valor no objeto de informações do banco de dados", + "dashboard.databaseproperties.ignore": "Especificar valores específicos para ignorar", + "recoveryModel": "Modo de Recuperação", + "lastDatabaseBackup": "Último Backup de Banco de Dados", + "lastLogBackup": "Último Backup de Log", + "compatibilityLevel": "Nível de Compatibilidade", + "owner": "Proprietário", + "dashboardDatabase": "Personaliza a página do painel de banco de dados", + "objectsWidgetTitle": "Pesquisar", + "dashboardDatabaseTabs": "Personaliza as guias do painel de banco de dados" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { + "serverPageName": "Propriedades do Servidor" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { + "dashboardServerProperties": "Habilitar ou desabilitar o widget de propriedades", + "dashboard.serverproperties": "Valores de propriedade para mostrar", + "dashboard.serverproperties.displayName": "Nome de exibição da propriedade", + "dashboard.serverproperties.value": "Valor no objeto de informações do servidor", + "version": "Versão", + "edition": "Edição", + "computerName": "Nome do Computador", + "osVersion": "Versão do Sistema Operacional", + "explorerWidgetsTitle": "Pesquisar", + "dashboardServer": "Personaliza a página de painel do servidor", + "dashboardServerTabs": "Personaliza as guias de painel do servidor" + }, + "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { + "homeCrumb": "Página Inicial" + }, + "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { + "dashboard.changeDatabaseFailure": "Falha ao alterar o banco de dados" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { + "dashboard.explorer.actions": "Mostrar Ações", + "explorerSearchNoMatchResultMessage": "Não foi encontrado nenhum item correspondente", + "explorerSearchSingleMatchResultMessage": "Lista de pesquisa filtrada para um item", + "explorerSearchMatchResultMessage": "Lista de pesquisa filtrada para {0} itens" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { + "dashboard.explorer.namePropertyDisplayValue": "Nome", + "dashboard.explorer.schemaDisplayValue": "Esquema", + "dashboard.explorer.objectTypeDisplayValue": "Tipo" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { + "loadingObjects": "carregando objetos", + "loadingDatabases": "carregando bancos de dados", + "loadingObjectsCompleted": "carregamento de objetos concluído.", + "loadingDatabasesCompleted": "carregamento dos bancos de dados concluído.", + "seachObjects": "Pesquisar pelo nome do tipo (t:, v:, f: ou sp:)", + "searchDatabases": "Pesquisar bancos de dados", + "dashboard.explorer.objectError": "Não é possível carregar objetos", + "dashboard.explorer.databaseError": "Não é possível carregar bancos de dados" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { + "insights.runQuery": "Executar Consulta" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { + "insightsWidgetLoadingMessage": "Carregando {0}", + "insightsWidgetLoadingCompletedMessage": "Carregamento de {0} concluído", + "insights.autoRefreshOffState": "Atualização Automática: DESATIVADA", + "insights.lastUpdated": "Ultima Atualização: {0} {1}", + "noResults": "Nenhum resultado para mostrar" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { + "insightWidgetDescription": "Adiciona um widget que pode consultar um servidor ou banco de dados e exibir os resultados de várias maneiras – como um gráfico, uma contagem resumida e muito mais", + "insightIdDescription": "Identificador Exclusivo usado para armazenar em cache os resultados do insight.", + "insightQueryDescription": "Consulta SQL para executar. Isso deve retornar exatamente 1 resultset.", + "insightQueryFileDescription": "[Opcional] caminho para um arquivo que contém uma consulta. Use se a 'query' não for definida", + "insightAutoRefreshIntervalDescription": "[Opcional] Intervalo de atualização automática em minutos, se não estiver definido, não haverá atualização automática", + "actionTypes": "Quais ações usar", + "actionDatabaseDescription": "Banco de dados de destino da ação. É possível usar o formato '${ columnName }' para usar um nome de coluna controlado por dados.", + "actionServerDescription": "O servidor de destino da ação. É possível usar o formato '${ columnName }' para usar um nome de coluna controlado por dados.", + "actionUserDescription": "O usuário de destino para a ação. É possível usar o formato '${ columnName }' para usar um nome de coluna controlado por dados.", + "carbon.extension.contributes.insightType.id": "Identificador do insight", + "carbon.extension.contributes.insights": "Contribui com insights para a paleta do painel." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { + "chartErrorMessage": "O gráfico não pode ser exibido com os dados fornecidos" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.contribution": { + "chartInsightDescription": "Exibe os resultados de uma consulta como um gráfico no painel", + "colorMapDescription": "Mapeia 'nome de coluna' -> cor. Por exemplo, adicione 'column1': red para garantir que essa coluna use uma cor vermelha ", + "legendDescription": "Indica a posição preferida e a visibilidade da legenda do gráfico. Esses são os nomes das colunas da sua consulta e mapeados para o rótulo de cada entrada do gráfico", + "labelFirstColumnDescription": "Se dataDirection for horizontal, definir como true usará o valor das primeiras colunas para a legenda.", + "columnsAsLabels": "Se dataDirection for vertical, definir como true usará os nomes das colunas para a legenda.", + "dataDirectionDescription": "Define se os dados são lidos de uma coluna (vertical) ou uma linha (horizontal). Para séries temporais, isso é ignorado, pois a direção deve ser vertical.", + "showTopNData": "Se showTopNData for definido, mostre somente os dados top N no gráfico." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/barChart.contribution": { + "yAxisMin": "Valor mínimo do eixo y", + "yAxisMax": "Valor máximo do eixo y", + "barchart.yAxisLabel": "Rótulo para o eixo y", + "xAxisMin": "Valor mínimo do eixo x", + "xAxisMax": "Valor máximo do eixo x", + "barchart.xAxisLabel": "Rótulo para o eixo x" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/lineChart.contribution": { + "dataTypeDescription": "Indica a propriedade de dados de um conjunto de dados para um gráfico." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/countInsight.contribution": { + "countInsightDescription": "Para cada coluna em um conjunto de resultados, exibe o valor na linha 0 como uma contagem seguida pelo nome da coluna. Dá suporte para '1 Íntegro', '3 Não Íntegro', por exemplo, em que 'Íntegro' é o nome da coluna e 1 é o valor na célula 1 da linha 1" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/imageInsight.contribution": { + "imageInsightDescription": "Exibe uma imagem, por exemplo, um retornado por uma consulta R usando o ggplot2", + "imageFormatDescription": "Qual é o formato esperado – É um JPEG, PNG ou outro formato?", + "encodingDescription": "É codificado como hexa, base64 ou algum outro formato?" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/tableInsight.contribution": { + "tableInsightDescription": "Exibe os resultados em uma tabela simples" + }, + "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { + "loadingProperties": "Carregando as propriedades", + "loadingPropertiesCompleted": "Carregamento de propriedades concluído", + "dashboard.properties.error": "Não é possível carregar as propriedades do painel" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorer.contribution": { + "databaseConnections": "Conexões de Banco de Dados", + "datasource.connections": "conexões de fonte de dados", + "datasource.connectionGroups": "grupos de fonte de dados", + "connectionsSortOrder.dateAdded": "As conexões salvas são classificadas pelas datas em que foram adicionadas.", + "connectionsSortOrder.displayName": "As conexões salvas são classificadas por seus nomes de exibição alfabeticamente.", + "datasource.connectionsSortOrder": "Controla a ordem de classificação das conexões e dos grupos de conexão salvos.", + "startupConfig": "Configuração de Inicialização", + "startup.alwaysShowServersView": "True para a exibição Servidores a ser mostrada na inicialização do padrão do Azure Data Studio; false se a última visualização aberta deve ser mostrada" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerExtensionPoint": { + "vscode.extension.contributes.view.id": "Identificador da exibição. Use isso para registrar um provedor de dados por meio da API 'vscode.window.registerTreeDataProviderForView'. Também para ativar sua extensão registrando o evento 'onView: ${id}' para 'activationEvents'.", + "vscode.extension.contributes.view.name": "O nome legível para humanos da exibição. Será mostrado", + "vscode.extension.contributes.view.when": "A condição que deve ser true para mostrar esta exibição", + "extension.contributes.dataExplorer": "Contribui com exibições para o editor", + "extension.dataExplorer": "Contribui com exibições para o contêiner do Data Explorer na barra de Atividade", + "dataExplorer.contributed": "Contribui com exibições para o contêiner de exibições contribuídas", + "duplicateView1": "Não é possível registrar vários modos de exibição com a mesma id '{0}' no contêiner de exibição '{1}'", + "duplicateView2": "Uma exibição com a id '{0}' já está registrada no contêiner de exibição '{1}'", + "requirearray": "as exibições devem ser uma matriz", + "requirestring": "a propriedade `{0}` é obrigatória e deve ser do tipo `string`", + "optstring": "a propriedade `{0}` pode ser omitida ou deve ser do tipo `string`" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { + "dataExplorer.servers": "Servidores", + "dataexplorer.name": "Conexões", + "showDataExplorer": "Mostrar Conexões" + }, + "sql/workbench/contrib/dataExplorer/browser/nodeActions.common.contribution": { + "disconnect": "Desconectar", + "refresh": "Atualizar" + }, + "sql/workbench/contrib/editData/browser/editData.contribution": { + "showEditDataSqlPaneOnStartup": "Mostrar painel do SQL Editar Dados na inicialização" + }, + "sql/workbench/contrib/editData/browser/editDataActions": { + "editData.run": "Executar", + "disposeEditFailure": "Editar descarte falhou com o erro: ", + "editData.stop": "Parar", + "editData.showSql": "Mostrar Painel do SQL", + "editData.closeSql": "Fechar Painel do SQL" + }, + "sql/workbench/contrib/editData/browser/editDataEditor": { + "maxRowTaskbar": "Máximo de Linhas:" + }, + "sql/workbench/contrib/editData/browser/editDataGridActions": { + "deleteRow": "Excluir Linha", + "revertRow": "Desfazer Linha Atual" + }, + "sql/workbench/contrib/editData/browser/gridActions": { + "saveAsCsv": "Salvar Como CSV", + "saveAsJson": "Salvar Como JSON", + "saveAsExcel": "Salvar Como Excel", + "saveAsXml": "Salvar Como XML", + "copySelection": "Copiar", + "copyWithHeaders": "Copiar com Cabeçalhos", + "selectAll": "Selecionar Tudo" + }, + "sql/workbench/contrib/extensions/browser/contributionRenders": { + "tabs": "Guias do Painel ({0})", + "tabId": "ID", + "tabTitle": "Título", + "tabDescription": "Descrição", + "insights": "Painel de Insights ({0})", + "insightId": "ID", + "name": "Nome", + "insight condition": "Quando" + }, + "sql/workbench/contrib/extensions/browser/extensions.contribution": { + "workbench.extensions.getExtensionFromGallery.description": "Obtém informações de extensão na galeria", + "workbench.extensions.getExtensionFromGallery.arg.name": "ID de Extensão", + "notFound": "Extensão '{0}' não encontrada." + }, + "sql/workbench/contrib/extensions/browser/extensionsActions": { + "showRecommendations": "Mostrar Recomendações", + "Install Extensions": "Instalar Extensões", + "openExtensionAuthoringDocs": "Criar uma Extensão..." + }, + "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { + "neverShowAgain": "Não Mostrar Novamente", + "ExtensionsRecommended": "O Azure Data Studio tem recomendações de extensão.", + "VisualizerExtensionsRecommended": "O Azure Data Studio tem recomendações de extensão para a visualização de dados.\r\nQuando ele estiver, você poderá selecionar o ícone Visualizador para visualizar os resultados da consulta.", + "installAll": "Instalar Tudo", + "showRecommendations": "Mostrar Recomendações", + "scenarioTypeUndefined": "O tipo de cenário para as recomendações de extensão precisa ser fornecido." + }, + "sql/workbench/contrib/extensions/browser/staticRecommendations": { + "defaultRecommendations": "Esta extensão é recomendada pelo Azure Data Studio." + }, + "sql/workbench/contrib/jobManagement/browser/agentView.component": { + "jobview.Jobs": "Trabalhos", + "jobview.Notebooks": "Notebooks", + "jobview.Alerts": "Alertas", + "jobview.Proxies": "Proxies", + "jobview.Operators": "Operadores" + }, + "sql/workbench/contrib/jobManagement/browser/alertsView.component": { + "jobAlertColumns.name": "Nome", + "jobAlertColumns.lastOccurrenceDate": "Última Ocorrência", + "jobAlertColumns.enabled": "Habilitado", + "jobAlertColumns.delayBetweenResponses": "Atraso Entre as Respostas (em segundos)", + "jobAlertColumns.categoryName": "Nome da Categoria" }, "sql/workbench/contrib/jobManagement/browser/jobActions": { "jobaction.successLabel": "Sucesso", @@ -11227,77 +10211,58 @@ "notebookaction.renameNotebook": "Renomear", "notebookaction.openLatestRun": "Abrir a Última Execução" }, - "sql/workbench/contrib/assessment/browser/asmtActions": { - "asmtaction.server.getitems": "Exibir regras aplicáveis", - "asmtaction.database.getitems": "Exibir regras aplicáveis para {0}", - "asmtaction.server.invokeitems": "Invocar Avaliação", - "asmtaction.database.invokeitems": "Invocar Avaliação para {0}", - "asmtaction.exportasscript": "Exportar como Script", - "asmtaction.showsamples": "Veja todas as regras e saiba mais no GitHub", - "asmtaction.generatehtmlreport": "Criar Relatório HTML", - "asmtaction.openReport": "O relatório foi salvo. Deseja abri-lo?", - "asmtaction.label.open": "Abrir", - "asmtaction.label.cancel": "Cancelar" + "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { + "stepRow.stepID": "ID da Etapa", + "stepRow.stepName": "Nome da Etapa", + "stepRow.message": "Mensagem" }, - "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { - "data": "Dados", - "connection": "Conexão", - "queryEditor": "Editor de Consultas", - "notebook": "Notebook", - "dashboard": "Painel", - "profiler": "Profiler" + "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { + "agent.steps": "Etapas" }, - "sql/workbench/contrib/extensions/browser/contributionRenders": { - "tabs": "Guias do Painel ({0})", - "tabId": "ID", - "tabTitle": "Título", - "tabDescription": "Descrição", - "insights": "Painel de Insights ({0})", - "insightId": "ID", - "name": "Nome", - "insight condition": "Quando" + "sql/workbench/contrib/jobManagement/browser/jobsView.component": { + "jobColumns.name": "Nome", + "jobColumns.lastRun": "Última Execução", + "jobColumns.nextRun": "Próxima Execução", + "jobColumns.enabled": "Habilitado", + "jobColumns.status": "Status", + "jobColumns.category": "Categoria", + "jobColumns.runnable": "Executável", + "jobColumns.schedule": "Agendamento", + "jobColumns.lastRunOutcome": "Resultado da Última Execução", + "jobColumns.previousRuns": "Execuções Anteriores", + "jobsView.noSteps": "Nenhuma etapa disponível para este trabalho.", + "jobsView.error": "Erro: " }, - "sql/workbench/contrib/charts/browser/imageInsight": { - "invalidImage": "A tabela não contém uma imagem válida" + "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { + "notebookHistory.dateCreatedTooltip": "Data de Criação: ", + "notebookHistory.notebookErrorTooltip": "Erro do Notebook: ", + "notebookHistory.ErrorTooltip": "Erro de Trabalho: ", + "notebookHistory.pinnedTitle": "Fixo", + "notebookHistory.recentRunsTitle": "Execuções Recentes", + "notebookHistory.pastRunsTitle": "Execuções Anteriores" }, - "sql/workbench/contrib/notebook/browser/cellToolbarActions": { - "moreActionsLabel": "Mais", - "editLabel": "Editar", - "closeLabel": "Fechar", - "convertCell": "Converter Célula", - "runAllAbove": "Executar as Células Acima", - "runAllBelow": "Executar as Células Abaixo", - "codeAbove": "Inserir Código Acima", - "codeBelow": "Inserir Código Abaixo", - "markdownAbove": "Inserir Texto Acima", - "markdownBelow": "Inserir Texto Abaixo", - "collapseCell": "Recolher Célula", - "expandCell": "Expandir Célula", - "makeParameterCell": "Criar célula de parâmetro", - "RemoveParameterCell": "Remover célula de parâmetro", - "clear": "Limpar Resultado" + "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { + "notebookColumns.name": "Nome", + "notebookColumns.targetDatbase": "Banco de Dados de Destino", + "notebookColumns.lastRun": "Última Execução", + "notebookColumns.nextRun": "Próxima Execução", + "notebookColumns.status": "Status", + "notebookColumns.lastRunOutcome": "Resultado da Última Execução", + "notebookColumns.previousRuns": "Execuções Anteriores", + "notebooksView.noSteps": "Nenhuma etapa disponível para este trabalho.", + "notebooksView.error": "Erro: ", + "notebooksView.notebookError": "Erro do Notebook: " }, - "sql/workbench/services/notebook/browser/models/clientSession": { - "clientSession.unknownError": "Ocorreu um erro ao iniciar a sessão do notebook", - "ServerNotStarted": "O servidor não foi iniciado por uma razão desconhecida", - "kernelRequiresConnection": "O kernel {0} não foi encontrado. O kernel padrão será usado em seu lugar." + "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { + "jobOperatorsView.name": "Nome", + "jobOperatorsView.emailAddress": "Endereço de Email", + "jobOperatorsView.enabled": "Habilitado" }, - "sql/workbench/contrib/charts/browser/graphInsight": { - "series": "Série {0}" - }, - "sql/workbench/contrib/charts/browser/configureChartDialog": { - "configureChartDialog.close": "Fechar" - }, - "sql/workbench/services/notebook/browser/models/notebookModel": { - "injectedParametersMsg": "# Injected-Parameters\r\n", - "kernelRequiresConnection": "Selecione uma conexão para executar células para este kernel", - "deleteCellFailed": "Falha ao excluir a célula.", - "changeKernelFailedRetry": "Falha ao alterar o kernel. O kernel {0} será usado. O erro foi: {1}", - "changeKernelFailed": "Falha ao alterar o kernel devido ao erro: {0}", - "changeContextFailed": "Falha ao alterar o contexto: {0}", - "startSessionFailed": "Não foi possível iniciar a sessão: {0}", - "shutdownClientSessionError": "Ocorreu um erro de sessão de cliente ao fechar o notebook: {0}", - "ProviderNoManager": "Não é possível encontrar o gerenciador de notebook do provedor {0}" + "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { + "jobProxiesView.accountName": "Nome da Conta", + "jobProxiesView.credentialName": "Nome da Credencial", + "jobProxiesView.description": "Descrição", + "jobProxiesView.isEnabled": "Habilitado" }, "sql/workbench/contrib/notebook/browser/calloutDialog/common/constants": { "callout.insertButton": "Inserir", @@ -11317,6 +10282,940 @@ "linkCallout.linkAddressLabel": "Endereço", "linkCallout.linkAddressPlaceholder": "Vincular a um arquivo ou página da Web existente" }, + "sql/workbench/contrib/notebook/browser/cellToolbarActions": { + "moreActionsLabel": "Mais", + "editLabel": "Editar", + "closeLabel": "Fechar", + "convertCell": "Converter Célula", + "runAllAbove": "Executar as Células Acima", + "runAllBelow": "Executar as Células Abaixo", + "codeAbove": "Inserir Código Acima", + "codeBelow": "Inserir Código Abaixo", + "markdownAbove": "Inserir Texto Acima", + "markdownBelow": "Inserir Texto Abaixo", + "collapseCell": "Recolher Célula", + "expandCell": "Expandir Célula", + "makeParameterCell": "Criar célula de parâmetro", + "RemoveParameterCell": "Remover célula de parâmetro", + "clear": "Limpar Resultado" + }, + "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { + "buttonAdd": "Adicionar célula", + "optionCodeCell": "Célula de código", + "optionTextCell": "Célula de texto", + "buttonMoveDown": "Mover a célula para baixo", + "buttonMoveUp": "Mover a célula para cima", + "buttonDelete": "Excluir", + "codeCellsPreview": "Adicionar célula", + "codePreview": "Célula de código", + "textPreview": "Célula de texto" + }, + "sql/workbench/contrib/notebook/browser/cellViews/code.component": { + "parametersText": "Parâmetros" + }, + "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { + "notebook.failed": "Selecione a célula ativa e tente novamente", + "runCell": "Executar célula", + "stopCell": "Cancelar execução", + "errorRunCell": "Erro na última execução. Clique para executar novamente" + }, + "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { + "expandCellContents": "Expandir conteúdo da célula do código", + "collapseCellContents": "Recolher conteúdo da célula do código" + }, + "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { + "buttonBold": "Negrito", + "buttonItalic": "Itálico", + "buttonUnderline": "Sublinhado", + "buttonHighlight": "Realçar", + "buttonCode": "Código", + "buttonLink": "Vínculo", + "buttonList": "Lista", + "buttonOrderedList": "Lista ordenada", + "buttonImage": "Imagem", + "buttonPreview": "Alternância de versão prévia do Markdown – Desativado", + "dropdownHeading": "Título", + "optionHeading1": "Título 1", + "optionHeading2": "Título 2", + "optionHeading3": "Título 3", + "optionParagraph": "Parágrafo", + "callout.insertLinkHeading": "Inserir link", + "callout.insertImageHeading": "Inserir imagem", + "richTextViewButton": "Exibição de Rich Text", + "splitViewButton": "Modo Divisão", + "markdownViewButton": "Exibição do Markdown" + }, + "sql/workbench/contrib/notebook/browser/cellViews/output.component": { + "noMimeTypeFound": "Não foi possível encontrar nenhum {0}renderizador para saída. Ele tem os seguintes tipos MIME: {1}", + "safe": "seguro ", + "noSelectorFound": "Não foi possível encontrar nenhum componente para o seletor {0}", + "componentRenderError": "Erro ao renderizar o componente: {0}" + }, + "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { + "clickOn": "Clique em", + "plusCode": "+ Código", + "or": "ou", + "plusText": "+ Texto", + "toAddCell": "para adicionar uma célula de texto ou código", + "plusCodeAriaLabel": "Adicionar uma célula de código", + "plusTextAriaLabel": "Adicionar uma célula de texto" + }, + "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { + "stdInLabel": "Stdin:" + }, + "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { + "doubleClickEdit": "Clique duas vezes para editar", + "addContent": "Adicionar conteúdo aqui... " + }, + "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { + "label.find": "Encontrar", + "placeholder.find": "Encontrar", + "label.previousMatchButton": "Correspondência anterior", + "label.nextMatchButton": "Próxima correspondência", + "label.closeButton": "Fechar", + "title.matchesCountLimit": "Sua pesquisa retornou um grande número de resultados. Apenas as primeiras 999 correspondências serão destacadas.", + "label.matchesLocation": "{0} de {1}", + "label.noResults": "Nenhum Resultado" + }, + "sql/workbench/contrib/notebook/browser/notebook.component": { + "addCodeLabel": "Adicionar código", + "addTextLabel": "Adicionar texto", + "createFile": "Criar Arquivo", + "displayFailed": "Não foi possível exibir o conteúdo: {0}", + "codeCellsPreview": "Adicionar célula", + "codePreview": "Célula de código", + "textPreview": "Célula de texto", + "runAllPreview": "Executar tudo", + "addCell": "Célula", + "code": "Código", + "text": "Texto", + "runAll": "Executar Células", + "previousButtonLabel": "< Anterior", + "nextButtonLabel": "Próximo >", + "cellNotFound": "a célula com o URI {0} não foi encontrada neste modelo", + "cellRunFailed": "Falha ao executar células – Confira o erro na saída da célula selecionada no momento para obter mais informações." + }, + "sql/workbench/contrib/notebook/browser/notebook.contribution": { + "newNotebook": "Novo Notebook", + "newQuery": "Novo Notebook", + "workbench.action.setWorkspaceAndOpen": "Definir Workspace e Abrir", + "notebook.sqlStopOnError": "Kernel do SQL: parar a execução do Notebook quando ocorrer um erro em uma célula.", + "notebook.showAllKernels": "(Versão Prévia) Mostrar todos os kernels para o provedor do notebook atual.", + "notebook.allowADSCommands": "Permitir que notebooks executem comandos do Azure Data Studio.", + "notebook.enableDoubleClickEdit": "Habilitar clique duplo para editar células de texto nos notebooks", + "notebook.richTextModeDescription": "O texto é exibido como Rich Text (também conhecido como WYSIWYG).", + "notebook.splitViewModeDescription": "O Markdown é exibido à esquerda, com uma visualização do texto renderizado à direita.", + "notebook.markdownModeDescription": "O texto é exibido como Markdown.", + "notebook.defaultTextEditMode": "O modo de edição padrão usado para células de texto", + "notebook.saveConnectionName": "(Versão Prévia) Salve o nome da conexão nos metadados do notebook.", + "notebook.markdownPreviewLineHeight": "Controla a altura da linha usada na versão prévia de markdown do notebook. Este número é relativo ao tamanho da fonte.", + "notebook.showRenderedNotebookinDiffEditor": "(Visualização) Mostrar bloco de anotações renderizado no editor de dif.", + "notebook.maxRichTextUndoHistory": "O número máximo de alterações armazenadas no histórico de desfazer do editor de Rich Text do bloco de anotações.", + "searchConfigurationTitle": "Pesquisar Notebooks", + "exclude": "Configurar padrões glob para excluir arquivos e pastas em pesquisas de texto completo e abrir rapidamente. Herda todos os padrões glob da configuração `#files.exclude#`. Leia mais sobre padrões glob [aqui] (https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).", + "exclude.boolean": "O padrão glob ao qual corresponder os caminhos do arquivo. Defina como true ou false para habilitar ou desabilitar o padrão.", + "exclude.when": "Verificação adicional nos irmãos de um arquivo correspondente. Use $(basename) como variável para o nome do arquivo correspondente.", + "useRipgrep": "Essa configuração foi preterida e agora retorna ao \"search.usePCRE2\".", + "useRipgrepDeprecated": "Preterido. Considere \"search.usePCRE2\" para obter suporte do recurso regex avançado.", + "search.maintainFileSearchCache": "Quando habilitado, o processo de searchService será mantido ativo em vez de ser desligado após uma hora de inatividade. Isso manterá o cache de pesquisa de arquivo na memória.", + "useIgnoreFiles": "Controla se os arquivos `.gitignore` e `.ignore` devem ser usados ao pesquisar arquivos.", + "useGlobalIgnoreFiles": "Controla se os arquivos globais `.gitignore` e `.ignore` devem ser usados durante a pesquisa de arquivos.", + "search.quickOpen.includeSymbols": "Se deseja incluir os resultados de uma pesquisa de símbolo global nos resultados do arquivo para Abertura Rápida.", + "search.quickOpen.includeHistory": "Se deseja incluir os resultados de arquivos abertos recentemente nos resultados do arquivo para Abertura Rápida.", + "filterSortOrder.default": "As entradas do histórico são classificadas por relevância com base no valor do filtro usado. As entradas mais relevantes aparecem primeiro.", + "filterSortOrder.recency": "As entradas do histórico são classificadas por recência. As entradas abertas mais recentemente aparecem primeiro.", + "filterSortOrder": "Controla a ordem de classificação do histórico do editor ao abrir rapidamente ao filtrar.", + "search.followSymlinks": "Controla se os ciclos de links devem ser seguidos durante a pesquisa.", + "search.smartCase": "Pesquisar sem diferenciar maiúsculas de minúsculas se o padrão for todo em minúsculas, caso contrário, pesquisar diferenciando maiúsculas de minúsculas.", + "search.globalFindClipboard": "Controla se o modo de exibição de pesquisa deve ler ou modificar a área de transferência de localização compartilhada no macOS.", + "search.location": "Controla se a pesquisa será mostrada como um modo de exibição na barra lateral ou como um painel na área do painel para obter mais espaço horizontal.", + "search.location.deprecationMessage": "Esta configuração é preterida. Em vez disso, use o menu de contexto da exibição de pesquisa.", + "search.collapseResults.auto": "Arquivos com menos de 10 resultados são expandidos. Outros são recolhidos.", + "search.collapseAllResults": "Controla se os resultados da pesquisa serão recolhidos ou expandidos.", + "search.useReplacePreview": "Controla se é necessário abrir a Visualização de Substituição ao selecionar ou substituir uma correspondência.", + "search.showLineNumbers": "Controla se os números de linha devem ser mostrados para os resultados da pesquisa.", + "search.usePCRE2": "Se o mecanismo de regex do PCRE2 deve ser usado na pesquisa de texto. Isso permite o uso de alguns recursos de regex avançados, como referências inversas e de lookahead. No entanto, nem todos os recursos PCRE2 são compatíveis, somente recursos compatíveis com o JavaScript.", + "usePCRE2Deprecated": "Preterido. O PCRE2 será usado automaticamente ao usar os recursos regex que só têm suporte do PCRE2.", + "search.actionsPositionAuto": "Posicione o actionBar à direita quando o modo de exibição de pesquisa for estreito e imediatamente após o conteúdo quando o modo de exibição de pesquisa for largo.", + "search.actionsPositionRight": "Sempre posicione o actionbar à direita.", + "search.actionsPosition": "Controla o posicionamento do actionbar nas linhas do modo de exibição de pesquisa.", + "search.searchOnType": "Pesquisar todos os arquivos enquanto você digita.", + "search.seedWithNearestWord": "Habilitar a pesquisa de propagação da palavra mais próxima ao cursor quando o editor ativo não tiver nenhuma seleção.", + "search.seedOnFocus": "Atualizar a consulta de pesquisa do workspace para o texto selecionado do editor ao focar no modo de exibição de pesquisa. Isso acontece ao clicar ou ao disparar o comando `workbench.views.search.focus`.", + "search.searchOnTypeDebouncePeriod": "Quando `#search.searchOnType#` está habilitado, controla o tempo limite em milissegundos entre um caractere que está sendo digitado e o início da pesquisa. Não tem efeito quando `search.searchOnType` está desabilitado.", + "search.searchEditor.doubleClickBehaviour.selectWord": "Clicar duas vezes seleciona a palavra sob o cursor.", + "search.searchEditor.doubleClickBehaviour.goToLocation": "Clicar duas vezes abre o resultado no grupo de editor ativo.", + "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Clicar duas vezes abrirá o resultado no grupo editor ao lado, criando um se ele ainda não existir.", + "search.searchEditor.doubleClickBehaviour": "Configurar efeito de clicar duas vezes em um resultado em um editor de pesquisas.", + "searchSortOrder.default": "Os resultados são classificados por nomes de pastas e arquivos, em ordem alfabética.", + "searchSortOrder.filesOnly": "Os resultados são classificados por nomes de arquivo ignorando a ordem da pasta, em ordem alfabética.", + "searchSortOrder.type": "Os resultados são classificados por extensões de arquivo, em ordem alfabética.", + "searchSortOrder.modified": "Os resultados são classificados pela data da última modificação do arquivo, em ordem descendente.", + "searchSortOrder.countDescending": "Os resultados são classificados por contagem por arquivo, em ordem descendente.", + "searchSortOrder.countAscending": "Os resultados são classificados por contagem por arquivo, em ordem ascendente.", + "search.sortOrder": "Controla a ordem de classificação dos resultados da pesquisa." + }, + "sql/workbench/contrib/notebook/browser/notebookActions": { + "loading": "Carregando kernels...", + "changing": "Alterando kernel...", + "AttachTo": "Anexar a ", + "Kernel": "Kernel ", + "loadingContexts": "Carregando contextos...", + "changeConnection": "Alterar Conexão", + "selectConnection": "Selecionar Conexão", + "localhost": "localhost", + "noKernel": "Nenhum Kernel", + "kernelNotSupported": "Esse bloco de anotações não pode ser executado com parâmetros porque não há suporte para o kernel. Use os kernels e o formato com suporte. [Learn more] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "noParametersCell": "Este bloco de anotações não pode ser executado com parâmetros até que uma célula de parâmetro seja adicionada. [Saiba mais] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "noParametersInCell": "Este bloco de anotações não pode ser executado com parâmetros até que haja parâmetros adicionados à célula de parâmetro. [Saiba mais] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "clearResults": "Limpar Resultados", + "trustLabel": "Confiável", + "untrustLabel": "Não Confiável", + "collapseAllCells": "Recolher Células", + "expandAllCells": "Expandir Células", + "runParameters": "Executar com Parâmetros", + "noContextAvailable": "Nenhum", + "newNotebookAction": "Novo Notebook", + "notebook.findNext": "Encontrar Próxima Cadeia de Caracteres", + "notebook.findPrevious": "Encontrar Cadeia de Caracteres Anterior" + }, + "sql/workbench/contrib/notebook/browser/notebookEditor": { + "notebookEditor.name": "Notebook Editor" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { + "notebookExplorer.searchResults": "Resultados da Pesquisa", + "searchPathNotFoundError": "Caminho de pesquisa não encontrado: {0}", + "notebookExplorer.name": "Notebooks" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { + "searchWithoutFolder": "Você não abriu nenhuma pasta que contenha notebooks/livros. ", + "openNotebookFolder": "Abrir os Notebooks", + "searchMaxResultsWarning": "O conjunto de resultados contém apenas um subconjunto de todas as correspondências. Faça uma pesquisa mais específica para restringir os resultados.", + "searchInProgress": "Pesquisa em andamento... – ", + "noResultsIncludesExcludes": "Nenhum resultado encontrado em '{0}', exceto '{1}' – ", + "noResultsIncludes": "Nenhum resultado encontrado em '{0}' – ", + "noResultsExcludes": "Nenhum resultado encontrado, exceto '{0}' – ", + "noResultsFound": "Nenhum resultado encontrado. Examine suas configurações para obter exclusões configuradas e verifique os arquivos do gitignore – ", + "rerunSearch.message": "Pesquisar novamente", + "rerunSearchInAll.message": "Pesquisar novamente em todos os arquivos", + "openSettings.message": "Abrir as Configurações", + "ariaSearchResultsStatus": "A pesquisa retornou {0} resultados em {1} arquivos", + "ToggleCollapseAndExpandAction.label": "Ativar/Desativar Recolhimento e Expansão", + "CancelSearchAction.label": "Cancelar Pesquisa", + "ExpandAllAction.label": "Expandir Tudo", + "CollapseDeepestExpandedLevelAction.label": "Recolher Tudo", + "ClearSearchResultsAction.label": "Limpar os Resultados da Pesquisa" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { + "label.Search": "Pesquisar: digite o termo de pesquisa e pressione Enter para pesquisar ou Escape para cancelar", + "search.placeHolder": "Pesquisar" + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViews.component": { + "cellNotFound": "a célula com o URI {0} não foi encontrada neste modelo", + "cellRunFailed": "Falha ao executar células – Confira o erro na saída da célula selecionada no momento para obter mais informações." + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsCodeCell.component": { + "viewsCodeCell.emptyCellText": "Execute essa célula para exibir as saídas." + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsGrid.component": { + "emptyText": "Essa exibição está vazia. Adicione uma célula a essa exibição clicando no botão Inserir células." + }, + "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { + "copyFailed": "Falha na cópia com o erro {0}", + "notebook.showChart": "Mostrar gráfico", + "notebook.showTable": "Mostrar tabela" + }, + "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { + "noRendererFound": "Nenhum renderizador {0} foi encontrado para saída. Ele tem os seguintes tipos MIME: {1}", + "safe": "(seguro) " + }, + "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { + "plotlyError": "Erro ao exibir o gráfico Plotly: {0}" + }, + "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { + "servers.noConnections": "Nenhuma conexão encontrada.", + "serverTree.addConnection": "Adicionar Conexão" + }, + "sql/workbench/contrib/objectExplorer/common/serverGroup.contribution": { + "serverGroup.colors": "Paleta de cores do grupo de servidores usada no viewlet do Pesquisador de Objetos.", + "serverGroup.autoExpand": "Expanda automaticamente grupos de servidores no viewlet do Pesquisador de Objetos.", + "serverTree.useAsyncServerTree": "(Versão Prévia) Use a nova árvore de servidor assíncrono para o modo de exibição Servidores e a caixa de diálogo Conexão com suporte para novos recursos, como filtragem dinâmica de nós." + }, + "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { + "data": "Dados", + "connection": "Conexão", + "queryEditor": "Editor de Consultas", + "notebook": "Notebook", + "dashboard": "Painel", + "profiler": "Profiler", + "builtinCharts": "Gráficos Integrados" + }, + "sql/workbench/contrib/profiler/browser/profiler.contribution": { + "profiler.settings.viewTemplates": "Especifica os modelos de exibição", + "profiler.settings.sessionTemplates": "Especifica os modelos de sessão", + "profiler.settings.Filters": "Filtros do Profiler" + }, + "sql/workbench/contrib/profiler/browser/profilerActions": { + "profilerAction.connect": "Conectar", + "profilerAction.disconnect": "Desconectar", + "start": "Início", + "create": "Nova Sessão", + "profilerAction.pauseCapture": "Pausar", + "profilerAction.resumeCapture": "Continuar", + "profilerStop.stop": "Parar", + "profiler.clear": "Limpar Dados", + "profiler.clearDataPrompt": "Tem certeza de que deseja limpar os dados?", + "profiler.yes": "Sim", + "profiler.no": "Não", + "profilerAction.autoscrollOn": "Rolagem Automática: Ativada", + "profilerAction.autoscrollOff": "Rolagem Automática: Desativada", + "profiler.toggleCollapsePanel": "Alternar Painel Recolhido", + "profiler.editColumns": "Editar Colunas", + "profiler.findNext": "Encontrar Próxima Cadeia de Caracteres", + "profiler.findPrevious": "Encontrar Cadeia de Caracteres Anterior", + "profilerAction.newProfiler": "Iniciar Profiler", + "profiler.filter": "Filtro...", + "profiler.clearFilter": "Limpar Filtro", + "profiler.clearFilterPrompt": "Tem certeza de que deseja limpar os filtros?" + }, + "sql/workbench/contrib/profiler/browser/profilerEditor": { + "profiler.viewSelectAccessibleName": "Selecionar Exibição", + "profiler.sessionSelectAccessibleName": "Selecionar Sessão", + "profiler.sessionSelectLabel": "Selecionar Sessão:", + "profiler.viewSelectLabel": "Selecionar Exibição:", + "text": "Texto", + "label": "Rótulo", + "profilerEditor.value": "Valor", + "details": "Detalhes" + }, + "sql/workbench/contrib/profiler/browser/profilerFindWidget": { + "label.find": "Encontrar", + "placeholder.find": "Encontrar", + "label.previousMatchButton": "Correspondência anterior", + "label.nextMatchButton": "Próxima correspondência", + "label.closeButton": "Fechar", + "title.matchesCountLimit": "Sua pesquisa retornou um grande número de resultados. Apenas as primeiras 999 correspondências serão destacadas.", + "label.matchesLocation": "{0} de {1}", + "label.noResults": "Nenhum Resultado" + }, + "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { + "profilerTextEditorAriaLabel": "Editor do Profiler para o texto do evento .ReadOnly" + }, + "sql/workbench/contrib/profiler/browser/profilerTableEditor": { + "ProfilerTableEditor.eventCountFiltered": "Eventos (Filtrados): {0}/{1}", + "ProfilerTableEditor.eventCount": "Eventos: {0}", + "status.eventCount": "Contagem de Eventos" + }, + "sql/workbench/contrib/query/browser/actions": { + "saveAsCsv": "Salvar Como CSV", + "saveAsJson": "Salvar Como JSON", + "saveAsExcel": "Salvar Como Excel", + "saveAsXml": "Salvar Como XML", + "jsonEncoding": "A codificação de resultados não será salva ao exportar para JSON. Lembre-se de salvar com a codificação desejada após a criação do arquivo.", + "saveToFileNotSupported": "Salvar em arquivo não é uma ação compatível com a fonte de dados de backup", + "copySelection": "Copiar", + "copyWithHeaders": "Copiar Com Cabeçalhos", + "selectAll": "Selecionar Tudo", + "maximize": "Maximizar", + "restore": "Restaurar", + "chart": "Gráfico", + "visualizer": "Visualizador" + }, + "sql/workbench/contrib/query/browser/flavorStatus": { + "chooseSqlLang": "Escolha a linguagem SQL", + "changeProvider": "Alterar provedor de linguagem SQL", + "status.query.flavor": "Variante de linguagem SQL", + "changeSqlProvider": "Alterar Provedor de Mecanismo SQL", + "alreadyConnected": "Existe uma conexão usando o mecanismo {0}. Para alterar, desconecte ou altere a conexão", + "noEditor": "Nenhum editor de texto ativo neste momento", + "pickSqlProvider": "Selecionar o Provedor de Linguagem" + }, + "sql/workbench/contrib/query/browser/gridPanel": { + "xmlShowplan": "Plano de execução XML", + "resultsGrid": "Grade de resultados", + "resultsGrid.maxRowCountExceeded": "A contagem máxima de linhas para filtragem/classificação foi excedida. Para atualizá-la, você pode ir para as configurações do usuário e alterar a configuração: 'queryEditor. Results. inMemoryDataProcessingThreshold'" + }, + "sql/workbench/contrib/query/browser/keyboardQueryActions": { + "focusOnCurrentQueryKeyboardAction": "Foco na Consulta Atual", + "runQueryKeyboardAction": "Executar Consulta", + "runCurrentQueryKeyboardAction": "Executar Consulta Atual", + "copyQueryWithResultsKeyboardAction": "Copiar Consulta com Resultados", + "queryActions.queryResultsCopySuccess": "Consulta e resultados copiados com êxito.", + "runCurrentQueryWithActualPlanKeyboardAction": "Executar Consulta Atual com Plano Real", + "cancelQueryKeyboardAction": "Cancelar Consulta", + "refreshIntellisenseKeyboardAction": "Atualizar Cache do IntelliSense", + "toggleQueryResultsKeyboardAction": "Alternar Resultados da Consulta", + "ToggleFocusBetweenQueryEditorAndResultsAction": "Alternar Foco entre a Consulta e os Resultados", + "queryShortcutNoEditor": "O editor de parâmetro é necessário para um atalho ser executado", + "parseSyntaxLabel": "Analisar Consulta", + "queryActions.parseSyntaxSuccess": "Comandos concluídos com êxito", + "queryActions.parseSyntaxFailure": "Falha no comando: ", + "queryActions.notConnected": "Conecte-se a um servidor" + }, + "sql/workbench/contrib/query/browser/messagePanel": { + "messagePanel": "Painel de Mensagens", + "copy": "Copiar", + "copyAll": "Copiar Tudo" + }, + "sql/workbench/contrib/query/browser/query.contribution": { + "queryResultsEditor.name": "Resultados da Consulta", + "newQuery": "Nova Consulta", + "queryEditorConfigurationTitle": "Editor de Consultas", + "queryEditor.results.saveAsCsv.includeHeaders": "Quando true, os cabeçalhos de coluna são incluídos ao salvar os resultados como CSV", + "queryEditor.results.saveAsCsv.delimiter": "O delimitador personalizado a ser usado entre valores ao salvar como CSV", + "queryEditor.results.saveAsCsv.lineSeperator": "Os caracteres usados para separar linhas ao salvar os resultados como CSV", + "queryEditor.results.saveAsCsv.textIdentifier": "O caractere usado para delimitar os campos de texto ao salvar os resultados como CSV", + "queryEditor.results.saveAsCsv.encoding": "Arquivo de codificação usado ao salvar os resultados como CSV", + "queryEditor.results.saveAsXml.formatted": "Quando true, a saída XML será formatada ao salvar resultados como XML", + "queryEditor.results.saveAsXml.encoding": "Codificação de arquivo usada ao salvar os resultados como XML", + "queryEditor.results.streaming": "Habilitar streaming de resultados; contém alguns problemas visuais menores", + "queryEditor.results.copyIncludeHeaders": "Opções de configuração para copiar os resultados na Visualização dos Resultados", + "queryEditor.results.copyRemoveNewLine": "Opções de configuração para copiar os resultados de várias linhas da Visualização dos Resultados", + "queryEditor.results.optimizedTable": "(Experimental) Use uma tabela otimizada nos resultados. Algumas funcionalidades podem estar ausentes e em funcionamento.", + "queryEditor.inMemoryDataProcessingThreshold": "Controla o número máximo de linhas permitidas para filtragem e classificação na memória. Se o número for excedido, a classificação e a filtragem serão desabilitadas. Aviso: aumentar isso pode afetar o desempenho.", + "queryEditor.results.openAfterSave": "Se o arquivo deve ser aberto no Azure Data Studio depois que o resultado é salvo.", + "queryEditor.messages.showBatchTime": "O tempo de execução deve ser mostrado para lotes individuais?", + "queryEditor.messages.wordwrap": "Mensagens de quebra automática de linha", + "queryEditor.chart.defaultChartType": "O tipo de gráfico padrão a ser usado ao abrir o Visualizador de Gráficos nos Resultados da Consulta", + "queryEditor.tabColorMode.off": "A coloração da guia será desabilitada", + "queryEditor.tabColorMode.border": "A borda superior de cada guia do editor será colorida para combinar com o grupo de servidores relevante", + "queryEditor.tabColorMode.fill": "A cor de fundo de cada editor da guia corresponderá ao grupo de servidores relevante", + "queryEditor.tabColorMode": "Controla como colorir as guias com base no grupo de servidores de sua conexão ativa", + "queryEditor.showConnectionInfoInTitle": "Controla se deseja mostrar a informação de conexão para uma guia no título.", + "queryEditor.promptToSaveGeneratedFiles": "Pedir para salvar arquivos SQL gerados", + "queryShortcutDescription": "Defina o atalho workbench.action.query.shortcut{0} para executar o texto de atalho como uma chamada de procedimento ou execução de consulta. Qualquer texto selecionado no editor de consultas será passado como um parâmetro no final da consulta ou você pode fazer referência a ele com {arg}" + }, + "sql/workbench/contrib/query/browser/queryActions": { + "newQueryTask.newQuery": "Nova Consulta", + "runQueryLabel": "Executar", + "cancelQueryLabel": "Cancelar", + "estimatedQueryPlan": "Explicar", + "actualQueryPlan": "Real", + "disconnectDatabaseLabel": "Desconectar", + "changeConnectionDatabaseLabel": "Alterar Conexão", + "connectDatabaseLabel": "Conectar", + "enablesqlcmdLabel": "Habilitar SQLCMD", + "disablesqlcmdLabel": "Desabilitar SQLCMD", + "selectDatabase": "Selecionar Banco de Dados", + "changeDatabase.failed": "Falha ao alterar o banco de dados", + "changeDatabase.failedWithError": "Falha ao alterar o banco de dados: {0}", + "queryEditor.exportSqlAsNotebook": "Exportar o Notebook" + }, + "sql/workbench/contrib/query/browser/queryEditor": { + "queryEditor.name": "Query Editor" + }, + "sql/workbench/contrib/query/browser/queryResultsView": { + "resultsTabTitle": "Resultados", + "messagesTabTitle": "Mensagens" + }, + "sql/workbench/contrib/query/browser/statusBarItems": { + "status.query.timeElapsed": "Tempo Decorrido", + "status.query.rowCount": "Contagem de Linhas", + "rowCount": "{0} linhas", + "query.status.executing": "Executando consulta...", + "status.query.status": "Status de Execução", + "status.query.selection-summary": "Resumo da Seleção", + "status.query.summaryText": "Média: {0} Contagem: {1} Soma: {2}" + }, + "sql/workbench/contrib/query/common/resultsGrid.contribution": { + "resultsGridConfigurationTitle": "Grade de Resultados e Mensagens", + "fontFamily": "Controla a família de fontes.", + "fontWeight": "Controla a espessura da fonte.", + "fontSize": "Controla o tamanho da fonte em pixels.", + "letterSpacing": "Controla o espaçamento de letras em pixels.", + "rowHeight": "Controla a altura da linha em pixels", + "cellPadding": "Controla o preenchimento em pixels da célula", + "autoSizeColumns": "Dimensionar automaticamente a largura de colunas nos resultados iniciais. Pode haver problemas de desempenho com um grande número de colunas ou com células grandes", + "maxColumnWidth": "A largura máxima em pixels para colunas dimensionadas automaticamente" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryActions": { + "toggleQueryHistory": "Ativar/desativar o Histórico de Consultas", + "queryHistory.delete": "Excluir", + "queryHistory.clearLabel": "Limpar Todo o Histórico", + "queryHistory.openQuery": "Abrir Consulta", + "queryHistory.runQuery": "Executar Consulta", + "queryHistory.toggleCaptureLabel": "Ativar/desativar a captura de Histórico de Consultas", + "queryHistory.disableCapture": "Pausar a Captura de Histórico de Consultas", + "queryHistory.enableCapture": "Iniciar a Captura do Histórico de Consultas" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryRenderer": { + "succeeded": "com êxito", + "failed": "falhou" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryView": { + "noQueriesMessage": "Não há nenhuma consulta a ser exibida.", + "queryHistory.regTreeAriaLabel": "Histórico de Consultas" + }, + "sql/workbench/contrib/queryHistory/electron-browser/queryHistory": { + "queryHistoryConfigurationTitle": "QueryHistory", + "queryHistoryCaptureEnabled": "Se a captura do Histórico de Consultas estiver habilitada. Se for false, as consultas executadas não serão capturadas.", + "queryHistory.clearLabel": "Limpar todo o histórico", + "queryHistory.disableCapture": "Pausar a Captura de Histórico de Consultas", + "queryHistory.enableCapture": "Iniciar a Captura do Histórico de Consultas", + "viewCategory": "Exibir", + "miViewQueryHistory": "&&Histórico de Consultas", + "queryHistory": "Histórico de Consultas" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlan": { + "queryPlanTitle": "Plano de Consulta" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlanEditor": { + "queryPlanEditor": "Query Plan Editor" + }, + "sql/workbench/contrib/queryPlan/browser/topOperations": { + "topOperations.operation": "Operação", + "topOperations.object": "Objeto", + "topOperations.estCost": "Custo Est.", + "topOperations.estSubtreeCost": "Custo Est. da Subárvore", + "topOperations.actualRows": "Linhas Atuais", + "topOperations.estRows": "Linhas Est.", + "topOperations.actualExecutions": "Execuções Reais", + "topOperations.estCPUCost": "Custo Est. de CPU", + "topOperations.estIOCost": "Custo Est. de E/S", + "topOperations.parallel": "Paralelo", + "topOperations.actualRebinds": "Reassociações Reais", + "topOperations.estRebinds": "Reassociações Est.", + "topOperations.actualRewinds": "Rebobinações Reais", + "topOperations.estRewinds": "Rebobinações Est.", + "topOperations.partitioned": "Particionado", + "topOperationsTitle": "Operações Principais" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewer.contribution": { + "resourceViewer": "Visualizador de Recursos" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { + "resourceViewer.refresh": "Atualizar" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { + "resourceViewerTable.openError": "Erro ao abrir o link: {0}", + "resourceViewerTable.commandError": "Erro ao executar o comando '{0}' : {1}" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { + "resourceViewer.ariaLabel": "Árvore do Visualizador de Recursos" + }, + "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { + "extension.contributes.resourceView.resource.id": "Identificador do recurso.", + "extension.contributes.resourceView.resource.name": "O nome legível para humanos da exibição. Será mostrado", + "extension.contributes.resourceView.resource.icon": "Caminho para o ícone de recurso.", + "extension.contributes.resourceViewResources": "Contribui o recurso para o modo de exibição de recursos", + "requirestring": "a propriedade `{0}` é obrigatória e deve ser do tipo `string`", + "optstring": "a propriedade `{0}` pode ser omitida ou deve ser do tipo `string`" + }, + "sql/workbench/contrib/restore/browser/restore.contribution": { + "restore": "Restaurar", + "backup": "Restaurar" + }, + "sql/workbench/contrib/restore/browser/restoreActions": { + "restore.isPreviewFeature": "Você precisa habilitar as versões prévias dos recursos para poder utilizar a restauração", + "restore.commandNotSupportedOutsideContext": "O comando Restaurar não tem suporte fora de um contexto de servidor. Selecione um servidor ou banco de dados e tente novamente.", + "restore.commandNotSupported": "O comando Restore não é compatível com bancos de dados SQL do Azure.", + "restoreAction.restore": "Restaurar" + }, + "sql/workbench/contrib/scripting/browser/scripting.contribution": { + "scriptAsCreate": "Script como Criar", + "scriptAsDelete": "Script como Soltar", + "scriptAsSelect": "Selecione Top 1000", + "scriptAsExecute": "Script como Executar", + "scriptAsAlter": "Script como Alterar", + "editData": "Editar Dados", + "scriptSelect": "Selecione Top 1000", + "scriptKustoSelect": "Levar 10", + "scriptCreate": "Script como Criar", + "scriptExecute": "Script como Executar", + "scriptAlter": "Script como Alterar", + "scriptDelete": "Script como Soltar", + "refreshNode": "Atualizar" + }, + "sql/workbench/contrib/scripting/browser/scriptingActions": { + "refreshError": "Ocorreu um erro ao atualizar o nó '{0}': {1}" + }, + "sql/workbench/contrib/tasks/browser/tasks.contribution": { + "inProgressTasksChangesBadge": "{0} tarefas em andamento", + "viewCategory": "Exibir", + "tasks": "Tarefas", + "miViewTasks": "&&Tarefas" + }, + "sql/workbench/contrib/tasks/browser/tasksActions": { + "toggleTasks": "Alternar Tarefas" + }, + "sql/workbench/contrib/tasks/browser/tasksRenderer": { + "succeeded": "com êxito", + "failed": "falhou", + "inProgress": "em andamento", + "notStarted": "não iniciado", + "canceled": "cancelado", + "canceling": "cancelando" + }, + "sql/workbench/contrib/tasks/browser/tasksView": { + "noTaskMessage": "Nenhum histórico de tarefas a ser exibido.", + "taskHistory.regTreeAriaLabel": "Histórico de tarefa", + "taskError": "Erro de tarefa" + }, + "sql/workbench/contrib/tasks/common/tasksAction": { + "cancelTask.cancel": "Cancelar", + "errorMsgFromCancelTask": "Falha ao cancelar a tarefa.", + "taskAction.script": "Script" + }, + "sql/workbench/contrib/views/browser/treeView": { + "no-dataprovider": "Não há nenhum provedor de dados registrado que possa fornecer dados de exibição.", + "refresh": "Atualizar", + "collapseAll": "Recolher Tudo", + "command-error": "Erro ao executar o comando {1}: {0}. Isso provavelmente é causado pela extensão que contribui com {1}." + }, + "sql/workbench/contrib/webview/browser/webViewDialog": { + "webViewDialog.ok": "OK", + "webViewDialog.close": "Fechar" + }, + "sql/workbench/contrib/welcome/gettingStarted/browser/abstractEnablePreviewFeatures": { + "enablePreviewFeatures.notice": "Os recursos de versão prévia aprimoram a sua experiência no Azure Data Studio oferecendo a você acesso completo a novos recursos e melhorias. Saiba mais sobre os recursos de versão prévia [aqui]({0}). Deseja habilitar os recursos de versão prévia?", + "enablePreviewFeatures.yes": "Sim (recomendado)", + "enablePreviewFeatures.no": "Não", + "enablePreviewFeatures.never": "Não, não mostrar novamente" + }, + "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { + "welcomePage.previewBody": "Esta página de recurso está em versão prévia. Os recursos de versão prévia apresentam novas funcionalidades que estão no caminho para se tornar parte permanente do produto. Eles são estáveis, mas precisam de melhorias de acessibilidade adicionais. Nós agradecemos os seus comentários iniciais enquanto os recursos estão em desenvolvimento.", + "welcomePage.preview": "Versão prévia", + "welcomePage.createConnection": "Criar uma conexão", + "welcomePage.createConnectionBody": "Conectar a uma instância do banco de dados por meio da caixa de diálogo de conexão.", + "welcomePage.runQuery": "Executar uma consulta", + "welcomePage.runQueryBody": "Interagir com os dados por meio de um editor de consultas.", + "welcomePage.createNotebook": "Criar um notebook", + "welcomePage.createNotebookBody": "Crie um notebook usando um editor de notebook nativo.", + "welcomePage.deployServer": "Implantar um servidor", + "welcomePage.deployServerBody": "Crie uma instância de um serviço de dados relacionais na plataforma de sua escolha.", + "welcomePage.resources": "Recursos", + "welcomePage.history": "Histórico", + "welcomePage.name": "Nome", + "welcomePage.location": "Localização", + "welcomePage.moreRecent": "Mostrar mais", + "welcomePage.showOnStartup": "Mostrar a página inicial na inicialização", + "welcomePage.usefuLinks": "Links Úteis", + "welcomePage.gettingStarted": "Introdução", + "welcomePage.gettingStartedBody": "Descubra as funcionalidades oferecidas pelo Azure Data Studio e saiba como aproveitá-las ao máximo.", + "welcomePage.documentation": "Documentação", + "welcomePage.documentationBody": "Visite o centro de documentos para obter guias de início rápido, guias de instruções e referências para o PowerShell, as APIs e outros.", + "welcomePage.videos": "Vídeos", + "welcomePage.videoDescriptionOverview": "Visão geral do Azure Data Studio", + "welcomePage.videoDescriptionIntroduction": "Introdução aos Notebooks do Azure Data Studio | Dados Expostos", + "welcomePage.extensions": "Extensões", + "welcomePage.showAll": "Mostrar Tudo", + "welcomePage.learnMore": "Saiba mais " + }, + "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { + "GuidedTour.connections": "Conexões", + "GuidedTour.makeConnections": "Conecte-se, consulte e gerencie as suas conexões no SQL Server, no Azure e muito mais.", + "GuidedTour.one": "1", + "GuidedTour.next": "Próximo", + "GuidedTour.notebooks": "Notebooks", + "GuidedTour.gettingStartedNotebooks": "Comece a criar o seu notebook ou uma coleção de notebooks em um único lugar.", + "GuidedTour.two": "2", + "GuidedTour.extensions": "Extensões", + "GuidedTour.addExtensions": "Estenda a funcionalidade do Azure Data Studio instalando extensões desenvolvidas por nós/Microsoft e também pela comunidade de terceiros (você!).", + "GuidedTour.three": "3", + "GuidedTour.settings": "Configurações", + "GuidedTour.makeConnesetSettings": "Personalize o Azure Data Studio com base nas suas preferências. Você pode definir configurações como o salvamento automático e o tamanho da tabulação, personalizar os seus Atalhos de Teclado e mudar para um Tema de Cores de sua preferência.", + "GuidedTour.four": "4", + "GuidedTour.welcomePage": "Página Inicial", + "GuidedTour.discoverWelcomePage": "Descubra os principais recursos, arquivos abertos recentemente e extensões recomendadas na Página inicial. Para obter mais informações sobre como começar a usar o Azure Data Studio, confira nossos vídeos e documentação.", + "GuidedTour.five": "5", + "GuidedTour.finish": "Concluir", + "guidedTour": "Tour de Boas-Vindas do Usuário", + "hideGuidedTour": "Ocultar Tour de Boas-Vindas", + "GuidedTour.readMore": "Leia mais", + "help": "Ajuda" + }, + "sql/workbench/contrib/welcome/page/browser/welcomePage": { + "welcomePage": "Bem-vindo(a)", + "welcomePage.adminPack": "Admin Pack do SQL", + "welcomePage.showAdminPack": "Admin Pack do SQL", + "welcomePage.adminPackDescription": "O Admin Pack do SQL Server é uma coleção de extensões populares de administração de banco de dados que ajudam você a gerenciar o SQL Server", + "welcomePage.sqlServerAgent": "SQL Server Agent", + "welcomePage.sqlServerProfiler": "SQL Server Profiler", + "welcomePage.sqlServerImport": "Importação do SQL Server", + "welcomePage.sqlServerDacpac": "SQL Server Dacpac", + "welcomePage.powershell": "PowerShell", + "welcomePage.powershellDescription": "Grave e execute scripts do PowerShell usando o editor de consultas avançado do Azure Data Studio", + "welcomePage.dataVirtualization": "Virtualização de Dados", + "welcomePage.dataVirtualizationDescription": "Virtualize os dados com o SQL Server 2019 e crie tabelas externas usando assistentes interativos", + "welcomePage.PostgreSQL": "PostgreSQL", + "welcomePage.PostgreSQLDescription": "Conecte-se, consulte e gerencie bancos de dados Postgres com o Azure Data Studio", + "welcomePage.extensionPackAlreadyInstalled": "O suporte para {0} já está instalado.", + "welcomePage.willReloadAfterInstallingExtensionPack": "A janela será recarregada após a instalação do suporte adicional para {0}.", + "welcomePage.installingExtensionPack": "Instalando suporte adicional para {0}...", + "welcomePage.extensionPackNotFound": "Não foi possível encontrar suporte para {0} com a id {1}.", + "welcomePage.newConnection": "Nova conexão", + "welcomePage.newQuery": "Nova consulta", + "welcomePage.newNotebook": "Novo notebook", + "welcomePage.deployServer": "Implantar um servidor", + "welcome.title": "Bem-vindo(a)", + "welcomePage.new": "Novo", + "welcomePage.open": "Abrir…", + "welcomePage.openFile": "Abrir arquivo…", + "welcomePage.openFolder": "Abrir a pasta…", + "welcomePage.startTour": "Iniciar Tour", + "closeTourBar": "Fechar barra do tour rápido", + "WelcomePage.TakeATour": "Deseja fazer um tour rápido pelo Azure Data Studio?", + "WelcomePage.welcome": "Bem-vindo(a)!", + "welcomePage.openFolderWithPath": "Abrir pasta {0} com caminho {1}", + "welcomePage.install": "Instalar", + "welcomePage.installKeymap": "Instalar o mapa de teclas {0}", + "welcomePage.installExtensionPack": "Instalar suporte adicional para {0}", + "welcomePage.installed": "Instalado", + "welcomePage.installedKeymap": "O mapa de teclas {0} já está instalado", + "welcomePage.installedExtensionPack": "O suporte de {0} já está instalado", + "ok": "OK", + "details": "Detalhes", + "welcomePage.background": "Cor da tela de fundo da página inicial." + }, + "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { + "welcomePage.azdata": "Azure Data Studio", + "welcomePage.start": "Início", + "welcomePage.newConnection": "Nova conexão", + "welcomePage.newQuery": "Nova consulta", + "welcomePage.newNotebook": "Novo notebook", + "welcomePage.openFileMac": "Abrir arquivo", + "welcomePage.openFileLinuxPC": "Abrir arquivo", + "welcomePage.deploy": "Implantar", + "welcomePage.newDeployment": "Nova Implantação…", + "welcomePage.recent": "Recente", + "welcomePage.moreRecent": "Mais...", + "welcomePage.noRecentFolders": "Não há pastas recentes", + "welcomePage.help": "Ajuda", + "welcomePage.gettingStarted": "Introdução", + "welcomePage.productDocumentation": "Documentação", + "welcomePage.reportIssue": "Relatar problema ou solicitação de recurso", + "welcomePage.gitHubRepository": "Repositório GitHub", + "welcomePage.releaseNotes": "Notas sobre a versão", + "welcomePage.showOnStartup": "Mostrar a página inicial na inicialização", + "welcomePage.customize": "Personalizar", + "welcomePage.extensions": "Extensões", + "welcomePage.extensionDescription": "Baixe as extensões necessárias, incluindo o pacote de Administrador do SQL Server e muito mais", + "welcomePage.keyboardShortcut": "Atalhos de Teclado", + "welcomePage.keyboardShortcutDescription": "Encontre seus comandos favoritos e personalize-os", + "welcomePage.colorTheme": "Tema de cores", + "welcomePage.colorThemeDescription": "Faça com que o editor e seu código tenham a aparência que você mais gosta", + "welcomePage.learn": "Learn", + "welcomePage.showCommands": "Encontrar e executar todos os comandos", + "welcomePage.showCommandsDescription": "Acesse e pesquise rapidamente comandos na Paleta de Comandos ({0})", + "welcomePage.azdataBlog": "Descubra o que há de novo na versão mais recente", + "welcomePage.azdataBlogDescription": "Novas postagens mensais do blog apresentando nossos novos recursos", + "welcomePage.followTwitter": "Siga-nos no Twitter", + "welcomePage.followTwitterDescription": "Mantenha-se atualizado com a forma como a Comunidade está usando o Azure Data Studio e converse diretamente com os engenheiros." + }, + "sql/workbench/services/accountManagement/browser/accountDialog": { + "accountExplorer.name": "Contas", + "linkedAccounts": "Contas vinculadas", + "accountDialog.close": "Fechar", + "accountDialog.noAccountLabel": "Não há nenhuma conta vinculada. Adicione uma conta.", + "accountDialog.addConnection": "Adicionar uma conta", + "accountDialog.noCloudsRegistered": "Você não tem nuvens habilitadas. Acesse Configurações-> Pesquisar Configuração de Conta do Azure-> Habilitar pelo menos uma nuvem", + "accountDialog.didNotPickAuthProvider": "Você não selecionou nenhum provedor de autenticação. Tente novamente." + }, + "sql/workbench/services/accountManagement/browser/accountDialogController": { + "accountDialog.addAccountErrorTitle": "Erro ao adicionar a conta" + }, + "sql/workbench/services/accountManagement/browser/accountListRenderer": { + "refreshCredentials": "Você precisa atualizar as credenciais para esta conta." + }, + "sql/workbench/services/accountManagement/browser/accountManagementService": { + "accountManagementService.close": "Fechar", + "loggingIn": "Adicionando conta...", + "refreshFailed": "A conta de atualização foi cancelada pelo usuário" + }, + "sql/workbench/services/accountManagement/browser/accountPickerImpl": { + "azureAccount": "Conta do Azure", + "azureTenant": "Locatário do Azure" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { + "copyAndOpen": "Copiar e Abrir", + "oauthDialog.cancel": "Cancelar", + "userCode": "Código do usuário", + "website": "Site" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { + "oauthFlyoutIsAlreadyOpen": "Não é possível iniciar o OAuth automático. Um OAuth automático já está em andamento." + }, + "sql/workbench/services/admin/common/adminService": { + "adminService.providerIdNotValidError": "A conexão é necessária para interagir com adminservice", + "adminService.noHandlerRegistered": "Nenhum manipulador registrado" + }, + "sql/workbench/services/assessment/common/assessmentService": { + "asmt.providerIdNotValidError": "A conexão é necessária para interagir com o Serviço de Avaliação", + "asmt.noHandlerRegistered": "Nenhum Manipulador Registrado" + }, + "sql/workbench/services/connection/browser/advancedPropertiesController": { + "connectionAdvancedProperties": "Propriedades Avançadas", + "advancedProperties.discard": "Descartar" + }, + "sql/workbench/services/connection/browser/cmsConnectionWidget": { + "serverDescription": "Descrição do Servidor (opcional)" + }, + "sql/workbench/services/connection/browser/connectionActions": { + "ClearRecentlyUsedLabel": "Limpar Lista", + "ClearedRecentConnections": "Lista de conexões recentes limpa", + "connectionAction.yes": "Sim", + "connectionAction.no": "Não", + "clearRecentConnectionMessage": "Tem certeza de que deseja excluir todas as conexões da lista?", + "connectionDialog.yes": "Sim", + "connectionDialog.no": "Não", + "delete": "Excluir", + "connectionAction.GetCurrentConnectionString": "Obter a Cadeia de Conexão Atual", + "connectionAction.connectionString": "A cadeia de conexão não está disponível", + "connectionAction.noConnection": "Nenhuma conexão ativa disponível" + }, + "sql/workbench/services/connection/browser/connectionBrowseTab": { + "connectionDialog.browser": "Procurar", + "connectionDialog.FilterPlaceHolder": "Digite aqui para filtrar a lista", + "connectionDialog.FilterInputTitle": "Filtrar conexões", + "connectionDialog.ApplyingFilter": "Aplicando filtro", + "connectionDialog.RemovingFilter": "Removendo filtro", + "connectionDialog.FilterApplied": "Filtro aplicado", + "connectionDialog.FilterRemoved": "Filtro removido", + "savedConnections": "Conexões Salvas", + "savedConnection": "Conexões Salvas", + "connectionBrowserTree": "Árvore do Navegador de Conexão" + }, + "sql/workbench/services/connection/browser/connectionDialogService": { + "connectionError": "Erro de conexão", + "kerberosErrorStart": "A conexão falhou devido a um erro do Kerberos.", + "kerberosHelpLink": "Ajuda para configurar o Kerberos está disponível em {0}", + "kerberosKinit": "Se você já se conectou anteriormente, pode ser necessário executar novamente o kinit." + }, + "sql/workbench/services/connection/browser/connectionDialogWidget": { + "connection": "Conexão", + "connecting": "Conectando", + "connectType": "Tipo de conexão", + "recentConnectionTitle": "Recente", + "connectionDetailsTitle": "Detalhes da Conexão", + "connectionDialog.connect": "Conectar", + "connectionDialog.cancel": "Cancelar", + "connectionDialog.recentConnections": "Conexões Recentes", + "noRecentConnections": "Nenhuma conexão recente" + }, + "sql/workbench/services/connection/browser/connectionManagementService": { + "connection.noAzureAccount": "Falha ao obter o token de conta do Azure para a conexão", + "connectionNotAcceptedError": "Conexão não aceita", + "connectionService.yes": "Sim", + "connectionService.no": "Não", + "cancelConnectionConfirmation": "Tem certeza de que deseja cancelar esta conexão?" + }, + "sql/workbench/services/connection/browser/connectionWidget": { + "connectionWidget.AddAzureAccount": "Adicionar uma conta...", + "defaultDatabaseOption": "", + "loadingDatabaseOption": "Carregando...", + "serverGroup": "Grupo de servidores", + "defaultServerGroup": "", + "addNewServerGroup": "Adicionar novo grupo...", + "noneServerGroup": "", + "connectionWidget.missingRequireField": "{0} é obrigatório.", + "connectionWidget.fieldWillBeTrimmed": "{0} será removido.", + "rememberPassword": "Lembrar senha", + "connection.azureAccountDropdownLabel": "Conta", + "connectionWidget.refreshAzureCredentials": "Atualizar as credenciais de conta", + "connection.azureTenantDropdownLabel": "Locatário do Azure AD", + "connectionName": "Nome (opcional)", + "advanced": "Avançado...", + "connectionWidget.invalidAzureAccount": "Você precisa selecionar uma conta" + }, + "sql/workbench/services/connection/browser/localizedConstants": { + "onDidConnectMessage": "Conectado a", + "onDidDisconnectMessage": "Desconectado", + "unsavedGroupLabel": "Conexões Não Salvas" + }, + "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { + "newDashboardTab.openDashboardExtensions": "Abrir extensões do painel", + "newDashboardTab.ok": "OK", + "newDashboardTab.cancel": "Cancelar", + "newdashboardTabDialog.noExtensionLabel": "Não há extensões de painel para serem instaladas neste momento. Vá para o Gerenciador de Extensões para explorar extensões recomendadas." + }, + "sql/workbench/services/dialog/browser/dialogPane": { + "wizardPageNumberDisplayText": "Etapa {0}" + }, + "sql/workbench/services/dialog/common/dialogTypes": { + "dialogModalDoneButtonLabel": "Concluído", + "dialogModalCancelButtonLabel": "Cancelar" + }, + "sql/workbench/services/editData/common/editQueryRunner": { + "query.initEditExecutionFailed": "Falha ao inicializar a sessão de edição de dados: " + }, + "sql/workbench/services/errorMessage/browser/errorMessageDialog": { + "errorMessageDialog.ok": "OK", + "errorMessageDialog.close": "Fechar", + "errorMessageDialog.action": "Ação", + "copyDetails": "Copiar detalhes" + }, + "sql/workbench/services/errorMessage/browser/errorMessageService": { + "error": "Erro", + "warning": "Aviso", + "info": "Informações", + "ignore": "Ignorar" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { + "filebrowser.filepath": "Caminho selecionado", + "fileFilter": "Arquivos do tipo", + "fileBrowser.ok": "OK", + "fileBrowser.discard": "Descartar" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialogController": { + "filebrowser.selectFile": "Selecionar um arquivo" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { + "fileBrowser.regTreeAriaLabel": "Árvore de navegador de arquivo" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserService": { + "fileBrowserErrorMessage": "Ocorreu um erro ao carregar o navegador de arquivos.", + "fileBrowserErrorDialogTitle": "Erro do navegador de arquivo" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { + "allFiles": "Todos os arquivos" + }, + "sql/workbench/services/insights/browser/insightDialogActions": { + "workbench.action.insights.copySelection": "Copiar Célula" + }, + "sql/workbench/services/insights/browser/insightsDialogController": { + "insightsInputError": "Nenhum Perfil de Conexão foi passado para o submenu de insights", + "insightsError": "Erro de insights", + "insightsFileError": "Houve um erro ao ler o arquivo de consulta: ", + "insightsConfigError": "Ocorreu um erro ao analisar a configuração do insight. Não foi possível encontrar a matriz/cadeia de caracteres de consulta ou o arquivo de consulta" + }, + "sql/workbench/services/insights/browser/insightsDialogView": { + "insights.item": "Item", + "insights.value": "Valor", + "insightsDetailView.name": "Detalhes do Insight", + "property": "Propriedade", + "value": "Valor", + "InsightsDialogTitle": "Insights", + "insights.dialog.items": "Itens", + "insights.dialog.itemDetails": "Detalhes do Item" + }, + "sql/workbench/services/insights/common/insightsUtils": { + "insightsDidNotFindResolvedFile": "Não foi possível encontrar o arquivo de consulta em nenhum dos seguintes caminhos: {0}" + }, + "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { + "agentUtilities.failed": "Com falha", + "agentUtilities.succeeded": "Com Êxito", + "agentUtilities.retry": "Tentar Novamente", + "agentUtilities.canceled": "Cancelado", + "agentUtilities.inProgress": "Em Andamento", + "agentUtilities.statusUnknown": "Status Desconhecido", + "agentUtilities.executing": "Executando", + "agentUtilities.waitingForThread": "Esperando pela Thread", + "agentUtilities.betweenRetries": "Entre Tentativas", + "agentUtilities.idle": "Ocioso", + "agentUtilities.suspended": "Suspenso", + "agentUtilities.obsolete": "[Obsoleto]", + "agentUtilities.yes": "Sim", + "agentUtilities.no": "Não", + "agentUtilities.notScheduled": "Não Agendado", + "agentUtilities.neverRun": "Nunca Executar" + }, + "sql/workbench/services/jobManagement/common/jobManagementService": { + "providerIdNotValidError": "A conexão é necessária para interagir com JobManagementService", + "noHandlerRegistered": "Nenhum Manipulador Registrado" + }, + "sql/workbench/services/notebook/browser/interfaces": { + "sqlKernel": "SQL" + }, "sql/workbench/services/notebook/browser/models/cell": { "runCellCancelled": "Execução da célula cancelada", "executionCanceled": "A execução da consulta foi cancelada", @@ -11325,12 +11224,223 @@ "noDefaultKernel": "Nenhum kernel está disponível para este notebook", "commandSuccessful": "Comando executado com êxito" }, + "sql/workbench/services/notebook/browser/models/clientSession": { + "clientSession.unknownError": "Ocorreu um erro ao iniciar a sessão do notebook", + "ServerNotStarted": "O servidor não foi iniciado por uma razão desconhecida", + "kernelRequiresConnection": "O kernel {0} não foi encontrado. O kernel padrão será usado em seu lugar." + }, "sql/workbench/services/notebook/browser/models/notebookContexts": { "selectConnection": "Selecionar Conexão", "localhost": "localhost" }, - "sql/workbench/browser/parts/editor/editorStatusModeSelect": { - "languageChangeUnsupported": "Não há suporte para alterar os tipos de editor em arquivos não salvos" + "sql/workbench/services/notebook/browser/models/notebookModel": { + "injectedParametersMsg": "# Injected-Parameters\r\n", + "kernelRequiresConnection": "Selecione uma conexão para executar células para este kernel", + "deleteCellFailed": "Falha ao excluir a célula.", + "changeKernelFailedRetry": "Falha ao alterar o kernel. O kernel {0} será usado. O erro foi: {1}", + "changeKernelFailed": "Falha ao alterar o kernel devido ao erro: {0}", + "changeContextFailed": "Falha ao alterar o contexto: {0}", + "startSessionFailed": "Não foi possível iniciar a sessão: {0}", + "shutdownClientSessionError": "Ocorreu um erro de sessão de cliente ao fechar o notebook: {0}", + "ProviderNoManager": "Não é possível encontrar o gerenciador de notebook do provedor {0}" + }, + "sql/workbench/services/notebook/browser/notebookServiceImpl": { + "notebookUriNotDefined": "Nenhum URI foi passado ao criar um gerenciador de notebooks", + "notebookServiceNoProvider": "O provedor de notebooks não existe" + }, + "sql/workbench/services/notebook/browser/notebookViews/notebookViewModel": { + "notebookView.nameTaken": "Já existe uma exibição com o nome {0} nesse bloco de anotações." + }, + "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { + "sqlKernelError": "Erro no kernel do SQL", + "connectionRequired": "Uma conexão precisa ser escolhida para executar as células do notebook", + "sqlMaxRowsDisplayed": "Exibindo as Primeiras {0} linhas." + }, + "sql/workbench/services/notebook/common/contracts": { + "notebook.richTextEditMode": "Rich Text", + "notebook.splitViewEditMode": "Modo Divisão", + "notebook.markdownEditMode": "Markdown" + }, + "sql/workbench/services/notebook/common/localContentManager": { + "nbformatNotRecognized": "nbformat v{0}.{1} não reconhecido", + "nbNotSupported": "Este arquivo não tem um formato de notebook válido", + "unknownCellType": "Tipo de célula {0} desconhecido", + "unrecognizedOutput": "Tipo de saída {0} não reconhecido", + "invalidMimeData": "Espera-se que os dados de {0} sejam uma cadeia de caracteres ou uma matriz de cadeia de caracteres", + "unrecognizedOutputType": "Tipo de saída {0} não reconhecido" + }, + "sql/workbench/services/notebook/common/notebookRegistry": { + "carbon.extension.contributes.notebook.provider": "Identificador do provedor de notebook.", + "carbon.extension.contributes.notebook.fileExtensions": "Quais extensões de arquivo devem ser registradas para este provedor de notebook?", + "carbon.extension.contributes.notebook.standardKernels": "Quais kernels devem ser padrão com este provedor de notebook?", + "vscode.extension.contributes.notebook.providers": "Contribui com provedores de notebooks.", + "carbon.extension.contributes.notebook.magic": "Nome do magic da célula, como '%%sql'.", + "carbon.extension.contributes.notebook.language": "A linguagem de célula a ser usada se esta magic da célula estiver incluída na célula", + "carbon.extension.contributes.notebook.executionTarget": "Destino de execução opcional que essa mágic indica, por exemplo, Spark versus SQL", + "carbon.extension.contributes.notebook.kernels": "Conjunto opcional de kernels que é válido para, por exemplo, python3, pyspark, SQL", + "vscode.extension.contributes.notebook.languagemagics": "Contribui com a linguagem do notebook." + }, + "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { + "loading": "Carregando..." + }, + "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { + "connectionTree.refresh": "Atualizar", + "connectionTree.editConnection": "Editar Conexão", + "DisconnectAction": "Desconectar", + "connectionTree.addConnection": "Nova Conexão", + "connectionTree.addServerGroup": "Novo Grupo de Servidores", + "connectionTree.editServerGroup": "Editar Grupo de Servidores", + "activeConnections": "Mostrar Conexões Ativas", + "showAllConnections": "Mostrar Todas as Conexões", + "deleteConnection": "Excluir Conexão", + "deleteConnectionGroup": "Excluir Grupo" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerService": { + "OeSessionFailedError": "Falha ao criar a sessão do Pesquisador de Objetos", + "nodeExpansionError": "Múltiplos erros:" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerViewTreeShim": { + "noProviderFound": "Não é possível expandir, pois o provedor de conexão necessário '{0}' não foi encontrado", + "loginCanceled": "Usuário cancelado", + "firewallCanceled": "Caixa de diálogo do Firewall cancelada" + }, + "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { + "loading": "Carregando..." + }, + "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { + "treeAriaLabel": "Conexões Recentes", + "serversAriaLabel": "Servidores", + "treeCreation.regTreeAriaLabel": "Servidores" + }, + "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { + "eventSort": "Classificar por evento", + "nameColumn": "Classificar por coluna", + "profilerColumnDialog.profiler": "Profiler", + "profilerColumnDialog.ok": "OK", + "profilerColumnDialog.cancel": "Cancelar" + }, + "sql/workbench/services/profiler/browser/profilerFilterDialog": { + "profilerFilterDialog.clear": "Limpar tudo", + "profilerFilterDialog.apply": "Aplicar", + "profilerFilterDialog.ok": "OK", + "profilerFilterDialog.cancel": "Cancelar", + "profilerFilterDialog.title": "Filtros", + "profilerFilterDialog.remove": "Remover esta cláusula", + "profilerFilterDialog.saveFilter": "Salvar Filtro", + "profilerFilterDialog.loadFilter": "Carregar Filtro", + "profilerFilterDialog.addClauseText": "Adicionar uma cláusula", + "profilerFilterDialog.fieldColumn": "Campo", + "profilerFilterDialog.operatorColumn": "Operador", + "profilerFilterDialog.valueColumn": "Valor", + "profilerFilterDialog.isNullOperator": "É Nulo", + "profilerFilterDialog.isNotNullOperator": "Não É Nulo", + "profilerFilterDialog.containsOperator": "Contém", + "profilerFilterDialog.notContainsOperator": "Não Contém", + "profilerFilterDialog.startsWithOperator": "Começa Com", + "profilerFilterDialog.notStartsWithOperator": "Não Começa Com" + }, + "sql/workbench/services/query/common/queryModelService": { + "commitEditFailed": "A linha de commit falhou: ", + "runQueryBatchStartMessage": "Iniciada a execução de consulta em ", + "runQueryStringBatchStartMessage": "Começou a executar consulta \"{0}\"", + "runQueryBatchStartLine": "Linha {0}", + "msgCancelQueryFailed": "O cancelamento da consulta falhou: {0}", + "updateCellFailed": "Falha na célula de atualização: " + }, + "sql/workbench/services/query/common/queryRunner": { + "query.ExecutionFailedError": "A execução falhou devido a um erro inesperado: {0} {1}", + "query.message.executionTime": "Tempo total de execução: {0}", + "query.message.startQueryWithRange": "Execução da consulta iniciada na linha {0}", + "query.message.startQuery": "Execução do lote {0} iniciada", + "elapsedBatchTime": "Tempo de execução em lote: {0}", + "copyFailed": "Falha na cópia com o erro {0}" + }, + "sql/workbench/services/query/common/resultSerializer": { + "msgSaveFailed": "Falha ao salvar os resultados. ", + "resultsSerializer.saveAsFileTitle": "Escolher o Arquivo de Resultados", + "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (separado por vírgula)", + "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", + "resultsSerializer.saveAsFileExtensionExcelTitle": "Pasta de Trabalho do Excel", + "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", + "resultsSerializer.saveAsFileExtensionTXTTitle": "Texto Sem Formatação", + "savingFile": "Salvando arquivo...", + "msgSaveSucceeded": "Os resultados foram salvos com êxito em {0}", + "openFile": "Abrir arquivo" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { + "from": "De", + "to": "Para", + "createNewFirewallRule": "Criar regra de firewall", + "firewall.ok": "OK", + "firewall.cancel": "Cancelar", + "firewallRuleDialogDescription": "Seu endereço IP de cliente não tem acesso ao servidor. Entre com uma conta Azure e crie uma regra de firewall para permitir o acesso.", + "firewallRuleHelpDescription": "Saiba mais sobre as configurações do firewall", + "filewallRule": "Regra de firewall", + "addIPAddressLabel": "Adicionar o meu IP de cliente ", + "addIpRangeLabel": "Adicionar meu intervalo de IP de sub-rede" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialogController": { + "firewallDialog.addAccountErrorTitle": "Erro ao adicionar a conta", + "firewallRuleError": "Erro de regra de firewall" + }, + "sql/workbench/services/restore/browser/restoreDialog": { + "backupFilePath": "Caminho do arquivo de backup", + "targetDatabase": "Banco de dados de destino", + "restoreDialog.restore": "Restaurar", + "restoreDialog.restoreTitle": "Restaurar banco de dados", + "restoreDialog.database": "Banco de dados", + "restoreDialog.backupFile": "Arquivo de backup", + "RestoreDialogTitle": "Restaurar banco de dados", + "restoreDialog.cancel": "Cancelar", + "restoreDialog.script": "Script", + "source": "Fonte", + "restoreFrom": "Restaurar de", + "missingBackupFilePathError": "O caminho do arquivo de backup é obrigatório.", + "multipleBackupFilePath": "Insira um ou mais caminhos de arquivo separados por vírgulas", + "database": "Banco de dados", + "destination": "Destino", + "restoreTo": "Restaurar para", + "restorePlan": "Restaurar plano", + "backupSetsToRestore": "Conjuntos de backup para restaurar", + "restoreDatabaseFileAs": "Restaurar arquivos de banco de dados como", + "restoreDatabaseFileDetails": "Restaurar os detalhes do arquivo de banco de dados", + "logicalFileName": "Nome do Arquivo lógico", + "fileType": "Tipo de arquivo", + "originalFileName": "Nome do Arquivo Original", + "restoreAs": "Restaurar como", + "restoreOptions": "Opções de restauração", + "taillogBackup": "Backup da parte final do log", + "serverConnection": "Conexões de servidor", + "generalTitle": "Geral", + "filesTitle": "Arquivos", + "optionsTitle": "Opções" + }, + "sql/workbench/services/restore/common/constants": { + "backup.filterBackupFiles": "Arquivos de Backup", + "backup.allFiles": "Todos os Arquivos" + }, + "sql/workbench/services/serverGroup/browser/serverGroupDialog": { + "ServerGroupsDialogTitle": "Grupos de Servidores", + "serverGroup.ok": "OK", + "serverGroup.cancel": "Cancelar", + "connectionGroupName": "Nome do grupo de servidores", + "MissingGroupNameError": "O nome do grupo é obrigatório.", + "groupDescription": "Descrição do grupo", + "groupColor": "Cor do grupo" + }, + "sql/workbench/services/serverGroup/common/serverGroupViewModel": { + "serverGroup.addServerGroup": "Adicionar grupo de servidores", + "serverGroup.editServerGroup": "Editar grupo de servidores" + }, + "sql/workbench/services/tasks/common/tasksService": { + "InProgressWarning": "1 ou mais tarefas estão em andamento. Tem certeza de que deseja sair?", + "taskService.yes": "Sim", + "taskService.no": "Não" + }, + "sql/workbench/update/electron-browser/releaseNotes": { + "gettingStarted": "Introdução", + "showReleaseNotes": "Mostrar Introdução", + "miGettingStarted": "I&&ntrodução" } } } \ No newline at end of file diff --git a/i18n/ads-language-pack-ru/package.json b/i18n/ads-language-pack-ru/package.json index e8805b91a6..4a0f010ee0 100644 --- a/i18n/ads-language-pack-ru/package.json +++ b/i18n/ads-language-pack-ru/package.json @@ -2,7 +2,7 @@ "name": "ads-language-pack-ru", "displayName": "Russian Language Pack for Azure Data Studio", "description": "Language pack extension for Russian", - "version": "1.29.0", + "version": "1.31.0", "publisher": "Microsoft", "repository": { "type": "git", @@ -11,7 +11,7 @@ "license": "SEE SOURCE EULA LICENSE IN LICENSE.txt", "engines": { "vscode": "*", - "azdata": ">=1.29.0" + "azdata": "^0.0.0" }, "icon": "languagepack.png", "categories": [ @@ -164,6 +164,14 @@ "id": "vscode.yaml", "path": "./translations/extensions/yaml.i18n.json" }, + { + "id": "Microsoft.admin-tool-ext-win", + "path": "./translations/extensions/admin-tool-ext-win.i18n.json" + }, + { + "id": "Microsoft.agent", + "path": "./translations/extensions/agent.i18n.json" + }, { "id": "Microsoft.azurecore", "path": "./translations/extensions/azurecore.i18n.json" @@ -172,6 +180,18 @@ "id": "Microsoft.big-data-cluster", "path": "./translations/extensions/big-data-cluster.i18n.json" }, + { + "id": "Microsoft.cms", + "path": "./translations/extensions/cms.i18n.json" + }, + { + "id": "Microsoft.dacpac", + "path": "./translations/extensions/dacpac.i18n.json" + }, + { + "id": "Microsoft.import", + "path": "./translations/extensions/import.i18n.json" + }, { "id": "Microsoft.sqlservernotebook", "path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json" @@ -184,9 +204,17 @@ "id": "Microsoft.notebook", "path": "./translations/extensions/notebook.i18n.json" }, + { + "id": "Microsoft.profiler", + "path": "./translations/extensions/profiler.i18n.json" + }, { "id": "Microsoft.resource-deployment", "path": "./translations/extensions/resource-deployment.i18n.json" + }, + { + "id": "Microsoft.schema-compare", + "path": "./translations/extensions/schema-compare.i18n.json" } ] } diff --git a/i18n/ads-language-pack-ru/translations/extensions/admin-tool-ext-win.i18n.json b/i18n/ads-language-pack-ru/translations/extensions/admin-tool-ext-win.i18n.json new file mode 100644 index 0000000000..f03f19ec6c --- /dev/null +++ b/i18n/ads-language-pack-ru/translations/extensions/admin-tool-ext-win.i18n.json @@ -0,0 +1,26 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "adminToolExtWin.displayName": "Расширения средства администрирования баз данных для Windows", + "adminToolExtWin.description": "Добавляет в Azure Data Studio дополнительные возможности для Windows", + "adminToolExtWin.propertiesMenuItem": "Свойства", + "adminToolExtWin.launchGswMenuItem": "Создание сценариев…" + }, + "dist/main": { + "adminToolExtWin.noConnectionContextForProp": "Не указан ConnectionContext для handleLaunchSsmsMinPropertiesDialogCommand", + "adminToolExtWin.noOENode": "Не удалось определить узел обозревателя объектов из connectionContext: {0}", + "adminToolExtWin.noConnectionContextForGsw": "Не указан ConnectionContext для handleLaunchSsmsMinPropertiesDialogCommand", + "adminToolExtWin.noConnectionProfile": "Не указан connectionProfile из connectionContext: {0}", + "adminToolExtWin.launchingDialogStatus": "Запуск диалогового окна…", + "adminToolExtWin.ssmsMinError": "Ошибка при вызове SsmsMin с аргументами \"{0}\" — {1}" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ru/translations/extensions/agent.i18n.json b/i18n/ads-language-pack-ru/translations/extensions/agent.i18n.json new file mode 100644 index 0000000000..63ed6c840d --- /dev/null +++ b/i18n/ads-language-pack-ru/translations/extensions/agent.i18n.json @@ -0,0 +1,282 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/agentDialog": { + "agentDialog.OK": "ОК", + "agentDialog.Cancel": "Отмена" + }, + "dist/dialogs/jobStepDialog": { + "jobStepDialog.fileBrowserTitle": "Укажите файлы базы данных — ", + "jobStepDialog.ok": "ОК", + "jobStepDialog.cancel": "Отмена", + "jobStepDialog.general": "Общее", + "jobStepDialog.advanced": "Дополнительно", + "jobStepDialog.open": "Открыть…", + "jobStepDialog.parse": "Синтаксический анализ", + "jobStepDialog.successParse": "Синтаксический анализ команды завершен.", + "jobStepDialog.failParse": "Сбой команды.", + "jobStepDialog.blankStepName": "Имя шага не может быть пустым", + "jobStepDialog.processExitCode": "Код выхода процесса при успешном завершении команды:", + "jobStepDialog.stepNameLabel": "Имя шага", + "jobStepDialog.typeLabel": "Тип", + "jobStepDialog.runAsLabel": "Запустить как", + "jobStepDialog.databaseLabel": "База данных", + "jobStepDialog.commandLabel": "Команда", + "jobStepDialog.successAction": "Действие в случае успешного результата", + "jobStepDialog.failureAction": "Действие при ошибке", + "jobStepDialog.runAsUser": "Запустить от имени пользователя", + "jobStepDialog.retryAttempts": "Повторные попытки", + "jobStepDialog.retryInterval": "Интервал повтора (в минутах)", + "jobStepDialog.logToTable": "Ведение журнала в таблицу", + "jobStepDialog.appendExistingTableEntry": "Добавить выходные данные в существующую запись в таблице", + "jobStepDialog.includeStepOutputHistory": "Включить выходные данные шага в журнал", + "jobStepDialog.outputFile": "Выходной файл", + "jobStepDialog.appendOutputToFile": "Добавить выходные данные в существующий файл", + "jobStepDialog.selectedPath": "Выбранный путь", + "jobStepDialog.filesOfType": "Файлы типа", + "jobStepDialog.fileName": "Имя файла", + "jobStepDialog.allFiles": "Все файлы (*)", + "jobStepDialog.newJobStep": "Создание шага задания", + "jobStepDialog.editJobStep": "Изменить шаг задания", + "jobStepDialog.TSQL": "Скрипт Transact-SQL (T-SQL)", + "jobStepDialog.powershell": "PowerShell", + "jobStepDialog.CmdExec": "Операционная система (CmdExec)", + "jobStepDialog.replicationDistribution": "Репликация: распространитель", + "jobStepDialog.replicationMerge": "Репликация: слияние", + "jobStepDialog.replicationQueueReader": "Репликация: средство просмотра очередей", + "jobStepDialog.replicationSnapshot": "Репликация: моментальный снимок", + "jobStepDialog.replicationTransactionLogReader": "Репликация: средство чтения журнала транзакций", + "jobStepDialog.analysisCommand": "Команда служб SQL Server Analysis Services", + "jobStepDialog.analysisQuery": "Запрос служб SQL Server Analysis Services", + "jobStepDialog.servicesPackage": "Пакет службы интеграции SQL Server", + "jobStepDialog.agentServiceAccount": "Учетная запись службы агента SQL Server", + "jobStepDialog.nextStep": "Перейти к следующему шагу", + "jobStepDialog.quitJobSuccess": "Завершить задание успешно", + "jobStepDialog.quitJobFailure": "Завершить задание с ошибкой" + }, + "dist/dialogs/pickScheduleDialog": { + "pickSchedule.jobSchedules": "Расписания заданий", + "pickSchedule.ok": "ОК", + "pickSchedule.cancel": "Отмена", + "pickSchedule.availableSchedules": "Доступные расписания:", + "pickSchedule.scheduleName": "Имя", + "pickSchedule.scheduleID": "Идентификатор", + "pickSchedule.description": "Описание" + }, + "dist/dialogs/alertDialog": { + "alertDialog.createAlert": "Создать предупреждение", + "alertDialog.editAlert": "Изменить оповещение", + "alertDialog.General": "Общее", + "alertDialog.Response": "Ответ", + "alertDialog.Options": "Параметры", + "alertDialog.eventAlert": "Определение предупреждения о событии", + "alertDialog.Name": "Имя", + "alertDialog.Type": "Тип", + "alertDialog.Enabled": "Включено", + "alertDialog.DatabaseName": "Имя базы данных", + "alertDialog.ErrorNumber": "Номер ошибки", + "alertDialog.Severity": "Серьезность", + "alertDialog.RaiseAlertContains": "Выдать предупреждение, если сообщение содержит", + "alertDialog.MessageText": "Текст сообщения", + "alertDialog.Severity001": "001 — различные системные сведения", + "alertDialog.Severity002": "002 — зарезервировано", + "alertDialog.Severity003": "003 — зарезервировано", + "alertDialog.Severity004": "004 — зарезервировано", + "alertDialog.Severity005": "005 — зарезервировано", + "alertDialog.Severity006": "006 — зарезервировано", + "alertDialog.Severity007": "007 — уведомление: сведения о состоянии", + "alertDialog.Severity008": "008 — уведомление: требуется вмешательство пользователя", + "alertDialog.Severity009": "009 — определяемый пользователем", + "alertDialog.Severity010": "010 — сведения", + "alertDialog.Severity011": "011 — указанный объект базы данных не найден", + "alertDialog.Severity012": "012 — не используется", + "alertDialog.Severity013": "013 — синтаксическая ошибка пользовательской транзакции", + "alertDialog.Severity014": "014 — недостаточно разрешений", + "alertDialog.Severity015": "015 — синтаксическая ошибка в инструкциях SQL", + "alertDialog.Severity016": "016 — другая пользовательская ошибка", + "alertDialog.Severity017": "017 — недостаточно ресурсов", + "alertDialog.Severity018": "018 — некритичная внутренняя ошибка", + "alertDialog.Severity019": "019 — неустранимая ошибка в ресурсе", + "alertDialog.Severity020": "020 — неустранимая ошибка в текущем процессе", + "alertDialog.Severity021": "021 — - неустранимая ошибка в процессах базы данных", + "alertDialog.Severity022": "022 — неустранимая ошибка: возможно повреждение целостности таблицы", + "alertDialog.Severity023": "023 — неустранимая ошибка: возможно повреждение целостности базы данных", + "alertDialog.Severity024": "024 — неустранимая ошибка: аппаратная ошибка", + "alertDialog.Severity025": "025 — неустранимая ошибка", + "alertDialog.AllDatabases": "<все базы данных>", + "alertDialog.ExecuteJob": "Выполнить задание", + "alertDialog.ExecuteJobName": "Имя задания", + "alertDialog.NotifyOperators": "Операторы уведомления", + "alertDialog.NewJob": "Новое задание", + "alertDialog.OperatorList": "Список операторов", + "alertDialog.OperatorName": "Оператор", + "alertDialog.OperatorEmail": "Электронная почта", + "alertDialog.OperatorPager": "Пейджер", + "alertDialog.NewOperator": "Новый оператор", + "alertDialog.IncludeErrorInEmail": "Включить текст оповещения об ошибке в электронное письмо", + "alertDialog.IncludeErrorInPager": "Добавить текст уведомления об ошибке в пейджер", + "alertDialog.AdditionalNotification": "Дополнительное уведомление для отправки", + "alertDialog.DelayMinutes": "Задержка в минутах", + "alertDialog.DelaySeconds": "Задержка в секундах" + }, + "dist/dialogs/operatorDialog": { + "createOperator.createOperator": "Оператор создания", + "createOperator.editOperator": "Оператор редактирования", + "createOperator.General": "Общее", + "createOperator.Notifications": "Уведомления", + "createOperator.Name": "Имя", + "createOperator.Enabled": "Включено", + "createOperator.EmailName": "Имя для адреса электронной почты", + "createOperator.PagerEmailName": "Имя для адреса электронной почты пейджера", + "createOperator.PagerMondayCheckBox": "понедельник", + "createOperator.PagerTuesdayCheckBox": "вторник", + "createOperator.PagerWednesdayCheckBox": "среда", + "createOperator.PagerThursdayCheckBox": "четверг", + "createOperator.PagerFridayCheckBox": "пятница ", + "createOperator.PagerSaturdayCheckBox": "суббота", + "createOperator.PagerSundayCheckBox": "воскресенье", + "createOperator.workdayBegin": "Начало рабочего дня", + "createOperator.workdayEnd": "Конец рабочего дня", + "createOperator.PagerDutySchedule": "Расписание работы для пейджера", + "createOperator.AlertListHeading": "Список предупреждений", + "createOperator.AlertNameColumnLabel": "Имя предупреждения", + "createOperator.AlertEmailColumnLabel": "Электронная почта", + "createOperator.AlertPagerColumnLabel": "Пейджер" + }, + "dist/dialogs/jobDialog": { + "jobDialog.general": "Общее", + "jobDialog.steps": "Шаги", + "jobDialog.schedules": "Расписания", + "jobDialog.alerts": "Предупреждения", + "jobDialog.notifications": "Уведомления", + "jobDialog.blankJobNameError": "Имя задания не может быть пустым.", + "jobDialog.name": "Имя", + "jobDialog.owner": "Владелец", + "jobDialog.category": "Категория", + "jobDialog.description": "Описание", + "jobDialog.enabled": "Включено", + "jobDialog.jobStepList": "Список шагов задания", + "jobDialog.step": "Шаг", + "jobDialog.type": "Тип", + "jobDialog.onSuccess": "При успешном завершении", + "jobDialog.onFailure": "При сбое", + "jobDialog.new": "Новый шаг", + "jobDialog.edit": "Изменить шаг", + "jobDialog.delete": "Удалить шаг", + "jobDialog.moveUp": "Перейти на шаг выше", + "jobDialog.moveDown": "Перейти на шаг вниз", + "jobDialog.startStepAt": "Запустить шаг", + "jobDialog.notificationsTabTop": "Действия для выполнения после завершения задачи", + "jobDialog.email": "Адрес электронной почты", + "jobDialog.page": "Страница", + "jobDialog.eventLogCheckBoxLabel": "Запись в журнал событий приложений Windows", + "jobDialog.deleteJobLabel": "Автоматически удалить задание", + "jobDialog.schedulesaLabel": "Список расписаний", + "jobDialog.pickSchedule": "Выбор расписания", + "jobDialog.removeSchedule": "Удалить расписание", + "jobDialog.alertsList": "Список предупреждений", + "jobDialog.newAlert": "Новое предупреждение", + "jobDialog.alertNameLabel": "Имя предупреждения", + "jobDialog.alertEnabledLabel": "Включено", + "jobDialog.alertTypeLabel": "Тип", + "jobDialog.newJob": "Новое задание", + "jobDialog.editJob": "Изменение задания" + }, + "dist/data/jobData": { + "jobData.whenJobCompletes": "При завершении задания", + "jobData.whenJobFails": "При ошибке задания", + "jobData.whenJobSucceeds": "При успешном завершении задания", + "jobData.jobNameRequired": "Необходимо указать имя задания", + "jobData.saveErrorMessage": "Не удалось обновить задание \"{0}\"", + "jobData.newJobErrorMessage": "Не удалось создать задание \"{0}\"", + "jobData.saveSucessMessage": "Задание \"{0}\" обновлено", + "jobData.newJobSuccessMessage": "Задание \"{0}\" создано" + }, + "dist/data/jobStepData": { + "jobStepData.saveErrorMessage": "Не удалось обновить шаг \"{0}\"", + "stepData.jobNameRequired": "Необходимо указать имя задания", + "stepData.stepNameRequired": "Необходимо указать имя шага" + }, + "dist/mainController": { + "mainController.notImplemented": "Эта функция находится в разработке. Попробуйте последние сборки для участников программы предварительной оценки, если хотите оценить самые свежие изменения!", + "agent.templateUploadSuccessful": "Шаблон успешно обновлен", + "agent.templateUploadError": "Сбой обновления шаблона", + "agent.unsavedFileSchedulingError": "Перед тем, как начать планировать, записную книжку необходимо сохранить. Сохраните и повторите попытку планирования снова.", + "agent.AddNewConnection": "Добавить подключение", + "agent.selectConnection": "Выберите подключение", + "agent.selectValidConnection": "Выберите допустимое подключение." + }, + "dist/data/alertData": { + "alertData.saveErrorMessage": "Не удалось обновить оповещение \"{0}\"", + "alertData.DefaultAlertTypString": "Предупреждение о событии сервера SQL Server", + "alertDialog.PerformanceCondition": "Предупреждение о производительности сервера SQL Server", + "alertDialog.WmiEvent": "Предупреждение о событии WMI" + }, + "dist/dialogs/proxyDialog": { + "createProxy.createProxy": "Создание прокси-сервера", + "createProxy.editProxy": "Изменить прокси-сервер", + "createProxy.General": "Общее", + "createProxy.ProxyName": "Имя прокси-сервера", + "createProxy.CredentialName": "Имя учетных данных", + "createProxy.Description": "Описание", + "createProxy.SubsystemName": "Подсистема", + "createProxy.OperatingSystem": "Операционная система (CmdExec)", + "createProxy.ReplicationSnapshot": "Репликация: моментальный снимок", + "createProxy.ReplicationTransactionLog": "Репликация: средство чтения журнала транзакций", + "createProxy.ReplicationDistributor": "Репликация: распространитель", + "createProxy.ReplicationMerge": "Репликация: слияние", + "createProxy.ReplicationQueueReader": "Репликация: средство просмотра очередей", + "createProxy.SSASQueryLabel": "Запрос служб SQL Server Analysis Services", + "createProxy.SSASCommandLabel": "Команда служб SQL Server Analysis Services", + "createProxy.SSISPackage": "Пакет служб SQL Server Integration Services", + "createProxy.PowerShell": "PowerShell" + }, + "dist/data/proxyData": { + "proxyData.saveErrorMessage": "Не удалось обновить прокси-сервер \"{0}\"", + "proxyData.saveSucessMessage": "Прокси-сервер \"{0}\" обновлен", + "proxyData.newJobSuccessMessage": "Прокси-сервер \"{0}\" создан" + }, + "dist/dialogs/notebookDialog": { + "notebookDialog.newJob": "Новое задание записной книжки", + "notebookDialog.editJob": "Изменить задание записной книжки", + "notebookDialog.general": "Общее", + "notebookDialog.notebookSection": "Сведения о записной книжке", + "notebookDialog.templateNotebook": "Путь к записной книжке", + "notebookDialog.targetDatabase": "База данных хранилища", + "notebookDialog.executeDatabase": "База данных выполнения", + "notebookDialog.defaultDropdownString": "Выберите базу данных", + "notebookDialog.jobSection": "Сведения о задании", + "notebookDialog.name": "Имя", + "notebookDialog.owner": "Владелец", + "notebookDialog.schedulesaLabel": "Список расписаний", + "notebookDialog.pickSchedule": "Выбор расписания", + "notebookDialog.removeSchedule": "Удалить расписание", + "notebookDialog.description": "Описание", + "notebookDialog.templatePath": "Выберите записную книжку для планирования с компьютера", + "notebookDialog.targetDatabaseInfo": "Выберите базу данных для хранения всех метаданных и результатов задания записной книжки", + "notebookDialog.executionDatabaseInfo": "Выберите базу данных, в которой будут выполняться запросы записных книжек" + }, + "dist/data/notebookData": { + "notebookData.whenJobCompletes": "При заполнении записной книжки", + "notebookData.whenJobFails": "Когда возникает сбой записной книжки", + "notebookData.whenJobSucceeds": "Когда успешно выполняется операция записной книжки", + "notebookData.jobNameRequired": "Записные книжки должны быть предоставлены", + "notebookData.templatePathRequired": "Необходимо указать путь к шаблону", + "notebookData.invalidNotebookPath": "Недопустимый путь к записной книжке", + "notebookData.selectStorageDatabase": "Выберите базу данных хранения", + "notebookData.selectExecutionDatabase": "Выберите базу данных исполнения", + "notebookData.jobExists": "Работа с похожим названием уже существует", + "notebookData.saveErrorMessage": "Не удалось обновить записную книжку \"{0}\"", + "notebookData.newJobErrorMessage": "Не удалось создать записную книжку \"{0}\"", + "notebookData.saveSucessMessage": "Записная книжка «{0}» успешно обновлена", + "notebookData.newJobSuccessMessage": "Записная книжка \"{0}\" успешно создана" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ru/translations/extensions/azurecore.i18n.json b/i18n/ads-language-pack-ru/translations/extensions/azurecore.i18n.json index 1329b8b971..69a1574640 100644 --- a/i18n/ads-language-pack-ru/translations/extensions/azurecore.i18n.json +++ b/i18n/ads-language-pack-ru/translations/extensions/azurecore.i18n.json @@ -41,6 +41,7 @@ "dist/azureResource/utils": { "azure.resource.error": "Ошибка: {0}", "azure.accounts.getResourceGroups.queryError": "Ошибка при получении групп ресурсов для учетной записи {0} ({1}) в подписке {2} ({3}) и клиенте {4}: {5}", + "azure.accounts.getLocations.queryError": "Ошибка при получении местоположений для учетной записи {0} ({1}) в подписке {2} ({3}) и клиенте {4}: {5}", "azure.accounts.runResourceQuery.errors.invalidQuery": "Недопустимый запрос", "azure.accounts.getSubscriptions.queryError": "Ошибка при получении подписок для учетной записи {0} в клиенте {1}: {2}", "azure.accounts.getSelectedSubscriptions.queryError": "Ошибка при получении подписок для учетной записи {0}: {1}" @@ -105,7 +106,7 @@ "azurecore.azureArcsqlManagedInstance": "Управляемый экземпляр SQL — Azure Arc", "azurecore.azureArcService": "Служба данных — Azure Arc", "azurecore.sqlServerArc": "SQL Server — Azure Arc", - "azurecore.azureArcPostgres": "Гипермасштабирование для PostgreSQL с поддержкой Azure Arc", + "azurecore.azureArcPostgres": "Гипермасштабирование для PostgreSQL с поддержкой Azure Arc", "azure.unableToOpenAzureLink": "Не удается открыть ссылку, отсутствуют обязательные значения", "azure.azureResourcesGridTitle": "Ресурсы Azure (предварительная версия)", "azurecore.invalidAzureAccount": "Недопустимая учетная запись", @@ -141,7 +142,9 @@ "dist/azureResource/tree/flatAccountTreeNode": { "azure.resource.tree.accountTreeNode.titleLoading": "{0} — загрузка…", "azure.resource.tree.accountTreeNode.title": "{0} (выбрано подписок: {1} из {2})", - "azure.resource.tree.accountTreeNode.credentialError": "Не удалось получить учетные данные для учетной записи {0}. Перейдите в диалоговое окно учетных записей и обновите учетную запись." + "azure.resource.tree.accountTreeNode.credentialError": "Не удалось получить учетные данные для учетной записи {0}. Перейдите в диалоговое окно учетных записей и обновите учетную запись.", + "azure.resource.throttleerror": "Запросы от этой учетной записи были ограничены. Чтобы повторить попытку, выберите меньшее количество подписок.", + "azure.resource.tree.loadresourceerror": "При загрузке ресурсов Azure произошла ошибка: {0}" }, "dist/azureResource/tree/accountNotSignedInTreeNode": { "azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Вход в Azure…" @@ -203,6 +206,9 @@ "dist/azureResource/providers/kusto/kustoTreeDataProvider": { "azure.resource.providers.KustoContainerLabel": "Кластер Azure Data Explorer" }, + "dist/azureResource/providers/azuremonitor/azuremonitorTreeDataProvider": { + "azure.resource.providers.AzureMonitorContainerLabel": "Azure Monitor Workspace" + }, "dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": { "azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Сервер Базы данных Azure для PostgreSQL" }, diff --git a/i18n/ads-language-pack-ru/translations/extensions/big-data-cluster.i18n.json b/i18n/ads-language-pack-ru/translations/extensions/big-data-cluster.i18n.json index 32487992a8..2aba14587b 100644 --- a/i18n/ads-language-pack-ru/translations/extensions/big-data-cluster.i18n.json +++ b/i18n/ads-language-pack-ru/translations/extensions/big-data-cluster.i18n.json @@ -50,7 +50,7 @@ "bdc-data-size-field": "Емкость данных (ГБ)", "bdc-log-size-field": "Емкость для журналов (ГБ)", "bdc-agreement": "Я принимаю {0}, {1} и {2}.", - "microsoft-privacy-statement": "Заявление о конфиденциальности Майкрософт", + "microsoft-privacy-statement": "Заявление о конфиденциальности корпорации Майкрософт", "bdc-agreement-azdata-eula": "Условия лицензии azdata", "bdc-agreement-bdc-eula": "Условия лицензии SQL Server" }, @@ -201,4 +201,4 @@ "bdc.controllerTreeDataProvider.error": "Непредвиденная ошибка при загрузке сохраненных контроллеров: {0}" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ru/translations/extensions/cms.i18n.json b/i18n/ads-language-pack-ru/translations/extensions/cms.i18n.json new file mode 100644 index 0000000000..e98d85c62f --- /dev/null +++ b/i18n/ads-language-pack-ru/translations/extensions/cms.i18n.json @@ -0,0 +1,146 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "cms.displayName": "Центральные серверы управления SQL Server", + "cms.description": "Поддержка управления Центральными серверами управления SQL Server", + "cms.title": "Центральные серверы управления", + "cms.connectionProvider.displayName": "Microsoft SQL Server", + "cms.resource.explorer.title": "Центральные серверы управления", + "cms.resource.refresh.title": "Обновить", + "cms.resource.refreshServerGroup.title": "Обновить группу серверов", + "cms.resource.deleteRegisteredServer.title": "Удалить", + "cms.resource.addRegisteredServer.title": "Новая регистрация сервера…", + "cms.resource.deleteServerGroup.title": "Удалить", + "cms.resource.addServerGroup.title": "Новая группа серверов…", + "cms.resource.registerCmsServer.title": "Добавить центральный сервер управления", + "cms.resource.deleteCmsServer.title": "Удалить", + "cms.configuration.title": "Конфигурация MSSQL", + "cms.query.displayBitAsNumber": "Нужно ли отображать столбцы BIT как числа (1 или 0)? Если задано значение FALSE, столбцы BIT будут отображаться как \"TRUE\" или \"FALSE\"", + "cms.format.alignColumnDefinitionsInColumns": "Должны ли определения столбцов быть выровнены?", + "cms.format.datatypeCasing": "Следует ли форматировать типы данных в верхнем регистре, нижнем регистре или оставить без форматирования (\"нет\")", + "cms.format.keywordCasing": "Следует ли форматировать ключевые слова в верхнем регистре, нижнем регистре или оставить без форматирования (\"нет\")", + "cms.format.placeCommasBeforeNextStatement": "Следует ли ставить запятые в начале каждой инструкции в списке, например \", mycolumn2\", а не в конце, например \"mycolumn1,\"", + "cms.format.placeSelectStatementReferencesOnNewLine": "Нужно ли разделять на отдельные строки ссылки на объекты в выбранных инструкциях? Например, для \"SELECT C1, C2 FROM T1\" как C1, так и C2 будут находиться на отдельных строках", + "cms.logDebugInfo": "[Необязательно] Выведите выходные данные отладки в консоль (Вид -> Вывод), а затем выберите подходящий выходной канал в раскрывающемся списке", + "cms.tracingLevel": "[Необязательно] Уровень ведения журнала для серверных служб. Azure Data Studio создает имя файла при каждом запуске, а если такой файл уже существует, записи журналов добавляются в него. Для очистки старых файлов журналов см. описание параметров logRetentionMinutes и logFilesRemovalLimit. Параметр tracingLevel по умолчанию регистрирует не слишком многое. Изменение детализации может привести к тому, что журналы будут занимать слишком много места. Ошибка включает критический уровень, предупреждение включает ошибку, информационный уровень включает предупреждение, а подробный уровень включает информационный уровень.", + "cms.logRetentionMinutes": "Срок хранения файлов журналов (в минутах) для серверных служб. По умолчанию задана 1 неделя.", + "cms.logFilesRemovalLimit": "Максимальное число старых файлов, удаляемых при запуске, с истекшим сроком mssql.logRetentionMinutes. Файлы, которые не были очищены из-за этого ограничения, очищаются при следующем запуске Azure Data Studio.", + "ignorePlatformWarning": "[Необязательно] Не показывать предупреждения для неподдерживаемых платформ", + "onprem.databaseProperties.recoveryModel": "Модель восстановления", + "onprem.databaseProperties.lastBackupDate": "Последнее резервное копирование базы данных", + "onprem.databaseProperties.lastLogBackupDate": "Последняя резервная копия журнала", + "onprem.databaseProperties.compatibilityLevel": "Уровень совместимости", + "onprem.databaseProperties.owner": "Владелец", + "onprem.serverProperties.serverVersion": "Версия", + "onprem.serverProperties.serverEdition": "Выпуск", + "onprem.serverProperties.machineName": "Имя компьютера", + "onprem.serverProperties.osVersion": "Версия ОС", + "cloud.databaseProperties.azureEdition": "Выпуск", + "cloud.databaseProperties.serviceLevelObjective": "Ценовая категория", + "cloud.databaseProperties.compatibilityLevel": "Уровень совместимости", + "cloud.databaseProperties.owner": "Владелец", + "cloud.serverProperties.serverVersion": "Версия", + "cloud.serverProperties.serverEdition": "Тип", + "cms.provider.displayName": "Microsoft SQL Server", + "cms.connectionOptions.connectionName.displayName": "Имя (необязательно)", + "cms.connectionOptions.connectionName.description": "Настраиваемое имя подключения", + "cms.connectionOptions.serverName.displayName": "Сервер", + "cms.connectionOptions.serverName.description": "Имя экземпляра SQL Server", + "cms.connectionOptions.serverDescription.displayName": "Описание сервера", + "cms.connectionOptions.serverDescription.description": "Описание экземпляра SQL Server", + "cms.connectionOptions.authType.displayName": "Тип проверки подлинности", + "cms.connectionOptions.authType.description": "Указывает способ проверки подлинности в SQL Server", + "cms.connectionOptions.authType.categoryValues.sqlLogin": "Имя входе SQL", + "cms.connectionOptions.authType.categoryValues.integrated": "Проверка подлинности Windows.", + "cms.connectionOptions.authType.categoryValues.azureMFA": "Azure Active Directory — универсальный с поддержкой MFA", + "cms.connectionOptions.userName.displayName": "Имя пользователя", + "cms.connectionOptions.userName.description": "Указывает идентификатор пользователя, который необходимо использовать для подключения к источнику данных", + "cms.connectionOptions.password.displayName": "Пароль", + "cms.connectionOptions.password.description": "Указывает пароль, который необходимо использовать для подключения к источнику данных", + "cms.connectionOptions.applicationIntent.displayName": "Намерение приложения", + "cms.connectionOptions.applicationIntent.description": "Объявляет тип рабочей нагрузки приложения при подключении к серверу", + "cms.connectionOptions.asynchronousProcessing.displayName": "Асинхронная обработка", + "cms.connectionOptions.asynchronousProcessing.description": "Когда задано значение TRUE, разрешено использовать асинхронные функции в поставщике данных .NET Framework", + "cms.connectionOptions.connectTimeout.displayName": "Истекло время ожидания подключения", + "cms.connectionOptions.connectTimeout.description": "Длительность (в секундах) ожидания при подключении к серверу, после чего попытка прекращается и выводится ошибка", + "cms.connectionOptions.currentLanguage.displayName": "Текущий язык", + "cms.connectionOptions.currentLanguage.description": "Имя записи языка SQL Server", + "cms.connectionOptions.columnEncryptionSetting.displayName": "Шифрование столбцов", + "cms.connectionOptions.columnEncryptionSetting.description": "Параметр шифрования столбца по умолчанию для всех команд подключения", + "cms.connectionOptions.encrypt.displayName": "Шифровать", + "cms.connectionOptions.encrypt.description": "Когда задано значение TRUE, SQL Server использует шифрование SSL для всех данных, передаваемых между клиентом и сервером, если на сервере установлен сертификат", + "cms.connectionOptions.persistSecurityInfo.displayName": "Сохранение сведений о безопасности", + "cms.connectionOptions.persistSecurityInfo.description": "Если задано значение FALSE, то секретные данные (например, пароль) не возвращаются в составе подключения", + "cms.connectionOptions.trustServerCertificate.displayName": "Доверять сертификату сервера", + "cms.connectionOptions.trustServerCertificate.description": "Когда задано значение TRUE (и encrypt=true), SQL Server использует шифрование SSL для всех данных, передаваемых между клиентом и сервером без проверки сертификата сервера", + "cms.connectionOptions.attachedDBFileName.displayName": "Имя вложенного файла базы данных", + "cms.connectionOptions.attachedDBFileName.description": "Имя первичного файла прикрепляемой базы данных, включая полный путь", + "cms.connectionOptions.contextConnection.displayName": "Контекстное подключение", + "cms.connectionOptions.contextConnection.description": "Если задано значение TRUE, указывает, что подключение должно быть произведено в контексте SQL Server. Доступно только при выполнении в процессе SQL Server.", + "cms.connectionOptions.port.displayName": "Порт", + "cms.connectionOptions.connectRetryCount.displayName": "Счетчик повторных попыток для подключения", + "cms.connectionOptions.connectRetryCount.description": "Число попыток восстановления подключения", + "cms.connectionOptions.connectRetryInterval.displayName": "Интервал повторных попыток подключения", + "cms.connectionOptions.connectRetryInterval.description": "Задержка между попытками восстановления подключения", + "cms.connectionOptions.applicationName.displayName": "Имя приложения", + "cms.connectionOptions.applicationName.description": "Имя приложения", + "cms.connectionOptions.workstationId.displayName": "Идентификатор рабочей станции", + "cms.connectionOptions.workstationId.description": "Имя рабочей станции, подключающейся к SQL Server", + "cms.connectionOptions.pooling.displayName": "Объединение в пул", + "cms.connectionOptions.pooling.description": "Если задано значение TRUE, объект соединения извлекается из соответствующего пула или при необходимости создается и добавляется в соответствующий пул", + "cms.connectionOptions.maxPoolSize.displayName": "Максимальный размер пула", + "cms.connectionOptions.maxPoolSize.description": "Максимально допустимое число подключений в пуле", + "cms.connectionOptions.minPoolSize.displayName": "Минимальный размер пула", + "cms.connectionOptions.minPoolSize.description": "Минимально допустимое число подключений в пуле", + "cms.connectionOptions.loadBalanceTimeout.displayName": "Истекло время ожидания при балансировке нагрузки", + "cms.connectionOptions.loadBalanceTimeout.description": "Минимальное время (в секундах), которое это подключение будет оставаться в пуле до уничтожения", + "cms.connectionOptions.replication.displayName": "Репликация", + "cms.connectionOptions.replication.description": "Используется SQL Server при репликации", + "cms.connectionOptions.attachDbFilename.displayName": "Имя вложенного файла базы данных", + "cms.connectionOptions.failoverPartner.displayName": "Партнер по обеспечению отработки отказа", + "cms.connectionOptions.failoverPartner.description": "Имя или сетевой адрес экземпляра SQL Server, выступающего в роли партнера по обеспечению отработки отказа", + "cms.connectionOptions.multiSubnetFailover.displayName": "Отработка отказа в нескольких подсетях", + "cms.connectionOptions.multipleActiveResultSets.displayName": "Множественные активные результирующие наборы", + "cms.connectionOptions.multipleActiveResultSets.description": "Если задано значение TRUE, из одного подключения может быть возвращено и считано несколько результирующих наборов", + "cms.connectionOptions.packetSize.displayName": "Размер пакета", + "cms.connectionOptions.packetSize.description": "Размер (в байтах) сетевых пакетов, которые используются для взаимодействия с экземпляром SQL Server", + "cms.connectionOptions.typeSystemVersion.displayName": "Версия системы типов", + "cms.connectionOptions.typeSystemVersion.description": "Указывает, какую систему серверного типа предоставит поставщик через DataReader" + }, + "dist/cmsResource/tree/cmsResourceTreeNode": { + "cms.resource.cmsResourceTreeNode.noResourcesLabel": "Ресурсы не найдены" + }, + "dist/cmsResource/tree/cmsResourceEmptyTreeNode": { + "cms.resource.tree.CmsTreeNode.addCmsServerLabel": "Добавить центральный сервер управления…" + }, + "dist/cmsResource/tree/treeProvider": { + "cms.resource.tree.treeProvider.loadError": "При загрузке сохраненных серверов произошла непредвиденная ошибка {0}", + "cms.resource.tree.treeProvider.loadingLabel": "Идет загрузка…" + }, + "dist/cmsResource/cmsResourceCommands": { + "cms.errors.sameCmsServerName": "Группа центральных серверов управления уже содержит зарегистрированный сервер с именем {0}", + "cms.errors.azureNotAllowed": "Серверы SQL Azure не могут использоваться в качестве Центральных серверов управления.", + "cms.confirmDeleteServer": "Вы действительно хотите удалить", + "cms.yes": "Да", + "cms.no": "Нет", + "cms.AddServerGroup": "Добавить группу серверов", + "cms.OK": "ОК", + "cms.Cancel": "Отмена", + "cms.ServerGroupName": "Имя группы серверов", + "cms.ServerGroupDescription": "Описание группы серверов", + "cms.errors.sameServerGroupName": "В {0} уже имеется группа серверов с именем {1}", + "cms.confirmDeleteGroup": "Вы действительно хотите удалить" + }, + "dist/cmsUtils": { + "cms.errors.sameServerUnderCms": "Вы не можете добавить общий зарегистрированный сервер с таким же именем, что и сервер конфигурации" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ru/translations/extensions/dacpac.i18n.json b/i18n/ads-language-pack-ru/translations/extensions/dacpac.i18n.json new file mode 100644 index 0000000000..1b748a16be --- /dev/null +++ b/i18n/ads-language-pack-ru/translations/extensions/dacpac.i18n.json @@ -0,0 +1,78 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "dacFx.settings": "Dacpac", + "dacFx.defaultSaveLocation": "Полный путь к папке, в которой по умолчанию сохраняются файлы DACPAC и BACPAC" + }, + "dist/localizedConstants": { + "dacFx.targetServer": "Целевой сервер", + "dacFx.sourceServer": "Исходный сервер", + "dacFx.sourceDatabase": "База данных — источник", + "dacFx.targetDatabase": "Целевая база данных", + "dacfx.fileLocation": "Расположение файла", + "dacfx.selectFile": "Выберите файл", + "dacfx.summaryTableTitle": "Итоговые настройки", + "dacfx.version": "Версия", + "dacfx.setting": "Параметр", + "dacfx.value": "Значение", + "dacFx.databaseName": "Имя базы данных", + "dacFxDeploy.openFile": "Открыть", + "dacFx.upgradeExistingDatabase": "Обновление существующей базы данных", + "dacFx.newDatabase": "Новая база данных", + "dacfx.dataLossTextWithCount": "{0} из указанных действий развертывания может привести к потере данных. Убедитесь в наличии резервной копии или моментального снимка на случай проблем с развертыванием.", + "dacFx.proceedDataLoss": "Продолжать, несмотря на возможную потерю данных", + "dacfx.noDataLoss": "Указанные действия развертывания не приведут к потере данных.", + "dacfx.dataLossText": "Действия развертывания могут привести к потере данных. Убедитесь в наличии резервной копии или моментального снимка на случай проблем с развертыванием.", + "dacfx.operation": "Операция", + "dacfx.operationTooltip": "Операция (Create, Alter, Delete), которая будет выполнена во время развертывания", + "dacfx.type": "Тип", + "dacfx.typeTooltip": "Тип объекта, который будет затронут развертыванием", + "dacfx.object": "Объект", + "dacfx.objecTooltip": "Имя объекта, который будет затронут развертыванием", + "dacfx.dataLoss": "Потеря данных", + "dacfx.dataLossTooltip": "Операции, которые могут привести к потере данных, отмечены предупреждающим знаком", + "dacfx.save": "Сохранить", + "dacFx.versionText": "Версия (используйте формат x.x.x.x, где x — это число)", + "dacFx.deployDescription": "Развертывание файла DACPAC приложения уровня данных в экземпляре SQL Server [Развертывание DACPAC]", + "dacFx.extractDescription": "Извлечение приложения уровня данных из экземпляра SQL Server в файл DACPAC [Извлечение DACPAC]", + "dacFx.importDescription": "Создание базы данных из файла BACPAC [Импорт BACPAC]", + "dacFx.exportDescription": "Экспорт схемы и данных из базы данных в логический формат файла BACPAC [Экспорт BACPAC]", + "dacfx.wizardTitle": "Мастер приложений уровня данных", + "dacFx.selectOperationPageName": "Выберите операцию", + "dacFx.deployConfigPageName": "Выберите параметры развертывания DACPAC", + "dacFx.deployPlanPageName": "Обзор плана развертывания", + "dacFx.summaryPageName": "Сводка", + "dacFx.extractConfigPageName": "Выберите параметры извлечения DACPAC", + "dacFx.importConfigPageName": "Выберите параметры импорта BACPAC", + "dacFx.exportConfigPageName": "Выберите параметры экспорта BACPAC", + "dacFx.deployButton": "Развернуть", + "dacFx.extract": "Извлечь", + "dacFx.import": "Импортировать", + "dacFx.export": "Экспортировать", + "dacFx.generateScriptButton": "Создать сценарий", + "dacfx.scriptGeneratingMessage": "Вы можете просмотреть состояние создания сценариев в представлении задач после закрытия мастера. После завершения созданный сценарий откроется.", + "dacfx.default": "по умолчанию", + "dacfx.deployPlanTableTitle": "Операции плана развертывания", + "dacfx.databaseNameExistsErrorMessage": "В этом экземпляре SQL Server уже существует база данных с таким именем.", + "dacfx.undefinedFilenameErrorMessage": "Не определено имя", + "dacfx.filenameEndingInPeriodErrorMessage": "Имя не может заканчиваться точкой", + "dacfx.whitespaceFilenameErrorMessage": "Имя файла не может быть пробелом", + "dacfx.invalidFileCharsErrorMessage": "Недопустимые символы файла", + "dacfx.reservedWindowsFilenameErrorMessage": "Это имя файла зарезервировано для использования операционной системой. Выберите другое имя и повторите попытку", + "dacfx.reservedValueErrorMessage": "Имя файла уже используется. Выберите другое имя и повторите попытку", + "dacfx.trailingWhitespaceErrorMessage": "Имя не может заканчиваться пробелом", + "dacfx.tooLongFilenameErrorMessage": "Длина имени файла превышает 255 символов", + "dacfx.deployPlanErrorMessage": "Сбой при создании плана развертывания \"{0}\"", + "dacfx.generateDeployErrorMessage": "Сбой при создании сценария развертывания \"{0}\"", + "dacfx.operationErrorMessage": "Сбой операции {0} \"{1}\"" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ru/translations/extensions/import.i18n.json b/i18n/ads-language-pack-ru/translations/extensions/import.i18n.json new file mode 100644 index 0000000000..bf45c5253e --- /dev/null +++ b/i18n/ads-language-pack-ru/translations/extensions/import.i18n.json @@ -0,0 +1,66 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "flatfileimport.configuration.title": "Конфигурация импорта неструктурированных файлов", + "flatfileimport.logDebugInfo": "[Необязательно] Выведите выходные данные отладки в консоль (Вид -> Вывод), а затем выберите подходящий выходной канал в раскрывающемся списке" + }, + "out/services/serviceClient": { + "serviceStarted": "Запущено: {0}", + "serviceStarting": "Запуск {0}", + "flatFileImport.serviceStartFailed": "Не удалось запустить {0}: {1}", + "installingServiceDetailed": "Установка {0} в {1}", + "installingService": "Установка службы {0}", + "serviceInstalled": "Установлено: {0}", + "downloadingService": "Идет загрузка {0}", + "downloadingServiceSize": "({0} КБ)", + "downloadingServiceStatus": "Скачивание {0}", + "downloadingServiceComplete": "Скачивание {0} завершено", + "entryExtractedChannelMsg": "Извлечено {0} ({1}/{2})" + }, + "out/common/constants": { + "import.serviceCrashButton": "Оставить отзыв", + "serviceCrashMessage": "Не удалось запустить компонент службы", + "flatFileImport.serverDropdownTitle": "База данных сервера в", + "flatFileImport.databaseDropdownTitle": "База данных, в которой будет создана таблица", + "flatFile.InvalidFileLocation": "Недопустимое расположение файла. Попробуйте другой входной файл.", + "flatFileImport.browseFiles": "Обзор", + "flatFileImport.openFile": "Открыть", + "flatFileImport.fileTextboxTitle": "Расположение файла для импорта", + "flatFileImport.tableTextboxTitle": "Имя новой таблицы", + "flatFileImport.schemaTextboxTitle": "Схема таблицы", + "flatFileImport.importData": "Импорт данных", + "flatFileImport.next": "Далее", + "flatFileImport.columnName": "Имя столбца", + "flatFileImport.dataType": "Тип данных", + "flatFileImport.primaryKey": "Первичный ключ", + "flatFileImport.allowNulls": "Разрешить значения NULL", + "flatFileImport.prosePreviewMessage": "Эта операция проанализировала структуру первых 50 строк входного файла для отображения предварительного просмотра ниже.", + "flatFileImport.prosePreviewMessageFail": "Эта операция не была выполнена. Попробуйте использовать другой входной файл.", + "flatFileImport.refresh": "Обновить", + "flatFileImport.importInformation": "Сведения об импорте", + "flatFileImport.importStatus": "Состояние импорта", + "flatFileImport.serverName": "Имя сервера", + "flatFileImport.databaseName": "Имя базы данных", + "flatFileImport.tableName": "Имя таблицы", + "flatFileImport.tableSchema": "Схема таблицы", + "flatFileImport.fileImport": "Импортируемый файл", + "flatFileImport.success.norows": "✔ Вы успешно вставили данные в таблицу.", + "import.needConnection": "Подключитесь к серверу перед использованием этого мастера.", + "import.needSQLConnection": "Расширение импорта SQL Server не поддерживает этот тип подключения", + "flatFileImport.wizardName": "Мастер импорта неструктурированных файлов", + "flatFileImport.page1Name": "Укажите исходный файл", + "flatFileImport.page2Name": "Предварительный просмотр данных", + "flatFileImport.page3Name": "Изменить столбцы", + "flatFileImport.page4Name": "Сводка", + "flatFileImport.importNewFile": "Импортировать новый файл" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ru/translations/extensions/notebook.i18n.json b/i18n/ads-language-pack-ru/translations/extensions/notebook.i18n.json index 85e7863305..0b9048b5bc 100644 --- a/i18n/ads-language-pack-ru/translations/extensions/notebook.i18n.json +++ b/i18n/ads-language-pack-ru/translations/extensions/notebook.i18n.json @@ -14,6 +14,8 @@ "notebook.configuration.title": "Конфигурация Notebook", "notebook.pythonPath.description": "Локальный путь к установке Python, используемой Записными книжками.", "notebook.useExistingPython.description": "Локальный путь к существующей установке Python, используемой Записными книжками.", + "notebook.dontPromptPythonUpdate.description": "Не показывать предложение обновить Python.", + "notebook.jupyterServerShutdownTimeout.description": "Интервал времени (в минутах), по истечении которого производится завершение работы сервера после закрытия всех записных книжек. (Введите 0, чтобы не завершать работу)", "notebook.overrideEditorTheming.description": "Переопределите параметры редактора по умолчанию в редакторе Notebook. Параметры включают в себя цвет фона, цвет текущей строки и границу", "notebook.maxTableRows.description": "Максимальное число строк, возвращаемых на таблицу, в редакторе Notebook", "notebook.trustedBooks.description": "Записные книжки, содержащиеся в этих книгах, будут автоматически считаться доверенными.", @@ -21,6 +23,7 @@ "notebook.collapseBookItems.description": "Сворачивание элементов книги на корневом уровне во вьюлете записных книжек", "notebook.remoteBookDownloadTimeout.description": "Время ожидания скачивания для книг GitHub (в мс)", "notebook.pinnedNotebooks.description": "Записные книжки, закрепленные пользователем для текущей рабочей области", + "notebook.allowRoot.description": "Allow Jupyter server to run as root user", "notebook.command.new": "Создать записную книжку", "notebook.command.open": "Открыть записную книжку", "notebook.analyzeJupyterNotebook": "Анализировать в Notebook", @@ -43,18 +46,21 @@ "title.managePackages": "Управление пакетами", "title.SQL19PreviewBook": "Руководство по SQL Server 2019", "books-preview-category": "Книги Jupyter", - "title.saveJupyterBook": "Сохранить книгу", - "title.trustBook": "Сделать книгу доверенной", - "title.searchJupyterBook": "Поиск книги", + "title.saveJupyterBook": "Сохранить книгу Jupyter", + "title.trustBook": "Доверенные книги Jupyter", + "title.searchJupyterBook": "Искать книгу Jupyter", "title.SavedBooks": "Записные книжки", - "title.ProvidedBooks": "Предоставленные книги", + "title.ProvidedBooks": "Указанные книги Jupyter", "title.PinnedBooks": "Закрепленные записные книжки", "title.PreviewLocalizedBook": "Скачать локализованное руководство по SQL Server 2019", "title.openJupyterBook": "Открыть книгу Jupyter", "title.closeJupyterBook": "Закрыть книгу Jupyter", - "title.closeJupyterNotebook": "Закрыть записную книжку Jupyter", + "title.closeNotebook": "Закрыть записную книжку", + "title.removeNotebook": "Удалить записную книжку", + "title.addNotebook": "Добавить записную книжку", + "title.addMarkdown": "Добавить файл Markdown", "title.revealInBooksViewlet": "Показать в книгах", - "title.createJupyterBook": "Создание книги (предварительная версия)", + "title.createJupyterBook": "Создать книгу Jupyter", "title.openNotebookFolder": "Открыть записные книжки в папке", "title.openRemoteJupyterBook": "Добавить удаленную книгу Jupyter", "title.pinNotebook": "Закрепить записную книжку", @@ -77,74 +83,84 @@ "providerNotValidError": "Поставщики, не являющиеся поставщиками MSSQL, не поддерживаются для ядер Spark.", "allFiles": "Все файлы", "labelSelectFolder": "Выбрать папку", - "labelBookFolder": "Выбрать книгу", + "labelBookFolder": "Выберите книгу Jupyter", "confirmReplace": "Папка уже существует. Вы уверены, что хотите удалить и заменить эту папку?", "openNotebookCommand": "Открыть записную книжку", "openMarkdownCommand": "Открыть разметку Markdown", "openExternalLinkCommand": "Открыть внешнюю ссылку", - "msgBookTrusted": "Книга сейчас является доверенной в рабочей области.", - "msgBookAlreadyTrusted": "Книга уже является доверенной в этой рабочей области.", - "msgBookUntrusted": "Книга больше не является доверенной в этой рабочей области.", - "msgBookAlreadyUntrusted": "Книга уже является недоверенной в этой рабочей области.", - "msgBookPinned": "Книга {0} сейчас закреплена в рабочей области.", - "msgBookUnpinned": "Книга {0} больше не закреплена в этой рабочей области.", - "bookInitializeFailed": "Не удалось найти файл содержания в указанной книге.", - "noBooksSelected": "Книги во вьюлете сейчас не выбраны.", - "labelBookSection": "Выбрать раздел книги", + "msgBookTrusted": "Книга Jupyter сейчас является доверенной в рабочей области.", + "msgBookAlreadyTrusted": "Книга Jupyter уже является доверенной в этой рабочей области.", + "msgBookUntrusted": "Книга Jupyter больше не является доверенной в этой рабочей области.", + "msgBookAlreadyUntrusted": "Книга Jupyter уже является недоверенной в этой рабочей области.", + "msgBookPinned": "Книга Jupyter {0} сейчас закреплена в рабочей области.", + "msgBookUnpinned": "Книга Jupyter {0} больше не закреплена в этой рабочей области", + "bookInitializeFailed": "Не удалось найти файл содержания в указанной книге Jupyter.", + "noBooksSelected": "В данный момент во viewlet не выбраны книги Jupyter.", + "labelBookSection": "Выберите раздел книги Jupyter", "labelAddToLevel": "Добавить на этот уровень", "missingFileError": "Отсутствует файл: {0} из {1}", "InvalidError.tocFile": "Недопустимый файл оглавления", "Invalid toc.yml": "Ошибка: в {0} имеется неправильный файл toc.yml", "configFileError": "Отсутствует файл конфигурации", - "openBookError": "Не удалось открыть книгу {0}: {1}", - "readBookError": "Не удалось прочитать книгу {0}: {1}", + "openBookError": "Не удалось открыть книгу Jupyter {0}: {1}", + "readBookError": "Не удалось прочитать книгу Jupyter {0}: {1}", "openNotebookError": "Не удалось открыть записную книжку {0}: {1}", "openMarkdownError": "Не удалось открыть файл Markdown {0}: {1}", "openUntitledNotebookError": "Не удалось открыть безымянную записную книжку {0} как безымянную: {1}", "openExternalLinkError": "Не удалось открыть ссылку {0}: {1}", - "closeBookError": "Не удалось закрыть книгу {0}: {1}", + "closeBookError": "Не удалось закрыть книгу Jupyter {0}: {1}", "duplicateFileError": "Файл {0} уже существует в конечной папке {1}.\r\nИмя файла было изменено на {2} для предотвращения потери данных.", - "editBookError": "Ошибка при редактировании книги {0}: {1}", - "selectBookError": "Ошибка при выборе книги или раздела для изменения: {0}", + "editBookError": "Ошибка при редактировании книги Jupyter {0}: {1}", + "selectBookError": "Ошибка при выборе книги Jupyter или раздела для изменения: {0}", + "sectionNotFound": "Не найден раздел {0} в {1}.", "url": "URL-адрес", "repoUrl": "URL-адрес репозитория", "location": "Расположение", - "addRemoteBook": "Добавить удаленную книгу", + "addRemoteBook": "Добавить удаленную книгу Jupyter", "onGitHub": "GitHub", "onsharedFile": "Общий файл", "releases": "Выпуски", - "book": "Книга", + "book": "Книга Jupyter", "version": "Версия", "language": "Язык", - "booksNotFound": "По указанной ссылке отсутствуют доступные книги", + "booksNotFound": "По указанной ссылке отсутствуют доступные книги Jupyter", "urlGithubError": "Указанный URL-адрес не является URL-адресом выпуска GitHub", "search": "Поиск", "add": "Добавить", "close": "Закрыть", "invalidTextPlaceholder": "-", - "msgRemoteBookDownloadProgress": "Выполняется скачивание удаленной книги", - "msgRemoteBookDownloadComplete": "Скачивание удаленной книги завершено", - "msgRemoteBookDownloadError": "Ошибка при скачивании удаленной книги", - "msgRemoteBookUnpackingError": "Ошибка при распаковке удаленной книги", - "msgRemoteBookDirectoryError": "Ошибка при создании каталога удаленной книги", - "msgTaskName": "Выполняется скачивание удаленной книги", + "msgRemoteBookDownloadProgress": "Сейчас выполняется скачивание удаленной книги Jupyter", + "msgRemoteBookDownloadComplete": "Скачивание удаленной книги Jupyter завершено", + "msgRemoteBookDownloadError": "Произошла ошибка во время скачивания удаленной книги Jupyter", + "msgRemoteBookUnpackingError": "Ошибка при распаковке удаленной книги Jupyter", + "msgRemoteBookDirectoryError": "Ошибка при создании каталога удаленной книги Jupyter", + "msgTaskName": "Выполняется скачивание удаленной книги Jupyter", "msgResourceNotFound": "Ресурс не найден", - "msgBookNotFound": "Книги не найдены", + "msgBookNotFound": "Книги Jupyter не найдены", "msgReleaseNotFound": "Выпуски не найдены", - "msgUndefinedAssetError": "Выбранная книга является недопустимой", + "msgUndefinedAssetError": "Выбранная книга Jupyter является недопустимой", "httpRequestError": "Сбой HTTP-запроса с ошибкой: {0} {1}", "msgDownloadLocation": "Выполняется скачивание в {0}", - "newGroup": "Новая группа", - "groupDescription": "Группы используются для организации записных книжек.", - "locationBrowser": "Обзор расположений…", - "selectContentFolder": "Выбрать папку содержимого", + "newBook": "Новая книга Jupyter (предварительный просмотр)", + "bookDescription": "Для упорядочения записных книжек используется Jupyter Books.", + "learnMore": "Подробнее.", + "contentFolder": "Папка содержимого", "browse": "Обзор", "create": "Создать", "name": "Имя", "saveLocation": "Расположение сохранения", - "contentFolder": "Папка содержимого (необязательно)", + "contentFolderOptional": "Папка содержимого (необязательно)", "msgContentFolderError": "Путь к папке содержимого не существует", - "msgSaveFolderError": "Путь к расположению сохранения не существует" + "msgSaveFolderError": "Путь к расположению сохранения не существует.", + "msgCreateBookWarningMsg": "Ошибка при попытке доступа: {0}", + "newNotebook": "Новая записная книжка (предварительный просмотр)", + "newMarkdown": "Новый файл Markdown (предварительный просмотр)", + "fileExtension": "Расширение файла", + "confirmOverwrite": "Файл уже существует. Перезаписать его?", + "title": "Название", + "fileName": "Имя файла", + "msgInvalidSaveFolder": "Недопустимый путь к расположению сохранения.", + "msgDuplicadFileName": "Файл {0} уже существует в папке назначения" }, "dist/jupyter/jupyterServerInstallation": { "msgInstallPkgProgress": "Выполняется установка зависимостей Notebook", @@ -159,10 +175,16 @@ "msgInstallPkgFinish": "Установка зависимостей Notebook завершена", "msgPythonRunningError": "Не удается перезаписать существующую установку Python во время работы Python. Прежде чем продолжить, закройте все активные записные книжки.", "msgWaitingForInstall": "Сейчас выполняется другая установка Python. Дождитесь ее завершения.", + "msgShutdownNotebookSessions": "Сеансы активных записных книжек Python будут завершены, чтобы обновить их. Хотите продолжить?", + "msgPythonVersionUpdatePrompt": "{0} Python доступна в Azure Data Studio. Текущая версия Python (3.6.6) не поддерживается в декабре 2021. Вы хотите обновить {0} Python сейчас?", + "msgPythonVersionUpdateWarning": "Будет установлен {0} Python, который заменит 3.6.6 Python. Некоторые пакеты могут быть несовместимы с новой версией или требуют переустановки. Будет создана Записная книжка, которая поможет вам переустановить все пакеты PIP. Вы хотите продолжить обновление сейчас?", "msgDependenciesInstallationFailed": "Установка зависимостей Notebook завершилась с ошибкой: {0}", "msgDownloadPython": "Скачивание локального Python для платформы: {0} в {1}", "msgPackageRetrievalFailed": "Произошла ошибка при попытке получить список установленных пакетов: {0}", - "msgGetPythonUserDirFailed": "Обнаружена ошибка при получении пути пользователя Python: {0}" + "msgGetPythonUserDirFailed": "Обнаружена ошибка при получении пути пользователя Python: {0}", + "yes": "Да", + "no": "Нет", + "dontAskAgain": "Больше не спрашивать" }, "dist/dialog/configurePython/configurePythonWizard": { "configurePython.okButtonText": "Установить", @@ -270,7 +292,7 @@ }, "dist/protocol/notebookUriHandler": { "notebook.unsupportedAction": "Действие {0} не поддерживается для этого обработчика", - "unsupportedScheme": "Не удается открыть ссылку {0}, так как поддерживаются только ссылки HTTP и HTTPS", + "unsupportedScheme": "Не удается открыть ссылку {0}, так как поддерживаются только ссылки HTTP, HTTPS и ссылки на файлы", "notebook.confirmOpen": "Скачать и открыть \"{0}\"?", "notebook.fileNotFound": "Не удалось найти указанный файл", "notebook.fileDownloadError": "Запрос на открытие файла завершился с ошибкой: {0} {1}" diff --git a/i18n/ads-language-pack-ru/translations/extensions/profiler.i18n.json b/i18n/ads-language-pack-ru/translations/extensions/profiler.i18n.json new file mode 100644 index 0000000000..1ef1c6a605 --- /dev/null +++ b/i18n/ads-language-pack-ru/translations/extensions/profiler.i18n.json @@ -0,0 +1,23 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/profilerCreateSessionDialog": { + "createSessionDialog.cancel": "Отмена", + "createSessionDialog.create": "Запустить", + "createSessionDialog.title": "Запустить новый сеанс профилировщика", + "createSessionDialog.templatesInvalid": "Недопустимый список шаблонов, не удается открыть диалоговое окно", + "createSessionDialog.dialogOwnerInvalid": "Недопустимый владелец диалогового окна, не удается открыть диалоговое окно", + "createSessionDialog.invalidProviderType": "Недопустимый тип поставщика, не удается открыть диалоговое окно", + "createSessionDialog.selectTemplates": "Выберите шаблон сеанса:", + "createSessionDialog.enterSessionName": "Введите имя сеанса:", + "createSessionDialog.createSessionFailed": "Не удалось создать сеанс" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ru/translations/extensions/resource-deployment.i18n.json b/i18n/ads-language-pack-ru/translations/extensions/resource-deployment.i18n.json index d8fa88740e..776b7a8914 100644 --- a/i18n/ads-language-pack-ru/translations/extensions/resource-deployment.i18n.json +++ b/i18n/ads-language-pack-ru/translations/extensions/resource-deployment.i18n.json @@ -103,6 +103,10 @@ "azdataEulaNotAccepted": "Продолжение развертывания невозможно. Условия лицензии Azure Data CLI еще не приняты. Примите условия лицензионного соглашения, чтобы включить функции, требующие использования Azure Data CLI.", "azdataEulaDeclined": "Продолжение развертывания невозможно. Условия лицензии Azure Data CLI были отклонены. Вы можете принять условия лицензионного соглашения или отменить эту операцию, нажав кнопку \"Отмена\"", "deploymentDialog.RecheckEulaButton": "Принять лицензионное соглашение и выбрать", + "resourceDeployment.extensionRequiredPrompt": "Для развертывания этого ресурса требуется расширение \"{0}\". Хотите ли вы установить его?", + "resourceDeployment.install": "Установить", + "resourceDeployment.installingExtension": "Установка расширения \"{0}\"...", + "resourceDeployment.unknownExtension": "Неизвестное расширение \"{0}\"", "resourceTypePickerDialog.title": "Выбор параметров развертывания", "resourceTypePickerDialog.resourceSearchPlaceholder": "Фильтровать ресурсы…", "resourceTypePickerDialog.tagsListViewTitle": "Категории", @@ -264,7 +268,6 @@ "notebookType": "Тип записной книжки" }, "dist/main": { - "resourceDeployment.FailedToLoadExtension": "Сбой при загрузке расширения: {0}, обнаружена ошибка в определении типа ресурса в package.json, дополнительные сведения см. в консоли отладки.", "resourceDeployment.UnknownResourceType": "Тип ресурса: {0} не определен" }, "dist/services/notebookService": { @@ -562,8 +565,8 @@ }, "dist/ui/toolsAndEulaSettingsPage": { "notebookWizard.toolsAndEulaPageTitle": "Предварительные требования к развертыванию", - "deploymentDialog.FailedEulaValidation": "Чтобы продолжить, необходимо принять условия лицензионного соглашения (EULA)", "deploymentDialog.FailedToolsInstallation": "Некоторые инструменты еще не обнаружены. Убедитесь, что они установлены, запущены и могут быть обнаружены", + "deploymentDialog.FailedEulaValidation": "Чтобы продолжить, необходимо принять условия лицензионного соглашения (EULA)", "deploymentDialog.loadingRequiredToolsCompleted": "Загрузка сведений о необходимых инструментах завершена", "deploymentDialog.loadingRequiredTools": "Загрузка сведений о необходимых инструментах", "resourceDeployment.AgreementTitle": "Принятие условий использования", @@ -605,18 +608,9 @@ "dist/services/tools/azdataTool": { "resourceDeployment.AzdataDescription": "Интерфейс командной строки Azure Data", "resourceDeployment.AzdataDisplayName": "Azure Data CLI", + "deploy.azdataExtMissing": "Для развертывания этого ресурса необходимо установить расширение Azure Data CLI. Установите его из коллекции расширений и повторите попытку.", "deployCluster.GetToolVersionErrorInformation": "Ошибка при получении сведений о версии. Дополнительные сведения см. в канале вывода \"{0}\"", - "deployCluster.GetToolVersionError": "Ошибка при получении сведений о версии.{0}Получены недопустимые выходные данные, выходные данные команды get version: \"{1}\" ", - "resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "удаление ранее скачанного файла Azdata.msi, если он существует…", - "resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "скачивание Azdata.msi и установка azdata-cli…", - "resourceDeployment.Azdata.DisplayingInstallationLog": "отображение журнала установки…", - "resourceDeployment.Azdata.TappingBrewRepository": "получение доступа к репозиторию brew для azdata-cli…", - "resourceDeployment.Azdata.UpdatingBrewRepository": "обновление репозитория brew для установки azdata-cli…", - "resourceDeployment.Azdata.InstallingAzdata": "установка azdata…", - "resourceDeployment.Azdata.AptGetUpdate": "обновление сведений в репозитории…", - "resourceDeployment.Azdata.AptGetPackages": "получение пакетов, необходимых для установки azdata…", - "resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "скачивание и установка ключа подписывания для azdata…", - "resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "добавление в репозиторий сведений для azdata…" + "deployCluster.GetToolVersionError": "Ошибка при получении сведений о версии.{0}Получены недопустимые выходные данные, выходные данные команды get version: \"{1}\" " }, "dist/services/tools/azdataToolOld": { "resourceDeployment.AzdataDescription": "Интерфейс командной строки Azure Data", @@ -636,4 +630,4 @@ "deploymentDialog.deploymentOptions": "Параметры развертывания" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-ru/translations/extensions/schema-compare.i18n.json b/i18n/ads-language-pack-ru/translations/extensions/schema-compare.i18n.json new file mode 100644 index 0000000000..79a398fcc3 --- /dev/null +++ b/i18n/ads-language-pack-ru/translations/extensions/schema-compare.i18n.json @@ -0,0 +1,319 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "displayName": "Сравнение схем SQL Server", + "description": "Сравнение схем SQL для Azure Data Studio поддерживает сравнение схем баз данных и файлов DACPAC.", + "schemaCompare.start": "Сравнение схем" + }, + "dist/localizedConstants": { + "schemaCompareDialog.ok": "ОК", + "schemaCompareDialog.cancel": "Отмена", + "schemaCompareDialog.SourceTitle": "Исходная база данных", + "schemaCompareDialog.TargetTitle": "Целевой объект", + "schemaCompareDialog.fileTextBoxLabel": "Файл", + "schemaCompare.dacpacRadioButtonLabel": "Файл приложения уровня данных (DACPAC)", + "schemaCompare.databaseButtonLabel": "База данных", + "schemaCompare.radioButtonsLabel": "Тип", + "schemaCompareDialog.serverDropdownTitle": "Сервер", + "schemaCompareDialog.databaseDropdownTitle": "База данных", + "schemaCompare.dialogTitle": "Сравнение схем", + "schemaCompareDialog.differentSourceMessage": "Выбрана другая исходная схема. Выполнить сравнение для просмотра его результатов?", + "schemaCompareDialog.differentTargetMessage": "Выбрана другая целевая схема. Выполнить сравнение для просмотра его результатов?", + "schemaCompareDialog.differentSourceTargetMessage": "Выбраны другие исходная и целевая схемы. Выполнить сравнение для просмотра его результатов?", + "schemaCompareDialog.Yes": "Да", + "schemaCompareDialog.No": "Нет", + "schemaCompareDialog.sourceTextBox": "Исходный файл", + "schemaCompareDialog.targetTextBox": "Целевой файл", + "schemaCompareDialog.sourceDatabaseDropdown": "Исходная база данных", + "schemaCompareDialog.targetDatabaseDropdown": "Целевая база данных", + "schemaCompareDialog.sourceServerDropdown": "Исходный сервер", + "schemaCompareDialog.targetServerDropdown": "Целевой сервер", + "schemaCompareDialog.defaultUser": "По умолчанию", + "schemaCompare.openFile": "Открыть", + "schemaCompare.selectSourceFile": "Выберите исходный файл", + "schemaCompare.selectTargetFile": "Выберите целевой файл", + "SchemaCompareOptionsDialog.Reset": "Сброс", + "schemaCompareOptions.RecompareMessage": "Параметры изменились. Выполнить повторное сравнение для просмотра его результатов?", + "SchemaCompare.SchemaCompareOptionsDialogLabel": "Параметры Сравнения схем", + "SchemaCompare.GeneralOptionsLabel": "Общие параметры", + "SchemaCompare.ObjectTypesOptionsLabel": "Включить типы объектов", + "schemaCompare.CompareDetailsTitle": "Сравнить сведения", + "schemaCompare.ApplyConfirmation": "Вы действительно хотите обновить целевой объект?", + "schemaCompare.RecompareToRefresh": "Нажмите \"Сравнить\", чтобы обновить сравнение.", + "schemaCompare.generateScriptEnabledButton": "Создать сценарий для развертывания изменений в целевом объекте", + "schemaCompare.generateScriptNoChanges": "Нет изменений в сценарии", + "schemaCompare.applyButtonEnabledTitle": "Применить изменения к целевому объекту", + "schemaCompare.applyNoChanges": "Нет изменений для применения", + "schemaCompare.includeExcludeInfoMessage": "Обратите внимание, что операции включения и исключения могут занять некоторое время, чтобы вычислить затронутые зависимости", + "schemaCompare.deleteAction": "Удалить", + "schemaCompare.changeAction": "Изменить", + "schemaCompare.addAction": "Добавить", + "schemaCompare.differencesTableTitle": "Сравнение между исходным и целевым объектами", + "schemaCompare.waitText": "Инициализация сравнения. Это может занять некоторое время.", + "schemaCompare.startText": "Чтобы сравнить две схемы, сначала выберите исходную и целевую схему, а затем нажмите кнопку \"Сравнить\".", + "schemaCompare.noDifferences": "Различия в схемах не найдены.", + "schemaCompare.typeColumn": "Тип", + "schemaCompare.sourceNameColumn": "Имя источника", + "schemaCompare.includeColumnName": "Включить", + "schemaCompare.actionColumn": "Действие", + "schemaCompare.targetNameColumn": "Имя цели", + "schemaCompare.generateScriptButtonDisabledTitle": "Создание сценария включено, когда целевой объект является базой данных", + "schemaCompare.applyButtonDisabledTitle": "Применение включено, когда целевой объект является базой данных", + "schemaCompare.cannotExcludeMessageWithDependent": "Невозможно исключить {0}. Существуют включенные зависимости, например {1}", + "schemaCompare.cannotIncludeMessageWithDependent": "Невозможно включить {0}. Существуют исключенные зависимости, например {1}", + "schemaCompare.cannotExcludeMessage": "Невозможно исключить {0}. Существуют включенные зависимости", + "schemaCompare.cannotIncludeMessage": "Невозможно включить {0}. Существуют исключенные зависимости", + "schemaCompare.compareButton": "Сравнить", + "schemaCompare.cancelCompareButton": "Остановить", + "schemaCompare.generateScriptButton": "Создать сценарий", + "schemaCompare.optionsButton": "Параметры", + "schemaCompare.updateButton": "Применить", + "schemaCompare.switchDirectionButton": "Сменить направление", + "schemaCompare.switchButtonTitle": "Поменять местами источник и назначение", + "schemaCompare.sourceButtonTitle": "Выбор источника", + "schemaCompare.targetButtonTitle": "Выберите целевой объект", + "schemaCompare.openScmpButton": "Открыть файл SCMP", + "schemaCompare.openScmpButtonTitle": "Загрузить источник, целевой объект и параметры, сохраненные в файле SCMP", + "schemaCompare.saveScmpButton": "Сохранить файл SCMP", + "schemaCompare.saveScmpButtonTitle": "Сохранить источник, целевой объект, параметры и исключенные элементы", + "schemaCompare.saveFile": "Сохранить", + "schemaCompare.GetConnectionString": "Установить подключение к {0}?", + "schemaCompare.selectConnection": "Выберите подключение", + "SchemaCompare.IgnoreTableOptions": "Игнорировать параметры таблицы", + "SchemaCompare.IgnoreSemicolonBetweenStatements": "Игнорировать точки с запятой между инструкциями", + "SchemaCompare.IgnoreRouteLifetime": "Игнорировать время существования маршрута", + "SchemaCompare.IgnoreRoleMembership": "Игнорировать членство в роли", + "SchemaCompare.IgnoreQuotedIdentifiers": "Игнорировать нестандартные идентификаторы", + "SchemaCompare.IgnorePermissions": "Игнорировать разрешения", + "SchemaCompare.IgnorePartitionSchemes": "Игнорировать схемы секционирования", + "SchemaCompare.IgnoreObjectPlacementOnPartitionScheme": "Пропускать размещение объекта в схеме секционирования", + "SchemaCompare.IgnoreNotForReplication": "Игнорировать указание \"Не для репликации\"", + "SchemaCompare.IgnoreLoginSids": "Игнорировать идентификаторы SID имени входа", + "SchemaCompare.IgnoreLockHintsOnIndexes": "Игнорировать указания блокировки для индексов", + "SchemaCompare.IgnoreKeywordCasing": "Игнорировать регистр ключевых слов", + "SchemaCompare.IgnoreIndexPadding": "Игнорировать заполнение индекса", + "SchemaCompare.IgnoreIndexOptions": "Игнорировать параметры индекса", + "SchemaCompare.IgnoreIncrement": "Игнорировать приращение", + "SchemaCompare.IgnoreIdentitySeed": "Игнорировать начальное значение IDENTITY", + "SchemaCompare.IgnoreUserSettingsObjects": "Игнорировать объекты параметров пользователей", + "SchemaCompare.IgnoreFullTextCatalogFilePath": "Игнорировать путь к файлу полнотекстового каталога", + "SchemaCompare.IgnoreWhitespace": "Игнорировать пробелы", + "SchemaCompare.IgnoreWithNocheckOnForeignKeys": "Игнорировать со значением Nocheck для ForeignKeys", + "SchemaCompare.VerifyCollationCompatibility": "Проверить совместимость параметров сортировки", + "SchemaCompare.UnmodifiableObjectWarnings": "Предупреждения о невозможности изменения объекта", + "SchemaCompare.TreatVerificationErrorsAsWarnings": "Рассматривать ошибки проверок как предупреждения", + "SchemaCompare.ScriptRefreshModule": "Модуль обновления сценария", + "SchemaCompare.ScriptNewConstraintValidation": "Проверка новых ограничений для сценария", + "SchemaCompare.ScriptFileSize": "Размер файла сценария", + "SchemaCompare.ScriptDeployStateChecks": "Проверки состояния для развертывания сценария", + "SchemaCompare.ScriptDatabaseOptions": "Параметры базы данных сценариев", + "SchemaCompare.ScriptDatabaseCompatibility": "Совместимость базы данных сценариев", + "SchemaCompare.ScriptDatabaseCollation": "Параметры сортировки базы данных сценариев", + "SchemaCompare.RunDeploymentPlanExecutors": "Запустить исполнители плана развертывания", + "SchemaCompare.RegisterDataTierApplication": "Регистрация приложения DataTier", + "SchemaCompare.PopulateFilesOnFileGroups": "Заполнить файл в группах файлов", + "SchemaCompare.NoAlterStatementsToChangeClrTypes": "Не использовать инструкции ALTER для изменения типов CLR", + "SchemaCompare.IncludeTransactionalScripts": "Включить транзакционные сценарии", + "SchemaCompare.IncludeCompositeObjects": "Включить составные объекты", + "SchemaCompare.AllowUnsafeRowLevelSecurityDataMovement": "Разрешить небезопасное перемещение данных безопасности на уровне строк", + "SchemaCompare.IgnoreWithNocheckOnCheckConstraints": "Игнорировать со значением \"Без проверки\" для параметра \"Проверочные ограничения\"", + "SchemaCompare.IgnoreFillFactor": "Игнорировать коэффициент заполнения", + "SchemaCompare.IgnoreFileSize": "Игнорировать размер файла", + "SchemaCompare.IgnoreFilegroupPlacement": "Игнорировать размещение файловой группы", + "SchemaCompare.DoNotAlterReplicatedObjects": "Не изменяйте реплицированные объекты", + "SchemaCompare.DoNotAlterChangeDataCaptureObjects": "Не выполнять операцию ALTER для объектов отслеживания измененных данных", + "SchemaCompare.DisableAndReenableDdlTriggers": "Отключить и снова включить триггеры DDL", + "SchemaCompare.DeployDatabaseInSingleUserMode": "Развернуть базу данных в однопользовательском режиме", + "SchemaCompare.CreateNewDatabase": "Создать базу данных", + "SchemaCompare.CompareUsingTargetCollation": "Сравнивать с помощью параметров сортировки целевого объекта", + "SchemaCompare.CommentOutSetVarDeclarations": "Закомментировать объявления заданных переменных", + "SchemaCompare.BlockWhenDriftDetected": "Блокировать при обнаружении смещения", + "SchemaCompare.BlockOnPossibleDataLoss": "Блокировать при возможной потере данных", + "SchemaCompare.BackupDatabaseBeforeChanges": "Создать резервную копию базы данных перед изменением", + "SchemaCompare.AllowIncompatiblePlatform": "Разрешить несовместимые платформы", + "SchemaCompare.AllowDropBlockingAssemblies": "Разрешить удаление блокирующих сборок", + "SchemaCompare.DropConstraintsNotInSource": "Удалить ограничения, отсутствующие в источнике", + "SchemaCompare.DropDmlTriggersNotInSource": "Удалить триггеры DML, отсутствующие в источнике", + "SchemaCompare.DropExtendedPropertiesNotInSource": "Удалить расширенные свойства, отсутствующие в источнике", + "SchemaCompare.DropIndexesNotInSource": "Удалить индексы, отсутствующие в источнике", + "SchemaCompare.IgnoreFileAndLogFilePath": "Игнорировать путь к файлу и файлу журнала", + "SchemaCompare.IgnoreExtendedProperties": "Игнорировать расширенные свойства", + "SchemaCompare.IgnoreDmlTriggerState": "Игнорировать состояние триггеров DML", + "SchemaCompare.IgnoreDmlTriggerOrder": "Игнорировать порядок триггеров DML", + "SchemaCompare.IgnoreDefaultSchema": "Игнорировать схему по умолчанию", + "SchemaCompare.IgnoreDdlTriggerState": "Игнорировать состояние триггеров DDL", + "SchemaCompare.IgnoreDdlTriggerOrder": "Игнорировать порядок триггеров DDL", + "SchemaCompare.IgnoreCryptographicProviderFilePath": "Игнорировать путь к файлу поставщика служб шифрования", + "SchemaCompare.VerifyDeployment": "Проверить развертывание", + "SchemaCompare.IgnoreComments": "Игнорировать комментарии", + "SchemaCompare.IgnoreColumnCollation": "Игнорировать параметры сортировки столбцов", + "SchemaCompare.IgnoreAuthorizer": "Игнорировать операции авторизации", + "SchemaCompare.IgnoreAnsiNulls": "Игнорировать AnsiNulls", + "SchemaCompare.GenerateSmartDefaults": "Создание интеллектуальных умолчаний", + "SchemaCompare.DropStatisticsNotInSource": "Удалить статистику, отсутствующую в источнике", + "SchemaCompare.DropRoleMembersNotInSource": "Удалить члены ролей, отсутствующие в источнике", + "SchemaCompare.DropPermissionsNotInSource": "Удалить разрешения, отсутствующие в источнике", + "SchemaCompare.DropObjectsNotInSource": "Удалить объекты, отсутствующие в источнике", + "SchemaCompare.IgnoreColumnOrder": "Игнорировать порядок столбцов", + "SchemaCompare.Aggregates": "Статистические выражения", + "SchemaCompare.ApplicationRoles": "Роли приложений", + "SchemaCompare.Assemblies": "Сборки", + "SchemaCompare.AssemblyFiles": "Файлы сборки", + "SchemaCompare.AsymmetricKeys": "Асимметричные ключи", + "SchemaCompare.BrokerPriorities": "Приоритеты компонента Service Broker", + "SchemaCompare.Certificates": "Сертификаты", + "SchemaCompare.ColumnEncryptionKeys": "Ключи шифрования столбца", + "SchemaCompare.ColumnMasterKeys": "Главные ключи столбцов", + "SchemaCompare.Contracts": "Контракты", + "SchemaCompare.DatabaseOptions": "Параметры базы данных", + "SchemaCompare.DatabaseRoles": "Роли базы данных", + "SchemaCompare.DatabaseTriggers": "Триггеры базы данных", + "SchemaCompare.Defaults": "Значения по умолчанию", + "SchemaCompare.ExtendedProperties": "Расширенные свойства", + "SchemaCompare.ExternalDataSources": "Источники внешних данных", + "SchemaCompare.ExternalFileFormats": "Форматы внешних файлов", + "SchemaCompare.ExternalStreams": "Внешние потоки", + "SchemaCompare.ExternalStreamingJobs": "Задания внешней потоковой передачи", + "SchemaCompare.ExternalTables": "Внешние таблицы", + "SchemaCompare.Filegroups": "Файловые группы", + "SchemaCompare.Files": "Файлы", + "SchemaCompare.FileTables": "Таблицы файлов", + "SchemaCompare.FullTextCatalogs": "Полнотекстовые каталоги", + "SchemaCompare.FullTextStoplists": "Полнотекстовые списки стоп-слов", + "SchemaCompare.MessageTypes": "Типы сообщений", + "SchemaCompare.PartitionFunctions": "Функции секционирования", + "SchemaCompare.PartitionSchemes": "Схемы секционирования", + "SchemaCompare.Permissions": "Разрешения", + "SchemaCompare.Queues": "Очереди", + "SchemaCompare.RemoteServiceBindings": "Привязки удаленных служб", + "SchemaCompare.RoleMembership": "Членство в роли", + "SchemaCompare.Rules": "Правила", + "SchemaCompare.ScalarValuedFunctions": "Скалярные функции", + "SchemaCompare.SearchPropertyLists": "Списки свойств поиска", + "SchemaCompare.SecurityPolicies": "Политики безопасности", + "SchemaCompare.Sequences": "Последовательности", + "SchemaCompare.Services": "Службы", + "SchemaCompare.Signatures": "Подписи", + "SchemaCompare.StoredProcedures": "Хранимые процедуры", + "SchemaCompare.SymmetricKeys": "Симметричные ключи", + "SchemaCompare.Synonyms": "Синонимы", + "SchemaCompare.Tables": "Таблицы", + "SchemaCompare.TableValuedFunctions": "Функции с табличным значением", + "SchemaCompare.UserDefinedDataTypes": "Определяемые пользователем типы данных", + "SchemaCompare.UserDefinedTableTypes": "Определяемые пользователем табличные типы", + "SchemaCompare.ClrUserDefinedTypes": "Определяемые пользователем типы данных CLR", + "SchemaCompare.Users": "Пользователи", + "SchemaCompare.Views": "Представления", + "SchemaCompare.XmlSchemaCollections": "Коллекции схем XML", + "SchemaCompare.Audits": "Аудиты", + "SchemaCompare.Credentials": "Учетные данные", + "SchemaCompare.CryptographicProviders": "Поставщики служб шифрования", + "SchemaCompare.DatabaseAuditSpecifications": "Спецификации аудита базы данных", + "SchemaCompare.DatabaseEncryptionKeys": "Ключи шифрования базы данных", + "SchemaCompare.DatabaseScopedCredentials": "Учетные данные для базы данных", + "SchemaCompare.Endpoints": "Конечные точки", + "SchemaCompare.ErrorMessages": "Сообщения об ошибках", + "SchemaCompare.EventNotifications": "Уведомления о событиях", + "SchemaCompare.EventSessions": "Сеансы событий", + "SchemaCompare.LinkedServerLogins": "Имена входа на связанный сервер", + "SchemaCompare.LinkedServers": "Связанные серверы", + "SchemaCompare.Logins": "Имена для входа", + "SchemaCompare.MasterKeys": "Главные ключи", + "SchemaCompare.Routes": "Маршруты", + "SchemaCompare.ServerAuditSpecifications": "Спецификации аудита сервера", + "SchemaCompare.ServerRoleMembership": "Участие в роли сервера", + "SchemaCompare.ServerRoles": "Роли сервера", + "SchemaCompare.ServerTriggers": "Триггеры сервера", + "SchemaCompare.Description.IgnoreTableOptions": "Определяет, пропускаются или обновляются различия в параметрах таблиц при публикации в базе данных.", + "SchemaCompare.Description.IgnoreSemicolonBetweenStatements": "Определяет, пропускаются или обновляются различия в точках с запятой между инструкциями T-SQL при публикации в базе данных.", + "SchemaCompare.Description.IgnoreRouteLifetime": "Определяет, пропускаются или обновляются различия в продолжительности периода, в течение которого SQL Server сохраняет маршрут в таблице маршрутизации, при публикации в базе данных.", + "SchemaCompare.Description.IgnoreRoleMembership": "Определяет, пропускаются или обновляются различия в членстве в ролях для имен входа при публикации в базе данных.", + "SchemaCompare.Description.IgnoreQuotedIdentifiers": "Определяет, пропускаются или обновляются различия в параметре заключенных в кавычки идентификаторов при публикации в базе данных.", + "SchemaCompare.Description.IgnorePermissions": "Указывает, следует ли игнорировать разрешения.", + "SchemaCompare.Description.IgnorePartitionSchemes": "Определяет, пропускаются или обновляются различия в схемах и функциях секционирования при публикации в базе данных.", + "SchemaCompare.Description.IgnoreObjectPlacementOnPartitionScheme": "Определяет, пропускается или обновляется размещение объекта в схеме секционирования при публикации в базе данных.", + "SchemaCompare.Description.IgnoreNotForReplication": "Определяет, пропускаются или обновляются параметры \"не для репликации\" при публикации в базе данных.", + "SchemaCompare.Description.IgnoreLoginSids": "Определяет, пропускаются или обновляются различия в идентификаторе безопасности (SID) при публикации в базе данных.", + "SchemaCompare.Description.IgnoreLockHintsOnIndexes": "Определяет, пропускаются или обновляются различия в указаниях блокировки для индексов при публикации в базе данных.", + "SchemaCompare.Description.IgnoreKeywordCasing": "Определяет, пропускаются или обновляются различия в регистре ключевых слов при публикации в базе данных.", + "SchemaCompare.Description.IgnoreIndexPadding": "Определяет, пропускаются или обновляются различия в заполнении индекса при публикации в базе данных.", + "SchemaCompare.Description.IgnoreIndexOptions": "Определяет, пропускаются или обновляются различия в параметрах индексов при публикации в базе данных.", + "SchemaCompare.Description.IgnoreIncrement": "Определяет, пропускаются или обновляются различия в шаге приращения для столбца идентификаторов при публикации в базе данных.", + "SchemaCompare.Description.IgnoreIdentitySeed": "Определяет, пропускаются или обновляются различия в начальном значении для столбца идентификаторов при публикации обновлений в базе данных.", + "SchemaCompare.Description.IgnoreUserSettingsObjects": "Определяет, пропускаются или обновляются различия в объектах параметров пользователя при публикации в базе данных.", + "SchemaCompare.Description.IgnoreFullTextCatalogFilePath": "Определяет, создается ли предупреждение о различиях в пути к файлам для полнотекстового каталога при публикации в базе данных.", + "SchemaCompare.Description.IgnoreWhitespace": "Определяет, пропускаются или обновляются различия в пробелах при публикации в базе данных.", + "SchemaCompare.Description.IgnoreWithNocheckOnForeignKeys": "Определяет, пропускаются или обновляются различия в значении предложения WITH NOCHECK для внешних ключей при публикации в базе данных.", + "SchemaCompare.Description.VerifyCollationCompatibility": "Указывает, проверяется ли совместимость параметров сортировки.", + "SchemaCompare.Description.UnmodifiableObjectWarnings": "Определяет, должны ли формироваться предупреждения в тех случаях, когда обнаруживаются различия в объектах, которые нельзя изменить, например в размерах файлов или в том случае, когда к файлу указаны разные пути.", + "SchemaCompare.Description.TreatVerificationErrorsAsWarnings": "Определяет, будут ли ошибки, обнаруженные при проверке публикации, обрабатываться как предупреждения. Проверка созданного плана развертывания проводится до его выполнения в целевой базе данных. При проверке плана обнаруживаются такие проблемы, как потеря объектов, которые существуют только в целевой базе данных (например, индексы) и которые необходимо удалить для внесения изменения. Также выявляются ситуации, в которых зависимые объекты (например, таблицы и представления) должны существовать из-за ссылки на составной проект, но не существуют в целевой базе данных. Выбрав этот вариант, можно получить полный список проблем, а не прекращать действие публикации после первой ошибки.", + "SchemaCompare.Description.ScriptRefreshModule": "Включать инструкции обновления в конец скрипта публикации.", + "SchemaCompare.Description.ScriptNewConstraintValidation": "В конце публикации все ограничения будут проверяться как один набор, что позволяет избежать ошибок данных, вызванных проверочным ограничением или ограничением внешнего ключа в середине публикации. Если задано значение FALSE, то ограничения будут публиковаться без проверки соответствующих данных.", + "SchemaCompare.Description.ScriptFileSize": "Определяет, указывается ли размер при добавлении файла в файловую группу filegroup.", + "SchemaCompare.Description.ScriptDeployStateChecks": "Определяет, создаются ли инструкции в скрипте публикации, чтобы проверить соответствие имен базы данных и сервера с именами, указанными в проекте базы данных.", + "SchemaCompare.Description.ScriptDatabaseOptions": "Определяет, будут ли свойства целевой базы данных задаваться или обновляться в рамках действия публикации.", + "SchemaCompare.Description.ScriptDatabaseCompatibility": "Определяет, пропускаются или обновляются различия в уровне совместимости базы данных при публикации в базе данных.", + "SchemaCompare.Description.ScriptDatabaseCollation": "Указывает, будут пропускаться или обновляться различия в параметрах сортировки базы данных при выполнении публикации в нее.", + "SchemaCompare.Description.RunDeploymentPlanExecutors": "Указывает, должны ли участники DeploymentPlanExecutor запускаться при выполнении других операций.", + "SchemaCompare.Description.RegisterDataTierApplication": "Указывает, регистрируется ли схема на сервере базы данных.", + "SchemaCompare.Description.PopulateFilesOnFileGroups": "Указывает, будет ли также создан файл при создании файловой группы FileGroup в целевой базе данных.", + "SchemaCompare.Description.NoAlterStatementsToChangeClrTypes": "Указывает, что при обнаружении различий в процессе публикации всегда следует удалять и повторно создавать сборку, а не использовать инструкцию ALTER ASSEMBLY.", + "SchemaCompare.Description.IncludeTransactionalScripts": "Определяет, будут ли по возможности использоваться инструкции транзакций при публикации в базе данных.", + "SchemaCompare.Description.IncludeCompositeObjects": "Включить все составные элементы в единую операцию публикации.", + "SchemaCompare.Description.AllowUnsafeRowLevelSecurityDataMovement": "Не блокировать перемещение данных в таблице с безопасностью на уровне строк, если свойство имеет значение TRUE. Значение по умолчанию — FALSE.", + "SchemaCompare.Description.IgnoreWithNocheckOnCheckConstraints": "Определяет, пропускаются или обновляются различия в значении предложения WITH NOCHECK для проверочных ограничений при публикации в базе данных.", + "SchemaCompare.Description.IgnoreFillFactor": "Определяет, создается ли предупреждение о различиях в коэффициенте заполнения для хранилища индексов при публикации в базе данных.", + "SchemaCompare.Description.IgnoreFileSize": "Определяет, создается ли предупреждение о различиях в размерах файлов при публикации в базе данных.", + "SchemaCompare.Description.IgnoreFilegroupPlacement": "Определяет, пропускаются или обновляются различия в размещении объектов в файловых группах FILEGROUP при публикации в базе данных.", + "SchemaCompare.Description.DoNotAlterReplicatedObjects": "Указывает, определяются ли во время проверки реплицируемые объекты.", + "SchemaCompare.Description.DoNotAlterChangeDataCaptureObjects": "Если этот параметр имеет значение TRUE, объекты отслеживания измененных данных не изменяются.", + "SchemaCompare.Description.DisableAndReenableDdlTriggers": "Определяет, отключаются ли триггеры языка описания данных DDL в начале процесса публикации с повторным включением по завершении действия публикации.", + "SchemaCompare.Description.DeployDatabaseInSingleUserMode": "Если задано значение TRUE, то перед развертыванием база данных переводится в однопользовательский режим.", + "SchemaCompare.Description.CreateNewDatabase": "Определяет, должна ли целевая база обновляться или удаляться и создаваться повторно при публикации в базе данных.", + "SchemaCompare.Description.CompareUsingTargetCollation": "Этот параметр указывает, как обрабатывать параметры сортировки базы данных при развертывании. По умолчанию параметры сортировки целевой базы данных будут обновлены, если они не соответствуют аналогичным параметрам, указанным в источнике. Когда этот параметр задан, требуется использовать параметры сортировки целевой базы данных (или сервера).", + "SchemaCompare.Description.CommentOutSetVarDeclarations": "Указывает, нужно ли заключать в комментарий объявление переменных SETVAR в формируемом скрипте публикации. Так можно делать, если эти значения планируется указывать в командной строке при публикации с помощью программы, подобной SQLCMD.EXE.", + "SchemaCompare.Description.BlockWhenDriftDetected": "Указывает, блокировать ли обновление базы данных, схема которой больше не соответствует ее регистрации или является незарегистрированной.", + "SchemaCompare.Description.BlockOnPossibleDataLoss": "Указывает, что следует завершать эпизод публикации, если есть возможность потери данных в результате операции публикации.", + "SchemaCompare.Description.BackupDatabaseBeforeChanges": "Создает резервную копию базы данных перед развертыванием любых изменений.", + "SchemaCompare.Description.AllowIncompatiblePlatform": "Определяет, будет ли выполняться действие в случае несовместимости платформ SQL Server.", + "SchemaCompare.Description.AllowDropBlockingAssemblies": "Это свойство используется развертыванием SqlClr, чтобы выполнять удаление блокирующих сборок в рамках плана развертывания. По умолчанию любая блокирующая/ссылающаяся сборка блокирует обновление сборки, если ссылающуюся сборку необходимо удалить.", + "SchemaCompare.Description.DropConstraintsNotInSource": "Определяет, будут ли ограничения, которые не существуют в моментальном снимке базы данных (.dacpac), удаляться из целевой базы данных при публикации в базе данных.", + "SchemaCompare.Description.DropDmlTriggersNotInSource": "Определяет, будут ли триггеры DML, которые не существуют в моментальном снимке базы данных (DACPAC), удаляться из целевой базы данных при публикации в базе данных.", + "SchemaCompare.Description.DropExtendedPropertiesNotInSource": "Определяет, будут ли расширенные свойства, которые не существуют в моментальном снимке базы данных (DACPAC), удаляться из целевой базы данных при публикации в базе данных.", + "SchemaCompare.Description.DropIndexesNotInSource": "Определяет, будут ли индексы, которые не существуют в моментальном снимке базы данных (DACPAC), удаляться из целевой базы данных при публикации в базе данных.", + "SchemaCompare.Description.IgnoreFileAndLogFilePath": "Определяет, пропускаются или обновляются различия в путях к файлам и файлам журнала при публикации в базе данных.", + "SchemaCompare.Description.IgnoreExtendedProperties": "Указывает, следует ли игнорировать расширенные свойства.", + "SchemaCompare.Description.IgnoreDmlTriggerState": "Определяет, пропускаются или обновляются различия в состоянии (включен-выключен) триггеров DML при публикации в базе данных.", + "SchemaCompare.Description.IgnoreDmlTriggerOrder": "Определяет, пропускаются или обновляются различия в порядке триггеров языка обработки данных Data Manipulation Language (DML) при публикации в базе данных.", + "SchemaCompare.Description.IgnoreDefaultSchema": "Определяет, пропускаются или обновляются различия в схеме по умолчанию при публикации в базе данных.", + "SchemaCompare.Description.IgnoreDdlTriggerState": "Определяет, пропускаются или обновляются различия в состоянии (включен-выключен) триггеров языка описания данных DDL при публикации в базе данных.", + "SchemaCompare.Description.IgnoreDdlTriggerOrder": "Определяет, пропускаются или обновляются различия в порядке триггеров языка описания данных DDL при публикации в базе данных или на сервере.", + "SchemaCompare.Description.IgnoreCryptographicProviderFilePath": "Определяет, пропускаются или обновляются различия в пути к файлам для поставщика служб шифрования при публикации в базе данных.", + "SchemaCompare.Description.VerifyDeployment": "Определяет, должны ли перед публикацией выполняться проверки, останавливающие действие публикации, если обнаружатся проблемы, которые могут помешать успешной публикации. Например, действие публикации может остановиться, если в целевой базе данных существуют внешние ключи, которые не существуют в проекте базы данных (это вызовет ошибки при публикации).", + "SchemaCompare.Description.IgnoreComments": "Определяет, пропускаются или обновляются различия в комментариях при публикации в базе данных.", + "SchemaCompare.Description.IgnoreColumnCollation": "Определяет, пропускаются или обновляются различия в параметрах сортировки столбцов при публикации в базе данных.", + "SchemaCompare.Description.IgnoreAuthorizer": "Определяет, пропускаются или обновляются различия в Authorizer при публикации в базе данных.", + "SchemaCompare.Description.IgnoreAnsiNulls": "Определяет, пропускаются или обновляются различия в параметре ANSI NULLS при публикации в базе данных.", + "SchemaCompare.Description.GenerateSmartDefaults": "Автоматически предоставляет значение по умолчанию при обновлении таблицы данных со столбцом, который не допускает значения NULL.", + "SchemaCompare.Description.DropStatisticsNotInSource": "Указывает, будет ли статистика, которая не существует в файле моментального снимка базы данных (DACPAC), удалена из целевой базы данных при выполнении публикации в нее.", + "SchemaCompare.Description.DropRoleMembersNotInSource": "Определяет, будут ли члены ролей, которые не определены в моментальном снимке базы данных (DACPAC), удаляться из целевой базы данных при публикации обновлений в базе данных. цвет. Например, добавьте \"column1\": red, чтобы задать для этого столбца красный цвет", - "legendDescription": "Указывает предпочтительное положение и видимость условных обозначений диаграммы. Это имена столбцов из вашего запроса и карта для сопоставления с каждой записью диаграммы", - "labelFirstColumnDescription": "Если значение параметра dataDirection равно horizontal, то при указании значения TRUE для этого параметра для условных обозначений будут использоваться значения в первом столбце.", - "columnsAsLabels": "Если значение параметра dataDirection равно vertical, то при указании значения TRUE для этого парамтра для условных обозначений будут использованы имена столбцов.", - "dataDirectionDescription": "Определяет, считываются ли данные из столбцов (по вертикали) или из строк (по горизонтали). Для временных рядов это игнорируется, так как для них всегда используется направление по вертикали.", - "showTopNData": "Если параметр showTopNData установлен, отображаются только первые N данных на диаграмме." - }, - "sql/platform/dashboard/browser/insightRegistry": { - "schema.dashboardWidgets.InsightsRegistry": "Мини-приложение, используемое на панелях мониторинга" - }, - "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { - "resourceViewer.showActions": "Показать действия", - "resourceViewerInput.resourceViewer": "Средство просмотра ресурсов" - }, - "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { - "extension.contributes.resourceView.resource.id": "Идентификатор ресурса.", - "extension.contributes.resourceView.resource.name": "Понятное имя представления. Будет отображаться на экране", - "extension.contributes.resourceView.resource.icon": "Путь к значку ресурса.", - "extension.contributes.resourceViewResources": "Добавляет ресурс в представление ресурсов", - "requirestring": "свойство \"{0}\" является обязательным и должно иметь тип string", - "optstring": "свойство \"{0}\" может быть опущено или должно иметь тип string" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { - "resourceViewer.ariaLabel": "Дерево средства просмотра ресурсов" - }, - "sql/platform/dashboard/browser/widgetRegistry": { - "schema.dashboardWidgets.all": "Мини-приложение, используемое на панелях мониторинга", - "schema.dashboardWidgets.database": "Мини-приложение, используемое на панелях мониторинга", - "schema.dashboardWidgets.server": "Мини-приложение, используемое на панелях мониторинга" - }, - "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { - "azdata.extension.contributes.widget.when": "Условие, которое должно иметь значение TRUE, чтобы отображался этот элемент", - "azdata.extension.contributes.widget.hideHeader": "Нужно ли скрывать заголовок мини-приложения, значение по умолчанию — false", - "dashboardpage.tabName": "Название контейнера", - "dashboardpage.rowNumber": "Строка компонента в сетке", - "dashboardpage.rowSpan": "Атрибут rowspan компонента сетки. Значение по умолчанию — 1. Используйте значение \"*\", чтобы задать количество строк в сетке.", - "dashboardpage.colNumber": "Столбец компонента в сетке", - "dashboardpage.colspan": "Атрибут colspan компонента сетки. Значение по умолчанию — 1. Используйте значение \"*\", чтобы задать количество столбцов в сетке.", - "azdata.extension.contributes.dashboardPage.tab.id": "Уникальный идентификатор этой вкладки. Будет передаваться расширению при выполнении любых запросов.", - "dashboardTabError": "Вкладка \"Расширение\" неизвестна или не установлена." - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { - "dashboardDatabaseProperties": "Включение или отключение мини-приложения свойств", - "dashboard.databaseproperties": "Значения свойств для отображения", - "dashboard.databaseproperties.displayName": "Отображаемое имя свойства", - "dashboard.databaseproperties.value": "Значение в объекте сведений о базе данных", - "dashboard.databaseproperties.ignore": "Укажите конкретные значения, которые нужно пропустить", - "recoveryModel": "Модель восстановления", - "lastDatabaseBackup": "Последнее резервное копирование базы данных", - "lastLogBackup": "Последняя резервная копия журнала", - "compatibilityLevel": "Уровень совместимости", - "owner": "Владелец", - "dashboardDatabase": "Настраивает страницу панели мониторинга базы данных", - "objectsWidgetTitle": "Поиск", - "dashboardDatabaseTabs": "Настраивает вкладки панели мониторинга базы данных" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { - "dashboardServerProperties": "Включение или отключение мини-приложения свойств", - "dashboard.serverproperties": "Значения свойств для отображения", - "dashboard.serverproperties.displayName": "Отображаемое имя свойства", - "dashboard.serverproperties.value": "Значение в объекте сведений о сервере", - "version": "Версия", - "edition": "Выпуск", - "computerName": "Имя компьютера", - "osVersion": "Версия ОС", - "explorerWidgetsTitle": "Поиск", - "dashboardServer": "Настраивает страницу панели мониторинга сервера", - "dashboardServerTabs": "Настраивает вкладки панели мониторинга сервера" - }, - "sql/workbench/contrib/dashboard/browser/dashboardActions": { - "ManageAction": "Управление" - }, - "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { - "opticon": "Свойство icon может быть пропущено или должно быть строкой или литералом, например \"{dark, light}\"" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { - "insightWidgetDescription": "Добавляет мини-приложение, которое может опрашивать сервер или базу данных и отображать результаты различными способами — в виде диаграмм, сводных данных и т. д.", - "insightIdDescription": "Уникальный идентификатор, используемый для кэширования результатов анализа.", - "insightQueryDescription": "SQL-запрос для выполнения. Он должен возвратить ровно один набор данных.", - "insightQueryFileDescription": "[Необязательно] путь к файлу, который содержит запрос. Используйте, если параметр \"query\" не установлен", - "insightAutoRefreshIntervalDescription": "[Необязательно] Интервал автоматического обновления в минутах. Если значение не задано, то автоматическое обновление не будет выполняться.", - "actionTypes": "Используемые действия", - "actionDatabaseDescription": "Целевая база данных для этого действия; чтобы указать имя столбца на основе данных, можно использовать формат \"${ columnName }\".", - "actionServerDescription": "Целевой сервер для этого действия; чтобы указать имя столбца на основе данных, можно использовать формат \"${ columnName }\".", - "actionUserDescription": "Целевой пользователь для этого действия; чтобы указать имя столбца на основе данных, можно использовать формат \"${ columnName }\".", - "carbon.extension.contributes.insightType.id": "Идентификатор аналитических данных", - "carbon.extension.contributes.insights": "Добавляет аналитические сведения на палитру панели мониторинга." - }, - "sql/workbench/contrib/backup/browser/backupActions": { - "backupAction.backup": "Резервное копирование", - "backup.isPreviewFeature": "Для использования резервного копирования необходимо включить предварительные версии функции", - "backup.commandNotSupported": "Команда резервного копирования не поддерживается для баз данных SQL Azure.", - "backup.commandNotSupportedForServer": "Команда резервного копирования не поддерживается в контексте сервера. Выберите базу данных и повторите попытку." - }, - "sql/workbench/contrib/restore/browser/restoreActions": { - "restoreAction.restore": "Восстановить", - "restore.isPreviewFeature": "Чтобы использовать восстановление, необходимо включить предварительные версии функции", - "restore.commandNotSupported": "Команда восстановления не поддерживается для баз данных SQL Azure." - }, - "sql/workbench/contrib/extensions/browser/extensionsActions": { - "showRecommendations": "Показать рекомендации", - "Install Extensions": "Установить расширения", - "openExtensionAuthoringDocs": "Создать расширение…" - }, - "sql/workbench/browser/editData/editDataInput": { - "connectionFailure": "Не удалось подключиться к сеансу редактирования данных" - }, - "sql/workbench/browser/modal/optionsDialog": { - "optionsDialog.ok": "ОК", - "optionsDialog.cancel": "Отмена" - }, - "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { - "newDashboardTab.openDashboardExtensions": "Открыть расширения панели мониторинга", - "newDashboardTab.ok": "ОК", - "newDashboardTab.cancel": "Отмена", - "newdashboardTabDialog.noExtensionLabel": "Расширения панели мониторинга не установлены. Чтобы просмотреть рекомендуемые расширения, перейдите в Диспетчер расширений." - }, - "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { - "filebrowser.filepath": "Выбранный путь", - "fileFilter": "Файлы типа", - "fileBrowser.ok": "ОК", - "fileBrowser.discard": "Отменить" - }, - "sql/workbench/services/insights/browser/insightsDialogController": { - "insightsInputError": "Профиль подключения не был передан во всплывающий элемент аналитических данных", - "insightsError": "Ошибка аналитических данных", - "insightsFileError": "Произошла ошибка при чтении файла запроса: ", - "insightsConfigError": "Произошла ошибка при синтаксическом анализе конфигурации аналитических данных; не удалось найти массив/строку запроса или файл запроса" - }, - "sql/workbench/services/accountManagement/browser/accountPickerImpl": { - "azureAccount": "Учетная запись Azure", - "azureTenant": "Клиент Azure" - }, - "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { - "showDataExplorer": "Показать подключения", - "dataExplorer.servers": "Серверы", - "dataexplorer.name": "Подключения" - }, - "sql/workbench/contrib/tasks/browser/tasksView": { - "noTaskMessage": "Журнал задач для отображения отсутствует.", - "taskHistory.regTreeAriaLabel": "Журнал задач", - "taskError": "Ошибка выполнения задачи" - }, - "sql/workbench/services/connection/browser/connectionActions": { - "ClearRecentlyUsedLabel": "Очистить список", - "ClearedRecentConnections": "Список последних подключений очищен", - "connectionAction.yes": "Да", - "connectionAction.no": "Нет", - "clearRecentConnectionMessage": "Вы действительно хотите удалить все подключения из списка?", - "connectionDialog.yes": "Да", - "connectionDialog.no": "Нет", - "delete": "Удалить", - "connectionAction.GetCurrentConnectionString": "Получить текущую строку подключения", - "connectionAction.connectionString": "Строка подключения недоступна", - "connectionAction.noConnection": "Активные подключения отсутствуют" - }, - "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { - "connectionTree.refresh": "Обновить", - "connectionTree.editConnection": "Изменить подключение", - "DisconnectAction": "Отключить", - "connectionTree.addConnection": "Новое подключение", - "connectionTree.addServerGroup": "Новая группа серверов", - "connectionTree.editServerGroup": "Изменить группу серверов", - "activeConnections": "Показать активные подключения", - "showAllConnections": "Показать все подключения", - "recentConnections": "Последние подключения", - "deleteConnection": "Удалить подключение", - "deleteConnectionGroup": "Удалить группу" - }, - "sql/workbench/contrib/editData/browser/editDataActions": { - "editData.run": "Запуск", - "disposeEditFailure": "Не удалось отменить изменения. Ошибка: ", - "editData.stop": "Остановить", - "editData.showSql": "Показать панель SQL", - "editData.closeSql": "Закрыть панель SQL" - }, - "sql/workbench/browser/editor/profiler/profilerInput": { - "profilerInput.profiler": "Профилировщик", - "profilerInput.notConnected": "Нет соединения", - "profiler.sessionStopped": "Сеанс Профилировщика XEvent был неожиданно остановлен на сервере {0}.", - "profiler.sessionCreationError": "Ошибка при запуске нового сеанса", - "profiler.eventsLost": "В сеансе Профилировщика XEvent для {0} были потеряны события." - }, - "sql/workbench/browser/modelComponents/loadingComponent.component": { + "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { "loadingMessage": "Загрузка", "loadingCompletedMessage": "Загрузка завершена" }, - "sql/workbench/services/serverGroup/browser/serverGroupDialog": { - "ServerGroupsDialogTitle": "Группы серверов", - "serverGroup.ok": "OK", - "serverGroup.cancel": "Отмена", - "connectionGroupName": "Имя группы серверов", - "MissingGroupNameError": "Необходимо указать имя группы.", - "groupDescription": "Описание группы", - "groupColor": "Цвет группы" + "sql/base/browser/ui/panel/panel.component": { + "hideTextLabel": "Скрыть текстовые подписи", + "showTextLabel": "Показать текстовые подписи" }, - "sql/workbench/services/accountManagement/browser/accountDialogController": { - "accountDialog.addAccountErrorTitle": "Ошибка при добавлении учетной записи" - }, - "sql/workbench/services/insights/browser/insightsDialogView": { - "insights.item": "Элемент", - "insights.value": "Значение", - "insightsDetailView.name": "Подробные сведения об аналитике", - "property": "Свойство", - "value": "Значение", - "InsightsDialogTitle": "Аналитические данные", - "insights.dialog.items": "Элементы", - "insights.dialog.itemDetails": "Сведения об элементе" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { - "oauthFlyoutIsAlreadyOpen": "Не удается запустить автоматическую авторизацию OAuth. Она уже выполняется." - }, - "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { - "eventSort": "Сортировка по событиям", - "nameColumn": "Сортировка по столбцу", - "profilerColumnDialog.profiler": "Профилировщик", - "profilerColumnDialog.ok": "OK", - "profilerColumnDialog.cancel": "Отмена" - }, - "sql/workbench/services/profiler/browser/profilerFilterDialog": { - "profilerFilterDialog.clear": "Очистить все", - "profilerFilterDialog.apply": "Применить", - "profilerFilterDialog.ok": "OK", - "profilerFilterDialog.cancel": "Отмена", - "profilerFilterDialog.title": "Фильтры", - "profilerFilterDialog.remove": "Удалить это предложение", - "profilerFilterDialog.saveFilter": "Сохранить фильтр", - "profilerFilterDialog.loadFilter": "Загрузить фильтр", - "profilerFilterDialog.addClauseText": "Добавить предложение", - "profilerFilterDialog.fieldColumn": "Поле", - "profilerFilterDialog.operatorColumn": "Оператор", - "profilerFilterDialog.valueColumn": "Значение", - "profilerFilterDialog.isNullOperator": "Имеет значение NULL", - "profilerFilterDialog.isNotNullOperator": "Не имеет значение NULL", - "profilerFilterDialog.containsOperator": "Содержит", - "profilerFilterDialog.notContainsOperator": "Не содержит", - "profilerFilterDialog.startsWithOperator": "Начинается с", - "profilerFilterDialog.notStartsWithOperator": "Не начинается с" - }, - "sql/workbench/contrib/editData/browser/gridActions": { - "saveAsCsv": "Сохранить в формате CSV", - "saveAsJson": "Сохранить в формате JSON", - "saveAsExcel": "Сохранить в формате Excel", - "saveAsXml": "Сохранить в формате XML", - "copySelection": "Копировать", - "copyWithHeaders": "Копировать с заголовками", - "selectAll": "Выбрать все" - }, - "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { - "dashboard.properties.property": "Определяет свойство для отображения на панели мониторинга", - "dashboard.properties.property.displayName": "Какое значение использовать в качестве метки для свойства", - "dashboard.properties.property.value": "Значение объекта, используемое для доступа к значению", - "dashboard.properties.property.ignore": "Укажите игнорируемые значения", - "dashboard.properties.property.default": "Значение по умолчанию, которое отображается в том случае, если значение игнорируется или не указано.", - "dashboard.properties.flavor": "Особые свойства панели мониторинга", - "dashboard.properties.flavor.id": "Идентификатор варианта приложения", - "dashboard.properties.flavor.condition": "Условие использования этого варианта приложения", - "dashboard.properties.flavor.condition.field": "Поле для сравнения", - "dashboard.properties.flavor.condition.operator": "Какой оператор использовать для сравнения", - "dashboard.properties.flavor.condition.value": "Значение для сравнения поля", - "dashboard.properties.databaseProperties": "Свойства для отображения на странице базы данных", - "dashboard.properties.serverProperties": "Отображаемые свойства для страницы сервера", - "carbon.extension.dashboard": "Определяет, что этот поставщик поддерживает панель мониторинга", - "dashboard.id": "Идентификатор поставщика (пример: MSSQL)", - "dashboard.properties": "Значения свойства для отображения на панели мониторинга" - }, - "sql/workbench/browser/modelComponents/inputbox.component": { - "invalidValueError": "Недопустимое значение", - "period": "{0}.{1}" - }, - "sql/workbench/browser/modelComponents/dropdown.component": { - "loadingMessage": "Загрузка", - "loadingCompletedMessage": "Загрузка завершена" - }, - "sql/workbench/browser/modelComponents/declarativeTable.component": { - "blankValue": "пустой", - "checkAllColumnLabel": "установить все флажки в столбце {0}" - }, - "sql/workbench/api/common/extHostModelViewTree": { - "treeView.notRegistered": "Отсутствует зарегистрированное представление в виде дерева с идентификатором \"{0}\"." - }, - "sql/workbench/services/editData/common/editQueryRunner": { - "query.initEditExecutionFailed": "Не удалось инициализировать сеанс изменения данных: " - }, - "sql/workbench/services/notebook/common/notebookRegistry": { - "carbon.extension.contributes.notebook.provider": "Идентификатор поставщика записных книжек.", - "carbon.extension.contributes.notebook.fileExtensions": "Расширения файлов, которые должны быть зарегистрированы для этого поставщика записных книжек", - "carbon.extension.contributes.notebook.standardKernels": "Какие ядра следует использовать в качестве стандартных для этого поставщика записных книжек", - "vscode.extension.contributes.notebook.providers": "Добавляет поставщиков записных книжек.", - "carbon.extension.contributes.notebook.magic": "Название магической команды ячейки, например, \"%%sql\".", - "carbon.extension.contributes.notebook.language": "Язык ячейки, который будет использоваться, если эта магическая команда ячейки включена в ячейку", - "carbon.extension.contributes.notebook.executionTarget": "Необязательная цель выполнения, указанная в этой магической команде, например, Spark vs SQL", - "carbon.extension.contributes.notebook.kernels": "Необязательный набор ядер, для которых это действительно, например, python3, pyspark, sql", - "vscode.extension.contributes.notebook.languagemagics": "Определяет язык записной книжки." - }, - "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { - "runActiveCell": "При нажатии клавиши F5 необходимо выбрать ячейку кода. Выберите ячейку кода для выполнения.", - "clearResultActiveCell": "Для выполнения очистки результата требуется выбрать ячейку кода. Выберите ячейку кода для выполнения." - }, - "sql/workbench/services/notebook/browser/interfaces": { - "sqlKernel": "SQL" - }, - "sql/workbench/contrib/editData/browser/editDataEditor": { - "maxRowTaskbar": "Максимальное число строк:" - }, - "sql/workbench/contrib/profiler/browser/profilerEditor": { - "profiler.viewSelectAccessibleName": "Выберите представление", - "profiler.sessionSelectAccessibleName": "Выберите сеанс", - "profiler.sessionSelectLabel": "Выберите сеанс:", - "profiler.viewSelectLabel": "Выберите представление:", - "text": "Текст", - "label": "Метка", - "profilerEditor.value": "Значение", - "details": "Подробные сведения" - }, - "sql/workbench/contrib/query/browser/statusBarItems": { - "status.query.timeElapsed": "Прошедшее время", - "status.query.rowCount": "Число строк", - "rowCount": "{0} строк", - "query.status.executing": "Выполнение запроса…", - "status.query.status": "Состояние выполнения", - "status.query.selection-summary": "Сводка по выбранным элементам", - "status.query.summaryText": "Среднее значение: {0} Количество: {1} Сумма: {2}" - }, - "sql/workbench/contrib/query/browser/flavorStatus": { - "chooseSqlLang": "Выбрать язык SQL", - "changeProvider": "Изменить поставщика языка SQL", - "status.query.flavor": "Вариант языка SQL", - "changeSqlProvider": "Изменить поставщика ядра SQL", - "alreadyConnected": "Подключение с использованием {0} уже существует. Чтобы изменить его, отключите или смените существующее подключение.", - "noEditor": "Активные текстовые редакторы отсутствуют", - "pickSqlProvider": "Выбрать поставщик языка" - }, - "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { - "plotlyError": "Не удалось отобразить диаграмму Plotly: {0}" - }, - "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { - "noRendererFound": "Не удается найти отрисовщик {0} для выходных данных. Он содержит следующие типы MIME: {1}", - "safe": "(безопасный)" - }, - "sql/workbench/browser/scriptingActions": { - "scriptSelect": "Выберите первые 1000", - "scriptKustoSelect": "Давайте ненадолго прервемся", - "scriptExecute": "Выполнение сценария в режиме выполнения", - "scriptAlter": "Выполнение сценария в режиме изменения", - "editData": "Редактировать данные", - "scriptCreate": "Выполнение сценария в режиме создания", - "scriptDelete": "Выполнение сценария в режиме удаления" - }, - "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { - "providerRequired": "В качестве параметра этого метода необходимо указать NotebookProvider с действительным providerId" - }, - "sql/workbench/api/common/extHostNotebook": { - "providerRequired": "В качестве параметра этого метода необходимо указать NotebookProvider с действительным providerId", - "errNoProvider": "поставщики записных книжек не найдены", - "errNoManager": "Диспетчер не найден", - "noServerManager": "Notebook Manager для записной книжки {0} не содержит диспетчера серверов. Невозможно выполнить операции над ним", - "noContentManager": "Notebook Manager для записной книжки {0} не включает диспетчер содержимого. Невозможно выполнить операции над ним", - "noSessionManager": "Notebook Manager для записной книжки {0} не содержит диспетчер сеанса. Невозможно выполнить действия над ним" - }, - "sql/workbench/services/connection/browser/connectionManagementService": { - "connection.noAzureAccount": "Не удалось получить маркер учетной записи Azure для подключения", - "connectionNotAcceptedError": "Подключение не принято", - "connectionService.yes": "Да", - "connectionService.no": "Нет", - "cancelConnectionConfirmation": "Вы действительно хотите отменить это подключение?" - }, - "sql/workbench/contrib/webview/browser/webViewDialog": { - "webViewDialog.ok": "ОК", - "webViewDialog.close": "Закрыть" - }, - "sql/workbench/contrib/notebook/browser/notebookActions": { - "loading": "Загрузка ядер…", - "changing": "Изменение ядра…", - "AttachTo": "Присоединиться к ", - "Kernel": "Ядро ", - "loadingContexts": "Загрузка контекстов…", - "changeConnection": "Изменить подключение", - "selectConnection": "Выберите подключение", - "localhost": "localhost", - "noKernel": "Нет ядра", - "clearResults": "Очистить результаты", - "trustLabel": "Доверенный", - "untrustLabel": "Не доверенный", - "collapseAllCells": "Свернуть ячейки", - "expandAllCells": "Развернуть ячейки", - "noContextAvailable": "Нет", - "newNotebookAction": "Создать записную книжку", - "notebook.findNext": "Найти следующую строку", - "notebook.findPrevious": "Найти предыдущую строку" - }, - "sql/workbench/contrib/queryPlan/browser/queryPlan": { - "queryPlanTitle": "План запроса" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { - "resourceViewer.refresh": "Обновить" - }, - "sql/workbench/services/dialog/browser/dialogPane": { - "wizardPageNumberDisplayText": "Шаг {0}" - }, - "sql/base/parts/editableDropdown/browser/dropdown": { - "editableDropdown.errorValidate": "Необходимо выбрать вариант из списка", - "selectBox": "Поле выбора" + "sql/base/browser/ui/panel/tabActions": { + "closeTab": "Закрыть" }, "sql/base/browser/ui/selectBox/selectBox": { "alertErrorMessage": "Ошибка: {0}", "alertWarningMessage": "Предупреждение: {0}", "alertInfoMessage": "Информация: {0}" }, - "sql/workbench/services/connection/browser/connectionDialogWidget": { - "connection": "Подключение", - "connecting": "Идет подключение", - "connectType": "Тип подключения", - "recentConnectionTitle": "Последние соединения", - "savedConnectionTitle": "Сохраненные подключения", - "connectionDetailsTitle": "Сведения о подключении", - "connectionDialog.connect": "Подключиться", - "connectionDialog.cancel": "Отмена", - "connectionDialog.recentConnections": "Последние подключения", - "noRecentConnections": "Недавние подключения отсутствуют", - "connectionDialog.savedConnections": "Сохраненные подключения", - "noSavedConnections": "Сохраненные подключения отсутствуют" + "sql/base/browser/ui/table/formatters": { + "tableCell.NoDataAvailable": "данные недоступны" }, - "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { - "fileBrowser.regTreeAriaLabel": "Дерево обозревателя файлов" + "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { + "selectDeselectAll": "Выбрать все/отменить выбор" }, - "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { - "from": "С", - "to": "До", - "createNewFirewallRule": "Создание правила брандмауэра", - "firewall.ok": "OK", - "firewall.cancel": "Отмена", - "firewallRuleDialogDescription": "Ваш клиентский IP-адрес не имеет доступа к серверу. Войдите в учетную запись Azure и создайте правило брандмауэра, чтобы разрешить доступ.", - "firewallRuleHelpDescription": "Дополнительные сведения о параметрах брандмауэра", - "filewallRule": "Правило брандмауэра", - "addIPAddressLabel": "Добавить мой клиентский IP-адрес", - "addIpRangeLabel": "Добавить диапазон IP-адресов моей подсети" + "sql/base/browser/ui/table/plugins/headerFilter.plugin": { + "headerFilter.showFilter": "Показать фильтр", + "table.selectAll": "Выбрать все", + "table.searchPlaceHolder": "Поиск", + "tableFilter.visibleCount": "Результатов: {0}", + "tableFilter.selectedCount": "Выбрано: {0}", + "table.sortAscending": "Сортировка по возрастанию", + "table.sortDescending": "Сортировка по убыванию", + "headerFilter.ok": "ОК", + "headerFilter.clear": "Очистка", + "headerFilter.cancel": "Отмена", + "table.filterOptions": "Параметры фильтра" }, - "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { - "allFiles": "Все файлы" + "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { + "loadingSpinner.loading": "Загрузка" }, - "sql/workbench/services/insights/common/insightsUtils": { - "insightsDidNotFindResolvedFile": "Не удалось найти файл запроса по любому из следующих путей:\r\n {0}" + "sql/base/browser/ui/table/plugins/rowDetailView": { + "rowDetailView.loadError": "Ошибка загрузки…" }, - "sql/workbench/services/accountManagement/browser/accountListRenderer": { - "refreshCredentials": "Вам необходимо обновить учетные данные для этой учетной записи." + "sql/base/browser/ui/taskbar/overflowActionbar": { + "toggleMore": "Показать или скрыть дополнительную информацию" + }, + "sql/base/common/locConstants": { + "azuredatastudio": "Azure Data Studio", + "default": "Включение автоматических проверок обновлений. Azure Data Studio будет периодически проверять наличие обновлений в автоматическом режиме.", + "enableWindowsBackgroundUpdates": "Включите, чтобы скачивать и устанавливать новые версии Azure Data Studio в Windows в фоновом режиме", + "showReleaseNotes": "Отображение заметок о выпуске после обновления. Заметки о выпуске будут открыты в новом окне веб-браузера.", + "dashboard.toolbar": "Меню действий инструментов панели мониторинга", + "notebook.cellTitle": "Меню заголовка ячейки записной книжки", + "notebook.title": "Меню раздела записной книжки", + "notebook.toolbar": "Меню панели инструментов записной книжки", + "dataExplorer.action": "Меню действий раздела контейнера представления обозревателя данных", + "dataExplorer.context": "Контекстное меню элемента обозревателя данных", + "objectExplorer.context": "Контекстное меню элемента обозревателя объектов", + "connectionDialogBrowseTree.context": "Контекстное меню дерева просмотра диалогового окна подключения", + "dataGrid.context": "Контекстное меню элемента сетки данных", + "extensionsPolicy": "Устанавливает политику безопасности для скачивания расширений.", + "InstallVSIXAction.allowNone": "Ваша политика расширений запрещает устанавливать расширения. Измените политику расширений и повторите попытку.", + "InstallVSIXAction.successReload": "Установка расширения {0} из VSIX завершена. Перезагрузите Azure Data Studio, чтобы включить это расширение.", + "postUninstallTooltip": "Перезапустите Azure Data Studio, чтобы завершить удаление этого расширения.", + "postUpdateTooltip": "Перезапустите Azure Data Studio, чтобы включить обновленное расширение.", + "enable locally": "Перезапустите Azure Data Studio, чтобы включить это расширение локально.", + "postEnableTooltip": "Перезапустите Azure Data Studio, чтобы включить это расширение.", + "postDisableTooltip": "Перезапустите Azure Data Studio, чтобы отключить это расширение.", + "uninstallExtensionComplete": "Перезапустите Azure Data Studio, чтобы завершить удаление расширения {0}.", + "enable remote": "Перезапустите Azure Data Studio, чтобы включить это расширение в {0}.", + "installExtensionCompletedAndReloadRequired": "Установка расширения {0} завершена. Перезагрузите Azure Data Studio, чтобы включить это расширение.", + "ReinstallAction.successReload": "Перезагрузите Azure Data Studio, чтобы завершить переустановку расширения {0}.", + "recommendedExtensions": "Marketplace", + "scenarioTypeUndefined": "Необходимо указать тип сценария для рекомендаций по расширениям.", + "incompatible": "Не удалось установить расширение \"{0}\", так как оно несовместимо с Azure Data Studio \"{1}\".", + "newQuery": "Создать запрос", + "miNewQuery": "Создать &&запрос", + "miNewNotebook": "&&Новая записная книжка", + "maxMemoryForLargeFilesMB": "Управляет объемом памяти, который доступен Azure Data Studio после перезапуска при попытке открытия больших файлов. Действие этого параметра аналогично указанию параметра \"--max-memory=НОВЫЙ_РАЗМЕР\" в командной строке.", + "updateLocale": "Хотите изменить язык пользовательского интерфейса Azure Data Studio на {0} и выполнить перезапуск?", + "activateLanguagePack": "Чтобы использовать Azure Data Studio в {0}, необходимо перезапустить Azure Data Studio.", + "watermark.newSqlFile": "Новый файл SQL", + "watermark.newNotebook": "Новая записная книжка", + "miinstallVsix": "Установить расширение из пакета VSIX" + }, + "sql/base/parts/editableDropdown/browser/dropdown": { + "editableDropdown.errorValidate": "Необходимо выбрать вариант из списка", + "selectBox": "Поле выбора" }, "sql/platform/accounts/common/accountActions": { "addAccount": "Добавить учетную запись", @@ -10190,354 +9358,24 @@ "refreshAccount": "Повторно введите учетные данные", "NoAccountToRefresh": "Учетные записи для обновления отсутствуют" }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { - "showNotebookExplorer": "Показать записные книжки", - "notebookExplorer.searchResults": "Результаты поиска", - "searchPathNotFoundError": "Путь поиска не найден: {0}", - "notebookExplorer.name": "Записные книжки" + "sql/platform/clipboard/browser/clipboardService": { + "imageCopyingNotSupported": "Копирование изображений не поддерживается" }, - "sql/workbench/contrib/query/browser/keyboardQueryActions": { - "focusOnCurrentQueryKeyboardAction": "Фокус на текущем запросе", - "runQueryKeyboardAction": "Выполнить запрос", - "runCurrentQueryKeyboardAction": "Выполнить текущий запрос", - "copyQueryWithResultsKeyboardAction": "Копировать запрос с результатами", - "queryActions.queryResultsCopySuccess": "Запрос и результаты скопированы.", - "runCurrentQueryWithActualPlanKeyboardAction": "Выполнить текущий запрос с фактическим планом", - "cancelQueryKeyboardAction": "Отменить запрос", - "refreshIntellisenseKeyboardAction": "Обновить кэш IntelliSense", - "toggleQueryResultsKeyboardAction": "Переключить результаты запроса", - "ToggleFocusBetweenQueryEditorAndResultsAction": "Переключить фокус между запросом и результатами", - "queryShortcutNoEditor": "Для выполнения ярлыка требуется параметр редактора.", - "parseSyntaxLabel": "Синтаксический анализ запроса", - "queryActions.parseSyntaxSuccess": "Команды выполнены", - "queryActions.parseSyntaxFailure": "Не удалось выполнить команду: ", - "queryActions.notConnected": "Подключитесь к серверу" + "sql/platform/connection/common/connectionConfig": { + "invalidServerName": "Группа серверов с таким именем уже существует." }, - "sql/workbench/contrib/tasks/browser/tasksRenderer": { - "succeeded": "Выполнено", - "failed": "Ошибка", - "inProgress": "Выполняется", - "notStarted": "Не запущена", - "canceled": "Отмененный", - "canceling": "выполняется отмена" + "sql/platform/dashboard/browser/insightRegistry": { + "schema.dashboardWidgets.InsightsRegistry": "Мини-приложение, используемое на панелях мониторинга" }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { - "chartErrorMessage": "Не удается отобразить диаграмму с указанными данными." + "sql/platform/dashboard/browser/widgetRegistry": { + "schema.dashboardWidgets.all": "Мини-приложение, используемое на панелях мониторинга", + "schema.dashboardWidgets.database": "Мини-приложение, используемое на панелях мониторинга", + "schema.dashboardWidgets.server": "Мини-приложение, используемое на панелях мониторинга" }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { - "resourceViewerTable.openError": "Ошибка при открытии ссылки: {0}", - "resourceViewerTable.commandError": "Ошибка при выполнении команды \"{0}\": {1}" - }, - "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { - "copyFailed": "Не удалось выполнить копирование. Ошибка: {0}", - "notebook.showChart": "Показать диаграмму", - "notebook.showTable": "Показать таблицу" - }, - "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { - "doubleClickEdit": "Дважды щелкните, чтобы изменить", - "addContent": "Добавьте содержимое здесь…" - }, - "sql/workbench/contrib/scripting/browser/scriptingActions": { - "refreshError": "Произошла ошибка при обновлении узла \"{0}\": {1}" - }, - "sql/workbench/api/common/extHostModelViewDialog": { - "dialogDoneLabel": "Готово", - "dialogCancelLabel": "Отмена", - "generateScriptLabel": "Создать сценарий", - "dialogNextLabel": "Далее", - "dialogPreviousLabel": "Назад", - "dashboardNotInitialized": "Вкладки не инициализированы" - }, - "sql/workbench/browser/modal/optionsDialogHelper": { - "optionsDialog.missingRequireField": " требуется.", - "optionsDialog.invalidInput": "Введены недопустимые данные. Ожидается числовое значение." - }, - "sql/workbench/services/restore/browser/restoreDialog": { - "backupFilePath": "Путь к файлу резервной копии", - "targetDatabase": "Целевая база данных", - "restoreDialog.restore": "Восстановить", - "restoreDialog.restoreTitle": "Восстановление базы данных", - "restoreDialog.database": "База данных", - "restoreDialog.backupFile": "Файл резервной копии", - "RestoreDialogTitle": "Восстановление базы данных", - "restoreDialog.cancel": "Отмена", - "restoreDialog.script": "Скрипт", - "source": "Источник", - "restoreFrom": "Восстановить из", - "missingBackupFilePathError": "Требуется путь к файлу резервной копии.", - "multipleBackupFilePath": "Пожалуйста, введите один или несколько путей файлов, разделенных запятыми", - "database": "База данных", - "destination": "Назначение", - "restoreTo": "Восстановить в", - "restorePlan": "План восстановления", - "backupSetsToRestore": "Резервные наборы данных для восстановления", - "restoreDatabaseFileAs": "Восстановить файлы базы данных как", - "restoreDatabaseFileDetails": "Восстановление сведений о файле базы данных", - "logicalFileName": "Логическое имя файла", - "fileType": "Тип файла", - "originalFileName": "Исходное имя файла", - "restoreAs": "Восстановить как", - "restoreOptions": "Параметры восстановления", - "taillogBackup": "Резервная копия заключительного фрагмента журнала", - "serverConnection": "Подключения к серверу", - "generalTitle": "Общие", - "filesTitle": "Файлы", - "optionsTitle": "Параметры" - }, - "sql/workbench/services/insights/browser/insightDialogActions": { - "workbench.action.insights.copySelection": "Копировать ячейку" - }, - "sql/workbench/services/dialog/common/dialogTypes": { - "dialogModalDoneButtonLabel": "Готово", - "dialogModalCancelButtonLabel": "Отмена" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { - "copyAndOpen": "Копировать и открыть", - "oauthDialog.cancel": "Отмена", - "userCode": "Код пользователя", - "website": "Веб-сайт" - }, - "sql/workbench/browser/modelComponents/componentBase": { - "invalidIndex": "Индекс {0} является недопустимым." - }, - "sql/workbench/services/connection/browser/cmsConnectionWidget": { - "serverDescription": "Описание сервера (необязательно)" - }, - "sql/workbench/services/connection/browser/advancedPropertiesController": { - "connectionAdvancedProperties": "Дополнительные свойства", - "advancedProperties.discard": "Отменить" - }, - "sql/workbench/services/notebook/common/localContentManager": { - "nbformatNotRecognized": "Формат nbformat v{0}.{1} не распознан", - "nbNotSupported": "Формат этого файла не соответствует допустимому формату записной книжки", - "unknownCellType": "Неизвестный тип ячейки {0}", - "unrecognizedOutput": "Тип выходных данных {0} не распознан", - "invalidMimeData": "Данные для {0} должны представлять собой строку или массив строк", - "unrecognizedOutputType": "Тип выходных данных {0} не распознан" - }, - "sql/workbench/contrib/welcome/page/browser/welcomePage": { - "welcomePage": "Приветствие", - "welcomePage.adminPack": "Пакет администрирования SQL", - "welcomePage.showAdminPack": "Пакет администрирования SQL", - "welcomePage.adminPackDescription": "Пакет администрирования для SQL Server — это набор популярных расширений для администрирования баз данных, которые помогут управлять SQL Server", - "welcomePage.powershell": "PowerShell", - "welcomePage.powershellDescription": "Создавайте и выполняйте скрипты PowerShell с помощью расширенного редактора запросов Azure Data Studio", - "welcomePage.dataVirtualization": "Виртуализация данных", - "welcomePage.dataVirtualizationDescription": "Виртуализируйте данные с помощью SQL Server 2019 и создавайте внешние таблицы с помощью интерактивных мастеров", - "welcomePage.PostgreSQL": "PostgreSQL", - "welcomePage.PostgreSQLDescription": "Подключайтесь к базам данных Postgres, отправляйте запросы и управляйте ими с помощью Azure Data Studio", - "welcomePage.extensionPackAlreadyInstalled": "Поддержка {0} уже добавлена.", - "welcomePage.willReloadAfterInstallingExtensionPack": "После установки дополнительной поддержки для {0} окно будет перезагружено.", - "welcomePage.installingExtensionPack": "Установка дополнительной поддержки для {0}...", - "welcomePage.extensionPackNotFound": "Не удается найти поддержку для {0} с идентификатором {1}.", - "welcomePage.newConnection": "Создать подключение", - "welcomePage.newQuery": "Создать запрос", - "welcomePage.newNotebook": "Создать записную книжку", - "welcomePage.deployServer": "Развернуть сервер", - "welcome.title": "Приветствие", - "welcomePage.new": "Создать", - "welcomePage.open": "Открыть…", - "welcomePage.openFile": "Открыть файл…", - "welcomePage.openFolder": "Открыть папку…", - "welcomePage.startTour": "Начать обзор", - "closeTourBar": "Закрыть панель краткого обзора", - "WelcomePage.TakeATour": "Вы хотите ознакомиться с кратким обзором Azure Data Studio?", - "WelcomePage.welcome": "Добро пожаловать!", - "welcomePage.openFolderWithPath": "Открыть папку {0} с путем {1}", - "welcomePage.install": "Установить", - "welcomePage.installKeymap": "Установить раскладку клавиатуры {0}", - "welcomePage.installExtensionPack": "Установить дополнительную поддержку для {0}", - "welcomePage.installed": "Установлено", - "welcomePage.installedKeymap": "Раскладка клавиатуры {0} уже установлена", - "welcomePage.installedExtensionPack": "Поддержка {0} уже установлена", - "ok": "OK", - "details": "Подробные сведения", - "welcomePage.background": "Цвет фона страницы приветствия." - }, - "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { - "profilerTextEditorAriaLabel": "Редактор профилировщика для текста события. Только для чтения." - }, - "sql/workbench/services/query/common/resultSerializer": { - "msgSaveFailed": "Не удалось сохранить результаты.", - "resultsSerializer.saveAsFileTitle": "Выберите файл результатов", - "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (с разделением запятыми)", - "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", - "resultsSerializer.saveAsFileExtensionExcelTitle": "Книга Excel", - "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", - "resultsSerializer.saveAsFileExtensionTXTTitle": "Простой текст", - "savingFile": "Сохранение файла…", - "msgSaveSucceeded": "Результаты сохранены в {0}", - "openFile": "Открыть файл" - }, - "sql/base/browser/ui/panel/panel.component": { - "hideTextLabel": "Скрыть текстовые подписи", - "showTextLabel": "Показать текстовые подписи" - }, - "sql/workbench/browser/modelComponents/queryTextEditor": { - "queryTextEditorAriaLabel": "редактор кода в представлении модели для модели представления." - }, - "sql/workbench/browser/modal/modal": { - "infoAltText": "Сведения", - "warningAltText": "Предупреждение", - "errorAltText": "Ошибка", - "showMessageDetails": "Показать подробные сведения", - "copyMessage": "Копировать", - "closeMessage": "Закрыть", - "modal.back": "Назад", - "hideMessageDetails": "Скрыть подробные сведения" - }, - "sql/workbench/services/accountManagement/browser/accountDialog": { - "accountExplorer.name": "Учетные записи", - "linkedAccounts": "Связанные учетные записи", - "accountDialog.close": "Закрыть", - "accountDialog.noAccountLabel": "Связанная учетная запись не существует. Добавьте учетную запись.", - "accountDialog.addConnection": "Добавить учетную запись", - "accountDialog.noCloudsRegistered": "Облака не включены. Перейдите в раздел \"Параметры\", откройте раздел \"Конфигурация учетной записи Azure\" и включите хотя бы одно облако", - "accountDialog.didNotPickAuthProvider": "Вы не выбрали поставщик проверки подлинности. Повторите попытку." - }, - "sql/workbench/services/query/common/queryRunner": { - "query.ExecutionFailedError": "Сбой выполнения из-за непредвиденной ошибки: {0} {1}", - "query.message.executionTime": "Общее время выполнения: {0}", - "query.message.startQueryWithRange": "Начато выполнение запроса в строке {0}", - "query.message.startQuery": "Запущено выполнение пакета {0}", - "elapsedBatchTime": "Время выполнения пакета: {0}", - "copyFailed": "Не удалось выполнить копирование. Ошибка: {0}" - }, - "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { - "welcomePage.azdata": "Azure Data Studio", - "welcomePage.start": "Запуск", - "welcomePage.newConnection": "Создать подключение", - "welcomePage.newQuery": "Создать запрос", - "welcomePage.newNotebook": "Создать записную книжку", - "welcomePage.openFileMac": "Открыть файл", - "welcomePage.openFileLinuxPC": "Открыть файл", - "welcomePage.deploy": "Развернуть", - "welcomePage.newDeployment": "Новое развертывание…", - "welcomePage.recent": "Последние", - "welcomePage.moreRecent": "Подробнее…", - "welcomePage.noRecentFolders": "Нет последних папок", - "welcomePage.help": "Справка", - "welcomePage.gettingStarted": "Приступая к работе", - "welcomePage.productDocumentation": "Документация", - "welcomePage.reportIssue": "Сообщить о проблеме или отправить запрос на добавление новой возможности", - "welcomePage.gitHubRepository": "Репозиторий GitHub", - "welcomePage.releaseNotes": "Заметки о выпуске", - "welcomePage.showOnStartup": "Отображать страницу приветствия при запуске", - "welcomePage.customize": "Настроить", - "welcomePage.extensions": "Расширения", - "welcomePage.extensionDescription": "Скачайте необходимые расширения, включая пакет администрирования SQL Server и другие.", - "welcomePage.keyboardShortcut": "Сочетания клавиш", - "welcomePage.keyboardShortcutDescription": "Найдите любимые команды и настройте их", - "welcomePage.colorTheme": "Цветовая тема", - "welcomePage.colorThemeDescription": "Настройте редактор и код удобным образом.", - "welcomePage.learn": "Дополнительные сведения", - "welcomePage.showCommands": "Найти и выполнить все команды", - "welcomePage.showCommandsDescription": "Быстро обращайтесь к командам и выполняйте поиск по командам с помощью палитры команд ({0})", - "welcomePage.azdataBlog": "Ознакомьтесь с изменениями в последнем выпуске", - "welcomePage.azdataBlogDescription": "Ежемесячные записи в блоге с обзором новых функций", - "welcomePage.followTwitter": "Следите за нашими новостями в Twitter", - "welcomePage.followTwitterDescription": "Будьте в курсе того, как сообщество использует Azure Data Studio, и общайтесь с техническими специалистами напрямую." - }, - "sql/workbench/contrib/profiler/browser/profilerActions": { - "profilerAction.connect": "Подключиться", - "profilerAction.disconnect": "Отключить", - "start": "Запустить", - "create": "Создание сеанса", - "profilerAction.pauseCapture": "Приостановить", - "profilerAction.resumeCapture": "Возобновить", - "profilerStop.stop": "Остановить", - "profiler.clear": "Очистить данные", - "profiler.clearDataPrompt": "Вы действительно хотите очистить данные?", - "profiler.yes": "Да", - "profiler.no": "Нет", - "profilerAction.autoscrollOn": "Автоматическая прокрутка: вкл", - "profilerAction.autoscrollOff": "Автоматическая прокрутка: выкл", - "profiler.toggleCollapsePanel": "Переключить свернутую панель", - "profiler.editColumns": "Редактирование столбцов", - "profiler.findNext": "Найти следующую строку", - "profiler.findPrevious": "Найти предыдущую строку", - "profilerAction.newProfiler": "Запустить профилировщик", - "profiler.filter": "Фильтр…", - "profiler.clearFilter": "Очистить фильтр", - "profiler.clearFilterPrompt": "Вы действительно хотите очистить фильтры?" - }, - "sql/workbench/contrib/profiler/browser/profilerTableEditor": { - "ProfilerTableEditor.eventCountFiltered": "События (отфильтровано): {0}/{1}", - "ProfilerTableEditor.eventCount": "События: {0}", - "status.eventCount": "Число событий" - }, - "sql/base/browser/ui/table/formatters": { - "tableCell.NoDataAvailable": "данные недоступны" - }, - "sql/workbench/contrib/query/browser/queryResultsView": { - "resultsTabTitle": "Результаты", - "messagesTabTitle": "Сообщения" - }, - "sql/workbench/browser/scriptingUtils": { - "scriptSelectNotFound": "Не было получено ни одного сценария при вызове метода выбора сценария для объекта ", - "selectOperationName": "Выбрать", - "createOperationName": "Создать", - "insertOperationName": "Insert", - "updateOperationName": "Обновить", - "deleteOperationName": "Удалить", - "scriptNotFoundForObject": "При выполнении сценария в режиме {0} для объекта {1} не было возвращено ни одного сценария.", - "scriptingFailed": "Не удалось создать сценарий", - "scriptNotFound": "При выполнении сценария в режиме {0} не было возвращено ни одного сценария" - }, - "sql/platform/theme/common/colors": { - "tableHeaderBackground": "Цвет фона заголовка таблицы", - "tableHeaderForeground": "Цвет переднего плана заголовка таблицы", - "listFocusAndSelectionBackground": "Цвет фоны списка или таблицы для выбранного элемента и элемента, на котором находится фокус, когда список или таблица активны", - "tableCellOutline": "Цвет контура ячейки.", - "disabledInputBoxBackground": "Фоновый цвет отключенного поля ввода.", - "disabledInputBoxForeground": "Цвет переднего плана отключенного поля ввода.", - "buttonFocusOutline": "Цвет контура кнопки в фокусе.", - "disabledCheckboxforeground": "Цвет переднего плана отключенного флажка.", - "agentTableBackground": "Цвет фона таблицы для Агента SQL.", - "agentCellBackground": "Цвет фона ячейки таблицы для Агента SQL.", - "agentTableHoverBackground": "Цвет фона таблицы Агента SQL при наведении.", - "agentJobsHeadingColor": "Цвет фона заголовка Агента SQL.", - "agentCellBorderColor": "Цвет границы ячейки таблицы для Агента SQL.", - "resultsErrorColor": "Цвет сообщений об ошибках в результатах." - }, - "sql/workbench/contrib/backup/browser/backup.component": { - "backup.backupName": "Имя резервной копии", - "backup.recoveryModel": "Модель восстановления", - "backup.backupType": "Тип резервной копии", - "backup.backupDevice": "Файл резервной копии", - "backup.algorithm": "Алгоритм", - "backup.certificateOrAsymmetricKey": "Сертификат или асимметричный ключ", - "backup.media": "Носитель", - "backup.mediaOption": "Создать резервную копию в существующем наборе носителей", - "backup.mediaOptionFormat": "Создать резервную копию на новом наборе носителей", - "backup.existingMediaAppend": "Добавить к существующему резервному набору данных", - "backup.existingMediaOverwrite": "Перезаписать все существующие резервные наборы данных", - "backup.newMediaSetName": "Имя нового набора носителей", - "backup.newMediaSetDescription": "Описание нового набора носителей", - "backup.checksumContainer": "Рассчитать контрольную сумму перед записью на носитель", - "backup.verifyContainer": "Проверить резервную копию после завершения", - "backup.continueOnErrorContainer": "Продолжать при ошибке", - "backup.expiration": "Истечение срока", - "backup.setBackupRetainDays": "Установить время хранения резервной копии в днях", - "backup.copyOnly": "Только архивное копирование", - "backup.advancedConfiguration": "Расширенная конфигурация", - "backup.compression": "Сжатие", - "backup.setBackupCompression": "Настройка сжатия резервной копии", - "backup.encryption": "Шифрование", - "backup.transactionLog": "Журнал транзакций", - "backup.truncateTransactionLog": "Усечь журнал транзакций", - "backup.backupTail": "Резервное копирование заключительного фрагмента журнала", - "backup.reliability": "Надежность", - "backup.mediaNameRequired": "Требуется имя носителя", - "backup.noEncryptorWarning": "Нет доступных сертификатов или ассиметричных ключей.", - "addFile": "Добавить файл", - "removeFile": "Удалить файлы", - "backupComponent.invalidInput": "Некорректные данные. Значение должно быть больше или равно 0.", - "backupComponent.script": "Скрипт", - "backupComponent.backup": "Резервное копирование", - "backupComponent.cancel": "Отмена", - "backup.containsBackupToUrlError": "Поддерживается только резервное копирование в файл", - "backup.backupFileRequired": "Требуется путь к файлу резервной копии" + "sql/platform/serialization/common/serializationService": { + "saveAsNotSupported": "Сохранение результатов в другом формате отключено для этого поставщика данных.", + "noSerializationProvider": "Не удается сериализировать данные, так как ни один поставщик не зарегистрирован", + "unknownSerializationError": "Не удалось выполнить сериализацию. Произошла неизвестная ошибка" }, "sql/platform/theme/common/colorRegistry": { "tileBorder": "Цвет границы плиток", @@ -10587,231 +9425,184 @@ "calloutDialogBodyBackground": "Цвет фона основной части диалогового окна выноски.", "calloutDialogShadowColor": "Цвет тени диалогового окна выноски." }, - "sql/workbench/contrib/views/browser/treeView": { - "no-dataprovider": "Отсутствует зарегистрированный поставщик данных, который может предоставить сведения о просмотрах.", - "refresh": "Обновить", - "collapseAll": "Свернуть все", - "command-error": "Ошибка при выполнении команды {1}: {0}. Это, скорее всего, вызвано расширением, добавляющим {1}." + "sql/platform/theme/common/colors": { + "tableHeaderBackground": "Цвет фона заголовка таблицы", + "tableHeaderForeground": "Цвет переднего плана заголовка таблицы", + "listFocusAndSelectionBackground": "Цвет фоны списка или таблицы для выбранного элемента и элемента, на котором находится фокус, когда список или таблица активны", + "tableCellOutline": "Цвет контура ячейки.", + "disabledInputBoxBackground": "Фоновый цвет отключенного поля ввода.", + "disabledInputBoxForeground": "Цвет переднего плана отключенного поля ввода.", + "buttonFocusOutline": "Цвет контура кнопки в фокусе.", + "disabledCheckboxforeground": "Цвет переднего плана отключенного флажка.", + "agentTableBackground": "Цвет фона таблицы для Агента SQL.", + "agentCellBackground": "Цвет фона ячейки таблицы для Агента SQL.", + "agentTableHoverBackground": "Цвет фона таблицы Агента SQL при наведении.", + "agentJobsHeadingColor": "Цвет фона заголовка Агента SQL.", + "agentCellBorderColor": "Цвет границы ячейки таблицы для Агента SQL.", + "resultsErrorColor": "Цвет сообщений об ошибках в результатах." }, - "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { - "notebook.failed": "Выберите активную ячейку и повторите попытку", - "runCell": "Выполнить ячейку", - "stopCell": "Отменить выполнение", - "errorRunCell": "Ошибка при последнем запуске. Щелкните, чтобы запустить повторно" + "sql/workbench/api/browser/mainThreadExtensionManagement": { + "workbench.generalObsoleteApiNotification": "Некоторые из загруженных расширений используют устаревшие API. Подробные сведения см. на вкладке \"Консоль\" окна \"Средства для разработчиков\"", + "dontShowAgain": "Больше не показывать" }, - "sql/workbench/contrib/tasks/common/tasksAction": { - "cancelTask.cancel": "Отмена", - "errorMsgFromCancelTask": "Ошибка при отмене задачи.", - "taskAction.script": "Скрипт" - }, - "sql/base/browser/ui/taskbar/overflowActionbar": { - "toggleMore": "Показать или скрыть дополнительную информацию" - }, - "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { - "loadingSpinner.loading": "Загрузка" - }, - "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { - "homeCrumb": "Домашняя страница" - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { - "dashboardNavSection.loadTabError": "В разделе \"{0}\" имеется недопустимое содержимое. Свяжитесь с владельцем расширения." - }, - "sql/workbench/contrib/jobManagement/browser/agentView.component": { - "jobview.Jobs": "Задания", - "jobview.Notebooks": "Записные книжки", - "jobview.Alerts": "Предупреждения", - "jobview.Proxies": "Прокси-серверы", - "jobview.Operators": "Операторы" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { - "serverPageName": "Свойства сервера" - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { - "databasePageName": "Свойства базы данных" - }, - "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { - "selectDeselectAll": "Выбрать все/отменить выбор" - }, - "sql/base/browser/ui/table/plugins/headerFilter.plugin": { - "headerFilter.showFilter": "Показать фильтр", - "headerFilter.ok": "ОК", - "headerFilter.clear": "Очистка", - "headerFilter.cancel": "Отмена" - }, - "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { - "treeAriaLabel": "Последние подключения", - "serversAriaLabel": "Серверы", - "treeCreation.regTreeAriaLabel": "Серверы" - }, - "sql/workbench/services/restore/common/constants": { - "backup.filterBackupFiles": "Файлы резервной копии", - "backup.allFiles": "Все файлы" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { - "label.Search": "Поиск: введите условие поиска и нажмите клавишу ВВОД, чтобы выполнить поиск, или ESCAPE для отмены", - "search.placeHolder": "Поиск" - }, - "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { - "dashboard.changeDatabaseFailure": "Не удалось изменить базу данных" - }, - "sql/workbench/contrib/jobManagement/browser/alertsView.component": { - "jobAlertColumns.name": "Имя", - "jobAlertColumns.lastOccurrenceDate": "Последнее вхождение", - "jobAlertColumns.enabled": "Включено", - "jobAlertColumns.delayBetweenResponses": "Задержка между ответами (в секундах)", - "jobAlertColumns.categoryName": "Имя категории" - }, - "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { - "jobOperatorsView.name": "Имя", - "jobOperatorsView.emailAddress": "Адрес электронной почты", - "jobOperatorsView.enabled": "Включено" - }, - "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { - "jobProxiesView.accountName": "Имя учетной записи", - "jobProxiesView.credentialName": "Имя учетных данных", - "jobProxiesView.description": "Описание", - "jobProxiesView.isEnabled": "Включено" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { - "loadingObjects": "Загрузка объектов", - "loadingDatabases": "Загрузка баз данных", - "loadingObjectsCompleted": "Загрузка объектов завершена.", - "loadingDatabasesCompleted": "Загрузка баз данных завершена.", - "seachObjects": "Поиск по имени типа (t:, v:, f: или sp:)", - "searchDatabases": "Поиск по базам данных", - "dashboard.explorer.objectError": "Не удалось загрузить объекты", - "dashboard.explorer.databaseError": "Не удалось загрузить базы данных" - }, - "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { - "loadingProperties": "Загрузка свойств", - "loadingPropertiesCompleted": "Загрузка свойств завершена", - "dashboard.properties.error": "Не удалось загрузить свойства панели мониторинга" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { - "insightsWidgetLoadingMessage": "Загрузка {0}", - "insightsWidgetLoadingCompletedMessage": "Загрузка {0} завершена", - "insights.autoRefreshOffState": "Автоматическое обновление: выключено", - "insights.lastUpdated": "Последнее обновление: {0} {1}", - "noResults": "Результаты для отображения отсутствуют" - }, - "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { - "agent.steps": "Шаги" - }, - "sql/workbench/contrib/query/browser/actions": { - "saveAsCsv": "Сохранить в формате CSV", - "saveAsJson": "Сохранить в формате JSON", - "saveAsExcel": "Сохранить в формате Excel", - "saveAsXml": "Сохранить в формате XML", - "jsonEncoding": "Кодировка результатов не будет сохранена при экспорте в JSON; не забудьте выполнить сохранение с требуемой кодировкой после создания файла.", - "saveToFileNotSupported": "Сохранение в файл не поддерживается резервным источником данных", - "copySelection": "Копировать", - "copyWithHeaders": "Копировать с заголовками", - "selectAll": "Выбрать все", - "maximize": "Развернуть", - "restore": "Восстановить", - "chart": "Диаграмма", - "visualizer": "Визуализатор" + "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { + "runActiveCell": "При нажатии клавиши F5 необходимо выбрать ячейку кода. Выберите ячейку кода для выполнения.", + "clearResultActiveCell": "Для выполнения очистки результата требуется выбрать ячейку кода. Выберите ячейку кода для выполнения." }, "sql/workbench/api/common/extHostModelView": { "unknownComponentType": "Неизвестный тип компонента. Для создания объектов необходимо использовать ModelBuilder", "invalidIndex": "Индекс {0} является недопустимым.", "unknownConfig": "Неизвестная конфигурация компонента. Необходимо использовать ModelBuilder для создания объекта конфигурации" }, - "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { - "stepRow.stepID": "Идентификатор шага", - "stepRow.stepName": "Имя шага", - "stepRow.message": "Сообщение" + "sql/workbench/api/common/extHostModelViewDialog": { + "dialogDoneLabel": "Готово", + "dialogCancelLabel": "Отмена", + "generateScriptLabel": "Создать сценарий", + "dialogNextLabel": "Далее", + "dialogPreviousLabel": "Назад", + "dashboardNotInitialized": "Вкладки не инициализированы" }, - "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { - "label.find": "Найти", - "placeholder.find": "Найти", - "label.previousMatchButton": "Предыдущее соответствие", - "label.nextMatchButton": "Следующее соответствие", - "label.closeButton": "Закрыть", - "title.matchesCountLimit": "В результате поиска было получено слишком большое число результатов. Будут показаны только первые 999 результатов.", - "label.matchesLocation": "{0} из {1}", - "label.noResults": "Результаты отсутствуют" + "sql/workbench/api/common/extHostModelViewTree": { + "treeView.notRegistered": "Отсутствует зарегистрированное представление в виде дерева с идентификатором \"{0}\"." }, - "sql/workbench/contrib/charts/browser/chartView": { - "horizontalBarAltName": "Горизонтальная линейчатая диаграмма", - "barAltName": "Линейчатая диаграмма", - "lineAltName": "Строка", - "pieAltName": "Круговая диаграмма", - "scatterAltName": "Точечная диаграмма", - "timeSeriesAltName": "Временной ряд", - "imageAltName": "Образ", - "countAltName": "Подсчет", - "tableAltName": "Таблицы", - "doughnutAltName": "Круговая диаграмма", - "charting.failedToGetRows": "Не удалось получить строки для набора данных, чтобы построить диаграмму.", - "charting.unsupportedType": "Тип диаграммы \"{0}\" не поддерживается." + "sql/workbench/api/common/extHostNotebook": { + "providerRequired": "В качестве параметра этого метода необходимо указать NotebookProvider с действительным providerId", + "errNoProvider": "поставщики записных книжек не найдены", + "errNoManager": "Диспетчер не найден", + "noServerManager": "Notebook Manager для записной книжки {0} не содержит диспетчера серверов. Невозможно выполнить операции над ним", + "noContentManager": "Notebook Manager для записной книжки {0} не включает диспетчер содержимого. Невозможно выполнить операции над ним", + "noSessionManager": "Notebook Manager для записной книжки {0} не содержит диспетчер сеанса. Невозможно выполнить действия над ним" }, - "sql/workbench/contrib/notebook/browser/cellViews/code.component": { - "parametersText": "Параметры" + "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { + "providerRequired": "В качестве параметра этого метода необходимо указать NotebookProvider с действительным providerId" }, - "sql/workbench/services/connection/browser/localizedConstants": { - "onDidConnectMessage": "Подключено к", - "onDidDisconnectMessage": "Отключено", - "unsavedGroupLabel": "Несохраненные подключения" + "sql/workbench/browser/actions": { + "manage": "Управление", + "showDetails": "Показать подробные сведения", + "configureDashboardLearnMore": "Дополнительные сведения", + "clearSavedAccounts": "Очистить все сохраненные учетные записи" }, - "sql/workbench/services/connection/browser/connectionBrowseTab": { - "connectionDialog.browser": "Обзор (предварительная версия)", - "connectionDialog.FilterPlaceHolder": "Для фильтрации списка введите здесь значение", - "connectionDialog.FilterInputTitle": "Фильтрация подключений", - "connectionDialog.ApplyingFilter": "Применение фильтра", - "connectionDialog.RemovingFilter": "Удаление фильтра", - "connectionDialog.FilterApplied": "Фильтр применен", - "connectionDialog.FilterRemoved": "Фильтр удален", - "savedConnections": "Сохраненные подключения", - "savedConnection": "Сохраненные подключения", - "connectionBrowserTree": "Дерево обозревателя подключений" + "sql/workbench/browser/actions.contribution": { + "previewFeatures.configTitle": "Предварительные версии функции", + "previewFeatures.configEnable": "Включить невыпущенные предварительные версии функции", + "showConnectDialogOnStartup": "Показывать диалоговое окно подключения при запуске", + "enableObsoleteApiUsageNotificationTitle": "Уведомление об устаревших API", + "enableObsoleteApiUsageNotification": "Включить/отключить уведомление об использовании устаревших API" }, - "sql/workbench/contrib/extensions/browser/staticRecommendations": { - "defaultRecommendations": "Это расширение рекомендуется Azure Data Studio." + "sql/workbench/browser/editData/editDataInput": { + "connectionFailure": "Не удалось подключиться к сеансу редактирования данных" }, - "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { - "neverShowAgain": "Больше не показывать", - "ExtensionsRecommended": "В Azure Data Studio есть рекомендации по расширениям.", - "VisualizerExtensionsRecommended": "В Azure Data Studio есть рекомендации по расширениям для визуализации данных.\r\nПосле установки можно выбрать значок \"Визуализатор\" для визуализации результатов запроса.", - "installAll": "Установить все", - "showRecommendations": "Показать рекомендации", - "scenarioTypeUndefined": "Необходимо указать тип сценария для рекомендаций по расширениям." + "sql/workbench/browser/editor/profiler/profilerInput": { + "profilerInput.profiler": "Профилировщик", + "profilerInput.notConnected": "Нет соединения", + "profiler.sessionStopped": "Сеанс Профилировщика XEvent был неожиданно остановлен на сервере {0}.", + "profiler.sessionCreationError": "Ошибка при запуске нового сеанса", + "profiler.eventsLost": "В сеансе Профилировщика XEvent для {0} были потеряны события." }, - "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { - "welcomePage.previewBody": "Эта страница функции находится на этапе предварительной версии. Предварительные версии функций представляют собой новые функции, которые в будущем станут постоянной частью продукта. Они стабильны, но требуют дополнительного улучшения специальных возможностей. Мы будем рады вашим отзывам о функциях, пока они находятся в разработке.", - "welcomePage.preview": "Предварительная версия", - "welcomePage.createConnection": "Создать подключение", - "welcomePage.createConnectionBody": "Подключение к экземпляру базы данных с помощью диалогового окна подключения.", - "welcomePage.runQuery": "Выполнить запрос", - "welcomePage.runQueryBody": "Взаимодействие с данными через редактор запросов.", - "welcomePage.createNotebook": "Создать записную книжку", - "welcomePage.createNotebookBody": "Создание записной книжки с помощью собственного редактора записных книжек.", - "welcomePage.deployServer": "Развернуть сервер", - "welcomePage.deployServerBody": "Создание нового экземпляра реляционной службы данных на выбранной вами платформе.", - "welcomePage.resources": "Ресурсы", - "welcomePage.history": "Журнал", - "welcomePage.name": "Имя", - "welcomePage.location": "Расположение", - "welcomePage.moreRecent": "Показать больше", - "welcomePage.showOnStartup": "Отображать страницу приветствия при запуске", - "welcomePage.usefuLinks": "Полезные ссылки", - "welcomePage.gettingStarted": "Приступая к работе", - "welcomePage.gettingStartedBody": "Ознакомьтесь с возможностями, предлагаемыми Azure Data Studio, и узнайте, как использовать их с максимальной эффективностью.", - "welcomePage.documentation": "Документация", - "welcomePage.documentationBody": "Посетите центр документации, где можно найти примеры, руководства и ссылки на PowerShell, API-интерфейсы и т. д.", - "welcomePage.videoDescriptionOverview": "Обзор Azure Data Studio", - "welcomePage.videoDescriptionIntroduction": "Общие сведения о записных книжках в Azure Data Studio | Данные предоставлены", - "welcomePage.extensions": "Расширения", - "welcomePage.showAll": "Показать все", - "welcomePage.learnMore": "Дополнительные сведения " + "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { + "resourceViewer.showActions": "Показать действия", + "resourceViewerInput.resourceViewer": "Средство просмотра ресурсов" }, - "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { - "notebookHistory.dateCreatedTooltip": "Дата создания: ", - "notebookHistory.notebookErrorTooltip": "Ошибка записной книжки: ", - "notebookHistory.ErrorTooltip": "Ошибка задания: ", - "notebookHistory.pinnedTitle": "Закреплено", - "notebookHistory.recentRunsTitle": "Последние запуски", - "notebookHistory.pastRunsTitle": "Предыдущие запуски" + "sql/workbench/browser/modal/modal": { + "infoAltText": "Сведения", + "warningAltText": "Предупреждение", + "errorAltText": "Ошибка", + "showMessageDetails": "Показать подробные сведения", + "copyMessage": "Копировать", + "closeMessage": "Закрыть", + "modal.back": "Назад", + "hideMessageDetails": "Скрыть подробные сведения" + }, + "sql/workbench/browser/modal/optionsDialog": { + "optionsDialog.ok": "ОК", + "optionsDialog.cancel": "Отмена" + }, + "sql/workbench/browser/modal/optionsDialogHelper": { + "optionsDialog.missingRequireField": " требуется.", + "optionsDialog.invalidInput": "Введены недопустимые данные. Ожидается числовое значение." + }, + "sql/workbench/browser/modelComponents/componentBase": { + "invalidIndex": "Индекс {0} является недопустимым." + }, + "sql/workbench/browser/modelComponents/declarativeTable.component": { + "blankValue": "пустой", + "checkAllColumnLabel": "установить все флажки в столбце {0}", + "declarativeTable.showActions": "Показать действия" + }, + "sql/workbench/browser/modelComponents/dropdown.component": { + "loadingMessage": "Загрузка", + "loadingCompletedMessage": "Загрузка завершена" + }, + "sql/workbench/browser/modelComponents/inputbox.component": { + "invalidValueError": "Недопустимое значение", + "period": "{0}.{1}" + }, + "sql/workbench/browser/modelComponents/loadingComponent.component": { + "loadingMessage": "Загрузка", + "loadingCompletedMessage": "Загрузка завершена" + }, + "sql/workbench/browser/modelComponents/queryTextEditor": { + "queryTextEditorAriaLabel": "редактор кода в представлении модели для модели представления." + }, + "sql/workbench/browser/modelComponents/viewBase": { + "componentTypeNotRegistered": "Не удалось найти компонент для типа {0}" + }, + "sql/workbench/browser/parts/editor/editorStatusModeSelect": { + "languageChangeUnsupported": "Изменение типов редакторов для несохраненных файлов не поддерживается" + }, + "sql/workbench/browser/scriptingActions": { + "scriptSelect": "Выберите первые 1000", + "scriptKustoSelect": "Давайте ненадолго прервемся", + "scriptExecute": "Выполнение сценария в режиме выполнения", + "scriptAlter": "Выполнение сценария в режиме изменения", + "editData": "Редактировать данные", + "scriptCreate": "Выполнение сценария в режиме создания", + "scriptDelete": "Выполнение сценария в режиме удаления" + }, + "sql/workbench/browser/scriptingUtils": { + "scriptSelectNotFound": "Не было получено ни одного сценария при вызове метода выбора сценария для объекта ", + "selectOperationName": "Выбрать", + "createOperationName": "Создать", + "insertOperationName": "Insert", + "updateOperationName": "Обновить", + "deleteOperationName": "Удалить", + "scriptNotFoundForObject": "При выполнении сценария в режиме {0} для объекта {1} не было возвращено ни одного сценария.", + "scriptingFailed": "Не удалось создать сценарий", + "scriptNotFound": "При выполнении сценария в режиме {0} не было возвращено ни одного сценария" + }, + "sql/workbench/common/editor/query/queryEditorInput": { + "disconnected": "отключено" + }, + "sql/workbench/common/editor/query/queryResultsInput": { + "extensionsInputName": "Расширение" + }, + "sql/workbench/common/theme": { + "verticalTabActiveBackground": "Цвет фона активной вкладки для вертикальных вкладок", + "dashboardBorder": "Цвет границ панели мониторинга", + "dashboardWidget": "Цвет заголовка мини-приложения панели мониторинга", + "dashboardWidgetSubtext": "Цвет вложенного текста мини-приложения панели мониторинга", + "propertiesContainerPropertyValue": "Цвет значений свойств, отображаемых в компоненте контейнера свойств", + "propertiesContainerPropertyName": "Цвет имен свойств, отображаемых в компоненте контейнера свойств", + "toolbarOverflowShadow": "Цвет тени переполнения панели инструментов" + }, + "sql/workbench/contrib/accounts/browser/accountManagement.contribution": { + "carbon.extension.contributes.account.id": "Идентификатор типа учетной записи", + "carbon.extension.contributes.account.icon": "(Необязательно) Значок, который используется для представления учетной записи в пользовательском интерфейсе. Путь к файлу или конфигурация с возможностью применения тем", + "carbon.extension.contributes.account.icon.light": "Путь к значку, когда используется светлая тема", + "carbon.extension.contributes.account.icon.dark": "Путь к значку, когда используется темная тема", + "carbon.extension.contributes.account": "Передает значки поставщику учетной записи." + }, + "sql/workbench/contrib/assessment/browser/asmtActions": { + "asmtaction.server.getitems": "Просмотреть применимые правила", + "asmtaction.database.getitems": "Просмотреть применимые правила для {0}", + "asmtaction.server.invokeitems": "Вызвать оценку", + "asmtaction.database.invokeitems": "Вызвать оценку для {0}", + "asmtaction.exportasscript": "Экспортировать как скрипт", + "asmtaction.showsamples": "Просмотреть все правила и дополнительные сведения в GitHub", + "asmtaction.generatehtmlreport": "Создать отчет в формате HTML", + "asmtaction.openReport": "Отчет сохранен. Вы хотите открыть его?", + "asmtaction.label.open": "Открыть", + "asmtaction.label.cancel": "Отмена" }, "sql/workbench/contrib/assessment/browser/asmtResultsView.component": { "asmt.NoResultsInitial": "Данные для отображения отсутствуют. Вызовите оценку, чтобы получить результаты", @@ -10821,110 +9612,6 @@ "asmt.TargetInstanceComplient": "Экземпляр {0} полностью соответствует рекомендациям. Отлично!", "asmt.TargetDatabaseComplient": "База данных {0} полностью соответствует рекомендациям. Отлично!" }, - "sql/workbench/contrib/charts/browser/chartTab": { - "chartTabTitle": "Диаграмма" - }, - "sql/workbench/contrib/queryPlan/browser/topOperations": { - "topOperations.operation": "Операция", - "topOperations.object": "Объект", - "topOperations.estCost": "Оценка стоимости", - "topOperations.estSubtreeCost": "Оценка стоимости поддерева", - "topOperations.actualRows": "Фактических строк", - "topOperations.estRows": "Оценка строк", - "topOperations.actualExecutions": "Фактическое число выполнений", - "topOperations.estCPUCost": "Приблизительные расходы на ЦП", - "topOperations.estIOCost": "Приблизительные затраты на операции ввода/вывода", - "topOperations.parallel": "Параллельный", - "topOperations.actualRebinds": "Фактическое число повторных привязок", - "topOperations.estRebinds": "Приблизительное число повторных привязок", - "topOperations.actualRewinds": "Фактическое число сбросов на начало", - "topOperations.estRewinds": "Приблизительное число возвратов", - "topOperations.partitioned": "Секционированный", - "topOperationsTitle": "Основные операции" - }, - "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { - "servers.noConnections": "Подключения не найдены.", - "serverTree.addConnection": "Добавить подключение" - }, - "sql/workbench/services/connection/browser/connectionWidget": { - "connectionWidget.AddAzureAccount": "Добавить учетную запись…", - "defaultDatabaseOption": "<По умолчанию>", - "loadingDatabaseOption": "Загрузка…", - "serverGroup": "Группа серверов", - "defaultServerGroup": "<По умолчанию>", - "addNewServerGroup": "Добавить группу…", - "noneServerGroup": "<Не сохранять>", - "connectionWidget.missingRequireField": "{0} является обязательным.", - "connectionWidget.fieldWillBeTrimmed": "{0} будет обрезан.", - "rememberPassword": "Запомнить пароль", - "connection.azureAccountDropdownLabel": "Учетная запись", - "connectionWidget.refreshAzureCredentials": "Обновите учетные данные учетной записи", - "connection.azureTenantDropdownLabel": "Клиент Azure AD", - "connectionName": "Имя (необязательно)", - "advanced": "Дополнительно…", - "connectionWidget.invalidAzureAccount": "Необходимо выбрать учетную запись" - }, - "sql/workbench/contrib/backup/common/constants": { - "backup.labelDatabase": "База данных", - "backup.labelFilegroup": "Файлы и файловые группы", - "backup.labelFull": "Полное", - "backup.labelDifferential": "Разностное", - "backup.labelLog": "Журнал транзакций", - "backup.labelDisk": "Диск", - "backup.labelUrl": "URL-адрес", - "backup.defaultCompression": "Использовать параметр сервера по умолчанию", - "backup.compressBackup": "Сжимать резервные копии", - "backup.doNotCompress": "Не сжимать резервные копии", - "backup.serverCertificate": "Сертификат сервера", - "backup.asymmetricKey": "Асимметричный ключ" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { - "searchWithoutFolder": "Вы не открыли папку, содержащую записные книжки или книги. ", - "openNotebookFolder": "Открыть записные книжки", - "searchMaxResultsWarning": "Результирующий набор включает только подмножество всех соответствий. Чтобы уменьшить число результатов, сузьте условия поиска.", - "searchInProgress": "Идет поиск… ", - "noResultsIncludesExcludes": "Не найдено результатов в \"{0}\", исключая \"{1}\", — ", - "noResultsIncludes": "Результаты в \"{0}\" не найдены — ", - "noResultsExcludes": "Результаты не найдены за исключением \"{0}\" — ", - "noResultsFound": "Результаты не найдены. Просмотрите параметры для настроенных исключений и проверьте свои GITIGNORE-файлы —", - "rerunSearch.message": "Повторить поиск", - "cancelSearch.message": "Отменить поиск", - "rerunSearchInAll.message": "Выполните поиск во всех файлах", - "openSettings.message": "Открыть параметры", - "ariaSearchResultsStatus": "Поиск вернул результатов: {0} в файлах: {1}", - "ToggleCollapseAndExpandAction.label": "Переключить свертывание и развертывание", - "CancelSearchAction.label": "Отменить поиск", - "ExpandAllAction.label": "Развернуть все", - "CollapseDeepestExpandedLevelAction.label": "Свернуть все", - "ClearSearchResultsAction.label": "Очистить результаты поиска" - }, - "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { - "GuidedTour.connections": "Подключения", - "GuidedTour.makeConnections": "Подключайтесь, выполняйте запросы и управляйте подключениями из SQL Server, Azure и других сред.", - "GuidedTour.one": "1", - "GuidedTour.next": "Далее", - "GuidedTour.notebooks": "Записные книжки", - "GuidedTour.gettingStartedNotebooks": "Начните создавать свои записные книжки или коллекцию записных книжек в едином расположении.", - "GuidedTour.two": "2", - "GuidedTour.extensions": "Расширения", - "GuidedTour.addExtensions": "Расширьте функциональные возможности Azure Data Studio, установив расширения, разработанные корпорацией Майкрософт (нами) и сторонним сообществом (вами).", - "GuidedTour.three": "3", - "GuidedTour.settings": "Параметры", - "GuidedTour.makeConnesetSettings": "Настройте Azure Data Studio на основе своих предпочтений. Вы можете настроить такие параметры, как автосохранение и размер вкладок, изменить сочетания клавиш и выбрать цветовую тему по своему вкусу.", - "GuidedTour.four": "4", - "GuidedTour.welcomePage": "Страница приветствия", - "GuidedTour.discoverWelcomePage": "На странице приветствия можно просмотреть сведения об основных компонентах, недавно открывавшихся файлах и рекомендуемых расширениях. Дополнительные сведения о том, как начать работу с Azure Data Studio, можно получить из наших видеороликов и документации.", - "GuidedTour.five": "5", - "GuidedTour.finish": "Готово", - "guidedTour": "Приветственный обзор", - "hideGuidedTour": "Скрыть приветственный обзор", - "GuidedTour.readMore": "Дополнительные сведения", - "help": "Справка" - }, - "sql/workbench/contrib/editData/browser/editDataGridActions": { - "deleteRow": "Удалить строку", - "revertRow": "Отменить изменения в текущей строке" - }, "sql/workbench/contrib/assessment/common/strings": { "asmt.section.api.title": "Сведения об API", "asmt.apiversion": "Версия API:", @@ -10947,171 +9634,81 @@ "asmt.column.helpLink": "Ссылка на справку", "asmt.sqlReport.severityMsg": "{0}, элементов: {1}" }, - "sql/workbench/contrib/query/browser/messagePanel": { - "messagePanel": "Панель сообщений", - "copy": "Копировать", - "copyAll": "Копировать все" + "sql/workbench/contrib/azure/browser/azure.contribution": { + "azure.openInAzurePortal.title": "Открыть на портале Azure" }, - "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { - "loadingMessage": "Загрузка", - "loadingCompletedMessage": "Загрузка завершена" + "sql/workbench/contrib/backup/browser/backup.component": { + "backup.backupName": "Имя резервной копии", + "backup.recoveryModel": "Модель восстановления", + "backup.backupType": "Тип резервной копии", + "backup.backupDevice": "Файл резервной копии", + "backup.algorithm": "Алгоритм", + "backup.certificateOrAsymmetricKey": "Сертификат или асимметричный ключ", + "backup.media": "Носитель", + "backup.mediaOption": "Создать резервную копию в существующем наборе носителей", + "backup.mediaOptionFormat": "Создать резервную копию на новом наборе носителей", + "backup.existingMediaAppend": "Добавить к существующему резервному набору данных", + "backup.existingMediaOverwrite": "Перезаписать все существующие резервные наборы данных", + "backup.newMediaSetName": "Имя нового набора носителей", + "backup.newMediaSetDescription": "Описание нового набора носителей", + "backup.checksumContainer": "Рассчитать контрольную сумму перед записью на носитель", + "backup.verifyContainer": "Проверить резервную копию после завершения", + "backup.continueOnErrorContainer": "Продолжать при ошибке", + "backup.expiration": "Истечение срока", + "backup.setBackupRetainDays": "Установить время хранения резервной копии в днях", + "backup.copyOnly": "Только архивное копирование", + "backup.advancedConfiguration": "Расширенная конфигурация", + "backup.compression": "Сжатие", + "backup.setBackupCompression": "Настройка сжатия резервной копии", + "backup.encryption": "Шифрование", + "backup.transactionLog": "Журнал транзакций", + "backup.truncateTransactionLog": "Усечь журнал транзакций", + "backup.backupTail": "Резервное копирование заключительного фрагмента журнала", + "backup.reliability": "Надежность", + "backup.mediaNameRequired": "Требуется имя носителя", + "backup.noEncryptorWarning": "Нет доступных сертификатов или ассиметричных ключей.", + "addFile": "Добавить файл", + "removeFile": "Удалить файлы", + "backupComponent.invalidInput": "Некорректные данные. Значение должно быть больше или равно 0.", + "backupComponent.script": "Скрипт", + "backupComponent.backup": "Резервное копирование", + "backupComponent.cancel": "Отмена", + "backup.containsBackupToUrlError": "Поддерживается только резервное копирование в файл", + "backup.backupFileRequired": "Требуется путь к файлу резервной копии" }, - "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { - "clickOn": "Щелкните", - "plusCode": "Добавить код", - "or": "или", - "plusText": "Добавить текст", - "toAddCell": "для добавления ячейки кода или текстовой ячейки" + "sql/workbench/contrib/backup/browser/backup.contribution": { + "backup": "Резервное копирование" }, - "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { - "stdInLabel": "Стандартный поток ввода:" + "sql/workbench/contrib/backup/browser/backupActions": { + "backup.isPreviewFeature": "Для использования резервного копирования необходимо включить предварительные версии функции", + "backup.commandNotSupportedForServer": "Команда резервного копирования не поддерживается вне контекста базы данных. Выберите базу данных и повторите попытку.", + "backup.commandNotSupported": "Команда резервного копирования не поддерживается для баз данных SQL Azure.", + "backupAction.backup": "Резервное копирование" }, - "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { - "expandCellContents": "Развернуть содержимое ячеек кода", - "collapseCellContents": "Свернуть содержимое ячеек кода" + "sql/workbench/contrib/backup/common/constants": { + "backup.labelDatabase": "База данных", + "backup.labelFilegroup": "Файлы и файловые группы", + "backup.labelFull": "Полное", + "backup.labelDifferential": "Разностное", + "backup.labelLog": "Журнал транзакций", + "backup.labelDisk": "Диск", + "backup.labelUrl": "URL-адрес", + "backup.defaultCompression": "Использовать параметр сервера по умолчанию", + "backup.compressBackup": "Сжимать резервные копии", + "backup.doNotCompress": "Не сжимать резервные копии", + "backup.serverCertificate": "Сертификат сервера", + "backup.asymmetricKey": "Асимметричный ключ" }, - "sql/workbench/contrib/query/browser/gridPanel": { - "xmlShowplan": "XML Showplan", - "resultsGrid": "Сетка результатов" - }, - "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { - "buttonAdd": "Добавить ячейку", - "optionCodeCell": "Ячейка кода", - "optionTextCell": "Текстовая ячейка", - "buttonMoveDown": "Переместить ячейку вниз", - "buttonMoveUp": "Переместить ячейку вверх", - "buttonDelete": "Удалить", - "codeCellsPreview": "Добавить ячейку", - "codePreview": "Ячейка кода", - "textPreview": "Текстовая ячейка" - }, - "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { - "sqlKernelError": "Ошибка ядра SQL", - "connectionRequired": "Для выполнения ячеек записной книжки необходимо выбрать подключение", - "sqlMaxRowsDisplayed": "Отображаются первые {0} строк." - }, - "sql/workbench/contrib/jobManagement/browser/jobsView.component": { - "jobColumns.name": "Имя", - "jobColumns.lastRun": "Последний запуск", - "jobColumns.nextRun": "Следующий запуск", - "jobColumns.enabled": "Включено", - "jobColumns.status": "Статус", - "jobColumns.category": "Категория", - "jobColumns.runnable": "Готово к запуску", - "jobColumns.schedule": "Расписание", - "jobColumns.lastRunOutcome": "Результат последнего запуска", - "jobColumns.previousRuns": "Предыдущие запуски", - "jobsView.noSteps": "Шаги для этого задания недоступны.", - "jobsView.error": "Ошибка: " - }, - "sql/workbench/browser/modelComponents/viewBase": { - "componentTypeNotRegistered": "Не удалось найти компонент для типа {0}" - }, - "sql/workbench/contrib/profiler/browser/profilerFindWidget": { - "label.find": "Найти", - "placeholder.find": "Найти", - "label.previousMatchButton": "Предыдущее соответствие", - "label.nextMatchButton": "Следующее соответствие", - "label.closeButton": "Закрыть", - "title.matchesCountLimit": "В результате поиска было получено слишком большое число результатов. Будут показаны только первые 999 результатов.", - "label.matchesLocation": "{0} из {1}", - "label.noResults": "Результаты отсутствуют" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { - "dashboard.explorer.namePropertyDisplayValue": "Имя", - "dashboard.explorer.schemaDisplayValue": "Схема", - "dashboard.explorer.objectTypeDisplayValue": "Тип" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { - "insights.runQuery": "Выполнить запрос" - }, - "sql/workbench/contrib/notebook/browser/cellViews/output.component": { - "noMimeTypeFound": "Не удается найти отрисовщик {0} для выходных данных. Он содержит следующие типы MIME: {1}", - "safe": "безопасный ", - "noSelectorFound": "Не удалось найти компонент для селектора {0}", - "componentRenderError": "Ошибка при отрисовке компонента: {0}" - }, - "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { - "loading": "Загрузка…" - }, - "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { - "loading": "Загрузка…" - }, - "sql/workbench/contrib/dashboard/browser/core/actions": { - "editDashboard": "Изменить", - "editDashboardExit": "Выход", - "refreshWidget": "Обновить", - "toggleMore": "Показать действия", - "deleteWidget": "Удалить мини-приложение", - "clickToUnpin": "Щелкните, чтобы открепить", - "clickToPin": "Щелкните, чтобы закрепить", - "addFeatureAction.openInstalledFeatures": "Открыть установленные компоненты", - "collapseWidget": "Свернуть мини-приложение", - "expandWidget": "Развернуть мини-приложение" - }, - "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { - "unknownDashboardContainerError": "{0} является неизвестным контейнером." - }, - "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { - "notebookColumns.name": "Имя", - "notebookColumns.targetDatbase": "Целевая база данных", - "notebookColumns.lastRun": "Последний запуск", - "notebookColumns.nextRun": "Следующий запуск", - "notebookColumns.status": "Статус", - "notebookColumns.lastRunOutcome": "Результат последнего запуска", - "notebookColumns.previousRuns": "Предыдущие запуски", - "notebooksView.noSteps": "Шаги для этого задания недоступны.", - "notebooksView.error": "Ошибка: ", - "notebooksView.notebookError": "Ошибка записной книжки: " - }, - "sql/base/browser/ui/table/plugins/rowDetailView": { - "rowDetailView.loadError": "Ошибка загрузки…" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { - "dashboard.explorer.actions": "Показать действия", - "explorerSearchNoMatchResultMessage": "Совпадающие элементы не найдены", - "explorerSearchSingleMatchResultMessage": "Список поиска отфильтрован до одного элемента", - "explorerSearchMatchResultMessage": "Список поиска отфильтрован до указанного числа элементов: {0}" - }, - "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { - "agentUtilities.failed": "Сбой", - "agentUtilities.succeeded": "Выполнено", - "agentUtilities.retry": "Повторить попытку", - "agentUtilities.canceled": "Отменено", - "agentUtilities.inProgress": "Выполняется", - "agentUtilities.statusUnknown": "Состояние неизвестно", - "agentUtilities.executing": "Идет выполнение", - "agentUtilities.waitingForThread": "Ожидание потока", - "agentUtilities.betweenRetries": "Между попытками", - "agentUtilities.idle": "Бездействие", - "agentUtilities.suspended": "Приостановлено", - "agentUtilities.obsolete": "[Устаревший]", - "agentUtilities.yes": "Да", - "agentUtilities.no": "Нет", - "agentUtilities.notScheduled": "Не запланировано", - "agentUtilities.neverRun": "Никогда не запускать" - }, - "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { - "buttonBold": "Полужирный", - "buttonItalic": "Курсив", - "buttonUnderline": "Подчеркнутый", - "buttonHighlight": "Выделить цветом", - "buttonCode": "Код", - "buttonLink": "Ссылка", - "buttonList": "Список", - "buttonOrderedList": "Упорядоченный список", - "buttonImage": "Изображение", - "buttonPreview": "Переключить предварительный просмотр Markdown — отключено", - "dropdownHeading": "Заголовок", - "optionHeading1": "Заголовок 1", - "optionHeading2": "Заголовок 2", - "optionHeading3": "Заголовок 3", - "optionParagraph": "Абзац", - "callout.insertLinkHeading": "Вставка ссылки", - "callout.insertImageHeading": "Вставка изображения", - "richTextViewButton": "Представление форматированного текста", - "splitViewButton": "Разделенное представление", - "markdownViewButton": "Представление Markdown" + "sql/workbench/contrib/charts/browser/actions": { + "createInsightLabel": "Создать аналитические сведения", + "createInsightNoEditor": "Не удается создать аналитические данные, так как активным редактором не является редактор SQL", + "myWidgetName": "Мое мини-приложение", + "configureChartLabel": "Настройка диаграммы", + "copyChartLabel": "Копировать как изображение", + "chartNotFound": "Не удалось найти диаграмму для сохранения", + "saveImageLabel": "Сохранить как изображение", + "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", + "chartSaved": "Диаграмма сохранена по следующему пути: {0}" }, "sql/workbench/contrib/charts/browser/chartOptions": { "dataDirectionLabel": "Направление передачи данных", @@ -11135,45 +9732,432 @@ "encodingOption": "Кодировка", "imageFormatOption": "Формат изображения" }, - "sql/base/browser/ui/panel/tabActions": { - "closeTab": "Закрыть" + "sql/workbench/contrib/charts/browser/chartTab": { + "chartTabTitle": "Диаграмма" }, - "sql/platform/connection/common/connectionConfig": { - "invalidServerName": "Группа серверов с таким именем уже существует." + "sql/workbench/contrib/charts/browser/chartView": { + "horizontalBarAltName": "Горизонтальная линейчатая диаграмма", + "barAltName": "Линейчатая диаграмма", + "lineAltName": "Строка", + "pieAltName": "Круговая диаграмма", + "scatterAltName": "Точечная диаграмма", + "timeSeriesAltName": "Временной ряд", + "imageAltName": "Образ", + "countAltName": "Подсчет", + "tableAltName": "Таблицы", + "doughnutAltName": "Круговая диаграмма", + "charting.failedToGetRows": "Не удалось получить строки для набора данных, чтобы построить диаграмму.", + "charting.unsupportedType": "Тип диаграммы \"{0}\" не поддерживается." + }, + "sql/workbench/contrib/charts/browser/charts.contribution": { + "builtinChartsConfigurationTitle": "Встроенные диаграммы", + "builtinCharts.maxRowCountDescription": "Максимальное количество строк для отображения диаграмм. Предупреждение: увеличение этого параметра может сказаться на производительности." + }, + "sql/workbench/contrib/charts/browser/configureChartDialog": { + "configureChartDialog.close": "Закрыть" + }, + "sql/workbench/contrib/charts/browser/graphInsight": { + "series": "Серии {0}" + }, + "sql/workbench/contrib/charts/browser/imageInsight": { + "invalidImage": "Таблица не содержит допустимое изображение" + }, + "sql/workbench/contrib/charts/browser/utils": { + "charts.maxAllowedRowsExceeded": "Превышено максимальное количество строк для встроенных диаграмм, используются только первые {0} строк. Чтобы настроить это значение, откройте настройки пользователя и выполните поиск: “builtinCharts.maxRowCount”.", + "charts.neverShowAgain": "Больше не показывать" + }, + "sql/workbench/contrib/commandLine/electron-browser/commandLine": { + "connectingLabel": "Подключение: {0}", + "runningCommandLabel": "Выполняемая команда: {0}", + "openingNewQueryLabel": "Открытие нового запроса: {0}", + "warnServerRequired": "Не удается выполнить подключение, так как информация о сервере не указана", + "errConnectUrl": "Не удалось открыть URL-адрес из-за ошибки {0}", + "connectServerDetail": "Будет выполнено подключение к серверу {0}", + "confirmConnect": "Вы действительно хотите выполнить подключение?", + "open": "&&Открыть", + "connectingQueryLabel": "Файл с запросом на подключение" + }, + "sql/workbench/contrib/configuration/common/configurationUpgrader": { + "workbench.configuration.upgradeUser": "{0} был заменен на {1} в параметрах пользователя.", + "workbench.configuration.upgradeWorkspace": "{0} был заменен на {1} в параметрах рабочей области." + }, + "sql/workbench/contrib/connection/browser/connection.contribution": { + "sql.maxRecentConnectionsDescription": "Максимальное количество недавно использованных подключений для хранения в списке подключений.", + "sql.defaultEngineDescription": "Ядро СУБД, используемое по умолчанию. Оно определяет поставщика языка по умолчанию в файлах .sql и используется по умолчанию при создании новых подключений.", + "connection.parseClipboardForConnectionStringDescription": "Попытка проанализировать содержимое буфера обмена, когда открыто диалоговое окно подключения или выполняется вставка." + }, + "sql/workbench/contrib/connection/browser/connectionStatus": { + "status.connection.status": "Состояние подключения" + }, + "sql/workbench/contrib/connection/common/connectionProviderExtension": { + "schema.providerId": "Общий идентификатор поставщика", + "schema.displayName": "Отображаемое имя поставщика", + "schema.notebookKernelAlias": "Псевдоним ядра записной книжки для поставщика", + "schema.iconPath": "Путь к значку для типа сервера", + "schema.connectionOptions": "Параметры подключения" + }, + "sql/workbench/contrib/connection/common/connectionTreeProviderExentionPoint": { + "connectionTreeProvider.schema.name": "Отображаемое для пользователя имя поставщика дерева", + "connectionTreeProvider.schema.id": "Идентификатор поставщика должен быть таким же, как при регистрации поставщика данных дерева и должен начинаться с connectionDialog/" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardContainer.contribution": { + "azdata.extension.contributes.dashboard.container.id": "Уникальный идентификатор этого контейнера.", + "azdata.extension.contributes.dashboard.container.container": "Контейнер, который будет отображаться в этой вкладке.", + "azdata.extension.contributes.containers": "Добавляет один или несколько контейнеров панелей мониторинга, которые пользователи могут добавить на свои панели мониторинга.", + "dashboardContainer.contribution.noIdError": "В контейнере панелей мониторинга для расширения не указан идентификатор.", + "dashboardContainer.contribution.noContainerError": "В контейнере панелей мониторинга для расширения не указан контейнер.", + "dashboardContainer.contribution.moreThanOneDashboardContainersError": "Для каждого пространства необходимо определить ровно один контейнер панелей мониторинга.", + "dashboardTab.contribution.unKnownContainerType": "В контейнере панелей мониторинга для расширения указан неизвестный тип контейнера." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardControlHostContainer.contribution": { + "dashboard.container.controlhost": "Узел управления, который будет отображаться на этой вкладке." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { + "dashboardNavSection.loadTabError": "В разделе \"{0}\" имеется недопустимое содержимое. Свяжитесь с владельцем расширения." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardGridContainer.contribution": { + "dashboard.container.gridtab.items": "Список мини-приложений или веб-представлений, которые будут отображаться в этой вкладке.", + "gridContainer.invalidInputs": "Ожидается, что мини-приложения или веб-представления размещаются в контейнере мини-приложений для расширения." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardModelViewContainer.contribution": { + "dashboard.container.modelview": "Представление на основе модели, которое будет отображаться в этой вкладке." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardNavSection.contribution": { + "dashboard.container.left-nav-bar.id": "Уникальный идентификатор для этого раздела навигации. Будет передан расширению для любых запросов.", + "dashboard.container.left-nav-bar.icon": "(Необязательно) Значок, который используется для представления раздела навигации в пользовательском интерфейсе. Путь к файлу или к конфигурации с возможностью использования тем", + "dashboard.container.left-nav-bar.icon.light": "Путь к значку, когда используется светлая тема", + "dashboard.container.left-nav-bar.icon.dark": "Путь к значку, когда используется темная тема", + "dashboard.container.left-nav-bar.title": "Название раздела навигации для отображения пользователю.", + "dashboard.container.left-nav-bar.container": "Контейнер, который будет отображаться в разделе навигации.", + "dashboard.container.left-nav-bar": "Список контейнеров панелей мониторинга, отображаемых в этом разделе навигации.", + "navSection.missingTitle.error": "Название в разделе навигации для расширения не указано.", + "navSection.missingContainer.error": "Для расширения не указан контейнер в разделе навигации.", + "navSection.moreThanOneDashboardContainersError": "Для каждого пространства необходимо определить ровно один контейнер панелей мониторинга.", + "navSection.invalidContainer.error": "NAV_SECTION в NAV_SECTION является недопустимым контейнером для расширения." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWebviewContainer.contribution": { + "dashboard.container.webview": "Веб-представление, которое будет отображаться в этой вкладке." + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWidgetContainer.contribution": { + "dashboard.container.widgets": "Список мини-приложений, которые будут отображаться на этой вкладке.", + "widgetContainer.invalidInputs": "Список мини-приложений, которые должны находиться внутри контейнера мини-приложений для расширения." + }, + "sql/workbench/contrib/dashboard/browser/core/actions": { + "editDashboard": "Изменить", + "editDashboardExit": "Выход", + "refreshWidget": "Обновить", + "toggleMore": "Показать действия", + "deleteWidget": "Удалить мини-приложение", + "clickToUnpin": "Щелкните, чтобы открепить", + "clickToPin": "Щелкните, чтобы закрепить", + "addFeatureAction.openInstalledFeatures": "Открыть установленные компоненты", + "collapseWidget": "Свернуть мини-приложение", + "expandWidget": "Развернуть мини-приложение" + }, + "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { + "unknownDashboardContainerError": "{0} является неизвестным контейнером." }, "sql/workbench/contrib/dashboard/browser/core/dashboardPage.component": { "home": "Домашняя страница", "missingConnectionInfo": "Не удалось найти сведения о подключении для этой панели мониторинга", "dashboard.generalTabGroupHeader": "Общие" }, - "sql/workbench/contrib/charts/browser/actions": { - "createInsightLabel": "Создать аналитические сведения", - "createInsightNoEditor": "Не удается создать аналитические данные, так как активным редактором не является редактор SQL", - "myWidgetName": "Мое мини-приложение", - "configureChartLabel": "Настройка диаграммы", - "copyChartLabel": "Копировать как изображение", - "chartNotFound": "Не удалось найти диаграмму для сохранения", - "saveImageLabel": "Сохранить как изображение", - "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", - "chartSaved": "Диаграмма сохранена по следующему пути: {0}" + "sql/workbench/contrib/dashboard/browser/core/dashboardTab.contribution": { + "azdata.extension.contributes.dashboard.tab.id": "Уникальный идентификатор этой вкладки. Будет передаваться расширению при выполнении любых запросов.", + "azdata.extension.contributes.dashboard.tab.title": "Название вкладки, отображаемое для пользователя.", + "azdata.extension.contributes.dashboard.tab.description": "Описание этой вкладки, которое будет показано пользователю.", + "azdata.extension.contributes.tab.when": "Условие, которое должно иметь значение TRUE, чтобы отображался этот элемент", + "azdata.extension.contributes.tab.provider": "Определяет типы соединений, с которыми совместима эта вкладка. Если не задано, используется значение по умолчанию \"MSSQL\".", + "azdata.extension.contributes.dashboard.tab.container": "Контейнер, который будет отображаться в этой вкладке.", + "azdata.extension.contributes.dashboard.tab.alwaysShow": "Будет ли эта вкладка отображаться всегда или только при добавлении ее пользователем.", + "azdata.extension.contributes.dashboard.tab.isHomeTab": "Следует ли использовать эту вкладку в качестве вкладки \"Главная\" для типа подключения.", + "azdata.extension.contributes.dashboard.tab.group": "Уникальный идентификатор группы, к которой принадлежит эта вкладка, значение для домашней группы: \"домашняя\".", + "dazdata.extension.contributes.dashboard.tab.icon": "(Необязательно.) Значок, который используется для представления этой вкладки в пользовательском интерфейсе. Путь к файлу или к конфигурации с возможностью использования тем", + "azdata.extension.contributes.dashboard.tab.icon.light": "Путь к значку, когда используется светлая тема", + "azdata.extension.contributes.dashboard.tab.icon.dark": "Путь к значку, когда используется темная тема", + "azdata.extension.contributes.tabs": "Добавляет одну или несколько вкладок для пользователей, которые будут добавлены на их панель мониторинга.", + "dashboardTab.contribution.noTitleError": "Название расширения не указано.", + "dashboardTab.contribution.noDescriptionWarning": "Описание не указано.", + "dashboardTab.contribution.noContainerError": "Не выбран контейнер для расширения.", + "dashboardTab.contribution.moreThanOneDashboardContainersError": "Для каждого пространства необходимо определить ровно один контейнер панелей мониторинга", + "azdata.extension.contributes.dashboard.tabGroup.id": "Уникальный идентификатор этой группы вкладок.", + "azdata.extension.contributes.dashboard.tabGroup.title": "Название группы вкладок.", + "azdata.extension.contributes.tabGroups": "Добавляет одну группу вкладок для пользователей или несколько, которые будут добавлены на их панель мониторинга.", + "dashboardTabGroup.contribution.noIdError": "Не указан идентификатор для группы вкладок.", + "dashboardTabGroup.contribution.noTitleError": "Не указано название для группы вкладок.", + "administrationTabGroup": "Администрирование", + "monitoringTabGroup": "Мониторинг", + "performanceTabGroup": "Производительность", + "securityTabGroup": "Безопасность", + "troubleshootingTabGroup": "Устранение неполадок", + "settingsTabGroup": "Параметры", + "databasesTabDescription": "Вкладка \"Базы данных\"", + "databasesTabTitle": "Базы данных" }, - "sql/workbench/contrib/notebook/browser/notebook.component": { - "addCodeLabel": "Добавить код", - "addTextLabel": "Добавить текст", - "createFile": "Создать файл", - "displayFailed": "Не удалось отобразить содержимое: {0}", - "codeCellsPreview": "Добавить ячейку", - "codePreview": "Ячейка кода", - "textPreview": "Текстовая ячейка", - "runAllPreview": "Выполнить все", - "addCell": "Ячейка", - "code": "Код", - "text": "Текст", - "runAll": "Выполнить ячейки", - "previousButtonLabel": "< Назад", - "nextButtonLabel": "Далее >", - "cellNotFound": "ячейка с URI {0} не найдена в этой модели", - "cellRunFailed": "Не удалось выполнить ячейки. Дополнительные сведения об ошибке см. в выходных данных текущей выбранной ячейки." + "sql/workbench/contrib/dashboard/browser/dashboard.contribution": { + "manage": "Управление", + "dashboard.editor.label": "Панель мониторинга" + }, + "sql/workbench/contrib/dashboard/browser/dashboardActions": { + "ManageAction": "Управление" + }, + "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { + "opticon": "Свойство icon может быть пропущено или должно быть строкой или литералом, например \"{dark, light}\"" + }, + "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { + "dashboard.properties.property": "Определяет свойство для отображения на панели мониторинга", + "dashboard.properties.property.displayName": "Какое значение использовать в качестве метки для свойства", + "dashboard.properties.property.value": "Значение объекта, используемое для доступа к значению", + "dashboard.properties.property.ignore": "Укажите игнорируемые значения", + "dashboard.properties.property.default": "Значение по умолчанию, которое отображается в том случае, если значение игнорируется или не указано.", + "dashboard.properties.flavor": "Особые свойства панели мониторинга", + "dashboard.properties.flavor.id": "Идентификатор варианта приложения", + "dashboard.properties.flavor.condition": "Условие использования этого варианта приложения", + "dashboard.properties.flavor.condition.field": "Поле для сравнения", + "dashboard.properties.flavor.condition.operator": "Какой оператор использовать для сравнения", + "dashboard.properties.flavor.condition.value": "Значение для сравнения поля", + "dashboard.properties.databaseProperties": "Свойства для отображения на странице базы данных", + "dashboard.properties.serverProperties": "Отображаемые свойства для страницы сервера", + "carbon.extension.dashboard": "Определяет, что этот поставщик поддерживает панель мониторинга", + "dashboard.id": "Идентификатор поставщика (пример: MSSQL)", + "dashboard.properties": "Значения свойства для отображения на панели мониторинга" + }, + "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { + "azdata.extension.contributes.widget.when": "Условие, которое должно иметь значение TRUE, чтобы отображался этот элемент", + "azdata.extension.contributes.widget.hideHeader": "Нужно ли скрывать заголовок мини-приложения, значение по умолчанию — false", + "dashboardpage.tabName": "Название контейнера", + "dashboardpage.rowNumber": "Строка компонента в сетке", + "dashboardpage.rowSpan": "Атрибут rowspan компонента сетки. Значение по умолчанию — 1. Используйте значение \"*\", чтобы задать количество строк в сетке.", + "dashboardpage.colNumber": "Столбец компонента в сетке", + "dashboardpage.colspan": "Атрибут colspan компонента сетки. Значение по умолчанию — 1. Используйте значение \"*\", чтобы задать количество столбцов в сетке.", + "azdata.extension.contributes.dashboardPage.tab.id": "Уникальный идентификатор этой вкладки. Будет передаваться расширению при выполнении любых запросов.", + "dashboardTabError": "Вкладка \"Расширение\" неизвестна или не установлена." + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { + "databasePageName": "Свойства базы данных" + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { + "dashboardDatabaseProperties": "Включение или отключение мини-приложения свойств", + "dashboard.databaseproperties": "Значения свойств для отображения", + "dashboard.databaseproperties.displayName": "Отображаемое имя свойства", + "dashboard.databaseproperties.value": "Значение в объекте сведений о базе данных", + "dashboard.databaseproperties.ignore": "Укажите конкретные значения, которые нужно пропустить", + "recoveryModel": "Модель восстановления", + "lastDatabaseBackup": "Последнее резервное копирование базы данных", + "lastLogBackup": "Последняя резервная копия журнала", + "compatibilityLevel": "Уровень совместимости", + "owner": "Владелец", + "dashboardDatabase": "Настраивает страницу панели мониторинга базы данных", + "objectsWidgetTitle": "Поиск", + "dashboardDatabaseTabs": "Настраивает вкладки панели мониторинга базы данных" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { + "serverPageName": "Свойства сервера" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { + "dashboardServerProperties": "Включение или отключение мини-приложения свойств", + "dashboard.serverproperties": "Значения свойств для отображения", + "dashboard.serverproperties.displayName": "Отображаемое имя свойства", + "dashboard.serverproperties.value": "Значение в объекте сведений о сервере", + "version": "Версия", + "edition": "Выпуск", + "computerName": "Имя компьютера", + "osVersion": "Версия ОС", + "explorerWidgetsTitle": "Поиск", + "dashboardServer": "Настраивает страницу панели мониторинга сервера", + "dashboardServerTabs": "Настраивает вкладки панели мониторинга сервера" + }, + "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { + "homeCrumb": "Домашняя страница" + }, + "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { + "dashboard.changeDatabaseFailure": "Не удалось изменить базу данных" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { + "dashboard.explorer.actions": "Показать действия", + "explorerSearchNoMatchResultMessage": "Совпадающие элементы не найдены", + "explorerSearchSingleMatchResultMessage": "Список поиска отфильтрован до одного элемента", + "explorerSearchMatchResultMessage": "Список поиска отфильтрован до указанного числа элементов: {0}" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { + "dashboard.explorer.namePropertyDisplayValue": "Имя", + "dashboard.explorer.schemaDisplayValue": "Схема", + "dashboard.explorer.objectTypeDisplayValue": "Тип" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { + "loadingObjects": "Загрузка объектов", + "loadingDatabases": "Загрузка баз данных", + "loadingObjectsCompleted": "Загрузка объектов завершена.", + "loadingDatabasesCompleted": "Загрузка баз данных завершена.", + "seachObjects": "Поиск по имени типа (t:, v:, f: или sp:)", + "searchDatabases": "Поиск по базам данных", + "dashboard.explorer.objectError": "Не удалось загрузить объекты", + "dashboard.explorer.databaseError": "Не удалось загрузить базы данных" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { + "insights.runQuery": "Выполнить запрос" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { + "insightsWidgetLoadingMessage": "Загрузка {0}", + "insightsWidgetLoadingCompletedMessage": "Загрузка {0} завершена", + "insights.autoRefreshOffState": "Автоматическое обновление: выключено", + "insights.lastUpdated": "Последнее обновление: {0} {1}", + "noResults": "Результаты для отображения отсутствуют" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { + "insightWidgetDescription": "Добавляет мини-приложение, которое может опрашивать сервер или базу данных и отображать результаты различными способами — в виде диаграмм, сводных данных и т. д.", + "insightIdDescription": "Уникальный идентификатор, используемый для кэширования результатов анализа.", + "insightQueryDescription": "SQL-запрос для выполнения. Он должен возвратить ровно один набор данных.", + "insightQueryFileDescription": "[Необязательно] путь к файлу, который содержит запрос. Используйте, если параметр \"query\" не установлен", + "insightAutoRefreshIntervalDescription": "[Необязательно] Интервал автоматического обновления в минутах. Если значение не задано, то автоматическое обновление не будет выполняться.", + "actionTypes": "Используемые действия", + "actionDatabaseDescription": "Целевая база данных для этого действия; чтобы указать имя столбца на основе данных, можно использовать формат \"${ columnName }\".", + "actionServerDescription": "Целевой сервер для этого действия; чтобы указать имя столбца на основе данных, можно использовать формат \"${ columnName }\".", + "actionUserDescription": "Целевой пользователь для этого действия; чтобы указать имя столбца на основе данных, можно использовать формат \"${ columnName }\".", + "carbon.extension.contributes.insightType.id": "Идентификатор аналитических данных", + "carbon.extension.contributes.insights": "Добавляет аналитические сведения на палитру панели мониторинга." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { + "chartErrorMessage": "Не удается отобразить диаграмму с указанными данными." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.contribution": { + "chartInsightDescription": "Отображает результаты запроса в виде диаграммы на панели мониторинга", + "colorMapDescription": "Задает сопоставление \"имя столбца\" -> цвет. Например, добавьте \"column1\": red, чтобы задать для этого столбца красный цвет", + "legendDescription": "Указывает предпочтительное положение и видимость условных обозначений диаграммы. Это имена столбцов из вашего запроса и карта для сопоставления с каждой записью диаграммы", + "labelFirstColumnDescription": "Если значение параметра dataDirection равно horizontal, то при указании значения TRUE для этого параметра для условных обозначений будут использоваться значения в первом столбце.", + "columnsAsLabels": "Если значение параметра dataDirection равно vertical, то при указании значения TRUE для этого парамтра для условных обозначений будут использованы имена столбцов.", + "dataDirectionDescription": "Определяет, считываются ли данные из столбцов (по вертикали) или из строк (по горизонтали). Для временных рядов это игнорируется, так как для них всегда используется направление по вертикали.", + "showTopNData": "Если параметр showTopNData установлен, отображаются только первые N данных на диаграмме." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/barChart.contribution": { + "yAxisMin": "Минимальное значение для оси Y", + "yAxisMax": "Максимальное значение по оси Y", + "barchart.yAxisLabel": "Метка для оси Y", + "xAxisMin": "Минимальное значение по оси X", + "xAxisMax": "Максимальное значение по оси X", + "barchart.xAxisLabel": "Метка для оси X" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/lineChart.contribution": { + "dataTypeDescription": "Определяет свойство данных для набора данных диаграммы." + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/countInsight.contribution": { + "countInsightDescription": "Для каждого столбца в наборе результатов в строке 0 отображается значение, представляющее собой число, за которым следует название столбца. Например, \"1 Healthy\", \"3 Unhealthy\", где \"Healthy\" — название столбца, а 1 — значение в строке 1 ячейки 1" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/imageInsight.contribution": { + "imageInsightDescription": "Отображает изображение, например, возвращенное с помощью запроса R, с использованием ggplot2", + "imageFormatDescription": "Каков ожидаемый формат изображения: JPEG, PNG или другой формат?", + "encodingDescription": "Используется ли кодировка hex, base64 или другой формат кодировки?" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/tableInsight.contribution": { + "tableInsightDescription": "Отображает результаты в виде простой таблицы" + }, + "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { + "loadingProperties": "Загрузка свойств", + "loadingPropertiesCompleted": "Загрузка свойств завершена", + "dashboard.properties.error": "Не удалось загрузить свойства панели мониторинга" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorer.contribution": { + "databaseConnections": "Подключения к базе данных", + "datasource.connections": "Подключения к источнику данных", + "datasource.connectionGroups": "группы источника данных", + "connectionsSortOrder.dateAdded": "Сохраненные подключения сортируются по датам их добавления.", + "connectionsSortOrder.displayName": "Сохраненные подключения сортируются по отображаемым именам в алфавитном порядке.", + "datasource.connectionsSortOrder": "Управляет порядком сортировки сохраненных подключений и групп подключений.", + "startupConfig": "Конфигурация запуска", + "startup.alwaysShowServersView": "Задайте значение TRUE, чтобы при запуске Azure Data Studio отображалось представление \"Серверы\" (по умолчанию); задайте значение FALSE, чтобы при запуске Azure Data Studio отображалось последнее открытое представление" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerExtensionPoint": { + "vscode.extension.contributes.view.id": "Идентификатор представления. Используйте его для регистрации поставщика данных с помощью API-интерфейса \"vscode.window.registerTreeDataProviderForView\", а также для активации расширения с помощью регистрации события \"onView:${id}\" в \"activationEvents\".", + "vscode.extension.contributes.view.name": "Понятное имя представления. Будет отображаться на экране", + "vscode.extension.contributes.view.when": "Условие, которое должно иметь значение TRUE, чтобы отображалось это представление", + "extension.contributes.dataExplorer": "Добавляет представления в редактор", + "extension.dataExplorer": "Добавляет представления в контейнер обозревателя данных на панели действий", + "dataExplorer.contributed": "Добавляет представления в контейнер добавленных представлений", + "duplicateView1": "Не удается зарегистрировать несколько представлений с одинаковым идентификатором \"{0}\" в контейнере представления \"{1}\"", + "duplicateView2": "Представление с идентификатором \"{0}\" уже зарегистрировано в контейнере представления \"{1}\"", + "requirearray": "Представления должны быть массивом", + "requirestring": "свойство \"{0}\" является обязательным и должно иметь тип string", + "optstring": "свойство \"{0}\" может быть опущено или должно иметь тип string" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { + "dataExplorer.servers": "Серверы", + "dataexplorer.name": "Подключения", + "showDataExplorer": "Показать подключения" + }, + "sql/workbench/contrib/dataExplorer/browser/nodeActions.common.contribution": { + "disconnect": "Отключить", + "refresh": "Обновить" + }, + "sql/workbench/contrib/editData/browser/editData.contribution": { + "showEditDataSqlPaneOnStartup": "Отображать панель редактирования данных SQL при запуске" + }, + "sql/workbench/contrib/editData/browser/editDataActions": { + "editData.run": "Запуск", + "disposeEditFailure": "Не удалось отменить изменения. Ошибка: ", + "editData.stop": "Остановить", + "editData.showSql": "Показать панель SQL", + "editData.closeSql": "Закрыть панель SQL" + }, + "sql/workbench/contrib/editData/browser/editDataEditor": { + "maxRowTaskbar": "Максимальное число строк:" + }, + "sql/workbench/contrib/editData/browser/editDataGridActions": { + "deleteRow": "Удалить строку", + "revertRow": "Отменить изменения в текущей строке" + }, + "sql/workbench/contrib/editData/browser/gridActions": { + "saveAsCsv": "Сохранить в формате CSV", + "saveAsJson": "Сохранить в формате JSON", + "saveAsExcel": "Сохранить в формате Excel", + "saveAsXml": "Сохранить в формате XML", + "copySelection": "Копировать", + "copyWithHeaders": "Копировать с заголовками", + "selectAll": "Выбрать все" + }, + "sql/workbench/contrib/extensions/browser/contributionRenders": { + "tabs": "Вкладки панели мониторинга ({0})", + "tabId": "Идентификатор", + "tabTitle": "Название", + "tabDescription": "Описание", + "insights": "Аналитические данные панели мониторинга ({0})", + "insightId": "Идентификатор", + "name": "Имя", + "insight condition": "Когда" + }, + "sql/workbench/contrib/extensions/browser/extensions.contribution": { + "workbench.extensions.getExtensionFromGallery.description": "Получает информацию о расширении из коллекции", + "workbench.extensions.getExtensionFromGallery.arg.name": "Идентификатор расширения", + "notFound": "Расширение \"{0}\" не найдено." + }, + "sql/workbench/contrib/extensions/browser/extensionsActions": { + "showRecommendations": "Показать рекомендации", + "Install Extensions": "Установить расширения", + "openExtensionAuthoringDocs": "Создать расширение…" + }, + "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { + "neverShowAgain": "Больше не показывать", + "ExtensionsRecommended": "В Azure Data Studio есть рекомендации по расширениям.", + "VisualizerExtensionsRecommended": "В Azure Data Studio есть рекомендации по расширениям для визуализации данных.\r\nПосле установки можно выбрать значок \"Визуализатор\" для визуализации результатов запроса.", + "installAll": "Установить все", + "showRecommendations": "Показать рекомендации", + "scenarioTypeUndefined": "Необходимо указать тип сценария для рекомендаций по расширениям." + }, + "sql/workbench/contrib/extensions/browser/staticRecommendations": { + "defaultRecommendations": "Это расширение рекомендуется Azure Data Studio." + }, + "sql/workbench/contrib/jobManagement/browser/agentView.component": { + "jobview.Jobs": "Задания", + "jobview.Notebooks": "Записные книжки", + "jobview.Alerts": "Предупреждения", + "jobview.Proxies": "Прокси-серверы", + "jobview.Operators": "Операторы" + }, + "sql/workbench/contrib/jobManagement/browser/alertsView.component": { + "jobAlertColumns.name": "Имя", + "jobAlertColumns.lastOccurrenceDate": "Последнее вхождение", + "jobAlertColumns.enabled": "Включено", + "jobAlertColumns.delayBetweenResponses": "Задержка между ответами (в секундах)", + "jobAlertColumns.categoryName": "Имя категории" }, "sql/workbench/contrib/jobManagement/browser/jobActions": { "jobaction.successLabel": "Выполнено", @@ -11227,77 +10211,58 @@ "notebookaction.renameNotebook": "Переименовать", "notebookaction.openLatestRun": "Открытый последний запуск" }, - "sql/workbench/contrib/assessment/browser/asmtActions": { - "asmtaction.server.getitems": "Просмотреть применимые правила", - "asmtaction.database.getitems": "Просмотреть применимые правила для {0}", - "asmtaction.server.invokeitems": "Вызвать оценку", - "asmtaction.database.invokeitems": "Вызвать оценку для {0}", - "asmtaction.exportasscript": "Экспортировать как скрипт", - "asmtaction.showsamples": "Просмотреть все правила и дополнительные сведения в GitHub", - "asmtaction.generatehtmlreport": "Создать отчет в формате HTML", - "asmtaction.openReport": "Отчет сохранен. Вы хотите открыть его?", - "asmtaction.label.open": "Открыть", - "asmtaction.label.cancel": "Отмена" + "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { + "stepRow.stepID": "Идентификатор шага", + "stepRow.stepName": "Имя шага", + "stepRow.message": "Сообщение" }, - "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { - "data": "Данные", - "connection": "Подключение", - "queryEditor": "Редактор запросов", - "notebook": "Записная книжка", - "dashboard": "Панель мониторинга", - "profiler": "Профилировщик" + "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { + "agent.steps": "Шаги" }, - "sql/workbench/contrib/extensions/browser/contributionRenders": { - "tabs": "Вкладки панели мониторинга ({0})", - "tabId": "Идентификатор", - "tabTitle": "Название", - "tabDescription": "Описание", - "insights": "Аналитические данные панели мониторинга ({0})", - "insightId": "Идентификатор", - "name": "Имя", - "insight condition": "Когда" + "sql/workbench/contrib/jobManagement/browser/jobsView.component": { + "jobColumns.name": "Имя", + "jobColumns.lastRun": "Последний запуск", + "jobColumns.nextRun": "Следующий запуск", + "jobColumns.enabled": "Включено", + "jobColumns.status": "Статус", + "jobColumns.category": "Категория", + "jobColumns.runnable": "Готово к запуску", + "jobColumns.schedule": "Расписание", + "jobColumns.lastRunOutcome": "Результат последнего запуска", + "jobColumns.previousRuns": "Предыдущие запуски", + "jobsView.noSteps": "Шаги для этого задания недоступны.", + "jobsView.error": "Ошибка: " }, - "sql/workbench/contrib/charts/browser/imageInsight": { - "invalidImage": "Таблица не содержит допустимое изображение" + "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { + "notebookHistory.dateCreatedTooltip": "Дата создания: ", + "notebookHistory.notebookErrorTooltip": "Ошибка записной книжки: ", + "notebookHistory.ErrorTooltip": "Ошибка задания: ", + "notebookHistory.pinnedTitle": "Закреплено", + "notebookHistory.recentRunsTitle": "Последние запуски", + "notebookHistory.pastRunsTitle": "Предыдущие запуски" }, - "sql/workbench/contrib/notebook/browser/cellToolbarActions": { - "moreActionsLabel": "Еще", - "editLabel": "Изменить", - "closeLabel": "Закрыть", - "convertCell": "Преобразовать ячейку", - "runAllAbove": "Запустить ячейки выше", - "runAllBelow": "Запустить ячейки ниже", - "codeAbove": "Вставить ячейку кода выше", - "codeBelow": "Вставить ячейку кода ниже", - "markdownAbove": "Вставить текст выше", - "markdownBelow": "Вставить текст ниже", - "collapseCell": "Свернуть ячейку", - "expandCell": "Развернуть ячейку", - "makeParameterCell": "Преобразовать в ячейку параметра", - "RemoveParameterCell": "Удалить ячейку параметра", - "clear": "Очистить результат" + "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { + "notebookColumns.name": "Имя", + "notebookColumns.targetDatbase": "Целевая база данных", + "notebookColumns.lastRun": "Последний запуск", + "notebookColumns.nextRun": "Следующий запуск", + "notebookColumns.status": "Статус", + "notebookColumns.lastRunOutcome": "Результат последнего запуска", + "notebookColumns.previousRuns": "Предыдущие запуски", + "notebooksView.noSteps": "Шаги для этого задания недоступны.", + "notebooksView.error": "Ошибка: ", + "notebooksView.notebookError": "Ошибка записной книжки: " }, - "sql/workbench/services/notebook/browser/models/clientSession": { - "clientSession.unknownError": "Произошла ошибка во время запуска сеанса записной книжки", - "ServerNotStarted": "Не удалось запустить сервер по неизвестной причине", - "kernelRequiresConnection": "Ядро {0} не найдено. Будет использоваться ядро по умолчанию." + "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { + "jobOperatorsView.name": "Имя", + "jobOperatorsView.emailAddress": "Адрес электронной почты", + "jobOperatorsView.enabled": "Включено" }, - "sql/workbench/contrib/charts/browser/graphInsight": { - "series": "Серии {0}" - }, - "sql/workbench/contrib/charts/browser/configureChartDialog": { - "configureChartDialog.close": "Закрыть" - }, - "sql/workbench/services/notebook/browser/models/notebookModel": { - "injectedParametersMsg": "Число внедренных параметров\r\n", - "kernelRequiresConnection": "Выберите подключение, на котором будут выполняться ячейки для этого ядра", - "deleteCellFailed": "Не удалось удалить ячейку.", - "changeKernelFailedRetry": "Не удалось изменить ядро. Будет использоваться ядро {0}. Ошибка: {1}", - "changeKernelFailed": "Не удалось изменить ядро из-за ошибки: {0}", - "changeContextFailed": "Не удалось изменить контекст: {0}", - "startSessionFailed": "Не удалось запустить сеанс: {0}", - "shutdownClientSessionError": "При закрытии записной книжки произошла ошибка сеанса клиента: {0}", - "ProviderNoManager": "Не удается найти диспетчер записных книжек для поставщика {0}" + "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { + "jobProxiesView.accountName": "Имя учетной записи", + "jobProxiesView.credentialName": "Имя учетных данных", + "jobProxiesView.description": "Описание", + "jobProxiesView.isEnabled": "Включено" }, "sql/workbench/contrib/notebook/browser/calloutDialog/common/constants": { "callout.insertButton": "Вставить", @@ -11317,6 +10282,940 @@ "linkCallout.linkAddressLabel": "Адрес", "linkCallout.linkAddressPlaceholder": "Ссылка на существующий файл или веб-страницу" }, + "sql/workbench/contrib/notebook/browser/cellToolbarActions": { + "moreActionsLabel": "Еще", + "editLabel": "Изменить", + "closeLabel": "Закрыть", + "convertCell": "Преобразовать ячейку", + "runAllAbove": "Запустить ячейки выше", + "runAllBelow": "Запустить ячейки ниже", + "codeAbove": "Вставить ячейку кода выше", + "codeBelow": "Вставить ячейку кода ниже", + "markdownAbove": "Вставить текст выше", + "markdownBelow": "Вставить текст ниже", + "collapseCell": "Свернуть ячейку", + "expandCell": "Развернуть ячейку", + "makeParameterCell": "Преобразовать в ячейку параметра", + "RemoveParameterCell": "Удалить ячейку параметра", + "clear": "Очистить результат" + }, + "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { + "buttonAdd": "Добавить ячейку", + "optionCodeCell": "Ячейка кода", + "optionTextCell": "Текстовая ячейка", + "buttonMoveDown": "Переместить ячейку вниз", + "buttonMoveUp": "Переместить ячейку вверх", + "buttonDelete": "Удалить", + "codeCellsPreview": "Добавить ячейку", + "codePreview": "Ячейка кода", + "textPreview": "Текстовая ячейка" + }, + "sql/workbench/contrib/notebook/browser/cellViews/code.component": { + "parametersText": "Параметры" + }, + "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { + "notebook.failed": "Выберите активную ячейку и повторите попытку", + "runCell": "Выполнить ячейку", + "stopCell": "Отменить выполнение", + "errorRunCell": "Ошибка при последнем запуске. Щелкните, чтобы запустить повторно" + }, + "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { + "expandCellContents": "Развернуть содержимое ячеек кода", + "collapseCellContents": "Свернуть содержимое ячеек кода" + }, + "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { + "buttonBold": "Полужирный", + "buttonItalic": "Курсив", + "buttonUnderline": "Подчеркнутый", + "buttonHighlight": "Выделить цветом", + "buttonCode": "Код", + "buttonLink": "Ссылка", + "buttonList": "Список", + "buttonOrderedList": "Упорядоченный список", + "buttonImage": "Изображение", + "buttonPreview": "Переключить предварительный просмотр Markdown — отключено", + "dropdownHeading": "Заголовок", + "optionHeading1": "Заголовок 1", + "optionHeading2": "Заголовок 2", + "optionHeading3": "Заголовок 3", + "optionParagraph": "Абзац", + "callout.insertLinkHeading": "Вставка ссылки", + "callout.insertImageHeading": "Вставка изображения", + "richTextViewButton": "Представление форматированного текста", + "splitViewButton": "Разделенное представление", + "markdownViewButton": "Представление Markdown" + }, + "sql/workbench/contrib/notebook/browser/cellViews/output.component": { + "noMimeTypeFound": "Не удается найти отрисовщик {0} для выходных данных. Он содержит следующие типы MIME: {1}", + "safe": "безопасный ", + "noSelectorFound": "Не удалось найти компонент для селектора {0}", + "componentRenderError": "Ошибка при отрисовке компонента: {0}" + }, + "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { + "clickOn": "Щелкните", + "plusCode": "Добавить код", + "or": "или", + "plusText": "Добавить текст", + "toAddCell": "для добавления ячейки кода или текстовой ячейки", + "plusCodeAriaLabel": "Добавить ячейку кода", + "plusTextAriaLabel": "Добавить текстовую ячейку" + }, + "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { + "stdInLabel": "Стандартный поток ввода:" + }, + "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { + "doubleClickEdit": "Дважды щелкните, чтобы изменить", + "addContent": "Добавьте содержимое здесь…" + }, + "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { + "label.find": "Найти", + "placeholder.find": "Найти", + "label.previousMatchButton": "Предыдущее соответствие", + "label.nextMatchButton": "Следующее соответствие", + "label.closeButton": "Закрыть", + "title.matchesCountLimit": "В результате поиска было получено слишком большое число результатов. Будут показаны только первые 999 результатов.", + "label.matchesLocation": "{0} из {1}", + "label.noResults": "Результаты отсутствуют" + }, + "sql/workbench/contrib/notebook/browser/notebook.component": { + "addCodeLabel": "Добавить код", + "addTextLabel": "Добавить текст", + "createFile": "Создать файл", + "displayFailed": "Не удалось отобразить содержимое: {0}", + "codeCellsPreview": "Добавить ячейку", + "codePreview": "Ячейка кода", + "textPreview": "Текстовая ячейка", + "runAllPreview": "Выполнить все", + "addCell": "Ячейка", + "code": "Код", + "text": "Текст", + "runAll": "Выполнить ячейки", + "previousButtonLabel": "< Назад", + "nextButtonLabel": "Далее >", + "cellNotFound": "ячейка с URI {0} не найдена в этой модели", + "cellRunFailed": "Не удалось выполнить ячейки. Дополнительные сведения об ошибке см. в выходных данных текущей выбранной ячейки." + }, + "sql/workbench/contrib/notebook/browser/notebook.contribution": { + "newNotebook": "Создать записную книжку", + "newQuery": "Создать записную книжку", + "workbench.action.setWorkspaceAndOpen": "Задать рабочую область и открыть", + "notebook.sqlStopOnError": "Ядро SQL: остановить выполнение записной книжки при возникновении ошибки в ячейке.", + "notebook.showAllKernels": "(Предварительная версия.) Отображение всех ядер для текущего поставщика записной книжки.", + "notebook.allowADSCommands": "Разрешить выполнение команд Azure Data Studio в записных книжках.", + "notebook.enableDoubleClickEdit": "Разрешить редактирование текстовых ячеек в записных книжках по двойному щелчку мыши", + "notebook.richTextModeDescription": "Текст отображается как форматированный текст (другое название — WYSIWYG).", + "notebook.splitViewModeDescription": "Markdown отображается слева, а предварительный просмотр отрисованного текста — справа.", + "notebook.markdownModeDescription": "Текст отображается как Markdown.", + "notebook.defaultTextEditMode": "Режим правки по умолчанию, используемый для текстовых ячеек", + "notebook.saveConnectionName": "(Предварительная версия.) Сохранение имени подключения в метаданных записной книжки.", + "notebook.markdownPreviewLineHeight": "Определяет высоту строки, используемую в области предварительного просмотра Markdown в записной книжке. Это значение задается относительно размера шрифта.", + "notebook.showRenderedNotebookinDiffEditor": "(Предварительный просмотр) Показать преобразованный для просмотра блокнот в редакторе несовпадений.", + "notebook.maxRichTextUndoHistory": "Максимальное количество изменений, сохраняемых в журнале отмены для редактора форматированного текста записной книжки.", + "searchConfigurationTitle": "Поиск в записных книжках", + "exclude": "Настройка стандартных масок для исключения файлов и папок при полнотекстовом поиске и быстром открытии. Наследует все стандартные маски от параметра \"#files.exclude#\". Дополнительные сведения о стандартных масках см. [здесь](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).", + "exclude.boolean": "Стандартная маска, соответствующая путям к файлам. Задайте значение true или false, чтобы включить или отключить маску.", + "exclude.when": "Дополнительная проверка элементов того же уровня соответствующего файла. Используйте $(basename) в качестве переменной для соответствующего имени файла.", + "useRipgrep": "Этот параметр является устаревшим. Сейчас вместо него используется \"search.usePCRE2\".", + "useRipgrepDeprecated": "Этот параметр является устаревшим. Используйте \"search.usePCRE2\" для расширенной поддержки регулярных выражений.", + "search.maintainFileSearchCache": "Когда параметр включен, процесс searchService будет поддерживаться в активном состоянии вместо завершения работы после часа бездействия. При этом кэш поиска файлов будет сохранен в памяти.", + "useIgnoreFiles": "Определяет, следует ли использовать GITIGNORE- и IGNORE-файлы по умолчанию при поиске файлов.", + "useGlobalIgnoreFiles": "Определяет, следует ли использовать глобальные файлы \".gitignore\" и \".ignore\" по умолчанию при поиске файлов.", + "search.quickOpen.includeSymbols": "Определяет, следует ли включать результаты поиска глобальных символов в результаты для файлов Quick Open. ", + "search.quickOpen.includeHistory": "Определяет, следует ли включать результаты из недавно открытых файлов в файл результата для Quick Open. ", + "filterSortOrder.default": "Записи журнала сортируются по релевантности на основе используемого значения фильтра. Более релевантные записи отображаются первыми.", + "filterSortOrder.recency": "Записи журнала сортируются по времени открытия. Недавно открытые записи отображаются первыми.", + "filterSortOrder": "Управляет порядком сортировки журнала редактора для быстрого открытия при фильтрации.", + "search.followSymlinks": "Определяет, нужно ли следовать символическим ссылкам при поиске.", + "search.smartCase": "Поиск без учета регистра, если шаблон состоит только из букв нижнего регистра; в противном случае поиск с учетом регистра.", + "search.globalFindClipboard": "Определяет, должно ли представление поиска считывать или изменять общий буфер обмена поиска в macOS.", + "search.location": "Управляет тем, будет ли панель поиска отображаться в виде представления в боковой колонке или в виде панели в области панели, чтобы освободить пространство по горизонтали.", + "search.location.deprecationMessage": "Этот параметр является нерекомендуемым. Используйте вместо него контекстное меню представления поиска.", + "search.collapseResults.auto": "Развернуты файлы менее чем с 10 результатами. Остальные свернуты.", + "search.collapseAllResults": "Определяет, должны ли сворачиваться и разворачиваться результаты поиска.", + "search.useReplacePreview": "Управляет тем, следует ли открывать окно предварительного просмотра замены при выборе или при замене соответствия.", + "search.showLineNumbers": "Определяет, следует ли отображать номера строк для результатов поиска.", + "search.usePCRE2": "Следует ли использовать модуль обработки регулярных выражений PCRE2 при поиске текста. При использовании этого модуля будут доступны некоторые расширенные возможности регулярных выражений, такие как поиск в прямом направлении и обратные ссылки. Однако поддерживаются не все возможности PCRE2, а только те, которые также поддерживаются JavaScript.", + "usePCRE2Deprecated": "Устарело. При использовании функций регулярных выражений, которые поддерживаются только PCRE2, будет автоматически использоваться PCRE2.", + "search.actionsPositionAuto": "Разместить панель действий справа, когда область поиска узкая, и сразу же после содержимого, когда область поиска широкая.", + "search.actionsPositionRight": "Всегда размещать панель действий справа.", + "search.actionsPosition": "Управляет положением панели действий в строках в области поиска.", + "search.searchOnType": "Поиск во всех файлах при вводе текста.", + "search.seedWithNearestWord": "Включение заполнения поискового запроса из ближайшего к курсору слова, когда активный редактор не имеет выделения.", + "search.seedOnFocus": "Изменить запрос поиска рабочей области на выбранный текст редактора при фокусировке на представлении поиска. Это происходит при щелчке мыши или при активации команды workbench.views.search.focus.", + "search.searchOnTypeDebouncePeriod": "Если параметр \"#search.searchOnType#\" включен, задает время ожидания в миллисекундах между началом ввода символа и началом поиска. Если параметр \"search.searchOnType\" отключен, не имеет никакого эффекта.", + "search.searchEditor.doubleClickBehaviour.selectWord": "Двойной щелчок выбирает слово под курсором.", + "search.searchEditor.doubleClickBehaviour.goToLocation": "Двойной щелчок открывает результат в активной группе редакторов.", + "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Двойной щелчок открывает результат в группе редактора сбоку, создавая его, если он еще не существует.", + "search.searchEditor.doubleClickBehaviour": "Настройка эффекта двойного щелчка результата в редакторе поиска.", + "searchSortOrder.default": "Результаты сортируются по имена папок и файлов в алфавитном порядке.", + "searchSortOrder.filesOnly": "Результаты сортируются по именам файлов, игнорируя порядок папок, в алфавитном порядке.", + "searchSortOrder.type": "Результаты сортируются по расширениям файлов в алфавитном порядке.", + "searchSortOrder.modified": "Результаты сортируются по дате последнего изменения файла в порядке убывания.", + "searchSortOrder.countDescending": "Результаты сортируются по количеству на файл в порядке убывания.", + "searchSortOrder.countAscending": "Результаты сортируются по количеству на файл в порядке возрастания.", + "search.sortOrder": "Определяет порядок сортировки для результатов поиска." + }, + "sql/workbench/contrib/notebook/browser/notebookActions": { + "loading": "Загрузка ядер…", + "changing": "Изменение ядра…", + "AttachTo": "Присоединиться к ", + "Kernel": "Ядро ", + "loadingContexts": "Загрузка контекстов…", + "changeConnection": "Изменить подключение", + "selectConnection": "Выберите подключение", + "localhost": "localhost", + "noKernel": "Нет ядра", + "kernelNotSupported": "Эта записная книжка не может работать с параметрами, так как ядро не поддерживается. Используйте поддерживаемые ядра и формат. [Подробнее](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "noParametersCell": "Эта записная книжка не может работать с параметрами до тех пор, пока не будет добавлена ячейка параметров. [Подробнее] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "noParametersInCell": "Эта записная книжка не может работать с параметрами до тех пор, пока в ячейку параметров не будут добавлены параметры. [Подробнее](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization).", + "clearResults": "Очистить результаты", + "trustLabel": "Доверенный", + "untrustLabel": "Не доверенный", + "collapseAllCells": "Свернуть ячейки", + "expandAllCells": "Развернуть ячейки", + "runParameters": "Запустить с параметрами", + "noContextAvailable": "Нет", + "newNotebookAction": "Создать записную книжку", + "notebook.findNext": "Найти следующую строку", + "notebook.findPrevious": "Найти предыдущую строку" + }, + "sql/workbench/contrib/notebook/browser/notebookEditor": { + "notebookEditor.name": "Notebook Editor" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { + "notebookExplorer.searchResults": "Результаты поиска", + "searchPathNotFoundError": "Путь поиска не найден: {0}", + "notebookExplorer.name": "Записные книжки" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { + "searchWithoutFolder": "Вы не открыли папку, содержащую записные книжки или книги. ", + "openNotebookFolder": "Открыть записные книжки", + "searchMaxResultsWarning": "Результирующий набор включает только подмножество всех соответствий. Чтобы уменьшить число результатов, сузьте условия поиска.", + "searchInProgress": "Идет поиск… ", + "noResultsIncludesExcludes": "Не найдено результатов в \"{0}\", исключая \"{1}\", — ", + "noResultsIncludes": "Результаты в \"{0}\" не найдены — ", + "noResultsExcludes": "Результаты не найдены за исключением \"{0}\" — ", + "noResultsFound": "Результаты не найдены. Просмотрите параметры для настроенных исключений и проверьте свои GITIGNORE-файлы —", + "rerunSearch.message": "Повторить поиск", + "rerunSearchInAll.message": "Выполните поиск во всех файлах", + "openSettings.message": "Открыть параметры", + "ariaSearchResultsStatus": "Поиск вернул результатов: {0} в файлах: {1}", + "ToggleCollapseAndExpandAction.label": "Переключить свертывание и развертывание", + "CancelSearchAction.label": "Отменить поиск", + "ExpandAllAction.label": "Развернуть все", + "CollapseDeepestExpandedLevelAction.label": "Свернуть все", + "ClearSearchResultsAction.label": "Очистить результаты поиска" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { + "label.Search": "Поиск: введите условие поиска и нажмите клавишу ВВОД, чтобы выполнить поиск, или ESCAPE для отмены", + "search.placeHolder": "Поиск" + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViews.component": { + "cellNotFound": "ячейка с URI {0} не найдена в этой модели", + "cellRunFailed": "Не удалось выполнить ячейки. Дополнительные сведения об ошибке см. в выходных данных текущей выбранной ячейки." + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsCodeCell.component": { + "viewsCodeCell.emptyCellText": "Запустите эту ячейку, чтобы просмотреть выходные данные." + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsGrid.component": { + "emptyText": "Это пустое представление. Добавьте ячейку в это представление, нажав кнопку \"Вставить ячейки\"." + }, + "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { + "copyFailed": "Не удалось выполнить копирование. Ошибка: {0}", + "notebook.showChart": "Показать диаграмму", + "notebook.showTable": "Показать таблицу" + }, + "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { + "noRendererFound": "Не удается найти отрисовщик {0} для выходных данных. Он содержит следующие типы MIME: {1}", + "safe": "(безопасный)" + }, + "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { + "plotlyError": "Не удалось отобразить диаграмму Plotly: {0}" + }, + "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { + "servers.noConnections": "Подключения не найдены.", + "serverTree.addConnection": "Добавить подключение" + }, + "sql/workbench/contrib/objectExplorer/common/serverGroup.contribution": { + "serverGroup.colors": "Цветовая палитра группы серверов, используемых во вьюлете обозревателя объектов.", + "serverGroup.autoExpand": "Автоматически разворачивать группы серверов во вьюлете обозревателя объектов.", + "serverTree.useAsyncServerTree": "(Предварительная версия.) Используйте новое дерево асинхронных серверов для представления серверов и диалогового окна подключения с поддержкой новых функций, таких как фильтрация динамических узлов." + }, + "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { + "data": "Данные", + "connection": "Подключение", + "queryEditor": "Редактор запросов", + "notebook": "Записная книжка", + "dashboard": "Панель мониторинга", + "profiler": "Профилировщик", + "builtinCharts": "Встроенные диаграммы" + }, + "sql/workbench/contrib/profiler/browser/profiler.contribution": { + "profiler.settings.viewTemplates": "Задает шаблоны представления", + "profiler.settings.sessionTemplates": "Определяет шаблоны сеанса", + "profiler.settings.Filters": "Фильтры профилировщика" + }, + "sql/workbench/contrib/profiler/browser/profilerActions": { + "profilerAction.connect": "Подключиться", + "profilerAction.disconnect": "Отключить", + "start": "Запустить", + "create": "Создание сеанса", + "profilerAction.pauseCapture": "Приостановить", + "profilerAction.resumeCapture": "Возобновить", + "profilerStop.stop": "Остановить", + "profiler.clear": "Очистить данные", + "profiler.clearDataPrompt": "Вы действительно хотите очистить данные?", + "profiler.yes": "Да", + "profiler.no": "Нет", + "profilerAction.autoscrollOn": "Автоматическая прокрутка: вкл", + "profilerAction.autoscrollOff": "Автоматическая прокрутка: выкл", + "profiler.toggleCollapsePanel": "Переключить свернутую панель", + "profiler.editColumns": "Редактирование столбцов", + "profiler.findNext": "Найти следующую строку", + "profiler.findPrevious": "Найти предыдущую строку", + "profilerAction.newProfiler": "Запустить профилировщик", + "profiler.filter": "Фильтр…", + "profiler.clearFilter": "Очистить фильтр", + "profiler.clearFilterPrompt": "Вы действительно хотите очистить фильтры?" + }, + "sql/workbench/contrib/profiler/browser/profilerEditor": { + "profiler.viewSelectAccessibleName": "Выберите представление", + "profiler.sessionSelectAccessibleName": "Выберите сеанс", + "profiler.sessionSelectLabel": "Выберите сеанс:", + "profiler.viewSelectLabel": "Выберите представление:", + "text": "Текст", + "label": "Метка", + "profilerEditor.value": "Значение", + "details": "Подробные сведения" + }, + "sql/workbench/contrib/profiler/browser/profilerFindWidget": { + "label.find": "Найти", + "placeholder.find": "Найти", + "label.previousMatchButton": "Предыдущее соответствие", + "label.nextMatchButton": "Следующее соответствие", + "label.closeButton": "Закрыть", + "title.matchesCountLimit": "В результате поиска было получено слишком большое число результатов. Будут показаны только первые 999 результатов.", + "label.matchesLocation": "{0} из {1}", + "label.noResults": "Результаты отсутствуют" + }, + "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { + "profilerTextEditorAriaLabel": "Редактор профилировщика для текста события. Только для чтения." + }, + "sql/workbench/contrib/profiler/browser/profilerTableEditor": { + "ProfilerTableEditor.eventCountFiltered": "События (отфильтровано): {0}/{1}", + "ProfilerTableEditor.eventCount": "События: {0}", + "status.eventCount": "Число событий" + }, + "sql/workbench/contrib/query/browser/actions": { + "saveAsCsv": "Сохранить в формате CSV", + "saveAsJson": "Сохранить в формате JSON", + "saveAsExcel": "Сохранить в формате Excel", + "saveAsXml": "Сохранить в формате XML", + "jsonEncoding": "Кодировка результатов не будет сохранена при экспорте в JSON; не забудьте выполнить сохранение с требуемой кодировкой после создания файла.", + "saveToFileNotSupported": "Сохранение в файл не поддерживается резервным источником данных", + "copySelection": "Копировать", + "copyWithHeaders": "Копировать с заголовками", + "selectAll": "Выбрать все", + "maximize": "Развернуть", + "restore": "Восстановить", + "chart": "Диаграмма", + "visualizer": "Визуализатор" + }, + "sql/workbench/contrib/query/browser/flavorStatus": { + "chooseSqlLang": "Выбрать язык SQL", + "changeProvider": "Изменить поставщика языка SQL", + "status.query.flavor": "Вариант языка SQL", + "changeSqlProvider": "Изменить поставщика ядра SQL", + "alreadyConnected": "Подключение с использованием {0} уже существует. Чтобы изменить его, отключите или смените существующее подключение.", + "noEditor": "Активные текстовые редакторы отсутствуют", + "pickSqlProvider": "Выбрать поставщик языка" + }, + "sql/workbench/contrib/query/browser/gridPanel": { + "xmlShowplan": "XML Showplan", + "resultsGrid": "Сетка результатов", + "resultsGrid.maxRowCountExceeded": "Превышено максимальное количество строк для фильтрации или сортировки. Чтобы обновить его, можно перейти к параметрам пользователя и изменить параметр queryEditor.results.inMemoryDataProcessingThreshold" + }, + "sql/workbench/contrib/query/browser/keyboardQueryActions": { + "focusOnCurrentQueryKeyboardAction": "Фокус на текущем запросе", + "runQueryKeyboardAction": "Выполнить запрос", + "runCurrentQueryKeyboardAction": "Выполнить текущий запрос", + "copyQueryWithResultsKeyboardAction": "Копировать запрос с результатами", + "queryActions.queryResultsCopySuccess": "Запрос и результаты скопированы.", + "runCurrentQueryWithActualPlanKeyboardAction": "Выполнить текущий запрос с фактическим планом", + "cancelQueryKeyboardAction": "Отменить запрос", + "refreshIntellisenseKeyboardAction": "Обновить кэш IntelliSense", + "toggleQueryResultsKeyboardAction": "Переключить результаты запроса", + "ToggleFocusBetweenQueryEditorAndResultsAction": "Переключить фокус между запросом и результатами", + "queryShortcutNoEditor": "Для выполнения ярлыка требуется параметр редактора.", + "parseSyntaxLabel": "Синтаксический анализ запроса", + "queryActions.parseSyntaxSuccess": "Команды выполнены", + "queryActions.parseSyntaxFailure": "Не удалось выполнить команду: ", + "queryActions.notConnected": "Подключитесь к серверу" + }, + "sql/workbench/contrib/query/browser/messagePanel": { + "messagePanel": "Панель сообщений", + "copy": "Копировать", + "copyAll": "Копировать все" + }, + "sql/workbench/contrib/query/browser/query.contribution": { + "queryResultsEditor.name": "Результаты запроса", + "newQuery": "Создать запрос", + "queryEditorConfigurationTitle": "Редактор запросов", + "queryEditor.results.saveAsCsv.includeHeaders": "Если этот параметр имеет значение true, то при сохранении результата в формате CSV в файл будут включены заголовки столбцов", + "queryEditor.results.saveAsCsv.delimiter": "Пользовательский разделитель значений при сохранении в формате CSV", + "queryEditor.results.saveAsCsv.lineSeperator": "Символы, используемые для разделения строк при сохранении результатов в файле CSV", + "queryEditor.results.saveAsCsv.textIdentifier": "Символ, используемый для обрамления текстовых полей при сохранении результатов в файле CSV", + "queryEditor.results.saveAsCsv.encoding": "Кодировка файла, которая используется при сохранении результатов в формате CSV", + "queryEditor.results.saveAsXml.formatted": "Если этот параметр имеет значение true, выходные данные XML будут отформатированы при сохранении результатов в формате XML", + "queryEditor.results.saveAsXml.encoding": "Кодировка файла, которая используется при сохранении результатов в формате XML", + "queryEditor.results.streaming": "Включить потоковую передачу результатов; имеется несколько небольших проблем с отображением", + "queryEditor.results.copyIncludeHeaders": "Параметры конфигурации для копирования результатов из представления результатов", + "queryEditor.results.copyRemoveNewLine": "Параметры конфигурации для копирования многострочных результатов из представления результатов", + "queryEditor.results.optimizedTable": "(Экспериментальная функция.) Использование оптимизированной таблицы при выводе результатов. Некоторые функции могут отсутствовать и находиться в разработке.", + "queryEditor.inMemoryDataProcessingThreshold": "Определяет максимальное количество строк, разрешенных для фильтрации и сортировки в памяти. Если число будет превышено, сортировка и фильтрация будут отключены. Предупреждение. Увеличение этого параметра может сказаться на производительности.", + "queryEditor.results.openAfterSave": "Следует ли открывать файл в Azure Data Studio после сохранения результата.", + "queryEditor.messages.showBatchTime": "Должно ли время выполнения отображаться для отдельных пакетов", + "queryEditor.messages.wordwrap": "Включить перенос слов в сообщениях", + "queryEditor.chart.defaultChartType": "Тип диаграммы по умолчанию, используемый при открытии средства просмотра диаграмм из результатов запроса", + "queryEditor.tabColorMode.off": "Цветовое выделение вкладок будет отключено", + "queryEditor.tabColorMode.border": "Верхняя граница каждой вкладки редактора будет окрашена в цвет соответствующей группы серверов", + "queryEditor.tabColorMode.fill": "Цвет фона каждой вкладки редактора будет соответствовать связанной группе серверов", + "queryEditor.tabColorMode": "Управляет тем, как определяются цвета вкладок на основе группы серверов активного подключения", + "queryEditor.showConnectionInfoInTitle": "Управляет тем, следует ли отображать сведения о подключении для вкладки в названии.", + "queryEditor.promptToSaveGeneratedFiles": "Запрашивать сохранение созданных файлов SQL", + "queryShortcutDescription": "Установка сочетания клавиш workbench.action.query.shortcut{0} для запуска текста ярлыка при вызове процедуры или выполнении запроса. В качестве параметра будет передан любой выбранный текст в редакторе запросов в конце запроса, или вы можете сослаться на него с помощью {arg}" + }, + "sql/workbench/contrib/query/browser/queryActions": { + "newQueryTask.newQuery": "Создать запрос", + "runQueryLabel": "Запуск", + "cancelQueryLabel": "Отмена", + "estimatedQueryPlan": "Объяснить", + "actualQueryPlan": "Действительное значение", + "disconnectDatabaseLabel": "Отключить", + "changeConnectionDatabaseLabel": "Изменить подключение", + "connectDatabaseLabel": "Подключиться", + "enablesqlcmdLabel": "Включить SQLCMD", + "disablesqlcmdLabel": "Отключить SQLCMD", + "selectDatabase": "Выберите базу данных", + "changeDatabase.failed": "Не удалось изменить базу данных", + "changeDatabase.failedWithError": "Не удалось изменить базу данных: {0}", + "queryEditor.exportSqlAsNotebook": "Экспортировать в виде записной книжки" + }, + "sql/workbench/contrib/query/browser/queryEditor": { + "queryEditor.name": "Query Editor" + }, + "sql/workbench/contrib/query/browser/queryResultsView": { + "resultsTabTitle": "Результаты", + "messagesTabTitle": "Сообщения" + }, + "sql/workbench/contrib/query/browser/statusBarItems": { + "status.query.timeElapsed": "Прошедшее время", + "status.query.rowCount": "Число строк", + "rowCount": "{0} строк", + "query.status.executing": "Выполнение запроса…", + "status.query.status": "Состояние выполнения", + "status.query.selection-summary": "Сводка по выбранным элементам", + "status.query.summaryText": "Среднее значение: {0} Количество: {1} Сумма: {2}" + }, + "sql/workbench/contrib/query/common/resultsGrid.contribution": { + "resultsGridConfigurationTitle": "Сетка результатов и сообщения", + "fontFamily": "Определяет семейство шрифтов.", + "fontWeight": "Управляет насыщенностью шрифта.", + "fontSize": "Определяет размер шрифта в пикселях.", + "letterSpacing": "Управляет интервалом между буквами в пикселях.", + "rowHeight": "Определяет высоту строки в пикселах", + "cellPadding": "Определяет поле ячейки в пикселах", + "autoSizeColumns": "Автоматически устанавливать ширину столбцов на основе начальных результатов. При наличии большого числа столбцов или широких ячеек возможны проблемы с производительностью", + "maxColumnWidth": "Максимальная ширина в пикселях для столбцов, размер которых определяется автоматически" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryActions": { + "toggleQueryHistory": "Включить или отключить журнал запросов", + "queryHistory.delete": "Удалить", + "queryHistory.clearLabel": "Очистить весь журнал", + "queryHistory.openQuery": "Открыть запрос", + "queryHistory.runQuery": "Выполнить запрос", + "queryHistory.toggleCaptureLabel": "Включить или отключить ведение Журнала запросов", + "queryHistory.disableCapture": "Приостановить ведение Журнала запросов", + "queryHistory.enableCapture": "Начать ведение Журнала запросов" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryRenderer": { + "succeeded": "Выполнено", + "failed": "Ошибка" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryView": { + "noQueriesMessage": "Нет запросов для отображения.", + "queryHistory.regTreeAriaLabel": "Журнал запросов" + }, + "sql/workbench/contrib/queryHistory/electron-browser/queryHistory": { + "queryHistoryConfigurationTitle": "QueryHistory", + "queryHistoryCaptureEnabled": "Включено ли ведение Журнала запросов. Если этот параметр имеет значение False, выполняемые запросы не будут записываться в истории.", + "queryHistory.clearLabel": "Очистить весь журнал", + "queryHistory.disableCapture": "Приостановить ведение Журнала запросов", + "queryHistory.enableCapture": "Начать ведение Журнала запросов", + "viewCategory": "Вид", + "miViewQueryHistory": "&&Журнал запросов", + "queryHistory": "Журнал запросов" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlan": { + "queryPlanTitle": "План запроса" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlanEditor": { + "queryPlanEditor": "Query Plan Editor" + }, + "sql/workbench/contrib/queryPlan/browser/topOperations": { + "topOperations.operation": "Операция", + "topOperations.object": "Объект", + "topOperations.estCost": "Оценка стоимости", + "topOperations.estSubtreeCost": "Оценка стоимости поддерева", + "topOperations.actualRows": "Фактических строк", + "topOperations.estRows": "Оценка строк", + "topOperations.actualExecutions": "Фактическое число выполнений", + "topOperations.estCPUCost": "Приблизительные расходы на ЦП", + "topOperations.estIOCost": "Приблизительные затраты на операции ввода/вывода", + "topOperations.parallel": "Параллельный", + "topOperations.actualRebinds": "Фактическое число повторных привязок", + "topOperations.estRebinds": "Приблизительное число повторных привязок", + "topOperations.actualRewinds": "Фактическое число сбросов на начало", + "topOperations.estRewinds": "Приблизительное число возвратов", + "topOperations.partitioned": "Секционированный", + "topOperationsTitle": "Основные операции" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewer.contribution": { + "resourceViewer": "Средство просмотра ресурсов" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { + "resourceViewer.refresh": "Обновить" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { + "resourceViewerTable.openError": "Ошибка при открытии ссылки: {0}", + "resourceViewerTable.commandError": "Ошибка при выполнении команды \"{0}\": {1}" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { + "resourceViewer.ariaLabel": "Дерево средства просмотра ресурсов" + }, + "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { + "extension.contributes.resourceView.resource.id": "Идентификатор ресурса.", + "extension.contributes.resourceView.resource.name": "Понятное имя представления. Будет отображаться на экране", + "extension.contributes.resourceView.resource.icon": "Путь к значку ресурса.", + "extension.contributes.resourceViewResources": "Добавляет ресурс в представление ресурсов", + "requirestring": "свойство \"{0}\" является обязательным и должно иметь тип string", + "optstring": "свойство \"{0}\" может быть опущено или должно иметь тип string" + }, + "sql/workbench/contrib/restore/browser/restore.contribution": { + "restore": "Восстановить", + "backup": "Восстановить" + }, + "sql/workbench/contrib/restore/browser/restoreActions": { + "restore.isPreviewFeature": "Чтобы использовать восстановление, необходимо включить предварительные версии функции", + "restore.commandNotSupportedOutsideContext": "Команда восстановления не поддерживается вне контекста сервера. Выберите сервер или базу данных и повторите попытку.", + "restore.commandNotSupported": "Команда восстановления не поддерживается для баз данных SQL Azure.", + "restoreAction.restore": "Восстановить" + }, + "sql/workbench/contrib/scripting/browser/scripting.contribution": { + "scriptAsCreate": "Выполнение сценария в режиме создания", + "scriptAsDelete": "Выполнение сценария в режиме удаления", + "scriptAsSelect": "Выберите первые 1000", + "scriptAsExecute": "Выполнение сценария в режиме выполнения", + "scriptAsAlter": "Выполнение сценария в режиме изменения", + "editData": "Редактировать данные", + "scriptSelect": "Выберите первые 1000", + "scriptKustoSelect": "Давайте ненадолго прервемся", + "scriptCreate": "Выполнение сценария в режиме создания", + "scriptExecute": "Выполнение сценария в режиме выполнения", + "scriptAlter": "Выполнение сценария в режиме изменения", + "scriptDelete": "Выполнение сценария в режиме удаления", + "refreshNode": "Обновить" + }, + "sql/workbench/contrib/scripting/browser/scriptingActions": { + "refreshError": "Произошла ошибка при обновлении узла \"{0}\": {1}" + }, + "sql/workbench/contrib/tasks/browser/tasks.contribution": { + "inProgressTasksChangesBadge": "Выполняющихся задач: {0}", + "viewCategory": "Вид", + "tasks": "Задачи", + "miViewTasks": "&&Задачи" + }, + "sql/workbench/contrib/tasks/browser/tasksActions": { + "toggleTasks": "Переключить задачи" + }, + "sql/workbench/contrib/tasks/browser/tasksRenderer": { + "succeeded": "Выполнено", + "failed": "Ошибка", + "inProgress": "Выполняется", + "notStarted": "Не запущена", + "canceled": "Отмененный", + "canceling": "выполняется отмена" + }, + "sql/workbench/contrib/tasks/browser/tasksView": { + "noTaskMessage": "Журнал задач для отображения отсутствует.", + "taskHistory.regTreeAriaLabel": "Журнал задач", + "taskError": "Ошибка выполнения задачи" + }, + "sql/workbench/contrib/tasks/common/tasksAction": { + "cancelTask.cancel": "Отмена", + "errorMsgFromCancelTask": "Не удалось отменить задачу.", + "taskAction.script": "Скрипт" + }, + "sql/workbench/contrib/views/browser/treeView": { + "no-dataprovider": "Отсутствует зарегистрированный поставщик данных, который может предоставить сведения о просмотрах.", + "refresh": "Обновить", + "collapseAll": "Свернуть все", + "command-error": "Ошибка при выполнении команды {1}: {0}. Это, скорее всего, вызвано расширением, добавляющим {1}." + }, + "sql/workbench/contrib/webview/browser/webViewDialog": { + "webViewDialog.ok": "ОК", + "webViewDialog.close": "Закрыть" + }, + "sql/workbench/contrib/welcome/gettingStarted/browser/abstractEnablePreviewFeatures": { + "enablePreviewFeatures.notice": "Предварительные версии функций расширяют возможности Azure Data Studio, предоставляя полный доступ к новым функциям и улучшениям. Дополнительные сведения о предварительных версиях функций см. [здесь]({0}). Вы хотите включить предварительные версии функций?", + "enablePreviewFeatures.yes": "Да (рекомендуется)", + "enablePreviewFeatures.no": "Нет", + "enablePreviewFeatures.never": "Больше не показывать" + }, + "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { + "welcomePage.previewBody": "Эта страница функции находится на этапе предварительной версии. Предварительные версии функций представляют собой новые функции, которые в будущем станут постоянной частью продукта. Они стабильны, но требуют дополнительного улучшения специальных возможностей. Мы будем рады вашим отзывам о функциях, пока они находятся в разработке.", + "welcomePage.preview": "Предварительная версия", + "welcomePage.createConnection": "Создать подключение", + "welcomePage.createConnectionBody": "Подключение к экземпляру базы данных с помощью диалогового окна подключения.", + "welcomePage.runQuery": "Выполнить запрос", + "welcomePage.runQueryBody": "Взаимодействие с данными через редактор запросов.", + "welcomePage.createNotebook": "Создать записную книжку", + "welcomePage.createNotebookBody": "Создание записной книжки с помощью собственного редактора записных книжек.", + "welcomePage.deployServer": "Развернуть сервер", + "welcomePage.deployServerBody": "Создание нового экземпляра реляционной службы данных на выбранной вами платформе.", + "welcomePage.resources": "Ресурсы", + "welcomePage.history": "Журнал", + "welcomePage.name": "Имя", + "welcomePage.location": "Расположение", + "welcomePage.moreRecent": "Показать больше", + "welcomePage.showOnStartup": "Отображать страницу приветствия при запуске", + "welcomePage.usefuLinks": "Полезные ссылки", + "welcomePage.gettingStarted": "Приступая к работе", + "welcomePage.gettingStartedBody": "Ознакомьтесь с возможностями, предлагаемыми Azure Data Studio, и узнайте, как использовать их с максимальной эффективностью.", + "welcomePage.documentation": "Документация", + "welcomePage.documentationBody": "Посетите центр документации, где можно найти примеры, руководства и ссылки на PowerShell, API-интерфейсы и т. д.", + "welcomePage.videos": "Видео", + "welcomePage.videoDescriptionOverview": "Обзор Azure Data Studio", + "welcomePage.videoDescriptionIntroduction": "Общие сведения о записных книжках в Azure Data Studio | Данные предоставлены", + "welcomePage.extensions": "Расширения", + "welcomePage.showAll": "Показать все", + "welcomePage.learnMore": "Дополнительные сведения " + }, + "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { + "GuidedTour.connections": "Подключения", + "GuidedTour.makeConnections": "Подключайтесь, выполняйте запросы и управляйте подключениями из SQL Server, Azure и других сред.", + "GuidedTour.one": "1", + "GuidedTour.next": "Далее", + "GuidedTour.notebooks": "Записные книжки", + "GuidedTour.gettingStartedNotebooks": "Начните создавать свои записные книжки или коллекцию записных книжек в едином расположении.", + "GuidedTour.two": "2", + "GuidedTour.extensions": "Расширения", + "GuidedTour.addExtensions": "Расширьте функциональные возможности Azure Data Studio, установив расширения, разработанные корпорацией Майкрософт (нами) и сторонним сообществом (вами).", + "GuidedTour.three": "3", + "GuidedTour.settings": "Параметры", + "GuidedTour.makeConnesetSettings": "Настройте Azure Data Studio на основе своих предпочтений. Вы можете настроить такие параметры, как автосохранение и размер вкладок, изменить сочетания клавиш и выбрать цветовую тему по своему вкусу.", + "GuidedTour.four": "4", + "GuidedTour.welcomePage": "Страница приветствия", + "GuidedTour.discoverWelcomePage": "На странице приветствия можно просмотреть сведения об основных компонентах, недавно открывавшихся файлах и рекомендуемых расширениях. Дополнительные сведения о том, как начать работу с Azure Data Studio, можно получить из наших видеороликов и документации.", + "GuidedTour.five": "5", + "GuidedTour.finish": "Готово", + "guidedTour": "Приветственный обзор", + "hideGuidedTour": "Скрыть приветственный обзор", + "GuidedTour.readMore": "Дополнительные сведения", + "help": "Справка" + }, + "sql/workbench/contrib/welcome/page/browser/welcomePage": { + "welcomePage": "Приветствие", + "welcomePage.adminPack": "Пакет администрирования SQL", + "welcomePage.showAdminPack": "Пакет администрирования SQL", + "welcomePage.adminPackDescription": "Пакет администрирования для SQL Server — это набор популярных расширений для администрирования баз данных, которые помогут управлять SQL Server", + "welcomePage.sqlServerAgent": "Агент SQL Server", + "welcomePage.sqlServerProfiler": "Приложение SQL Server Profiler", + "welcomePage.sqlServerImport": "Импорт SQL Server", + "welcomePage.sqlServerDacpac": "Пакет приложения уровня данных SQL Server", + "welcomePage.powershell": "PowerShell", + "welcomePage.powershellDescription": "Создавайте и выполняйте скрипты PowerShell с помощью расширенного редактора запросов Azure Data Studio", + "welcomePage.dataVirtualization": "Виртуализация данных", + "welcomePage.dataVirtualizationDescription": "Виртуализируйте данные с помощью SQL Server 2019 и создавайте внешние таблицы с помощью интерактивных мастеров", + "welcomePage.PostgreSQL": "PostgreSQL", + "welcomePage.PostgreSQLDescription": "Подключайтесь к базам данных Postgres, отправляйте запросы и управляйте ими с помощью Azure Data Studio", + "welcomePage.extensionPackAlreadyInstalled": "Поддержка {0} уже добавлена.", + "welcomePage.willReloadAfterInstallingExtensionPack": "После установки дополнительной поддержки для {0} окно будет перезагружено.", + "welcomePage.installingExtensionPack": "Установка дополнительной поддержки для {0}...", + "welcomePage.extensionPackNotFound": "Не удается найти поддержку для {0} с идентификатором {1}.", + "welcomePage.newConnection": "Создать подключение", + "welcomePage.newQuery": "Создать запрос", + "welcomePage.newNotebook": "Создать записную книжку", + "welcomePage.deployServer": "Развернуть сервер", + "welcome.title": "Приветствие", + "welcomePage.new": "Создать", + "welcomePage.open": "Открыть…", + "welcomePage.openFile": "Открыть файл…", + "welcomePage.openFolder": "Открыть папку…", + "welcomePage.startTour": "Начать обзор", + "closeTourBar": "Закрыть панель краткого обзора", + "WelcomePage.TakeATour": "Вы хотите ознакомиться с кратким обзором Azure Data Studio?", + "WelcomePage.welcome": "Добро пожаловать!", + "welcomePage.openFolderWithPath": "Открыть папку {0} с путем {1}", + "welcomePage.install": "Установить", + "welcomePage.installKeymap": "Установить раскладку клавиатуры {0}", + "welcomePage.installExtensionPack": "Установить дополнительную поддержку для {0}", + "welcomePage.installed": "Установлено", + "welcomePage.installedKeymap": "Раскладка клавиатуры {0} уже установлена", + "welcomePage.installedExtensionPack": "Поддержка {0} уже установлена", + "ok": "OK", + "details": "Подробные сведения", + "welcomePage.background": "Цвет фона страницы приветствия." + }, + "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { + "welcomePage.azdata": "Azure Data Studio", + "welcomePage.start": "Запуск", + "welcomePage.newConnection": "Создать подключение", + "welcomePage.newQuery": "Создать запрос", + "welcomePage.newNotebook": "Создать записную книжку", + "welcomePage.openFileMac": "Открыть файл", + "welcomePage.openFileLinuxPC": "Открыть файл", + "welcomePage.deploy": "Развернуть", + "welcomePage.newDeployment": "Новое развертывание…", + "welcomePage.recent": "Последние", + "welcomePage.moreRecent": "Подробнее…", + "welcomePage.noRecentFolders": "Нет последних папок", + "welcomePage.help": "Справка", + "welcomePage.gettingStarted": "Приступая к работе", + "welcomePage.productDocumentation": "Документация", + "welcomePage.reportIssue": "Сообщить о проблеме или отправить запрос на добавление новой возможности", + "welcomePage.gitHubRepository": "Репозиторий GitHub", + "welcomePage.releaseNotes": "Заметки о выпуске", + "welcomePage.showOnStartup": "Отображать страницу приветствия при запуске", + "welcomePage.customize": "Настроить", + "welcomePage.extensions": "Расширения", + "welcomePage.extensionDescription": "Скачайте необходимые расширения, включая пакет администрирования SQL Server и другие.", + "welcomePage.keyboardShortcut": "Сочетания клавиш", + "welcomePage.keyboardShortcutDescription": "Найдите любимые команды и настройте их", + "welcomePage.colorTheme": "Цветовая тема", + "welcomePage.colorThemeDescription": "Настройте редактор и код удобным образом.", + "welcomePage.learn": "Дополнительные сведения", + "welcomePage.showCommands": "Найти и выполнить все команды", + "welcomePage.showCommandsDescription": "Быстро обращайтесь к командам и выполняйте поиск по командам с помощью палитры команд ({0})", + "welcomePage.azdataBlog": "Ознакомьтесь с изменениями в последнем выпуске", + "welcomePage.azdataBlogDescription": "Ежемесячные записи в блоге с обзором новых функций", + "welcomePage.followTwitter": "Следите за нашими новостями в Twitter", + "welcomePage.followTwitterDescription": "Будьте в курсе того, как сообщество использует Azure Data Studio, и общайтесь с техническими специалистами напрямую." + }, + "sql/workbench/services/accountManagement/browser/accountDialog": { + "accountExplorer.name": "Учетные записи", + "linkedAccounts": "Связанные учетные записи", + "accountDialog.close": "Закрыть", + "accountDialog.noAccountLabel": "Связанная учетная запись не существует. Добавьте учетную запись.", + "accountDialog.addConnection": "Добавить учетную запись", + "accountDialog.noCloudsRegistered": "Облака не включены. Перейдите в раздел \"Параметры\", откройте раздел \"Конфигурация учетной записи Azure\" и включите хотя бы одно облако", + "accountDialog.didNotPickAuthProvider": "Вы не выбрали поставщик проверки подлинности. Повторите попытку." + }, + "sql/workbench/services/accountManagement/browser/accountDialogController": { + "accountDialog.addAccountErrorTitle": "Ошибка при добавлении учетной записи" + }, + "sql/workbench/services/accountManagement/browser/accountListRenderer": { + "refreshCredentials": "Вам необходимо обновить учетные данные для этой учетной записи." + }, + "sql/workbench/services/accountManagement/browser/accountManagementService": { + "accountManagementService.close": "Закрыть", + "loggingIn": "Добавление учетной записи…", + "refreshFailed": "Обновление учетной записи было отменено пользователем" + }, + "sql/workbench/services/accountManagement/browser/accountPickerImpl": { + "azureAccount": "Учетная запись Azure", + "azureTenant": "Клиент Azure" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { + "copyAndOpen": "Копировать и открыть", + "oauthDialog.cancel": "Отмена", + "userCode": "Код пользователя", + "website": "Веб-сайт" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { + "oauthFlyoutIsAlreadyOpen": "Не удается запустить автоматическую авторизацию OAuth. Она уже выполняется." + }, + "sql/workbench/services/admin/common/adminService": { + "adminService.providerIdNotValidError": "Требуется подключение для взаимодействия с adminservice", + "adminService.noHandlerRegistered": "Нет зарегистрированного обработчика" + }, + "sql/workbench/services/assessment/common/assessmentService": { + "asmt.providerIdNotValidError": "Требуется подключение для взаимодействия со службой оценки", + "asmt.noHandlerRegistered": "Нет зарегистрированного обработчика" + }, + "sql/workbench/services/connection/browser/advancedPropertiesController": { + "connectionAdvancedProperties": "Дополнительные свойства", + "advancedProperties.discard": "Отменить" + }, + "sql/workbench/services/connection/browser/cmsConnectionWidget": { + "serverDescription": "Описание сервера (необязательно)" + }, + "sql/workbench/services/connection/browser/connectionActions": { + "ClearRecentlyUsedLabel": "Очистить список", + "ClearedRecentConnections": "Список последних подключений очищен", + "connectionAction.yes": "Да", + "connectionAction.no": "Нет", + "clearRecentConnectionMessage": "Вы действительно хотите удалить все подключения из списка?", + "connectionDialog.yes": "Да", + "connectionDialog.no": "Нет", + "delete": "Удалить", + "connectionAction.GetCurrentConnectionString": "Получить текущую строку подключения", + "connectionAction.connectionString": "Строка подключения недоступна", + "connectionAction.noConnection": "Активные подключения отсутствуют" + }, + "sql/workbench/services/connection/browser/connectionBrowseTab": { + "connectionDialog.browser": "Обзор", + "connectionDialog.FilterPlaceHolder": "Для фильтрации списка введите здесь значение", + "connectionDialog.FilterInputTitle": "Фильтрация подключений", + "connectionDialog.ApplyingFilter": "Применение фильтра", + "connectionDialog.RemovingFilter": "Удаление фильтра", + "connectionDialog.FilterApplied": "Фильтр применен", + "connectionDialog.FilterRemoved": "Фильтр удален", + "savedConnections": "Сохраненные подключения", + "savedConnection": "Сохраненные подключения", + "connectionBrowserTree": "Дерево обозревателя подключений" + }, + "sql/workbench/services/connection/browser/connectionDialogService": { + "connectionError": "Ошибка подключения", + "kerberosErrorStart": "Сбой подключения из-за ошибки Kerberos.", + "kerberosHelpLink": "Справка по настройке Kerberos доступна на странице {0}", + "kerberosKinit": "Если вы подключались ранее, может потребоваться запустить kinit повторно." + }, + "sql/workbench/services/connection/browser/connectionDialogWidget": { + "connection": "Подключение", + "connecting": "Идет подключение", + "connectType": "Тип подключения", + "recentConnectionTitle": "Недавние", + "connectionDetailsTitle": "Сведения о подключении", + "connectionDialog.connect": "Подключиться", + "connectionDialog.cancel": "Отмена", + "connectionDialog.recentConnections": "Последние подключения", + "noRecentConnections": "Недавние подключения отсутствуют" + }, + "sql/workbench/services/connection/browser/connectionManagementService": { + "connection.noAzureAccount": "Не удалось получить маркер учетной записи Azure для подключения", + "connectionNotAcceptedError": "Подключение не принято", + "connectionService.yes": "Да", + "connectionService.no": "Нет", + "cancelConnectionConfirmation": "Вы действительно хотите отменить это подключение?" + }, + "sql/workbench/services/connection/browser/connectionWidget": { + "connectionWidget.AddAzureAccount": "Добавить учетную запись…", + "defaultDatabaseOption": "<По умолчанию>", + "loadingDatabaseOption": "Загрузка…", + "serverGroup": "Группа серверов", + "defaultServerGroup": "<По умолчанию>", + "addNewServerGroup": "Добавить группу…", + "noneServerGroup": "<Не сохранять>", + "connectionWidget.missingRequireField": "{0} является обязательным.", + "connectionWidget.fieldWillBeTrimmed": "{0} будет обрезан.", + "rememberPassword": "Запомнить пароль", + "connection.azureAccountDropdownLabel": "Учетная запись", + "connectionWidget.refreshAzureCredentials": "Обновите учетные данные учетной записи", + "connection.azureTenantDropdownLabel": "Клиент Azure AD", + "connectionName": "Имя (необязательно)", + "advanced": "Дополнительно…", + "connectionWidget.invalidAzureAccount": "Необходимо выбрать учетную запись" + }, + "sql/workbench/services/connection/browser/localizedConstants": { + "onDidConnectMessage": "Подключено к", + "onDidDisconnectMessage": "Отключено", + "unsavedGroupLabel": "Несохраненные подключения" + }, + "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { + "newDashboardTab.openDashboardExtensions": "Открыть расширения панели мониторинга", + "newDashboardTab.ok": "ОК", + "newDashboardTab.cancel": "Отмена", + "newdashboardTabDialog.noExtensionLabel": "Расширения панели мониторинга не установлены. Чтобы просмотреть рекомендуемые расширения, перейдите в Диспетчер расширений." + }, + "sql/workbench/services/dialog/browser/dialogPane": { + "wizardPageNumberDisplayText": "Шаг {0}" + }, + "sql/workbench/services/dialog/common/dialogTypes": { + "dialogModalDoneButtonLabel": "Готово", + "dialogModalCancelButtonLabel": "Отмена" + }, + "sql/workbench/services/editData/common/editQueryRunner": { + "query.initEditExecutionFailed": "Не удалось инициализировать сеанс изменения данных: " + }, + "sql/workbench/services/errorMessage/browser/errorMessageDialog": { + "errorMessageDialog.ok": "ОК", + "errorMessageDialog.close": "Закрыть", + "errorMessageDialog.action": "Действие", + "copyDetails": "Скопировать сведения" + }, + "sql/workbench/services/errorMessage/browser/errorMessageService": { + "error": "Ошибка", + "warning": "Предупреждение", + "info": "Информация", + "ignore": "Игнорировать" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { + "filebrowser.filepath": "Выбранный путь", + "fileFilter": "Файлы типа", + "fileBrowser.ok": "ОК", + "fileBrowser.discard": "Отменить" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialogController": { + "filebrowser.selectFile": "Выберите файл" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { + "fileBrowser.regTreeAriaLabel": "Дерево обозревателя файлов" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserService": { + "fileBrowserErrorMessage": "Произошла ошибка при загрузке браузера файлов.", + "fileBrowserErrorDialogTitle": "Ошибка обозревателя файлов" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { + "allFiles": "Все файлы" + }, + "sql/workbench/services/insights/browser/insightDialogActions": { + "workbench.action.insights.copySelection": "Копировать ячейку" + }, + "sql/workbench/services/insights/browser/insightsDialogController": { + "insightsInputError": "Профиль подключения не был передан во всплывающий элемент аналитических данных", + "insightsError": "Ошибка аналитических данных", + "insightsFileError": "Произошла ошибка при чтении файла запроса: ", + "insightsConfigError": "Произошла ошибка при синтаксическом анализе конфигурации аналитических данных; не удалось найти массив/строку запроса или файл запроса" + }, + "sql/workbench/services/insights/browser/insightsDialogView": { + "insights.item": "Элемент", + "insights.value": "Значение", + "insightsDetailView.name": "Подробные сведения об аналитике", + "property": "Свойство", + "value": "Значение", + "InsightsDialogTitle": "Аналитические данные", + "insights.dialog.items": "Элементы", + "insights.dialog.itemDetails": "Сведения об элементе" + }, + "sql/workbench/services/insights/common/insightsUtils": { + "insightsDidNotFindResolvedFile": "Не удалось найти файл запроса по любому из следующих путей:\r\n {0}" + }, + "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { + "agentUtilities.failed": "Сбой", + "agentUtilities.succeeded": "Выполнено", + "agentUtilities.retry": "Повторить попытку", + "agentUtilities.canceled": "Отменено", + "agentUtilities.inProgress": "Выполняется", + "agentUtilities.statusUnknown": "Состояние неизвестно", + "agentUtilities.executing": "Идет выполнение", + "agentUtilities.waitingForThread": "Ожидание потока", + "agentUtilities.betweenRetries": "Между попытками", + "agentUtilities.idle": "Бездействие", + "agentUtilities.suspended": "Приостановлено", + "agentUtilities.obsolete": "[Устаревший]", + "agentUtilities.yes": "Да", + "agentUtilities.no": "Нет", + "agentUtilities.notScheduled": "Не запланировано", + "agentUtilities.neverRun": "Никогда не запускать" + }, + "sql/workbench/services/jobManagement/common/jobManagementService": { + "providerIdNotValidError": "Требуется подключение для взаимодействия с JobManagementService", + "noHandlerRegistered": "Нет зарегистрированного обработчика" + }, + "sql/workbench/services/notebook/browser/interfaces": { + "sqlKernel": "SQL" + }, "sql/workbench/services/notebook/browser/models/cell": { "runCellCancelled": "Выполнение ячейки отменено", "executionCanceled": "Выполнение запроса отменено", @@ -11325,12 +11224,223 @@ "noDefaultKernel": "Ядро для этой записной книжки недоступно", "commandSuccessful": "Команда выполнена" }, + "sql/workbench/services/notebook/browser/models/clientSession": { + "clientSession.unknownError": "Произошла ошибка во время запуска сеанса записной книжки", + "ServerNotStarted": "Не удалось запустить сервер по неизвестной причине", + "kernelRequiresConnection": "Ядро {0} не найдено. Будет использоваться ядро по умолчанию." + }, "sql/workbench/services/notebook/browser/models/notebookContexts": { "selectConnection": "Выбрать подключение", "localhost": "localhost" }, - "sql/workbench/browser/parts/editor/editorStatusModeSelect": { - "languageChangeUnsupported": "Изменение типов редакторов для несохраненных файлов не поддерживается" + "sql/workbench/services/notebook/browser/models/notebookModel": { + "injectedParametersMsg": "Число внедренных параметров\r\n", + "kernelRequiresConnection": "Выберите подключение, на котором будут выполняться ячейки для этого ядра", + "deleteCellFailed": "Не удалось удалить ячейку.", + "changeKernelFailedRetry": "Не удалось изменить ядро. Будет использоваться ядро {0}. Ошибка: {1}", + "changeKernelFailed": "Не удалось изменить ядро из-за ошибки: {0}", + "changeContextFailed": "Не удалось изменить контекст: {0}", + "startSessionFailed": "Не удалось запустить сеанс: {0}", + "shutdownClientSessionError": "При закрытии записной книжки произошла ошибка сеанса клиента: {0}", + "ProviderNoManager": "Не удается найти диспетчер записных книжек для поставщика {0}" + }, + "sql/workbench/services/notebook/browser/notebookServiceImpl": { + "notebookUriNotDefined": "При создании диспетчера записных книжек не был передан URI", + "notebookServiceNoProvider": "Поставщик записных книжек не существует" + }, + "sql/workbench/services/notebook/browser/notebookViews/notebookViewModel": { + "notebookView.nameTaken": "Представление с именем {0} уже существует в этой записной книжке." + }, + "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { + "sqlKernelError": "Ошибка ядра SQL", + "connectionRequired": "Для выполнения ячеек записной книжки необходимо выбрать подключение", + "sqlMaxRowsDisplayed": "Отображаются первые {0} строк." + }, + "sql/workbench/services/notebook/common/contracts": { + "notebook.richTextEditMode": "Форматированный текст", + "notebook.splitViewEditMode": "Комбинированный режим", + "notebook.markdownEditMode": "Markdown" + }, + "sql/workbench/services/notebook/common/localContentManager": { + "nbformatNotRecognized": "Формат nbformat v{0}.{1} не распознан", + "nbNotSupported": "Формат этого файла не соответствует допустимому формату записной книжки", + "unknownCellType": "Неизвестный тип ячейки {0}", + "unrecognizedOutput": "Тип выходных данных {0} не распознан", + "invalidMimeData": "Данные для {0} должны представлять собой строку или массив строк", + "unrecognizedOutputType": "Тип выходных данных {0} не распознан" + }, + "sql/workbench/services/notebook/common/notebookRegistry": { + "carbon.extension.contributes.notebook.provider": "Идентификатор поставщика записных книжек.", + "carbon.extension.contributes.notebook.fileExtensions": "Расширения файлов, которые должны быть зарегистрированы для этого поставщика записных книжек", + "carbon.extension.contributes.notebook.standardKernels": "Какие ядра следует использовать в качестве стандартных для этого поставщика записных книжек", + "vscode.extension.contributes.notebook.providers": "Добавляет поставщиков записных книжек.", + "carbon.extension.contributes.notebook.magic": "Название магической команды ячейки, например, \"%%sql\".", + "carbon.extension.contributes.notebook.language": "Язык ячейки, который будет использоваться, если эта магическая команда ячейки включена в ячейку", + "carbon.extension.contributes.notebook.executionTarget": "Необязательная цель выполнения, указанная в этой магической команде, например, Spark vs SQL", + "carbon.extension.contributes.notebook.kernels": "Необязательный набор ядер, для которых это действительно, например, python3, pyspark, sql", + "vscode.extension.contributes.notebook.languagemagics": "Определяет язык записной книжки." + }, + "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { + "loading": "Загрузка…" + }, + "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { + "connectionTree.refresh": "Обновить", + "connectionTree.editConnection": "Изменить подключение", + "DisconnectAction": "Отключить", + "connectionTree.addConnection": "Новое подключение", + "connectionTree.addServerGroup": "Новая группа серверов", + "connectionTree.editServerGroup": "Изменить группу серверов", + "activeConnections": "Показать активные подключения", + "showAllConnections": "Показать все подключения", + "deleteConnection": "Удалить подключение", + "deleteConnectionGroup": "Удалить группу" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerService": { + "OeSessionFailedError": "Не удалось создать сеанс обозревателя объектов", + "nodeExpansionError": "Несколько ошибок:" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerViewTreeShim": { + "noProviderFound": "Не удается выполнить расширение, так как требуемый поставщик подключения \"{0}\" не найден", + "loginCanceled": "Действие отменено пользователем", + "firewallCanceled": "Диалоговое окно брандмауэра отменено" + }, + "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { + "loading": "Загрузка…" + }, + "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { + "treeAriaLabel": "Последние подключения", + "serversAriaLabel": "Серверы", + "treeCreation.regTreeAriaLabel": "Серверы" + }, + "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { + "eventSort": "Сортировка по событиям", + "nameColumn": "Сортировка по столбцу", + "profilerColumnDialog.profiler": "Профилировщик", + "profilerColumnDialog.ok": "OK", + "profilerColumnDialog.cancel": "Отмена" + }, + "sql/workbench/services/profiler/browser/profilerFilterDialog": { + "profilerFilterDialog.clear": "Очистить все", + "profilerFilterDialog.apply": "Применить", + "profilerFilterDialog.ok": "OK", + "profilerFilterDialog.cancel": "Отмена", + "profilerFilterDialog.title": "Фильтры", + "profilerFilterDialog.remove": "Удалить это предложение", + "profilerFilterDialog.saveFilter": "Сохранить фильтр", + "profilerFilterDialog.loadFilter": "Загрузить фильтр", + "profilerFilterDialog.addClauseText": "Добавить предложение", + "profilerFilterDialog.fieldColumn": "Поле", + "profilerFilterDialog.operatorColumn": "Оператор", + "profilerFilterDialog.valueColumn": "Значение", + "profilerFilterDialog.isNullOperator": "Имеет значение NULL", + "profilerFilterDialog.isNotNullOperator": "Не имеет значение NULL", + "profilerFilterDialog.containsOperator": "Содержит", + "profilerFilterDialog.notContainsOperator": "Не содержит", + "profilerFilterDialog.startsWithOperator": "Начинается с", + "profilerFilterDialog.notStartsWithOperator": "Не начинается с" + }, + "sql/workbench/services/query/common/queryModelService": { + "commitEditFailed": "Не удалось зафиксировать строку: ", + "runQueryBatchStartMessage": "Начало выполнения запроса ", + "runQueryStringBatchStartMessage": "Начато выполнение запроса \"{0}\"", + "runQueryBatchStartLine": "Строка {0}", + "msgCancelQueryFailed": "Ошибка при сбое запроса: {0}", + "updateCellFailed": "Сбой обновления ячейки: " + }, + "sql/workbench/services/query/common/queryRunner": { + "query.ExecutionFailedError": "Сбой выполнения из-за непредвиденной ошибки: {0} {1}", + "query.message.executionTime": "Общее время выполнения: {0}", + "query.message.startQueryWithRange": "Начато выполнение запроса в строке {0}", + "query.message.startQuery": "Запущено выполнение пакета {0}", + "elapsedBatchTime": "Время выполнения пакета: {0}", + "copyFailed": "Не удалось выполнить копирование. Ошибка: {0}" + }, + "sql/workbench/services/query/common/resultSerializer": { + "msgSaveFailed": "Не удалось сохранить результаты.", + "resultsSerializer.saveAsFileTitle": "Выберите файл результатов", + "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (с разделением запятыми)", + "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", + "resultsSerializer.saveAsFileExtensionExcelTitle": "Книга Excel", + "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", + "resultsSerializer.saveAsFileExtensionTXTTitle": "Простой текст", + "savingFile": "Сохранение файла…", + "msgSaveSucceeded": "Результаты сохранены в {0}", + "openFile": "Открыть файл" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { + "from": "С", + "to": "До", + "createNewFirewallRule": "Создание правила брандмауэра", + "firewall.ok": "OK", + "firewall.cancel": "Отмена", + "firewallRuleDialogDescription": "Ваш клиентский IP-адрес не имеет доступа к серверу. Войдите в учетную запись Azure и создайте правило брандмауэра, чтобы разрешить доступ.", + "firewallRuleHelpDescription": "Дополнительные сведения о параметрах брандмауэра", + "filewallRule": "Правило брандмауэра", + "addIPAddressLabel": "Добавить мой клиентский IP-адрес", + "addIpRangeLabel": "Добавить диапазон IP-адресов моей подсети" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialogController": { + "firewallDialog.addAccountErrorTitle": "Ошибка при добавлении учетной записи", + "firewallRuleError": "Ошибка правила брандмауэра" + }, + "sql/workbench/services/restore/browser/restoreDialog": { + "backupFilePath": "Путь к файлу резервной копии", + "targetDatabase": "Целевая база данных", + "restoreDialog.restore": "Восстановить", + "restoreDialog.restoreTitle": "Восстановление базы данных", + "restoreDialog.database": "База данных", + "restoreDialog.backupFile": "Файл резервной копии", + "RestoreDialogTitle": "Восстановление базы данных", + "restoreDialog.cancel": "Отмена", + "restoreDialog.script": "Скрипт", + "source": "Источник", + "restoreFrom": "Восстановить из", + "missingBackupFilePathError": "Требуется путь к файлу резервной копии.", + "multipleBackupFilePath": "Пожалуйста, введите один или несколько путей файлов, разделенных запятыми", + "database": "База данных", + "destination": "Назначение", + "restoreTo": "Восстановить в", + "restorePlan": "План восстановления", + "backupSetsToRestore": "Резервные наборы данных для восстановления", + "restoreDatabaseFileAs": "Восстановить файлы базы данных как", + "restoreDatabaseFileDetails": "Восстановление сведений о файле базы данных", + "logicalFileName": "Логическое имя файла", + "fileType": "Тип файла", + "originalFileName": "Исходное имя файла", + "restoreAs": "Восстановить как", + "restoreOptions": "Параметры восстановления", + "taillogBackup": "Резервная копия заключительного фрагмента журнала", + "serverConnection": "Подключения к серверу", + "generalTitle": "Общие", + "filesTitle": "Файлы", + "optionsTitle": "Параметры" + }, + "sql/workbench/services/restore/common/constants": { + "backup.filterBackupFiles": "Файлы резервной копии", + "backup.allFiles": "Все файлы" + }, + "sql/workbench/services/serverGroup/browser/serverGroupDialog": { + "ServerGroupsDialogTitle": "Группы серверов", + "serverGroup.ok": "OK", + "serverGroup.cancel": "Отмена", + "connectionGroupName": "Имя группы серверов", + "MissingGroupNameError": "Необходимо указать имя группы.", + "groupDescription": "Описание группы", + "groupColor": "Цвет группы" + }, + "sql/workbench/services/serverGroup/common/serverGroupViewModel": { + "serverGroup.addServerGroup": "Добавить группу серверов", + "serverGroup.editServerGroup": "Изменить группу серверов" + }, + "sql/workbench/services/tasks/common/tasksService": { + "InProgressWarning": "Выполняется одна или несколько задач. Вы действительно хотите выйти?", + "taskService.yes": "Да", + "taskService.no": "Нет" + }, + "sql/workbench/update/electron-browser/releaseNotes": { + "gettingStarted": "Начать работу", + "showReleaseNotes": "Показать раздел \"Приступая к работе\"", + "miGettingStarted": "Приступая к р&&аботе" } } } \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hans/package.json b/i18n/ads-language-pack-zh-hans/package.json index 6e8009c012..5d64d05a12 100644 --- a/i18n/ads-language-pack-zh-hans/package.json +++ b/i18n/ads-language-pack-zh-hans/package.json @@ -2,7 +2,7 @@ "name": "ads-language-pack-zh-hans", "displayName": "Chinese (Simplified) Language Pack for Azure Data Studio", "description": "Language pack extension for Chinese (Simplified)", - "version": "1.29.0", + "version": "1.31.0", "publisher": "Microsoft", "repository": { "type": "git", @@ -11,7 +11,7 @@ "license": "SEE SOURCE EULA LICENSE IN LICENSE.txt", "engines": { "vscode": "*", - "azdata": ">=1.29.0" + "azdata": "^0.0.0" }, "icon": "languagepack.png", "categories": [ @@ -164,6 +164,14 @@ "id": "vscode.yaml", "path": "./translations/extensions/yaml.i18n.json" }, + { + "id": "Microsoft.admin-tool-ext-win", + "path": "./translations/extensions/admin-tool-ext-win.i18n.json" + }, + { + "id": "Microsoft.agent", + "path": "./translations/extensions/agent.i18n.json" + }, { "id": "Microsoft.azurecore", "path": "./translations/extensions/azurecore.i18n.json" @@ -172,6 +180,18 @@ "id": "Microsoft.big-data-cluster", "path": "./translations/extensions/big-data-cluster.i18n.json" }, + { + "id": "Microsoft.cms", + "path": "./translations/extensions/cms.i18n.json" + }, + { + "id": "Microsoft.dacpac", + "path": "./translations/extensions/dacpac.i18n.json" + }, + { + "id": "Microsoft.import", + "path": "./translations/extensions/import.i18n.json" + }, { "id": "Microsoft.sqlservernotebook", "path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json" @@ -184,9 +204,17 @@ "id": "Microsoft.notebook", "path": "./translations/extensions/notebook.i18n.json" }, + { + "id": "Microsoft.profiler", + "path": "./translations/extensions/profiler.i18n.json" + }, { "id": "Microsoft.resource-deployment", "path": "./translations/extensions/resource-deployment.i18n.json" + }, + { + "id": "Microsoft.schema-compare", + "path": "./translations/extensions/schema-compare.i18n.json" } ] } diff --git a/i18n/ads-language-pack-zh-hans/translations/extensions/admin-tool-ext-win.i18n.json b/i18n/ads-language-pack-zh-hans/translations/extensions/admin-tool-ext-win.i18n.json new file mode 100644 index 0000000000..cb1f36d1af --- /dev/null +++ b/i18n/ads-language-pack-zh-hans/translations/extensions/admin-tool-ext-win.i18n.json @@ -0,0 +1,26 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "adminToolExtWin.displayName": "适用于 Windows 的数据库管理工具扩展", + "adminToolExtWin.description": "向 Azure Data Studio 添加其他特定于 Windows 的功能", + "adminToolExtWin.propertiesMenuItem": "属性", + "adminToolExtWin.launchGswMenuItem": "生成脚本…" + }, + "dist/main": { + "adminToolExtWin.noConnectionContextForProp": "未为 handleLaunchSsmsMinPropertiesDialogCommand 提供 ConnectionContext", + "adminToolExtWin.noOENode": "无法由以下 connectionContex 确定对象资源管理器节点: {0}", + "adminToolExtWin.noConnectionContextForGsw": "未为 handleLaunchSsmsMinPropertiesDialogCommand 提供 ConnectionContext", + "adminToolExtWin.noConnectionProfile": "未从 connectionContext 提供任何 connectionProfile: {0}", + "adminToolExtWin.launchingDialogStatus": "正在启动对话…", + "adminToolExtWin.ssmsMinError": "使用参数“{0}”调用 SsmsMin 时出错 - {1}" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hans/translations/extensions/agent.i18n.json b/i18n/ads-language-pack-zh-hans/translations/extensions/agent.i18n.json new file mode 100644 index 0000000000..efd237c958 --- /dev/null +++ b/i18n/ads-language-pack-zh-hans/translations/extensions/agent.i18n.json @@ -0,0 +1,282 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/agentDialog": { + "agentDialog.OK": "确定", + "agentDialog.Cancel": "取消" + }, + "dist/dialogs/jobStepDialog": { + "jobStepDialog.fileBrowserTitle": "定位数据库文件 - ", + "jobStepDialog.ok": "确定", + "jobStepDialog.cancel": "取消", + "jobStepDialog.general": "常规", + "jobStepDialog.advanced": "高级", + "jobStepDialog.open": "打开…", + "jobStepDialog.parse": "分析", + "jobStepDialog.successParse": "已成功分析该命令。", + "jobStepDialog.failParse": "命令失败。", + "jobStepDialog.blankStepName": "步骤名称不能留空", + "jobStepDialog.processExitCode": "成功命令的进程退出代码:", + "jobStepDialog.stepNameLabel": "步骤名称", + "jobStepDialog.typeLabel": "类型", + "jobStepDialog.runAsLabel": "运行身份", + "jobStepDialog.databaseLabel": "数据库", + "jobStepDialog.commandLabel": "命令", + "jobStepDialog.successAction": "成功操作时", + "jobStepDialog.failureAction": "失败操作时", + "jobStepDialog.runAsUser": "以用户身份运行", + "jobStepDialog.retryAttempts": "重试尝试", + "jobStepDialog.retryInterval": "重试间隔(分钟)", + "jobStepDialog.logToTable": "记录到表中", + "jobStepDialog.appendExistingTableEntry": "将输出追加到表中的现有条目", + "jobStepDialog.includeStepOutputHistory": "在历史记录中包括步骤输出", + "jobStepDialog.outputFile": "输出文件", + "jobStepDialog.appendOutputToFile": "将输出追加到现有文件", + "jobStepDialog.selectedPath": "选定的路径", + "jobStepDialog.filesOfType": "文件类型", + "jobStepDialog.fileName": "文件名", + "jobStepDialog.allFiles": "所有文件(*)", + "jobStepDialog.newJobStep": "新建作业步骤", + "jobStepDialog.editJobStep": "编辑作业步骤", + "jobStepDialog.TSQL": "Transact-SQL 脚本(T-SQL)", + "jobStepDialog.powershell": "PowerShell", + "jobStepDialog.CmdExec": "操作系统(CmdExec)", + "jobStepDialog.replicationDistribution": "副本分发服务器", + "jobStepDialog.replicationMerge": "副本合并", + "jobStepDialog.replicationQueueReader": "复制队列读取器", + "jobStepDialog.replicationSnapshot": "副本快照", + "jobStepDialog.replicationTransactionLogReader": "复制事务日志读取器", + "jobStepDialog.analysisCommand": "SQL Server Analysis Services 命令", + "jobStepDialog.analysisQuery": "SQL Server Analysis Services 查询", + "jobStepDialog.servicesPackage": "SQL Server 集成服务包", + "jobStepDialog.agentServiceAccount": "SQL Server 代理服务帐户", + "jobStepDialog.nextStep": "转到下一步骤", + "jobStepDialog.quitJobSuccess": "退出作业报告成功", + "jobStepDialog.quitJobFailure": "退出作业报告失败" + }, + "dist/dialogs/pickScheduleDialog": { + "pickSchedule.jobSchedules": "作业计划", + "pickSchedule.ok": "确定", + "pickSchedule.cancel": "取消", + "pickSchedule.availableSchedules": "可用计划:", + "pickSchedule.scheduleName": "名称", + "pickSchedule.scheduleID": "ID", + "pickSchedule.description": "说明" + }, + "dist/dialogs/alertDialog": { + "alertDialog.createAlert": "创建警报", + "alertDialog.editAlert": "编辑警报", + "alertDialog.General": "常规", + "alertDialog.Response": "响应", + "alertDialog.Options": "选项", + "alertDialog.eventAlert": "事件警报定义", + "alertDialog.Name": "名称", + "alertDialog.Type": "类型", + "alertDialog.Enabled": "已启用", + "alertDialog.DatabaseName": "数据库名称", + "alertDialog.ErrorNumber": "错误号", + "alertDialog.Severity": "严重性", + "alertDialog.RaiseAlertContains": "消息包含以下内容时引发警报", + "alertDialog.MessageText": "消息文本", + "alertDialog.Severity001": "001 - 其他系统信息", + "alertDialog.Severity002": "002 - 预留", + "alertDialog.Severity003": "003 - 预留", + "alertDialog.Severity004": "004 - 预留", + "alertDialog.Severity005": "005 - 预留", + "alertDialog.Severity006": "006 - 预留", + "alertDialog.Severity007": "007 - 通知: 状态信息", + "alertDialog.Severity008": "008 - 通知: 需要用户干预", + "alertDialog.Severity009": "009 - 用户定义", + "alertDialog.Severity010": "010 - 信息", + "alertDialog.Severity011": "011 - 未找到指定的数据库对象", + "alertDialog.Severity012": "012 - 未使用", + "alertDialog.Severity013": "013 - 用户事务语法错误", + "alertDialog.Severity014": "014 - 权限不足", + "alertDialog.Severity015": "015 - SQL 语句中的语法错误", + "alertDialog.Severity016": "016 - 其他用户错误", + "alertDialog.Severity017": "017 - 资源不足", + "alertDialog.Severity018": "018 - 非灾难性内部错误", + "alertDialog.Severity019": "019 - 资源中的灾难性错误", + "alertDialog.Severity020": "020 - 当前进程中出现灾难性错误", + "alertDialog.Severity021": "021 - 数据库进程中出现灾难性错误", + "alertDialog.Severity022": "022 - 灾难性错误: 表完整性可疑", + "alertDialog.Severity023": "023 - 灾难性错误: 数据库完整性可疑", + "alertDialog.Severity024": "024 - 灾难性错误: 硬件错误", + "alertDialog.Severity025": "025 - 灾难性错误", + "alertDialog.AllDatabases": "<所有数据库>", + "alertDialog.ExecuteJob": "执行作业", + "alertDialog.ExecuteJobName": "作业名称", + "alertDialog.NotifyOperators": "通知运算符", + "alertDialog.NewJob": "新建作业", + "alertDialog.OperatorList": "运算符列表", + "alertDialog.OperatorName": "运算符", + "alertDialog.OperatorEmail": "电子邮件", + "alertDialog.OperatorPager": "寻呼机", + "alertDialog.NewOperator": "新建运算符", + "alertDialog.IncludeErrorInEmail": "在电子邮件中包含警报错误文本", + "alertDialog.IncludeErrorInPager": "在寻呼机中包含警报错误文本", + "alertDialog.AdditionalNotification": "要发送的其他通知消息", + "alertDialog.DelayMinutes": "延迟分钟数", + "alertDialog.DelaySeconds": "延迟秒数" + }, + "dist/dialogs/operatorDialog": { + "createOperator.createOperator": "创建运算符", + "createOperator.editOperator": "编辑运算符", + "createOperator.General": "常规", + "createOperator.Notifications": "通知", + "createOperator.Name": "名称", + "createOperator.Enabled": "已启用", + "createOperator.EmailName": "电子邮件名称", + "createOperator.PagerEmailName": "寻呼机电子邮件名称", + "createOperator.PagerMondayCheckBox": "星期一", + "createOperator.PagerTuesdayCheckBox": "星期二", + "createOperator.PagerWednesdayCheckBox": "星期三", + "createOperator.PagerThursdayCheckBox": "星期四", + "createOperator.PagerFridayCheckBox": "星期五", + "createOperator.PagerSaturdayCheckBox": "星期六", + "createOperator.PagerSundayCheckBox": "星期日", + "createOperator.workdayBegin": "工作日开始", + "createOperator.workdayEnd": "工作日结束", + "createOperator.PagerDutySchedule": "寻呼机待机计划", + "createOperator.AlertListHeading": "警报列表", + "createOperator.AlertNameColumnLabel": "警报名称", + "createOperator.AlertEmailColumnLabel": "电子邮件", + "createOperator.AlertPagerColumnLabel": "寻呼机" + }, + "dist/dialogs/jobDialog": { + "jobDialog.general": "常规", + "jobDialog.steps": "步骤", + "jobDialog.schedules": "计划", + "jobDialog.alerts": "警报", + "jobDialog.notifications": "通知", + "jobDialog.blankJobNameError": "作业名称不能为空。", + "jobDialog.name": "名称", + "jobDialog.owner": "所有者", + "jobDialog.category": "类别", + "jobDialog.description": "说明", + "jobDialog.enabled": "已启用", + "jobDialog.jobStepList": "作业步骤列表", + "jobDialog.step": "步骤", + "jobDialog.type": "类型", + "jobDialog.onSuccess": "成功时", + "jobDialog.onFailure": "失败时", + "jobDialog.new": "新建步骤", + "jobDialog.edit": "编辑步骤", + "jobDialog.delete": "删除步骤", + "jobDialog.moveUp": "将步骤向上移动", + "jobDialog.moveDown": "将步骤向下移动", + "jobDialog.startStepAt": "启动步骤", + "jobDialog.notificationsTabTop": "作业完成时要执行的操作", + "jobDialog.email": "电子邮件", + "jobDialog.page": "页面", + "jobDialog.eventLogCheckBoxLabel": "写入 Windows 应用程序事件日志", + "jobDialog.deleteJobLabel": "自动删除作业", + "jobDialog.schedulesaLabel": "计划列表", + "jobDialog.pickSchedule": "选择时间表", + "jobDialog.removeSchedule": "删除计划", + "jobDialog.alertsList": "警报列表", + "jobDialog.newAlert": "新建警报", + "jobDialog.alertNameLabel": "警报名称", + "jobDialog.alertEnabledLabel": "已启用", + "jobDialog.alertTypeLabel": "类型", + "jobDialog.newJob": "新建作业", + "jobDialog.editJob": "编辑作业" + }, + "dist/data/jobData": { + "jobData.whenJobCompletes": "当作业完成时", + "jobData.whenJobFails": "当作业失败时", + "jobData.whenJobSucceeds": "当作业成功时", + "jobData.jobNameRequired": "必须提供作业名称", + "jobData.saveErrorMessage": "作业更新失败“{0}”", + "jobData.newJobErrorMessage": "作业创建失败“{0}”", + "jobData.saveSucessMessage": "已成功更新作业“{0}”", + "jobData.newJobSuccessMessage": "已成功创建作业“{0}”" + }, + "dist/data/jobStepData": { + "jobStepData.saveErrorMessage": "步骤更新失败“{0}”", + "stepData.jobNameRequired": "必须提供作业名称", + "stepData.stepNameRequired": "必须提供步骤名称" + }, + "dist/mainController": { + "mainController.notImplemented": "此功能正在开发中。如果想尝试最新的更新,请查看最新的预览体验计划内部版本。", + "agent.templateUploadSuccessful": "已成功更新模板", + "agent.templateUploadError": "模板更新失败", + "agent.unsavedFileSchedulingError": "必须先保存笔记本,然后才能进行计划。请保存,然后重试计划。", + "agent.AddNewConnection": "添加新连接", + "agent.selectConnection": "选择连接", + "agent.selectValidConnection": "请选择有效的连接" + }, + "dist/data/alertData": { + "alertData.saveErrorMessage": "警报更新失败“{0}”", + "alertData.DefaultAlertTypString": "SQL Server 事件警报", + "alertDialog.PerformanceCondition": "SQL Server 性能条件警报", + "alertDialog.WmiEvent": "WMI 事件警报" + }, + "dist/dialogs/proxyDialog": { + "createProxy.createProxy": "创建代理", + "createProxy.editProxy": "编辑代理", + "createProxy.General": "常规", + "createProxy.ProxyName": "代理名称", + "createProxy.CredentialName": "凭据名称", + "createProxy.Description": "说明", + "createProxy.SubsystemName": "子系统", + "createProxy.OperatingSystem": "操作系统(CmdExec)", + "createProxy.ReplicationSnapshot": "副本快照", + "createProxy.ReplicationTransactionLog": "复制事务日志读取器", + "createProxy.ReplicationDistributor": "副本分发服务器", + "createProxy.ReplicationMerge": "副本合并", + "createProxy.ReplicationQueueReader": "复制队列读取器", + "createProxy.SSASQueryLabel": "SQL Server Analysis Services 查询", + "createProxy.SSASCommandLabel": "SQL Server Analysis Services 命令", + "createProxy.SSISPackage": "SQL Server Integration Services 包", + "createProxy.PowerShell": "PowerShell" + }, + "dist/data/proxyData": { + "proxyData.saveErrorMessage": "代理更新失败“{0}”", + "proxyData.saveSucessMessage": "已成功更新代理“{0}”", + "proxyData.newJobSuccessMessage": "已成功创建代理“{0}”" + }, + "dist/dialogs/notebookDialog": { + "notebookDialog.newJob": "新建笔记本作业", + "notebookDialog.editJob": "编辑笔记本作业", + "notebookDialog.general": "常规", + "notebookDialog.notebookSection": "笔记本详细信息", + "notebookDialog.templateNotebook": "笔记本路径", + "notebookDialog.targetDatabase": "存储数据库", + "notebookDialog.executeDatabase": "执行数据库", + "notebookDialog.defaultDropdownString": "选择数据库", + "notebookDialog.jobSection": "作业详细信息", + "notebookDialog.name": "名称", + "notebookDialog.owner": "所有者", + "notebookDialog.schedulesaLabel": "计划列表", + "notebookDialog.pickSchedule": "选择时间表", + "notebookDialog.removeSchedule": "删除计划", + "notebookDialog.description": "说明", + "notebookDialog.templatePath": "从电脑中选择要计划的笔记本", + "notebookDialog.targetDatabaseInfo": "选择一个数据库以存储所有笔记本作业元数据和结果", + "notebookDialog.executionDatabaseInfo": "选择数据库以运行笔记本查询" + }, + "dist/data/notebookData": { + "notebookData.whenJobCompletes": "笔记本完成时", + "notebookData.whenJobFails": "笔记本失败时", + "notebookData.whenJobSucceeds": "笔记本成功时", + "notebookData.jobNameRequired": "必须提供笔记本名称", + "notebookData.templatePathRequired": "必须提供模板路径", + "notebookData.invalidNotebookPath": "笔记本路径无效", + "notebookData.selectStorageDatabase": "选择存储数据库", + "notebookData.selectExecutionDatabase": "选择执行数据库", + "notebookData.jobExists": "具有类似名称的作业已存在", + "notebookData.saveErrorMessage": "笔记本更新失败 '{0}'", + "notebookData.newJobErrorMessage": "未能创建笔记本 '{0}'", + "notebookData.saveSucessMessage": "已成功更新笔记本 '{0}'", + "notebookData.newJobSuccessMessage": "已成功创建笔记本 '{0}'" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hans/translations/extensions/azurecore.i18n.json b/i18n/ads-language-pack-zh-hans/translations/extensions/azurecore.i18n.json index dea979107c..a6e882bf3d 100644 --- a/i18n/ads-language-pack-zh-hans/translations/extensions/azurecore.i18n.json +++ b/i18n/ads-language-pack-zh-hans/translations/extensions/azurecore.i18n.json @@ -41,6 +41,7 @@ "dist/azureResource/utils": { "azure.resource.error": "错误: {0}", "azure.accounts.getResourceGroups.queryError": "为帐户 {0} ({1})订阅 {2} ({3})租户 {4} 提取资源组时出错: {5}", + "azure.accounts.getLocations.queryError": "提取帐户 {0} ({1})订阅 {2} ({3})租户 {4} 的位置时出错: {5}", "azure.accounts.runResourceQuery.errors.invalidQuery": "查询无效", "azure.accounts.getSubscriptions.queryError": "为帐户 {0} 租户 {1} 提取订阅时出错: {2}", "azure.accounts.getSelectedSubscriptions.queryError": "为帐户 {0} 提取订阅时出错: {1}" @@ -105,7 +106,7 @@ "azurecore.azureArcsqlManagedInstance": "SQL 托管实例 - Azure Arc", "azurecore.azureArcService": "数据服务 - Azure Arc", "azurecore.sqlServerArc": "SQL Server - Azure Arc", - "azurecore.azureArcPostgres": "已启用 Azure Arc 的 PostgreSQL 超大规模", + "azurecore.azureArcPostgres": "启用 Azure Arc 的 PostgreSQL 超大规模", "azure.unableToOpenAzureLink": "无法打开链接,缺少所需的值", "azure.azureResourcesGridTitle": "Azure 资源(预览)", "azurecore.invalidAzureAccount": "帐户无效", @@ -114,7 +115,7 @@ }, "dist/account-provider/auths/azureAuth": { "azureAuth.unidentifiedError": "使用 Azure 身份验证时出现不明错误", - "azure.tenantNotFound": "找不到 ID 为“{0}”的指定租户。", + "azure.tenantNotFound": "找不到带有 ID '{0}' 的指定租户。", "azure.noBaseToken": "身份验证失败,或者你的令牌已从系统中删除。请尝试再次将帐户添加到 Azure Data Studio。", "azure.responseError": "令牌检索失败,出现错误。请打开开发人员工具以查看错误", "azure.accessTokenEmpty": "未从 Microsoft OAuth 返回访问令牌", @@ -141,7 +142,9 @@ "dist/azureResource/tree/flatAccountTreeNode": { "azure.resource.tree.accountTreeNode.titleLoading": "{0} - 正在加载...", "azure.resource.tree.accountTreeNode.title": "{0} ({1}/{2} 个订阅)", - "azure.resource.tree.accountTreeNode.credentialError": "未能获取帐户 {0} 的凭据。请转到“帐户”对话框并刷新帐户。" + "azure.resource.tree.accountTreeNode.credentialError": "未能获取帐户 {0} 的凭据。请转到“帐户”对话框并刷新帐户。", + "azure.resource.throttleerror": "已限制来自此帐户的请求。要重试,请选择少量订阅。", + "azure.resource.tree.loadresourceerror": "加载 Azure 资源时出错: {0}" }, "dist/azureResource/tree/accountNotSignedInTreeNode": { "azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "登录到 Azure…" @@ -203,6 +206,9 @@ "dist/azureResource/providers/kusto/kustoTreeDataProvider": { "azure.resource.providers.KustoContainerLabel": "Azure 数据资源管理器群集" }, + "dist/azureResource/providers/azuremonitor/azuremonitorTreeDataProvider": { + "azure.resource.providers.AzureMonitorContainerLabel": "Azure Monitor Workspace" + }, "dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": { "azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Azure Database for PostgreSQL 服务器" }, diff --git a/i18n/ads-language-pack-zh-hans/translations/extensions/big-data-cluster.i18n.json b/i18n/ads-language-pack-zh-hans/translations/extensions/big-data-cluster.i18n.json index e260fb456f..9eafdad2bf 100644 --- a/i18n/ads-language-pack-zh-hans/translations/extensions/big-data-cluster.i18n.json +++ b/i18n/ads-language-pack-zh-hans/translations/extensions/big-data-cluster.i18n.json @@ -201,4 +201,4 @@ "bdc.controllerTreeDataProvider.error": "加载已保存的控制器时出现意外错误: {0}" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hans/translations/extensions/cms.i18n.json b/i18n/ads-language-pack-zh-hans/translations/extensions/cms.i18n.json new file mode 100644 index 0000000000..8aebc649c5 --- /dev/null +++ b/i18n/ads-language-pack-zh-hans/translations/extensions/cms.i18n.json @@ -0,0 +1,146 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "cms.displayName": "SQL Server 中央管理服务器", + "cms.description": "支持管理 SQL Server 中央管理服务器", + "cms.title": "中央管理服务器", + "cms.connectionProvider.displayName": "Microsoft SQL Server", + "cms.resource.explorer.title": "中央管理服务器", + "cms.resource.refresh.title": "刷新", + "cms.resource.refreshServerGroup.title": "刷新服务器组", + "cms.resource.deleteRegisteredServer.title": "删除", + "cms.resource.addRegisteredServer.title": "新建服务器注册…", + "cms.resource.deleteServerGroup.title": "删除", + "cms.resource.addServerGroup.title": "新建服务器组…", + "cms.resource.registerCmsServer.title": "添加中央管理服务器", + "cms.resource.deleteCmsServer.title": "删除", + "cms.configuration.title": "MSSQL 配置", + "cms.query.displayBitAsNumber": "是否应将 BIT 列显示为数字(1 或 0)? 若否,则 BIT 列将显示为 \"true\" 或 \"false\"", + "cms.format.alignColumnDefinitionsInColumns": "列定义是否应对齐?", + "cms.format.datatypeCasing": "数据类型应格式化为大写、小写还是无(不格式化)", + "cms.format.keywordCasing": "关键字应格式化为大写、小写还是无(不格式化)", + "cms.format.placeCommasBeforeNextStatement": "是否应将逗号置于列表中每个语句的开头(例如 \", mycolumn2\")而不是结尾(例如 \"mycolumn1,\")", + "cms.format.placeSelectStatementReferencesOnNewLine": "select 语句中的对象引用是否应分到不同行中? 例如,在 \"SELECT C1, C2 FROM T1\" 中,C1 和 C2 是否将位于不同行", + "cms.logDebugInfo": "[可选] 将调试输出记录到控制台(“查看”->“输出”),然后从下拉列表中选择相应的输出通道", + "cms.tracingLevel": "[可选] 后端服务的日志级别。Azure Data Studio 在每次启动时都会生成文件名;如果文件已存在,日志条目将追加到该文件。有关旧日志文件的清理,请参阅 logRetentionMinutes 和 logFilesRemovalLimit 设置。默认 tracingLevel 记录的内容很少。更改详细级别可能提升日志的记录和磁盘空间要求。“错误”包含“严重”,“警告”包含“错误”,“信息”包含“警告”,“详细级别”包含“信息”", + "cms.logRetentionMinutes": "将后端服务的日志文件保留的时长(分钟数)。默认为 1 周。", + "cms.logFilesRemovalLimit": "启动时要删除的已超过 mssql.logRetentionMinutes 的旧文件的最大数量。将在下次启动 Azure Data Studio 时清理由于此限制而未清理的文件。", + "ignorePlatformWarning": "[可选] 不显示不受支持的平台警告", + "onprem.databaseProperties.recoveryModel": "恢复模式", + "onprem.databaseProperties.lastBackupDate": "上次数据库备份", + "onprem.databaseProperties.lastLogBackupDate": "上次日志备份", + "onprem.databaseProperties.compatibilityLevel": "兼容级别", + "onprem.databaseProperties.owner": "所有者", + "onprem.serverProperties.serverVersion": "版本", + "onprem.serverProperties.serverEdition": "版本", + "onprem.serverProperties.machineName": "计算机名", + "onprem.serverProperties.osVersion": "OS 版本", + "cloud.databaseProperties.azureEdition": "版本", + "cloud.databaseProperties.serviceLevelObjective": "定价层", + "cloud.databaseProperties.compatibilityLevel": "兼容级别", + "cloud.databaseProperties.owner": "所有者", + "cloud.serverProperties.serverVersion": "版本", + "cloud.serverProperties.serverEdition": "类型", + "cms.provider.displayName": "Microsoft SQL Server", + "cms.connectionOptions.connectionName.displayName": "名称(可选)", + "cms.connectionOptions.connectionName.description": "连接的自定义名称", + "cms.connectionOptions.serverName.displayName": "服务器", + "cms.connectionOptions.serverName.description": "SQL Server 实例的名称", + "cms.connectionOptions.serverDescription.displayName": "服务器描述", + "cms.connectionOptions.serverDescription.description": "SQL Server 实例的说明", + "cms.connectionOptions.authType.displayName": "身份验证类型", + "cms.connectionOptions.authType.description": "指定使用 SQL Server 进行身份验证的方法", + "cms.connectionOptions.authType.categoryValues.sqlLogin": "SQL 登录", + "cms.connectionOptions.authType.categoryValues.integrated": "Windows 身份验证", + "cms.connectionOptions.authType.categoryValues.azureMFA": "Azure Active Directory - 支持 MFA 的通用目录", + "cms.connectionOptions.userName.displayName": "用户名", + "cms.connectionOptions.userName.description": "指示连接到数据源时使用的用户 ID", + "cms.connectionOptions.password.displayName": "密码", + "cms.connectionOptions.password.description": "指示连接到数据源时使用的密码", + "cms.connectionOptions.applicationIntent.displayName": "应用意图", + "cms.connectionOptions.applicationIntent.description": "声明连接到服务器时的应用程序工作负荷类型", + "cms.connectionOptions.asynchronousProcessing.displayName": "异步处理", + "cms.connectionOptions.asynchronousProcessing.description": "如果为 true,则允许在 .Net Framework 数据提供程序中使用异步功能", + "cms.connectionOptions.connectTimeout.displayName": "连接超时", + "cms.connectionOptions.connectTimeout.description": "在终止尝试并生成错误之前等待连接到服务器的时长(秒)", + "cms.connectionOptions.currentLanguage.displayName": "当前语言", + "cms.connectionOptions.currentLanguage.description": "SQL Server 语言记录名称", + "cms.connectionOptions.columnEncryptionSetting.displayName": "列加密", + "cms.connectionOptions.columnEncryptionSetting.description": "针对连接的所有命令的默认列加密设置", + "cms.connectionOptions.encrypt.displayName": "加密", + "cms.connectionOptions.encrypt.description": "当为 true 时,如果服务器安装了证书,则 SQL Server 对客户端与服务器之间发送的所有数据使用 SSL 加密", + "cms.connectionOptions.persistSecurityInfo.displayName": "持久安全信息", + "cms.connectionOptions.persistSecurityInfo.description": "为 false 时,安全敏感信息(如密码)不作为连接的一部分返回", + "cms.connectionOptions.trustServerCertificate.displayName": "信任服务器证书", + "cms.connectionOptions.trustServerCertificate.description": "为 true(且 encrypt=true)时,SQL Server 对客户端与服务器之间发送的所有数据使用 SSL 加密,而无需验证服务器证书", + "cms.connectionOptions.attachedDBFileName.displayName": "附加的 DB 文件名", + "cms.connectionOptions.attachedDBFileName.description": "可附加数据库的主文件的名称(包括完整路径名称)", + "cms.connectionOptions.contextConnection.displayName": "上下文连接", + "cms.connectionOptions.contextConnection.description": "为 true 时,指示连接应来自 SQL Server 上下文。仅在 SQL Server 进程中运行时可用", + "cms.connectionOptions.port.displayName": "端口", + "cms.connectionOptions.connectRetryCount.displayName": "连接重试次数", + "cms.connectionOptions.connectRetryCount.description": "尝试还原连接的次数", + "cms.connectionOptions.connectRetryInterval.displayName": "连接重试间隔", + "cms.connectionOptions.connectRetryInterval.description": "两次尝试恢复连接之间的延迟", + "cms.connectionOptions.applicationName.displayName": "应用程序名称", + "cms.connectionOptions.applicationName.description": "应用程序的名称", + "cms.connectionOptions.workstationId.displayName": "工作站 ID", + "cms.connectionOptions.workstationId.description": "连接到 SQL Server 的工作站的名称", + "cms.connectionOptions.pooling.displayName": "池", + "cms.connectionOptions.pooling.description": "为 true 时,从相应的池中取出连接对象,或根据需要创建连接对象并将其添加到相应的池中", + "cms.connectionOptions.maxPoolSize.displayName": "最大池大小", + "cms.connectionOptions.maxPoolSize.description": "池中允许的最大连接数", + "cms.connectionOptions.minPoolSize.displayName": "最小池大小", + "cms.connectionOptions.minPoolSize.description": "池中允许的最小连接数", + "cms.connectionOptions.loadBalanceTimeout.displayName": "负载均衡超时", + "cms.connectionOptions.loadBalanceTimeout.description": "此连接在销毁前在池中生存的最短时间(秒)", + "cms.connectionOptions.replication.displayName": "副本", + "cms.connectionOptions.replication.description": "由 SQL Server 在复制中使用", + "cms.connectionOptions.attachDbFilename.displayName": "附加 DB 文件名", + "cms.connectionOptions.failoverPartner.displayName": "故障转移伙伴", + "cms.connectionOptions.failoverPartner.description": "充当故障转移伙伴的 SQL Server 实例的名称或网络地址", + "cms.connectionOptions.multiSubnetFailover.displayName": "多子网故障转移", + "cms.connectionOptions.multipleActiveResultSets.displayName": "多重活动结果集", + "cms.connectionOptions.multipleActiveResultSets.description": "为 true 时,可从一个连接返回和读取多个结果集", + "cms.connectionOptions.packetSize.displayName": "数据包大小", + "cms.connectionOptions.packetSize.description": "用于与 SQL Server 实例通信的网络数据包的大小(字节数)", + "cms.connectionOptions.typeSystemVersion.displayName": "类型系统版本", + "cms.connectionOptions.typeSystemVersion.description": "指示提供程序将通过 DataReader 公开的服务器类型系统" + }, + "dist/cmsResource/tree/cmsResourceTreeNode": { + "cms.resource.cmsResourceTreeNode.noResourcesLabel": "未找到资源" + }, + "dist/cmsResource/tree/cmsResourceEmptyTreeNode": { + "cms.resource.tree.CmsTreeNode.addCmsServerLabel": "添加中央管理服务器…" + }, + "dist/cmsResource/tree/treeProvider": { + "cms.resource.tree.treeProvider.loadError": "加载已保存的服务器时出现意外错误 {0}", + "cms.resource.tree.treeProvider.loadingLabel": "正在加载…" + }, + "dist/cmsResource/cmsResourceCommands": { + "cms.errors.sameCmsServerName": "中央管理服务器组已具有名称为 {0} 的注册服务器", + "cms.errors.azureNotAllowed": "无法将 Azure SQL Server 用作中央管理服务器", + "cms.confirmDeleteServer": "确定要删除吗", + "cms.yes": "是", + "cms.no": "否", + "cms.AddServerGroup": "添加服务器组", + "cms.OK": "确定", + "cms.Cancel": "取消", + "cms.ServerGroupName": "服务器组名称", + "cms.ServerGroupDescription": "服务器组说明", + "cms.errors.sameServerGroupName": "{0} 已具有名称为 {1} 的服务器组", + "cms.confirmDeleteGroup": "确定要删除吗" + }, + "dist/cmsUtils": { + "cms.errors.sameServerUnderCms": "不能添加与配置服务器同名的共享注册服务器" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hans/translations/extensions/dacpac.i18n.json b/i18n/ads-language-pack-zh-hans/translations/extensions/dacpac.i18n.json new file mode 100644 index 0000000000..6d9ca5eef9 --- /dev/null +++ b/i18n/ads-language-pack-zh-hans/translations/extensions/dacpac.i18n.json @@ -0,0 +1,78 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "dacFx.settings": "数据层应用程序包", + "dacFx.defaultSaveLocation": "文件夹的完整路径,其中已默认保存 .DACPAC 和 .BACPAC 文件" + }, + "dist/localizedConstants": { + "dacFx.targetServer": "目标服务器", + "dacFx.sourceServer": "源服务器", + "dacFx.sourceDatabase": "源数据库", + "dacFx.targetDatabase": "目标数据库", + "dacfx.fileLocation": "文件位置", + "dacfx.selectFile": "选择文件", + "dacfx.summaryTableTitle": "设置摘要", + "dacfx.version": "版本", + "dacfx.setting": "设置", + "dacfx.value": "值", + "dacFx.databaseName": "数据库名称", + "dacFxDeploy.openFile": "打开", + "dacFx.upgradeExistingDatabase": "升级现有数据库", + "dacFx.newDatabase": "新建数据库", + "dacfx.dataLossTextWithCount": "列出的部署操作中有 {0} 个可能导致数据丢失。请确保在部署出现问题时有备份或快照可用。", + "dacFx.proceedDataLoss": "尽管可能会丢失数据,仍要继续", + "dacfx.noDataLoss": "列出的部署操作不会导致数据丢失。", + "dacfx.dataLossText": "部署操作可能导致数据丢失。请确保在部署出现问题时有备份或快照可用。", + "dacfx.operation": "操作", + "dacfx.operationTooltip": "部署过程中将发生的操作(创建、更改、删除)", + "dacfx.type": "类型", + "dacfx.typeTooltip": "将受部署影响的对象类型", + "dacfx.object": "对象", + "dacfx.objecTooltip": "将受部署影响的对象的名称", + "dacfx.dataLoss": "数据丢失", + "dacfx.dataLossTooltip": "可能导致数据丢失的操作标有警告符号", + "dacfx.save": "保存", + "dacFx.versionText": "版本(采用 x.x.x.x 格式,x 表示数字)", + "dacFx.deployDescription": "将数据层应用程序 .dacpac 文件部署到 SQL Server 的实例 [部署 Dacpac]", + "dacFx.extractDescription": "将数据层应用程序从 SQL Server 实例提取到 .dacpac 文件 [提取 Dacpac]", + "dacFx.importDescription": "由 .bacpac 文件创建数据库 [导入 Bacpac]", + "dacFx.exportDescription": "将架构和数据从数据库导出到逻辑 .bacpac 文件格式 [导出 Bacpac]", + "dacfx.wizardTitle": "数据层应用程序向导", + "dacFx.selectOperationPageName": "选择操作", + "dacFx.deployConfigPageName": "选择“部署 Dacpac 设置”", + "dacFx.deployPlanPageName": "查看部署计划", + "dacFx.summaryPageName": "摘要", + "dacFx.extractConfigPageName": "选择“提取 Dacpac 设置”", + "dacFx.importConfigPageName": "选择“导入 Bacpac 设置”", + "dacFx.exportConfigPageName": "选择“导出 Bacpac 设置”", + "dacFx.deployButton": "部署", + "dacFx.extract": "提取", + "dacFx.import": "导入", + "dacFx.export": "导出", + "dacFx.generateScriptButton": "生成脚本", + "dacfx.scriptGeneratingMessage": "关闭向导后,可在任务视图中查看脚本生成的状态。生成的脚本将在完成后打开。", + "dacfx.default": "默认", + "dacfx.deployPlanTableTitle": "部署计划操作", + "dacfx.databaseNameExistsErrorMessage": "SQL Server 实例上已经存在同名数据库。", + "dacfx.undefinedFilenameErrorMessage": "未定义名称", + "dacfx.filenameEndingInPeriodErrorMessage": "文件名不能以句号结尾", + "dacfx.whitespaceFilenameErrorMessage": "文件名不能为空白", + "dacfx.invalidFileCharsErrorMessage": "无效的文件字符", + "dacfx.reservedWindowsFilenameErrorMessage": "此文件名保留供 Windows 使用。请选择其他名称,然后重试", + "dacfx.reservedValueErrorMessage": "文件名已保留。请选择其他名称,然后重试", + "dacfx.trailingWhitespaceErrorMessage": "文件名不能以空格结尾", + "dacfx.tooLongFilenameErrorMessage": "文件名超过 255 个字符", + "dacfx.deployPlanErrorMessage": "生成部署计划失败“{0}”", + "dacfx.generateDeployErrorMessage": "生成部署脚本失败 '{0}'", + "dacfx.operationErrorMessage": "{0} 操作失败“{1}”" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hans/translations/extensions/import.i18n.json b/i18n/ads-language-pack-zh-hans/translations/extensions/import.i18n.json new file mode 100644 index 0000000000..74be6843df --- /dev/null +++ b/i18n/ads-language-pack-zh-hans/translations/extensions/import.i18n.json @@ -0,0 +1,66 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "flatfileimport.configuration.title": "平面文件导入配置", + "flatfileimport.logDebugInfo": "[可选] 将调试输出记录到控制台(“查看”->“输出”),然后从下拉列表中选择相应的输出通道" + }, + "out/services/serviceClient": { + "serviceStarted": "{0} 已启动", + "serviceStarting": "正在启动 {0}", + "flatFileImport.serviceStartFailed": "未能启动 {0}: {1}", + "installingServiceDetailed": "正在将 {0} 安装到 {1}", + "installingService": "正在安装 {0} 服务", + "serviceInstalled": "安装于 {0}", + "downloadingService": "正在下载 {0}", + "downloadingServiceSize": "({0} KB)", + "downloadingServiceStatus": "正在下载 {0}", + "downloadingServiceComplete": "{0} 下载完毕", + "entryExtractedChannelMsg": "已提取 {0} ({1}/{2})" + }, + "out/common/constants": { + "import.serviceCrashButton": "提供反馈", + "serviceCrashMessage": "服务组件无法启动", + "flatFileImport.serverDropdownTitle": "数据库所在的服务器", + "flatFileImport.databaseDropdownTitle": "创建表的数据库", + "flatFile.InvalidFileLocation": "文件位置无效。请尝试其他输入文件", + "flatFileImport.browseFiles": "浏览", + "flatFileImport.openFile": "打开", + "flatFileImport.fileTextboxTitle": "要导入的文件的位置", + "flatFileImport.tableTextboxTitle": "新建表名", + "flatFileImport.schemaTextboxTitle": "表架构", + "flatFileImport.importData": "导入数据", + "flatFileImport.next": "下一步", + "flatFileImport.columnName": "列名", + "flatFileImport.dataType": "数据类型", + "flatFileImport.primaryKey": "主键", + "flatFileImport.allowNulls": "允许 Null", + "flatFileImport.prosePreviewMessage": "此操作分析了输入文件的结构并生成了下方的前 50 行预览。", + "flatFileImport.prosePreviewMessageFail": "此操作不成功。请尝试其他输入文件。", + "flatFileImport.refresh": "刷新", + "flatFileImport.importInformation": "导入信息", + "flatFileImport.importStatus": "导入状态", + "flatFileImport.serverName": "服务器名称", + "flatFileImport.databaseName": "数据库名称", + "flatFileImport.tableName": "表名", + "flatFileImport.tableSchema": "表架构", + "flatFileImport.fileImport": "要导入的文件", + "flatFileImport.success.norows": "✔ 已成功将数据插入表中。", + "import.needConnection": "请在使用此向导之前连接到服务器。", + "import.needSQLConnection": "SQL Server 导入扩展不支持此类连接", + "flatFileImport.wizardName": "导入平面文件向导", + "flatFileImport.page1Name": "指定输入文件", + "flatFileImport.page2Name": "预览数据", + "flatFileImport.page3Name": "修改列", + "flatFileImport.page4Name": "摘要", + "flatFileImport.importNewFile": "导入新文件" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hans/translations/extensions/notebook.i18n.json b/i18n/ads-language-pack-zh-hans/translations/extensions/notebook.i18n.json index f3a725ed56..7b2d2ee6a1 100644 --- a/i18n/ads-language-pack-zh-hans/translations/extensions/notebook.i18n.json +++ b/i18n/ads-language-pack-zh-hans/translations/extensions/notebook.i18n.json @@ -14,6 +14,8 @@ "notebook.configuration.title": "笔记本配置", "notebook.pythonPath.description": "笔记本使用的 python 安装的本地路径。", "notebook.useExistingPython.description": "笔记本使用的预先存在的 python 安装的本地路径。", + "notebook.dontPromptPythonUpdate.description": "不显示更新 Python 的提示。", + "notebook.jupyterServerShutdownTimeout.description": "在关闭所有笔记本后关闭服务器之前等待的时间 (以分钟为单位)。(输入 0 则不关闭)", "notebook.overrideEditorTheming.description": "覆盖笔记本编辑器中的编辑器默认设置。设置包括背景色、当前线条颜色和边框", "notebook.maxTableRows.description": "笔记本编辑器中每个表返回的最大行数", "notebook.trustedBooks.description": "包含在这些工作簿中的笔记本将自动受信任。", @@ -21,6 +23,7 @@ "notebook.collapseBookItems.description": "在笔记本 Viewlet 的根级别折叠工作簿项", "notebook.remoteBookDownloadTimeout.description": "GitHub 工作簿下载超时时间(毫秒)", "notebook.pinnedNotebooks.description": "用户为当前工作区固定的笔记本", + "notebook.allowRoot.description": "Allow Jupyter server to run as root user", "notebook.command.new": "新建笔记本", "notebook.command.open": "打开笔记本", "notebook.analyzeJupyterNotebook": "在笔记本中分析", @@ -43,18 +46,21 @@ "title.managePackages": "管理包", "title.SQL19PreviewBook": "SQL Server 2019 指南", "books-preview-category": "Jupyter 书籍", - "title.saveJupyterBook": "保存书籍", - "title.trustBook": "信任工作簿", - "title.searchJupyterBook": "搜索书籍", + "title.saveJupyterBook": "保存 Jupyter Book", + "title.trustBook": "信任 Jupyter Book", + "title.searchJupyterBook": "搜索 Jupyter Book", "title.SavedBooks": "笔记本", - "title.ProvidedBooks": "提供的工作簿", + "title.ProvidedBooks": "提供的 Jupyter Book", "title.PinnedBooks": "固定的笔记本", "title.PreviewLocalizedBook": "获取本地化 SQL Server 2019 指南", "title.openJupyterBook": "打开 Jupyter Book", "title.closeJupyterBook": "关闭 Jupyter Book", - "title.closeJupyterNotebook": "关闭 Jupyter Notebook", + "title.closeNotebook": "关闭笔记本", + "title.removeNotebook": "移除笔记本", + "title.addNotebook": "添加笔记本", + "title.addMarkdown": "添加 Markdown 文件", "title.revealInBooksViewlet": "在工作簿中展示", - "title.createJupyterBook": "创建工作簿(预览)", + "title.createJupyterBook": "创建 Jupyter Book", "title.openNotebookFolder": "在文件夹中打开笔记本", "title.openRemoteJupyterBook": "添加远程 Jupyter Book", "title.pinNotebook": "固定笔记本", @@ -77,74 +83,84 @@ "providerNotValidError": "Spark 内核不支持非 MSSQL 提供程序。", "allFiles": "所有文件", "labelSelectFolder": "选择文件夹", - "labelBookFolder": "选择工作簿", + "labelBookFolder": "选择 Jupyter Book", "confirmReplace": "文件夹已存在。确定要删除并替换此文件夹吗?", "openNotebookCommand": "打开笔记本", "openMarkdownCommand": "打开 Markdown", "openExternalLinkCommand": "打开外部链接", - "msgBookTrusted": "工作簿现在在工作区中受信任。", - "msgBookAlreadyTrusted": "此工作区中的工作簿受信任。", - "msgBookUntrusted": "此工作区中的工作簿不再受信任", - "msgBookAlreadyUntrusted": "此工作区中的工作簿不受信任。", - "msgBookPinned": "现已在工作区中固定工作簿 {0}。", - "msgBookUnpinned": "工作簿 {0} 不再固定在此工作区中", - "bookInitializeFailed": "未能在指定的工作簿中找到目录文件。", - "noBooksSelected": "当前未在 Viewlet 中选择任何工作簿。", - "labelBookSection": "选择工作簿部分", + "msgBookTrusted": "现在,此工作区信任 Jupyter Book。", + "msgBookAlreadyTrusted": "此工作区已信任 Jupyter Book。", + "msgBookUntrusted": "此工作区不再信任 Jupyter Book", + "msgBookAlreadyUntrusted": "此工作区已不信任 Jupyter Book。", + "msgBookPinned": "现在,Jupyter Book {0} 固定在此工作区。", + "msgBookUnpinned": "Jupyter Book {0} 不再固定在此工作区", + "bookInitializeFailed": "在指定 Jupyter Book 中找不到目录文件。", + "noBooksSelected": "当前,Viewlet 中未选中任何 Jupyter Book。", + "labelBookSection": "选择 Jupyter Book 部分", "labelAddToLevel": "添加到此级别", "missingFileError": "缺少文件: {1} 中的 {0}", "InvalidError.tocFile": "toc 文件无效", "Invalid toc.yml": "错误: {0} 包含不正确的 toc.yml 文件", "configFileError": "缺少配置文件", - "openBookError": "打开书籍 {0} 失败: {1}", - "readBookError": "未能读取工作簿 {0}: {1}", + "openBookError": "打开 Jupyter Book {0} 失败: {1}", + "readBookError": "无法读取 Jupyter Book {0}: {1}", "openNotebookError": "打开笔记本 {0} 失败: {1}", "openMarkdownError": "打开 markdown {0} 失败: {1}", "openUntitledNotebookError": "以无标题形式打开无标题笔记本 {0} 失败: {1}", "openExternalLinkError": "打开链接 {0} 失败: {1}", - "closeBookError": "关闭工作簿 {0} 失败: {1}", + "closeBookError": "关闭 Jupyter Book {0} 失败: {1}", "duplicateFileError": "文件 {0} 已在目标文件夹 {1} 中\r\n 此文件已重命名为 {2},以防数据丢失。", - "editBookError": "编辑工作簿 {0} 时出错: {1}", - "selectBookError": "选择要编辑的工作簿或部分时出错: {0}", + "editBookError": "编辑 Jupyter Book {0} 时出错: {1}", + "selectBookError": "选择要编辑的 Jupyter Book 或部分时出错: {0}", + "sectionNotFound": "找不到 {1} 中的 {0} 部分。", "url": "URL", "repoUrl": "存储库 URL", "location": "位置", - "addRemoteBook": "添加远程工作簿", + "addRemoteBook": "添加远程 Jupyter Book", "onGitHub": "GitHub", "onsharedFile": "共享文件", "releases": "版本", - "book": "工作簿", + "book": "Jupyter Book", "version": "版本", "language": "语言", - "booksNotFound": "提供的链接当前没有工作簿可用", + "booksNotFound": "当前,提供的链接中无可用 Jupyter Book", "urlGithubError": "提供的 URL 不是 Github 发布 URL", "search": "搜索", "add": "添加", "close": "关闭", "invalidTextPlaceholder": "-", - "msgRemoteBookDownloadProgress": "正在下载远程工作簿", - "msgRemoteBookDownloadComplete": "远程工作簿下载已完成", - "msgRemoteBookDownloadError": "下载远程工作簿时出错", - "msgRemoteBookUnpackingError": "解压缩远程工作簿时出错", - "msgRemoteBookDirectoryError": "创建远程工作簿目录时出错", - "msgTaskName": "正在下载远程工作簿", + "msgRemoteBookDownloadProgress": "正在下载远程 Jupyter Book", + "msgRemoteBookDownloadComplete": "已下载远程 Jupyter Book", + "msgRemoteBookDownloadError": "下载远程 Jupyter Book 时出错", + "msgRemoteBookUnpackingError": "解压缩远程 Jupyter Book 时出错", + "msgRemoteBookDirectoryError": "创建远程 Jupyter Book 目录时出错", + "msgTaskName": "下载远程 Jupyter Book", "msgResourceNotFound": "找不到资源", - "msgBookNotFound": "找不到工作簿", + "msgBookNotFound": "找不到 Jupyter Book", "msgReleaseNotFound": "找不到版本", - "msgUndefinedAssetError": "所选工作簿无效", + "msgUndefinedAssetError": "选中的 Jupyter Book 无效", "httpRequestError": "HTTP 请求失败,出现错误: {0} {1}", "msgDownloadLocation": "正在下载到 {0}", - "newGroup": "新建组", - "groupDescription": "分组用于整理笔记本。", - "locationBrowser": "浏览位置...", - "selectContentFolder": "选择内容文件夹", + "newBook": "新 Jupyter 书籍(预览)", + "bookDescription": "Jupyter 书籍用于整理笔记本。", + "learnMore": "了解详细信息。", + "contentFolder": "内容文件夹", "browse": "浏览", "create": "创建", "name": "名称", "saveLocation": "保存位置", - "contentFolder": "内容文件夹(可选)", + "contentFolderOptional": "内容文件夹(可选)", "msgContentFolderError": "内容文件夹路径不存在", - "msgSaveFolderError": "保存位置路径不存在" + "msgSaveFolderError": "保存位置路径不存在。", + "msgCreateBookWarningMsg": "尝试访问时出错: {0}", + "newNotebook": "新笔记本(预览)", + "newMarkdown": "新建 Markdown (预览)", + "fileExtension": "文件扩展名", + "confirmOverwrite": "文件已存在。是否确实要覆盖此文件?", + "title": "标题", + "fileName": "文件名", + "msgInvalidSaveFolder": "保存位置路径无效。", + "msgDuplicadFileName": "目标文件夹中已存在文件 {0}" }, "dist/jupyter/jupyterServerInstallation": { "msgInstallPkgProgress": "正在安装笔记本依赖项", @@ -159,10 +175,16 @@ "msgInstallPkgFinish": "笔记本依赖项安装完毕", "msgPythonRunningError": "在 Python 运行时无法覆盖现有 Python 安装。请关闭所有活动笔记本,再继续操作。", "msgWaitingForInstall": "另一个 Python 安装正在进行中。请等待它完成。", + "msgShutdownNotebookSessions": "将关闭活动 Python 笔记本会话以进行更新。是否要立即继续?", + "msgPythonVersionUpdatePrompt": "Python {0} 现已在 Azure Data Studio 中提供。当前 Python 版本 (3.6.6) 将于 2021 年 12 月不再受支持。是否要立即更新到 Python {0}?", + "msgPythonVersionUpdateWarning": "将安装 Python {0} ,并将替换 Python 3.6.6。某些包可能不再与新版本兼容,或者可能需要重新安装。将创建一个笔记本来帮助你重新安装所有 pip 包。是否要立即继续更新?", "msgDependenciesInstallationFailed": "安装笔记本依赖项失败,错误: {0}", "msgDownloadPython": "正在将平台 {0} 的本地 python 下载到 {1}", "msgPackageRetrievalFailed": "尝试检索已安装的包列表时遇到错误: {0}", - "msgGetPythonUserDirFailed": "获取 Python 用户路径时遇到错误: {0}" + "msgGetPythonUserDirFailed": "获取 Python 用户路径时遇到错误: {0}", + "yes": "是", + "no": "否", + "dontAskAgain": "不再询问" }, "dist/dialog/configurePython/configurePythonWizard": { "configurePython.okButtonText": "安装", @@ -270,7 +292,7 @@ }, "dist/protocol/notebookUriHandler": { "notebook.unsupportedAction": "此处理程序不支持操作 {0}", - "unsupportedScheme": "无法打开链接 {0},因为仅支持 HTTP 和 HTTPS 链接", + "unsupportedScheme": "无法打开链接 {0} 因为仅支持 HTTP、HTTPS、文件链接", "notebook.confirmOpen": "是否下载并打开“{0}”?", "notebook.fileNotFound": "未找到指定的文件", "notebook.fileDownloadError": "文件打开请求失败,出现错误: {0} {1}" diff --git a/i18n/ads-language-pack-zh-hans/translations/extensions/profiler.i18n.json b/i18n/ads-language-pack-zh-hans/translations/extensions/profiler.i18n.json new file mode 100644 index 0000000000..f6cd9bad2c --- /dev/null +++ b/i18n/ads-language-pack-zh-hans/translations/extensions/profiler.i18n.json @@ -0,0 +1,23 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/profilerCreateSessionDialog": { + "createSessionDialog.cancel": "取消", + "createSessionDialog.create": "开始", + "createSessionDialog.title": "启动新的探查器会话", + "createSessionDialog.templatesInvalid": "模板列表无效,无法打开对话", + "createSessionDialog.dialogOwnerInvalid": "对话所有者无效,无法打开对话", + "createSessionDialog.invalidProviderType": "提供程序类型无效,无法打开对话", + "createSessionDialog.selectTemplates": "选择会话模板:", + "createSessionDialog.enterSessionName": "输入会话名称:", + "createSessionDialog.createSessionFailed": "未能创建会话" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hans/translations/extensions/resource-deployment.i18n.json b/i18n/ads-language-pack-zh-hans/translations/extensions/resource-deployment.i18n.json index 1afdf58956..91dc75bc7c 100644 --- a/i18n/ads-language-pack-zh-hans/translations/extensions/resource-deployment.i18n.json +++ b/i18n/ads-language-pack-zh-hans/translations/extensions/resource-deployment.i18n.json @@ -103,6 +103,10 @@ "azdataEulaNotAccepted": "部署无法继续。Azure 数据 CLI 许可条款尚未被接受。请接受 EULA 以启用需要 Azure 数据 CLI 的功能。", "azdataEulaDeclined": "部署无法继续。Azure 数据 CLI 许可条款被拒绝。你可以接受 EULA 以继续,也可以取消此操作", "deploymentDialog.RecheckEulaButton": "接受 EULA 并选择", + "resourceDeployment.extensionRequiredPrompt": "部署此资源需要“{0}”扩展,现在是否希望安装此扩展?", + "resourceDeployment.install": "安装", + "resourceDeployment.installingExtension": "正在安装扩展“{0}”...", + "resourceDeployment.unknownExtension": "未知扩展“{0}”", "resourceTypePickerDialog.title": "选择部署选项", "resourceTypePickerDialog.resourceSearchPlaceholder": "筛选资源...", "resourceTypePickerDialog.tagsListViewTitle": "类别", @@ -264,7 +268,6 @@ "notebookType": "笔记本类型" }, "dist/main": { - "resourceDeployment.FailedToLoadExtension": "未能加载扩展: {0},在 package.json 的资源类型定义中检测到错误,请查看调试控制台以了解详细信息。", "resourceDeployment.UnknownResourceType": "未定义资源类型: {0}" }, "dist/services/notebookService": { @@ -562,8 +565,8 @@ }, "dist/ui/toolsAndEulaSettingsPage": { "notebookWizard.toolsAndEulaPageTitle": "部署先决条件", - "deploymentDialog.FailedEulaValidation": "若要继续,必须接受最终用户许可协议(EULA)条款", "deploymentDialog.FailedToolsInstallation": "仍未发现某些工具。请确保它们已安装,正在运行且可发现", + "deploymentDialog.FailedEulaValidation": "若要继续,必须接受最终用户许可协议(EULA)条款", "deploymentDialog.loadingRequiredToolsCompleted": "所需工具信息加载已完成", "deploymentDialog.loadingRequiredTools": "正在加载所需的工具信息", "resourceDeployment.AgreementTitle": "接受使用条款", @@ -605,18 +608,9 @@ "dist/services/tools/azdataTool": { "resourceDeployment.AzdataDescription": "Azure 数据命令行界面", "resourceDeployment.AzdataDisplayName": "Azure 数据 CLI", + "deploy.azdataExtMissing": "必须安装 Azure Data CLI 以部署此资源。请通过扩展库安装,然后重试。", "deployCluster.GetToolVersionErrorInformation": "检索版本信息时出错。有关详细信息,请参阅输出通道“{0}”", - "deployCluster.GetToolVersionError": "检索版本信息时出错。{0}收到无效输出,获取版本命令输出:“{1}”", - "resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "正在删除以前下载的 Azdata.msi (如果存在)…", - "resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "正在下载 Azdata.msi 并安装 azdata-cli…", - "resourceDeployment.Azdata.DisplayingInstallationLog": "正在显示安装日志…", - "resourceDeployment.Azdata.TappingBrewRepository": "正在访问 azdata-cli 的 brew 存储库…", - "resourceDeployment.Azdata.UpdatingBrewRepository": "正在更新 azdata-cli 安装的 brew 存储库…", - "resourceDeployment.Azdata.InstallingAzdata": "正在安装 azdata…", - "resourceDeployment.Azdata.AptGetUpdate": "正在更新存储库信息…", - "resourceDeployment.Azdata.AptGetPackages": "正在获取 azdata 安装所需的包…", - "resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "正在下载并安装 azdata 的签名密钥…", - "resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "正在添加 azdata 存储库信息…" + "deployCluster.GetToolVersionError": "检索版本信息时出错。{0}收到无效输出,获取版本命令输出:“{1}”" }, "dist/services/tools/azdataToolOld": { "resourceDeployment.AzdataDescription": "Azure 数据命令行界面", @@ -636,4 +630,4 @@ "deploymentDialog.deploymentOptions": "部署选项" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hans/translations/extensions/schema-compare.i18n.json b/i18n/ads-language-pack-zh-hans/translations/extensions/schema-compare.i18n.json new file mode 100644 index 0000000000..a732104a09 --- /dev/null +++ b/i18n/ads-language-pack-zh-hans/translations/extensions/schema-compare.i18n.json @@ -0,0 +1,319 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "displayName": "SQL Server 架构比较", + "description": "Azure Data Studio 的 SQL Server 架构比较支持对数据库和 dacpacs 的架构进行比较。", + "schemaCompare.start": "架构比较" + }, + "dist/localizedConstants": { + "schemaCompareDialog.ok": "确定", + "schemaCompareDialog.cancel": "取消", + "schemaCompareDialog.SourceTitle": "源", + "schemaCompareDialog.TargetTitle": "目标", + "schemaCompareDialog.fileTextBoxLabel": "文件", + "schemaCompare.dacpacRadioButtonLabel": "数据层应用程序文件(.dacpac)", + "schemaCompare.databaseButtonLabel": "数据库", + "schemaCompare.radioButtonsLabel": "类型", + "schemaCompareDialog.serverDropdownTitle": "服务器", + "schemaCompareDialog.databaseDropdownTitle": "数据库", + "schemaCompare.dialogTitle": "架构比较", + "schemaCompareDialog.differentSourceMessage": "已选择其他源架构。是否进行比较以查看比较结果?", + "schemaCompareDialog.differentTargetMessage": "已选择其他目标架构。是否进行比较以查看比较结果?", + "schemaCompareDialog.differentSourceTargetMessage": "已选择其他源和目标架构。是否进行比较以查看比较结果?", + "schemaCompareDialog.Yes": "是", + "schemaCompareDialog.No": "否", + "schemaCompareDialog.sourceTextBox": "源文件", + "schemaCompareDialog.targetTextBox": "目标文件", + "schemaCompareDialog.sourceDatabaseDropdown": "源数据库", + "schemaCompareDialog.targetDatabaseDropdown": "目标数据库", + "schemaCompareDialog.sourceServerDropdown": "源服务器", + "schemaCompareDialog.targetServerDropdown": "目标服务器", + "schemaCompareDialog.defaultUser": "默认", + "schemaCompare.openFile": "打开", + "schemaCompare.selectSourceFile": "选择源文件", + "schemaCompare.selectTargetFile": "选择目标文件", + "SchemaCompareOptionsDialog.Reset": "重置", + "schemaCompareOptions.RecompareMessage": "选项已更改。是否重新比较以查看比较结果?", + "SchemaCompare.SchemaCompareOptionsDialogLabel": "架构比较选项", + "SchemaCompare.GeneralOptionsLabel": "常规选项", + "SchemaCompare.ObjectTypesOptionsLabel": "包括对象类型", + "schemaCompare.CompareDetailsTitle": "比较详细信息", + "schemaCompare.ApplyConfirmation": "确定要更新目标吗?", + "schemaCompare.RecompareToRefresh": "按“比较”以刷新比较结果。", + "schemaCompare.generateScriptEnabledButton": "生成脚本以将更改部署到目标", + "schemaCompare.generateScriptNoChanges": "未更改脚本", + "schemaCompare.applyButtonEnabledTitle": "将更改应用到目标", + "schemaCompare.applyNoChanges": "没有可应用的更改", + "schemaCompare.includeExcludeInfoMessage": "请注意,包括/排除操作可能需要一点时间来计算受影响的依赖项", + "schemaCompare.deleteAction": "删除", + "schemaCompare.changeAction": "更改", + "schemaCompare.addAction": "添加", + "schemaCompare.differencesTableTitle": "源和目标之间的比较", + "schemaCompare.waitText": "初始化比较。这可能需要一段时间。", + "schemaCompare.startText": "要比较两个架构,请先选择源架构和目标架构,然后按“比较”。", + "schemaCompare.noDifferences": "未找到架构差异。", + "schemaCompare.typeColumn": "类型", + "schemaCompare.sourceNameColumn": "源名称", + "schemaCompare.includeColumnName": "包括", + "schemaCompare.actionColumn": "操作", + "schemaCompare.targetNameColumn": "目标名称", + "schemaCompare.generateScriptButtonDisabledTitle": "当目标为数据库时启用生成脚本", + "schemaCompare.applyButtonDisabledTitle": "当目标为数据库时启用应用", + "schemaCompare.cannotExcludeMessageWithDependent": "无法排除 {0}。存在包括的依赖项,例如 {1}", + "schemaCompare.cannotIncludeMessageWithDependent": "无法包括 {0}。存在被排除的依赖项,如 {1}", + "schemaCompare.cannotExcludeMessage": "无法排除 {0}。存在包括的依赖项", + "schemaCompare.cannotIncludeMessage": "无法包括 {0}。存在排除的依赖项", + "schemaCompare.compareButton": "比较", + "schemaCompare.cancelCompareButton": "停止", + "schemaCompare.generateScriptButton": "生成脚本", + "schemaCompare.optionsButton": "选项", + "schemaCompare.updateButton": "应用", + "schemaCompare.switchDirectionButton": "切换方向", + "schemaCompare.switchButtonTitle": "切换源和目标", + "schemaCompare.sourceButtonTitle": "选择源", + "schemaCompare.targetButtonTitle": "选择目标", + "schemaCompare.openScmpButton": "打开 .scmp 文件", + "schemaCompare.openScmpButtonTitle": "加载保存在 .smp 文件中的源、目标和选项", + "schemaCompare.saveScmpButton": "保存 .smp 文件", + "schemaCompare.saveScmpButtonTitle": "保存源、目标、选项和已排除的元素", + "schemaCompare.saveFile": "保存", + "schemaCompare.GetConnectionString": "是否要连接到 {0}?", + "schemaCompare.selectConnection": "选择连接", + "SchemaCompare.IgnoreTableOptions": "忽略表选项", + "SchemaCompare.IgnoreSemicolonBetweenStatements": "忽略语句之间的分号", + "SchemaCompare.IgnoreRouteLifetime": "忽略路由生存期", + "SchemaCompare.IgnoreRoleMembership": "忽略角色成员身份", + "SchemaCompare.IgnoreQuotedIdentifiers": "忽略带引号的标识符", + "SchemaCompare.IgnorePermissions": "忽略权限", + "SchemaCompare.IgnorePartitionSchemes": "忽略分区方案", + "SchemaCompare.IgnoreObjectPlacementOnPartitionScheme": "忽略分区方案中的对象放置", + "SchemaCompare.IgnoreNotForReplication": "忽略“不用于复制”", + "SchemaCompare.IgnoreLoginSids": "忽略登录 SID", + "SchemaCompare.IgnoreLockHintsOnIndexes": "忽略索引上的锁定提示", + "SchemaCompare.IgnoreKeywordCasing": "忽略关键字大小写", + "SchemaCompare.IgnoreIndexPadding": "忽略索引填充", + "SchemaCompare.IgnoreIndexOptions": "忽略索引选项", + "SchemaCompare.IgnoreIncrement": "忽略增量", + "SchemaCompare.IgnoreIdentitySeed": "忽略标识种子", + "SchemaCompare.IgnoreUserSettingsObjects": "忽略用户设置对象", + "SchemaCompare.IgnoreFullTextCatalogFilePath": "忽略全文目录文件路径", + "SchemaCompare.IgnoreWhitespace": "忽略空格", + "SchemaCompare.IgnoreWithNocheckOnForeignKeys": "忽略且不检查外键", + "SchemaCompare.VerifyCollationCompatibility": "验证排序规则兼容性", + "SchemaCompare.UnmodifiableObjectWarnings": "不可修改的对象警告", + "SchemaCompare.TreatVerificationErrorsAsWarnings": "将验证错误视为警告", + "SchemaCompare.ScriptRefreshModule": "脚本刷新模块", + "SchemaCompare.ScriptNewConstraintValidation": "脚本新约束验证", + "SchemaCompare.ScriptFileSize": "脚本文件大小", + "SchemaCompare.ScriptDeployStateChecks": "脚本部署状态检查", + "SchemaCompare.ScriptDatabaseOptions": "脚本数据库选项", + "SchemaCompare.ScriptDatabaseCompatibility": "脚本数据库兼容性", + "SchemaCompare.ScriptDatabaseCollation": "脚本数据库排序规则", + "SchemaCompare.RunDeploymentPlanExecutors": "运行部署计划执行器", + "SchemaCompare.RegisterDataTierApplication": "注册数据层应用程序", + "SchemaCompare.PopulateFilesOnFileGroups": "在文件组上填充文件", + "SchemaCompare.NoAlterStatementsToChangeClrTypes": "没有 Alter 语句来更改 Clr 类型", + "SchemaCompare.IncludeTransactionalScripts": "包括事务脚本", + "SchemaCompare.IncludeCompositeObjects": "包括复合对象", + "SchemaCompare.AllowUnsafeRowLevelSecurityDataMovement": "允许不安全行级安全性数据移动", + "SchemaCompare.IgnoreWithNocheckOnCheckConstraints": "忽略而不检查检查约束", + "SchemaCompare.IgnoreFillFactor": "忽略填充因子", + "SchemaCompare.IgnoreFileSize": "忽略文件大小", + "SchemaCompare.IgnoreFilegroupPlacement": "忽略文件组放置", + "SchemaCompare.DoNotAlterReplicatedObjects": "不更改复制的对象", + "SchemaCompare.DoNotAlterChangeDataCaptureObjects": "不更改变更数据捕获对象", + "SchemaCompare.DisableAndReenableDdlTriggers": "禁用并重新启用 DDL 触发器", + "SchemaCompare.DeployDatabaseInSingleUserMode": "在单用户模式下部署数据库", + "SchemaCompare.CreateNewDatabase": "新建数据库", + "SchemaCompare.CompareUsingTargetCollation": "使用目标排序规则进行比较", + "SchemaCompare.CommentOutSetVarDeclarations": "注释掉 Set Var 声明", + "SchemaCompare.BlockWhenDriftDetected": "检测到偏移时阻止", + "SchemaCompare.BlockOnPossibleDataLoss": "在可能发生数据丢失时阻止", + "SchemaCompare.BackupDatabaseBeforeChanges": "在更改前备份数据库", + "SchemaCompare.AllowIncompatiblePlatform": "允许不兼容的平台", + "SchemaCompare.AllowDropBlockingAssemblies": "允许删除阻止程序集", + "SchemaCompare.DropConstraintsNotInSource": "删除不在源中的约束", + "SchemaCompare.DropDmlTriggersNotInSource": "删除未在源中的 DML 触发器", + "SchemaCompare.DropExtendedPropertiesNotInSource": "删除不在源中的扩展属性", + "SchemaCompare.DropIndexesNotInSource": "删除不在源中的索引", + "SchemaCompare.IgnoreFileAndLogFilePath": "忽略文件和日志文件路径", + "SchemaCompare.IgnoreExtendedProperties": "忽略扩展属性", + "SchemaCompare.IgnoreDmlTriggerState": "忽略 DML 触发状态", + "SchemaCompare.IgnoreDmlTriggerOrder": "忽略 DML 触发顺序", + "SchemaCompare.IgnoreDefaultSchema": "忽略默认架构", + "SchemaCompare.IgnoreDdlTriggerState": "忽略 DDL 触发状态", + "SchemaCompare.IgnoreDdlTriggerOrder": "忽略 DDL 触发顺序", + "SchemaCompare.IgnoreCryptographicProviderFilePath": "忽略加密提供程序文件路径", + "SchemaCompare.VerifyDeployment": "验证部署", + "SchemaCompare.IgnoreComments": "忽略注释", + "SchemaCompare.IgnoreColumnCollation": "忽略列排序规则", + "SchemaCompare.IgnoreAuthorizer": "忽略授权者", + "SchemaCompare.IgnoreAnsiNulls": "忽略 AnsiNulls", + "SchemaCompare.GenerateSmartDefaults": "生成智能默认值", + "SchemaCompare.DropStatisticsNotInSource": "删除不在源中的统计信息", + "SchemaCompare.DropRoleMembersNotInSource": "删除不在源中的角色成员", + "SchemaCompare.DropPermissionsNotInSource": "删除未在源中的权限", + "SchemaCompare.DropObjectsNotInSource": "删除未在源中的对象", + "SchemaCompare.IgnoreColumnOrder": "忽略列顺序", + "SchemaCompare.Aggregates": "聚合", + "SchemaCompare.ApplicationRoles": "应用程序角色", + "SchemaCompare.Assemblies": "程序集", + "SchemaCompare.AssemblyFiles": "程序集文件", + "SchemaCompare.AsymmetricKeys": "非对称密钥", + "SchemaCompare.BrokerPriorities": "中转站优先级", + "SchemaCompare.Certificates": "证书", + "SchemaCompare.ColumnEncryptionKeys": "列加密密钥", + "SchemaCompare.ColumnMasterKeys": "列主密钥", + "SchemaCompare.Contracts": "协定", + "SchemaCompare.DatabaseOptions": "数据库选项", + "SchemaCompare.DatabaseRoles": "数据库角色", + "SchemaCompare.DatabaseTriggers": "数据库触发器", + "SchemaCompare.Defaults": "默认值", + "SchemaCompare.ExtendedProperties": "扩展属性", + "SchemaCompare.ExternalDataSources": "外部数据源", + "SchemaCompare.ExternalFileFormats": "外部文件格式", + "SchemaCompare.ExternalStreams": "外部流", + "SchemaCompare.ExternalStreamingJobs": "外部流式处理作业", + "SchemaCompare.ExternalTables": "外部表", + "SchemaCompare.Filegroups": "文件组", + "SchemaCompare.Files": "文件", + "SchemaCompare.FileTables": "文件表", + "SchemaCompare.FullTextCatalogs": "全文目录", + "SchemaCompare.FullTextStoplists": "全文非索引字表", + "SchemaCompare.MessageTypes": "消息类型", + "SchemaCompare.PartitionFunctions": "分区功能", + "SchemaCompare.PartitionSchemes": "分区方案", + "SchemaCompare.Permissions": "权限", + "SchemaCompare.Queues": "队列", + "SchemaCompare.RemoteServiceBindings": "远程服务绑定", + "SchemaCompare.RoleMembership": "角色成员身份", + "SchemaCompare.Rules": "规则", + "SchemaCompare.ScalarValuedFunctions": "标量值函数", + "SchemaCompare.SearchPropertyLists": "搜索属性列表", + "SchemaCompare.SecurityPolicies": "安全策略", + "SchemaCompare.Sequences": "序列", + "SchemaCompare.Services": "服务", + "SchemaCompare.Signatures": "签名", + "SchemaCompare.StoredProcedures": "存储过程", + "SchemaCompare.SymmetricKeys": "对称密钥", + "SchemaCompare.Synonyms": "同义词", + "SchemaCompare.Tables": "表", + "SchemaCompare.TableValuedFunctions": "表值函数", + "SchemaCompare.UserDefinedDataTypes": "用户定义的数据类型", + "SchemaCompare.UserDefinedTableTypes": "用户定义的表类型", + "SchemaCompare.ClrUserDefinedTypes": "Clr 用户定义的类型", + "SchemaCompare.Users": "用户", + "SchemaCompare.Views": "视图", + "SchemaCompare.XmlSchemaCollections": "XML 架构集合", + "SchemaCompare.Audits": "审核", + "SchemaCompare.Credentials": "凭据", + "SchemaCompare.CryptographicProviders": "加密提供程序", + "SchemaCompare.DatabaseAuditSpecifications": "数据库审核规范", + "SchemaCompare.DatabaseEncryptionKeys": "数据库加密密钥", + "SchemaCompare.DatabaseScopedCredentials": "数据库范围的凭据", + "SchemaCompare.Endpoints": "终结点", + "SchemaCompare.ErrorMessages": "错误消息", + "SchemaCompare.EventNotifications": "事件通知", + "SchemaCompare.EventSessions": "事件会话", + "SchemaCompare.LinkedServerLogins": "链接服务器登录名", + "SchemaCompare.LinkedServers": "链接服务器", + "SchemaCompare.Logins": "登录名", + "SchemaCompare.MasterKeys": "主密钥", + "SchemaCompare.Routes": "路由", + "SchemaCompare.ServerAuditSpecifications": "服务器审核规范", + "SchemaCompare.ServerRoleMembership": "服务器角色成员身份", + "SchemaCompare.ServerRoles": "服务器角色", + "SchemaCompare.ServerTriggers": "服务器触发器", + "SchemaCompare.Description.IgnoreTableOptions": "指定在发布到数据库时忽略还是更新表选项差异。", + "SchemaCompare.Description.IgnoreSemicolonBetweenStatements": "指定在发布到数据库时忽略还是更新 T-SQL 语句间的分号差异。", + "SchemaCompare.Description.IgnoreRouteLifetime": "指定在发布到数据库时忽略还是更新 SQL Server 保留路由表中的路由时间量差异。", + "SchemaCompare.Description.IgnoreRoleMembership": "指定在发布到数据库时忽略还是更新登录名的角色成员身份差异。", + "SchemaCompare.Description.IgnoreQuotedIdentifiers": "指定在发布到数据库时忽略还是更新带引号的标识符设置差异。", + "SchemaCompare.Description.IgnorePermissions": "指定是否应忽略权限。", + "SchemaCompare.Description.IgnorePartitionSchemes": "指定在发布到数据库时忽略还是更新分区方案和功能差异。", + "SchemaCompare.Description.IgnoreObjectPlacementOnPartitionScheme": "指定在发布到数据库时忽略还是更新对象在分区方案中的位置。", + "SchemaCompare.Description.IgnoreNotForReplication": "指定在发布到数据库时忽略还是更新“不用于复制”设置。", + "SchemaCompare.Description.IgnoreLoginSids": "指定在发布到数据库时忽略还是更新安全标识号(SID)差异。", + "SchemaCompare.Description.IgnoreLockHintsOnIndexes": "指定在发布到数据库时忽略还是更新索引锁定提示差异。", + "SchemaCompare.Description.IgnoreKeywordCasing": "指定在发布到数据库时忽略还是更新关键字大小写差异。", + "SchemaCompare.Description.IgnoreIndexPadding": "指定在发布到数据库时忽略还是更新索引填充差异。", + "SchemaCompare.Description.IgnoreIndexOptions": "指定在发布到数据库时忽略还是更新索引选项差异。", + "SchemaCompare.Description.IgnoreIncrement": "指定在发布到数据库时忽略还是更新标识列增量差异。", + "SchemaCompare.Description.IgnoreIdentitySeed": "指定在发布到数据库时忽略还是更新标识列种子差异。", + "SchemaCompare.Description.IgnoreUserSettingsObjects": "指定在发布到数据库时忽略还是更新用户设置对象差异。", + "SchemaCompare.Description.IgnoreFullTextCatalogFilePath": "指定在发布到数据库时是忽略全文目录的文件路径差异还是发出警告。", + "SchemaCompare.Description.IgnoreWhitespace": "指定在发布到数据库时忽略还是更新空白差异。", + "SchemaCompare.Description.IgnoreWithNocheckOnForeignKeys": "指定在发布到数据库时忽略还是更新外键 WITH NOCHECK 子句值差异。", + "SchemaCompare.Description.VerifyCollationCompatibility": "指定是否验证排序规则兼容性。", + "SchemaCompare.Description.UnmodifiableObjectWarnings": "指定在无法修改的对象中发现差异时(例如,当某个文件的文件大小或文件路径不同时),是否应生成警告。", + "SchemaCompare.Description.TreatVerificationErrorsAsWarnings": "指定是否应将发布验证期间遇到的错误视为警告。在对目标数据库执行生成的部署计划之前,会对计划执行检查。计划验证过程将检测仅适用于目标的对象(如索引)是否丢失等问题,必须删除这些对象才能进行更改。验证过程还将检测以下情况: 由于有对复合项目的引用,因而存在依赖项(如表或视图),但这些依赖项不存在于目标数据库中。如果需要获取所有问题的完整列表,而不是在出现第一个错误时停止发布操作,可以选择执行此操作。", + "SchemaCompare.Description.ScriptRefreshModule": "在发布脚本的末尾包括刷新语句。", + "SchemaCompare.Description.ScriptNewConstraintValidation": "在发布的末尾,所有约束将作为一个集合进行验证,以避免由发布中间的检查或外键约束导致的数据错误。如果设置为 False,则发布约束时不会检查相应的数据。", + "SchemaCompare.Description.ScriptFileSize": "控制在将文件添加到文件组时是否指定大小。", + "SchemaCompare.Description.ScriptDeployStateChecks": "指定是否在发布脚本中生成语句以验证数据库名称和服务器名称是否与在数据库项目中指定的名称相匹配。", + "SchemaCompare.Description.ScriptDatabaseOptions": "指定是否应在发布操作中设置或更新目标数据库属性。", + "SchemaCompare.Description.ScriptDatabaseCompatibility": "指定在发布到数据库时忽略还是更新数据库兼容性差异。", + "SchemaCompare.Description.ScriptDatabaseCollation": "指定在发布到数据库时忽略还是更新数据库排序规则差异。", + "SchemaCompare.Description.RunDeploymentPlanExecutors": "指定在执行其他操作时 DeploymentPlanExecutor 参与者是否应运行。", + "SchemaCompare.Description.RegisterDataTierApplication": "指定是否向数据库服务器注册架构。", + "SchemaCompare.Description.PopulateFilesOnFileGroups": "指定在目标数据库中创建新文件组时是否也创建新文件。", + "SchemaCompare.Description.NoAlterStatementsToChangeClrTypes": "指定在存在差异时,发布应始终删除并重新创建程序集,而不是发出 ALTER ASSEMBLY 语句", + "SchemaCompare.Description.IncludeTransactionalScripts": "指定在发布到数据库时是否应在可能的位置使用事务性语句。", + "SchemaCompare.Description.IncludeCompositeObjects": "将所有复合元素包含为单个发布操作的一部分。", + "SchemaCompare.Description.AllowUnsafeRowLevelSecurityDataMovement": "如果此属性设置为 true,则不阻止具有行级安全性的表上的数据运动。默认为 false。", + "SchemaCompare.Description.IgnoreWithNocheckOnCheckConstraints": "指定在发布到数据库时忽略还是更新检查约束的 WITH NOCHECK 子句值差异。", + "SchemaCompare.Description.IgnoreFillFactor": "指定在发布到数据库时是忽略索引存储的填充因子差异还是发出警告。", + "SchemaCompare.Description.IgnoreFileSize": "指定在发布到数据库时是忽略文件的大小差异还是发出警告。", + "SchemaCompare.Description.IgnoreFilegroupPlacement": "指定在发布到数据库时忽略还是更新 FILEGROUP 中对象位置差异。", + "SchemaCompare.Description.DoNotAlterReplicatedObjects": "指定在验证期间是否标识已复制的对象。", + "SchemaCompare.Description.DoNotAlterChangeDataCaptureObjects": "如果为 true,则不更改变更数据捕获对象。", + "SchemaCompare.Description.DisableAndReenableDdlTriggers": "指定是否在发布过程开始时禁用数据描述语言(DDL)触发器并在发布操作结束时重新启用。", + "SchemaCompare.Description.DeployDatabaseInSingleUserMode": "如果为 true,则在部署之前将数据库设置为“单用户模式”。", + "SchemaCompare.Description.CreateNewDatabase": "指定在发布到某个数据库时是应该更新目标数据库还是删除并重新创建目标数据库。", + "SchemaCompare.Description.CompareUsingTargetCollation": "此设置指示在部署期间如何处理数据库的排序规则;默认情况下,如果目标数据库的排序规则与源指定的排序规则不匹配,将更新该数据库的排序规则。设置此选项后,应使用目标数据库(或服务器)的排序规则。", + "SchemaCompare.Description.CommentOutSetVarDeclarations": "指定是否应在生成的发布脚本中注释掉 SETVAR 变量的声明。如果打算使用 SQLCMD.EXE 等工具在发布时在命令行中指定这些值,可以选择这样做。", + "SchemaCompare.Description.BlockWhenDriftDetected": "指定是否阻止更新其架构不再与其注册匹配或未进行注册的数据库。", + "SchemaCompare.Description.BlockOnPossibleDataLoss": "指定当发布操作可能导致数据丢失时终止发布事件。", + "SchemaCompare.Description.BackupDatabaseBeforeChanges": "在部署任何更改之前备份数据库。", + "SchemaCompare.Description.AllowIncompatiblePlatform": "指定是否在 SQL Server 平台不兼容的情况下也尝试该操作。", + "SchemaCompare.Description.AllowDropBlockingAssemblies": "SqlClr 部署使用此属性会导致在执行部署计划时删除任何阻止程序集。默认情况下,如果需要删除引用程序集,任何阻止/引用程序集都将阻止程序集更新。", + "SchemaCompare.Description.DropConstraintsNotInSource": "指定在发布到数据库时是否从目标数据库删除数据库快照(.dacpac)文件中不存在的约束。", + "SchemaCompare.Description.DropDmlTriggersNotInSource": "指定在发布到数据库时是否从目标数据库删除数据库快照(.dacpac)文件中不存在的 DML 触发器。", + "SchemaCompare.Description.DropExtendedPropertiesNotInSource": "指定在发布到数据库时是否从目标数据库删除数据库快照(.dacpac)文件中不存在的扩展属性。", + "SchemaCompare.Description.DropIndexesNotInSource": "指定在发布到数据库时是否从目标数据库删除数据库快照(.dacpac)文件中不存在的索引。", + "SchemaCompare.Description.IgnoreFileAndLogFilePath": "指定在发布到数据库时忽略还是更新文件路径和日志文件路差异。", + "SchemaCompare.Description.IgnoreExtendedProperties": "指定是否应忽略扩展属性。", + "SchemaCompare.Description.IgnoreDmlTriggerState": "指定在发布到数据库时忽略还是更新 DML 触发器启用或禁用状态差异。", + "SchemaCompare.Description.IgnoreDmlTriggerOrder": "指定在发布到数据库时忽略还是更新数据操作语言(DML)触发器中的顺序差异。", + "SchemaCompare.Description.IgnoreDefaultSchema": "指定在发布到数据库时忽略还是更新默认架构差异。", + "SchemaCompare.Description.IgnoreDdlTriggerState": "指定在发布到数据库时忽略还是更新数据定义语言(DDL)触发器的启用或禁用状态差异。", + "SchemaCompare.Description.IgnoreDdlTriggerOrder": "指定在发布到数据库或服务器时忽略还是更新数据定义语言(DDL)触发器中的顺序差异。", + "SchemaCompare.Description.IgnoreCryptographicProviderFilePath": "指定在发布到数据库时忽略还是更新加密提供程序的文件路径差异。", + "SchemaCompare.Description.VerifyDeployment": "指定是否应在发布之前执行检查,以发现可能会阻止成功发布的问题,从而避免发生停止发布操作的情况。例如,如果目标数据库上的外键在数据库项目中并不存在,则发布操作可能停止,在发布时这种情况将导致错误。", + "SchemaCompare.Description.IgnoreComments": "指定在发布到数据库时忽略还是更新注释差异。", + "SchemaCompare.Description.IgnoreColumnCollation": "指定在发布到数据库时忽略还是更新列排序规则差异。", + "SchemaCompare.Description.IgnoreAuthorizer": "指定在发布到数据库时忽略还是更新授权者差异。", + "SchemaCompare.Description.IgnoreAnsiNulls": "指定在发布到数据库时忽略还是更新 ANSI NULLS 设置差异。", + "SchemaCompare.Description.GenerateSmartDefaults": "更新包含数据的表且该表中具有不允许 Null 值的列时,自动提供默认值。", + "SchemaCompare.Description.DropStatisticsNotInSource": "指定在发布到数据库时是否从目标数据库中删除数据库快照(.dacpac)文件中不存在的统计信息。", + "SchemaCompare.Description.DropRoleMembersNotInSource": "指定在将更新发布到数据库时是否从目标数据库删除未在数据库快照(.dacpac)文件中定义的角色成员。“颜色”。例如,添加 'column1': red 以确保此列使用红色", - "legendDescription": "表示图表图例的首选位置和可见性。这些是查询中的列名称,并映射到每个图表条目的标签", - "labelFirstColumnDescription": "如果 dataDirection 为 horizontal,则将其设置为 true 将使用第一列的值作为图例。", - "columnsAsLabels": "如果 dataDirection 为 vertical,则将其设置为 true 将使用列名称作为图例。", - "dataDirectionDescription": "定义是从列(垂直)还是从行(水平)读取数据。对于时序,将忽略此设置,因为方向必须为垂直。", - "showTopNData": "如果设置了 showTopNData,则只在图表中显示前 N 个数据。" - }, - "sql/platform/dashboard/browser/insightRegistry": { - "schema.dashboardWidgets.InsightsRegistry": "仪表板中使用的小组件" - }, - "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { - "resourceViewer.showActions": "显示操作", - "resourceViewerInput.resourceViewer": "资源查看器" - }, - "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { - "extension.contributes.resourceView.resource.id": "资源的标识符。", - "extension.contributes.resourceView.resource.name": "用户可读的视图名称。将显示它", - "extension.contributes.resourceView.resource.icon": "资源图标的路径。", - "extension.contributes.resourceViewResources": "将资源分配给资源视图", - "requirestring": "属性“{0}”是必需的,其类型必须是 \"string\"", - "optstring": "属性“{0}”可以省略,否则其类型必须是 \"string\"" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { - "resourceViewer.ariaLabel": "资源查看器树" - }, - "sql/platform/dashboard/browser/widgetRegistry": { - "schema.dashboardWidgets.all": "仪表板中使用的小组件", - "schema.dashboardWidgets.database": "仪表板中使用的小组件", - "schema.dashboardWidgets.server": "仪表板中使用的小组件" - }, - "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { - "azdata.extension.contributes.widget.when": "此条件必须为 true 才能显示此项", - "azdata.extension.contributes.widget.hideHeader": "是否隐藏小组件的标题,默认值为 false", - "dashboardpage.tabName": "容器的标题", - "dashboardpage.rowNumber": "网格中组件的行", - "dashboardpage.rowSpan": "网格中组件的行跨度。默认值为 1。使用 \"*\" 设置为网格中的行数。", - "dashboardpage.colNumber": "网格中组件的列", - "dashboardpage.colspan": "网格中组件的列跨度。默认值为 1。使用 \"*\" 设置为网格中的列数。", - "azdata.extension.contributes.dashboardPage.tab.id": "此选项卡的唯一标识符。将传递到任何请求的扩展。", - "dashboardTabError": "扩展选项卡未知或未安装。" - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { - "dashboardDatabaseProperties": "启用或禁用属性小组件", - "dashboard.databaseproperties": "要显示的属性值", - "dashboard.databaseproperties.displayName": "属性的显示名称", - "dashboard.databaseproperties.value": "数据库信息对象中的值", - "dashboard.databaseproperties.ignore": "指定要忽略的特定值", - "recoveryModel": "恢复模式", - "lastDatabaseBackup": "上次数据库备份", - "lastLogBackup": "上次日志备份", - "compatibilityLevel": "兼容级别", - "owner": "所有者", - "dashboardDatabase": "自定义数据库仪表板页面", - "objectsWidgetTitle": "搜索", - "dashboardDatabaseTabs": "自定义数据库仪表板选项卡" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { - "dashboardServerProperties": "启用或禁用属性小组件", - "dashboard.serverproperties": "要显示的属性值", - "dashboard.serverproperties.displayName": "属性的显示名称", - "dashboard.serverproperties.value": "服务器信息对象中的值", - "version": "版本", - "edition": "版本", - "computerName": "计算机名", - "osVersion": "OS 版本", - "explorerWidgetsTitle": "搜索", - "dashboardServer": "自定义服务器仪表板页面", - "dashboardServerTabs": "自定义服务器仪表板选项卡" - }, - "sql/workbench/contrib/dashboard/browser/dashboardActions": { - "ManageAction": "管理" - }, - "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { - "opticon": "可以省略属性 \"icon\",若不省略则必须是字符串或文字,例如 \"{dark, light}\"" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { - "insightWidgetDescription": "添加一个可以查询服务器或数据库并以多种方式(如图表、总数等)显示结果的小组件。", - "insightIdDescription": "用于缓存见解结果的唯一标识符。", - "insightQueryDescription": "要运行的 SQL 查询。将返回恰好 1 个结果集。", - "insightQueryFileDescription": "[可选] 包含查询的文件的路径。未设置“查询”时使用", - "insightAutoRefreshIntervalDescription": "[可选] 自动刷新间隔(分钟数);如果未设置,则不自动刷新", - "actionTypes": "要使用的操作", - "actionDatabaseDescription": "操作的目标数据库;可使用格式 \"${ columnName }\" 以便由数据确定列名。", - "actionServerDescription": "操作的目标服务器;可使用格式 \"${ columnName }\" 以便由数据确定列名。", - "actionUserDescription": "操作的目标用户;可使用格式 \"${ columnName }\" 以便由数据确定列名。", - "carbon.extension.contributes.insightType.id": "见解的标识符", - "carbon.extension.contributes.insights": "向仪表板提供见解。" - }, - "sql/workbench/contrib/backup/browser/backupActions": { - "backupAction.backup": "备份", - "backup.isPreviewFeature": "必须启用预览功能才能使用备份", - "backup.commandNotSupported": "Azure SQL 数据库不支持备份命令。", - "backup.commandNotSupportedForServer": "服务器上下文中不支持备份命令。请选择数据库,然后重试。" - }, - "sql/workbench/contrib/restore/browser/restoreActions": { - "restoreAction.restore": "还原", - "restore.isPreviewFeature": "必须启用预览功能才能使用还原", - "restore.commandNotSupported": "Azure SQL 数据库不支持还原命令。" - }, - "sql/workbench/contrib/extensions/browser/extensionsActions": { - "showRecommendations": "显示建议", - "Install Extensions": "安装扩展", - "openExtensionAuthoringDocs": "创作扩展..." - }, - "sql/workbench/browser/editData/editDataInput": { - "connectionFailure": "编辑数据会话连接失败" - }, - "sql/workbench/browser/modal/optionsDialog": { - "optionsDialog.ok": "确定", - "optionsDialog.cancel": "取消" - }, - "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { - "newDashboardTab.openDashboardExtensions": "打开仪表板扩展", - "newDashboardTab.ok": "确定", - "newDashboardTab.cancel": "取消", - "newdashboardTabDialog.noExtensionLabel": "目前尚未安装仪表板扩展。转“到扩展管理器”以浏览推荐的扩展。" - }, - "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { - "filebrowser.filepath": "选定的路径", - "fileFilter": "文件类型", - "fileBrowser.ok": "确定", - "fileBrowser.discard": "放弃" - }, - "sql/workbench/services/insights/browser/insightsDialogController": { - "insightsInputError": "未将连接配置文件传递到见解浮出控件", - "insightsError": "见解错误", - "insightsFileError": "读取以下查询文件时出错:", - "insightsConfigError": "分析见解配置时出错;找不到查询数组/字符串或查询文件" - }, - "sql/workbench/services/accountManagement/browser/accountPickerImpl": { - "azureAccount": "Azure 帐户", - "azureTenant": "Azure 租户" - }, - "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { - "showDataExplorer": "显示连接", - "dataExplorer.servers": "服务器", - "dataexplorer.name": "连接" - }, - "sql/workbench/contrib/tasks/browser/tasksView": { - "noTaskMessage": "没有可显示的任务历史记录。", - "taskHistory.regTreeAriaLabel": "任务历史记录", - "taskError": "任务错误" - }, - "sql/workbench/services/connection/browser/connectionActions": { - "ClearRecentlyUsedLabel": "清空列表", - "ClearedRecentConnections": "已清空最新连接列表", - "connectionAction.yes": "是", - "connectionAction.no": "否", - "clearRecentConnectionMessage": "确定要删除列表中的所有连接吗?", - "connectionDialog.yes": "是", - "connectionDialog.no": "否", - "delete": "删除", - "connectionAction.GetCurrentConnectionString": "获取当前连接字符串", - "connectionAction.connectionString": "连接字符串不可用", - "connectionAction.noConnection": "没有可用的活动连接" - }, - "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { - "connectionTree.refresh": "刷新", - "connectionTree.editConnection": "编辑连接", - "DisconnectAction": "断开连接", - "connectionTree.addConnection": "新建连接", - "connectionTree.addServerGroup": "新建服务器组", - "connectionTree.editServerGroup": "编辑服务器组", - "activeConnections": "显示活动连接", - "showAllConnections": "显示所有连接", - "recentConnections": "最近的连接", - "deleteConnection": "删除连接", - "deleteConnectionGroup": "删除组" - }, - "sql/workbench/contrib/editData/browser/editDataActions": { - "editData.run": "运行", - "disposeEditFailure": "释放编辑失败,出现错误:", - "editData.stop": "停止", - "editData.showSql": "显示 SQL 窗格", - "editData.closeSql": "关闭 SQL 窗格" - }, - "sql/workbench/browser/editor/profiler/profilerInput": { - "profilerInput.profiler": "探查器", - "profilerInput.notConnected": "未连接", - "profiler.sessionStopped": "XEvent 探查器会话在服务器 {0} 上意外停止。", - "profiler.sessionCreationError": "启动新会话时出错", - "profiler.eventsLost": "{0} 的 XEvent 探查器会话缺失事件。" - }, - "sql/workbench/browser/modelComponents/loadingComponent.component": { - "loadingMessage": "正在加载", - "loadingCompletedMessage": "加载完毕" - }, - "sql/workbench/services/serverGroup/browser/serverGroupDialog": { - "ServerGroupsDialogTitle": "服务器组", - "serverGroup.ok": "确定", - "serverGroup.cancel": "取消", - "connectionGroupName": "服务器组名称", - "MissingGroupNameError": "组名称是必需的。", - "groupDescription": "组描述", - "groupColor": "组颜色" - }, - "sql/workbench/services/accountManagement/browser/accountDialogController": { - "accountDialog.addAccountErrorTitle": "添加帐户时出错" - }, - "sql/workbench/services/insights/browser/insightsDialogView": { - "insights.item": "项", - "insights.value": "值", - "insightsDetailView.name": "见解详细信息", - "property": "属性", - "value": "值", - "InsightsDialogTitle": "见解", - "insights.dialog.items": "项", - "insights.dialog.itemDetails": "项详细信息" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { - "oauthFlyoutIsAlreadyOpen": "无法启动自动 OAuth。自动 OAuth 已在进行中。" - }, - "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { - "eventSort": "按事件排序", - "nameColumn": "按列排序", - "profilerColumnDialog.profiler": "探查器", - "profilerColumnDialog.ok": "确定", - "profilerColumnDialog.cancel": "取消" - }, - "sql/workbench/services/profiler/browser/profilerFilterDialog": { - "profilerFilterDialog.clear": "全部清除", - "profilerFilterDialog.apply": "应用", - "profilerFilterDialog.ok": "确定", - "profilerFilterDialog.cancel": "取消", - "profilerFilterDialog.title": "筛选器", - "profilerFilterDialog.remove": "删除此子句", - "profilerFilterDialog.saveFilter": "保存筛选器", - "profilerFilterDialog.loadFilter": "加载筛选器", - "profilerFilterDialog.addClauseText": "添加子句", - "profilerFilterDialog.fieldColumn": "字段", - "profilerFilterDialog.operatorColumn": "运算符", - "profilerFilterDialog.valueColumn": "值", - "profilerFilterDialog.isNullOperator": "为 Null", - "profilerFilterDialog.isNotNullOperator": "不为 Null", - "profilerFilterDialog.containsOperator": "包含", - "profilerFilterDialog.notContainsOperator": "不包含", - "profilerFilterDialog.startsWithOperator": "开头为", - "profilerFilterDialog.notStartsWithOperator": "开头不为" - }, - "sql/workbench/contrib/editData/browser/gridActions": { - "saveAsCsv": "另存为 CSV", - "saveAsJson": "另存为 JSON", - "saveAsExcel": "另存为 Excel", - "saveAsXml": "另存为 XML", - "copySelection": "复制", - "copyWithHeaders": "带标头复制", - "selectAll": "全选" - }, - "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { - "dashboard.properties.property": "定义要在仪表板上显示的属性", - "dashboard.properties.property.displayName": "用作属性标签的值", - "dashboard.properties.property.value": "对象中要针对该值访问的值", - "dashboard.properties.property.ignore": "指定要忽略的值", - "dashboard.properties.property.default": "在忽略或没有值时显示的默认值", - "dashboard.properties.flavor": "用于定义仪表板属性的风格", - "dashboard.properties.flavor.id": "风格的 ID", - "dashboard.properties.flavor.condition": "使用这种风格的条件", - "dashboard.properties.flavor.condition.field": "用于比较的字段", - "dashboard.properties.flavor.condition.operator": "用于比较的运算符", - "dashboard.properties.flavor.condition.value": "用于和字段比较的值", - "dashboard.properties.databaseProperties": "数据库页面要显示的属性", - "dashboard.properties.serverProperties": "服务器页面要显示的属性", - "carbon.extension.dashboard": "定义此提供程序支持仪表板", - "dashboard.id": "提供程序 ID (如 MSSQL)", - "dashboard.properties": "要在仪表板上显示的属性值" - }, - "sql/workbench/browser/modelComponents/inputbox.component": { - "invalidValueError": "值无效", - "period": "{0}。{1}" - }, - "sql/workbench/browser/modelComponents/dropdown.component": { + "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { "loadingMessage": "正在加载", "loadingCompletedMessage": "加载已完成" }, - "sql/workbench/browser/modelComponents/declarativeTable.component": { - "blankValue": "空白", - "checkAllColumnLabel": "选中列中的所有复选框: {0}" + "sql/base/browser/ui/panel/panel.component": { + "hideTextLabel": "隐藏文本标签", + "showTextLabel": "显示文本标签" }, - "sql/workbench/api/common/extHostModelViewTree": { - "treeView.notRegistered": "未注册 ID 为 \"{0}\" 的树状视图。" - }, - "sql/workbench/services/editData/common/editQueryRunner": { - "query.initEditExecutionFailed": "初始化编辑数据会话失败:" - }, - "sql/workbench/services/notebook/common/notebookRegistry": { - "carbon.extension.contributes.notebook.provider": "笔记本提供程序的标识符。", - "carbon.extension.contributes.notebook.fileExtensions": "应向此笔记本提供程序注册哪些文件扩展名", - "carbon.extension.contributes.notebook.standardKernels": "此笔记本提供程序应标配哪些内核", - "vscode.extension.contributes.notebook.providers": "提供笔记本提供程序。", - "carbon.extension.contributes.notebook.magic": "单元格魔术方法的名称,如 \"%%sql\"。", - "carbon.extension.contributes.notebook.language": "单元格中包含此单元格魔术方法时要使用的单元格语言", - "carbon.extension.contributes.notebook.executionTarget": "此魔术方法指示的可选执行目标,例如 Spark 和 SQL", - "carbon.extension.contributes.notebook.kernels": "可选内核集,对于 python3、pyspark 和 sql 等有效", - "vscode.extension.contributes.notebook.languagemagics": "提供笔记本语言。" - }, - "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { - "runActiveCell": "需要选择代码单元格才能使用 F5 快捷键。请选择要运行的代码单元格。", - "clearResultActiveCell": "需要选择代码单元格才能清除结果。请选择要运行的代码单元格。" - }, - "sql/workbench/services/notebook/browser/interfaces": { - "sqlKernel": "SQL" - }, - "sql/workbench/contrib/editData/browser/editDataEditor": { - "maxRowTaskbar": "最大行数:" - }, - "sql/workbench/contrib/profiler/browser/profilerEditor": { - "profiler.viewSelectAccessibleName": "选择视图", - "profiler.sessionSelectAccessibleName": "选择会话", - "profiler.sessionSelectLabel": "选择会话:", - "profiler.viewSelectLabel": "选择视图:", - "text": "文本", - "label": "标签", - "profilerEditor.value": "值", - "details": "详细信息" - }, - "sql/workbench/contrib/query/browser/statusBarItems": { - "status.query.timeElapsed": "已用时间", - "status.query.rowCount": "行数", - "rowCount": "{0} 行", - "query.status.executing": "正在执行查询…", - "status.query.status": "执行状态", - "status.query.selection-summary": "选择摘要", - "status.query.summaryText": "平均值: {0} 计数: {1} 总和: {2}" - }, - "sql/workbench/contrib/query/browser/flavorStatus": { - "chooseSqlLang": "选择 SQL 语言", - "changeProvider": "更改 SQL 语言提供程序", - "status.query.flavor": "SQL 语言风格", - "changeSqlProvider": "更改 SQL 引擎提供程序", - "alreadyConnected": "使用引擎 {0} 的连接已存在。若要更改,请先断开或更改连接", - "noEditor": "当前没有活动的文本编辑器", - "pickSqlProvider": "选择语言提供程序" - }, - "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { - "plotlyError": "显示 Plotly 图形时出错: {0}" - }, - "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { - "noRendererFound": "未找到 {0} 呈现器用于输出。它具有以下 MIME 类型: {1}", - "safe": "(安全)" - }, - "sql/workbench/browser/scriptingActions": { - "scriptSelect": "选择前 1000 项", - "scriptKustoSelect": "选取 10 个", - "scriptExecute": "执行 Execute 脚本", - "scriptAlter": "执行 Alter 脚本", - "editData": "编辑数据", - "scriptCreate": "执行 Create 脚本", - "scriptDelete": "执行 Drop 脚本" - }, - "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { - "providerRequired": "必须向此方法传递具有有效 providerId 的 NotebookProvider" - }, - "sql/workbench/api/common/extHostNotebook": { - "providerRequired": "必须向此方法传递具有有效 providerId 的 NotebookProvider", - "errNoProvider": "未找到笔记本提供程序", - "errNoManager": "未找到管理器", - "noServerManager": "笔记本 {0} 的笔记本管理器没有服务器管理器。无法对其执行操作", - "noContentManager": "笔记本 {0} 的笔记本管理器没有内容管理器。无法对其执行操作", - "noSessionManager": "笔记本 {0} 的笔记本管理器没有会话管理器。无法对其执行操作" - }, - "sql/workbench/services/connection/browser/connectionManagementService": { - "connection.noAzureAccount": "未能获取 Azure 帐户令牌用于连接", - "connectionNotAcceptedError": "连接未被接受", - "connectionService.yes": "是", - "connectionService.no": "否", - "cancelConnectionConfirmation": "确定要取消此连接吗?" - }, - "sql/workbench/contrib/webview/browser/webViewDialog": { - "webViewDialog.ok": "确定", - "webViewDialog.close": "关闭" - }, - "sql/workbench/contrib/notebook/browser/notebookActions": { - "loading": "正在加载内核…", - "changing": "正在更改内核…", - "AttachTo": "附加到", - "Kernel": "内核", - "loadingContexts": "正在加载上下文…", - "changeConnection": "更改连接", - "selectConnection": "选择连接", - "localhost": "localhost", - "noKernel": "无内核", - "clearResults": "清除结果", - "trustLabel": "受信任", - "untrustLabel": "不受信任", - "collapseAllCells": "折叠单元格", - "expandAllCells": "展开单元格", - "noContextAvailable": "无", - "newNotebookAction": "新建笔记本", - "notebook.findNext": "查找下一个字符串", - "notebook.findPrevious": "查找上一个字符串" - }, - "sql/workbench/contrib/queryPlan/browser/queryPlan": { - "queryPlanTitle": "查询计划" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { - "resourceViewer.refresh": "刷新" - }, - "sql/workbench/services/dialog/browser/dialogPane": { - "wizardPageNumberDisplayText": "步骤 {0}" - }, - "sql/base/parts/editableDropdown/browser/dropdown": { - "editableDropdown.errorValidate": "必须是列表中的选项", - "selectBox": "选择框" + "sql/base/browser/ui/panel/tabActions": { + "closeTab": "关闭" }, "sql/base/browser/ui/selectBox/selectBox": { "alertErrorMessage": "错误: {0}", "alertWarningMessage": "警告: {0}", "alertInfoMessage": "信息: {0}" }, - "sql/workbench/services/connection/browser/connectionDialogWidget": { - "connection": "连接", - "connecting": "正在连接", - "connectType": "连接类型", - "recentConnectionTitle": "最近的连接", - "savedConnectionTitle": "保存的连接", - "connectionDetailsTitle": "连接详细信息", - "connectionDialog.connect": "连接", - "connectionDialog.cancel": "取消", - "connectionDialog.recentConnections": "最近的连接", - "noRecentConnections": "没有最近的连接", - "connectionDialog.savedConnections": "保存的连接", - "noSavedConnections": "没有保存的连接" + "sql/base/browser/ui/table/formatters": { + "tableCell.NoDataAvailable": "无可用数据" }, - "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { - "fileBrowser.regTreeAriaLabel": "文件浏览器树" + "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { + "selectDeselectAll": "全选/取消全选" }, - "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { - "from": "从", - "to": "到", - "createNewFirewallRule": "新建防火墙规则", - "firewall.ok": "确定", - "firewall.cancel": "取消", - "firewallRuleDialogDescription": "你的客户端 IP 地址无权访问此服务器。请登录到 Azure 帐户,然后新建一个防火墙规则以启用访问。", - "firewallRuleHelpDescription": "详细了解防火墙设置", - "filewallRule": "防火墙规则", - "addIPAddressLabel": "添加我的客户端 IP", - "addIpRangeLabel": "添加我的子网 IP 范围" + "sql/base/browser/ui/table/plugins/headerFilter.plugin": { + "headerFilter.showFilter": "显示筛选器", + "table.selectAll": "全选", + "table.searchPlaceHolder": "搜索", + "tableFilter.visibleCount": "{0} 个结果", + "tableFilter.selectedCount": "已选择 {0} 项", + "table.sortAscending": "升序排序", + "table.sortDescending": "降序排序", + "headerFilter.ok": "确定", + "headerFilter.clear": "清除", + "headerFilter.cancel": "取消", + "table.filterOptions": "筛选器选项" }, - "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { - "allFiles": "所有文件" + "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { + "loadingSpinner.loading": "正在加载" }, - "sql/workbench/services/insights/common/insightsUtils": { - "insightsDidNotFindResolvedFile": "在下述所有路径中都找不到查询文件:\r\n {0}" + "sql/base/browser/ui/table/plugins/rowDetailView": { + "rowDetailView.loadError": "正在加载错误…" }, - "sql/workbench/services/accountManagement/browser/accountListRenderer": { - "refreshCredentials": "需要刷新此帐户的凭据。" + "sql/base/browser/ui/taskbar/overflowActionbar": { + "toggleMore": "切换更多" + }, + "sql/base/common/locConstants": { + "azuredatastudio": "Azure Data Studio", + "default": "启用自动更新检查。Azure Data Studio 将定期自动检查更新。", + "enableWindowsBackgroundUpdates": "启用在 Windows 上后台下载和安装新的 Azure Data Studio 版本", + "showReleaseNotes": "更新后显示发行说明。发行说明会在新的 Web 浏览器窗口中打开。", + "dashboard.toolbar": "仪表板工具栏操作菜单", + "notebook.cellTitle": "笔记本单元格标题菜单", + "notebook.title": "笔记本标题菜单", + "notebook.toolbar": "笔记本工具栏菜单", + "dataExplorer.action": "dataexplorer 视图容器标题操作菜单", + "dataExplorer.context": "dataexplorer 项上下文菜单", + "objectExplorer.context": "对象资源管理器项上下文菜单", + "connectionDialogBrowseTree.context": "连接对话框的浏览树上下文菜单", + "dataGrid.context": "数据网格项上下文菜单", + "extensionsPolicy": "设置用于下载扩展的安全策略。", + "InstallVSIXAction.allowNone": "扩展策略不允许安装扩展。请更改扩展策略,然后重试。", + "InstallVSIXAction.successReload": "已完成从 VSIX 安装 {0} 扩展的过程。请重新加载 Azure Data Studio 以启用它。", + "postUninstallTooltip": "请重新加载 Azure Data Studio 以完成此扩展的卸载。", + "postUpdateTooltip": "请重新加载 Azure Data Studio 以启用更新的扩展。", + "enable locally": "请重新加载 Azure Data Studio 以在本地启用此扩展。", + "postEnableTooltip": "请重新加载 Azure Data Studio 以启用此扩展。", + "postDisableTooltip": "请重新加载 Azure Data Studio 以禁用此扩展。", + "uninstallExtensionComplete": "请重新加载 Azure Data Studio 以完成扩展 {0} 的卸载。", + "enable remote": "请重新加载 Azure Data Studio 以在 {0} 中启用此扩展。", + "installExtensionCompletedAndReloadRequired": "安装扩展 {0} 已完成。请重新加载 Azure Data Studio 以启用它。", + "ReinstallAction.successReload": "请重新加载 Azure Data Studio 以完成扩展 {0} 的重新安装。", + "recommendedExtensions": "市场", + "scenarioTypeUndefined": "必须提供扩展建议的方案类型。", + "incompatible": "无法安装扩展名 '{0}',因为它不兼容 Azure Data Studio '{1}'。", + "newQuery": "新建查询", + "miNewQuery": "新建查询(&&Q)", + "miNewNotebook": "新建笔记本(&&N)", + "maxMemoryForLargeFilesMB": "在打开大型文件时,控制 Azure Data Studio 可在重启后使用的内存。在命令行中指定 `--max-memory=新的大小` 参数可达到相同效果。", + "updateLocale": "是否要将 Azure Data Studio 的 UI 语言更改为 {0} 并重启?", + "activateLanguagePack": "若要在 {0} 中使用 Azure Data Studio,Azure Data Studio需要重启。", + "watermark.newSqlFile": "新建 SQL 文件", + "watermark.newNotebook": "新建笔记本", + "miinstallVsix": "从 VSIX 包安装扩展" + }, + "sql/base/parts/editableDropdown/browser/dropdown": { + "editableDropdown.errorValidate": "必须是列表中的选项", + "selectBox": "选择框" }, "sql/platform/accounts/common/accountActions": { "addAccount": "添加帐户", @@ -10190,354 +9358,24 @@ "refreshAccount": "再次输入你的凭据", "NoAccountToRefresh": "没有可刷新的帐户" }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { - "showNotebookExplorer": "显示笔记本", - "notebookExplorer.searchResults": "搜索结果", - "searchPathNotFoundError": "找不到搜索路径: {0}", - "notebookExplorer.name": "笔记本" + "sql/platform/clipboard/browser/clipboardService": { + "imageCopyingNotSupported": "不支持复制图像" }, - "sql/workbench/contrib/query/browser/keyboardQueryActions": { - "focusOnCurrentQueryKeyboardAction": "关注当前查询", - "runQueryKeyboardAction": "运行查询", - "runCurrentQueryKeyboardAction": "运行当前查询", - "copyQueryWithResultsKeyboardAction": "复制查询和结果", - "queryActions.queryResultsCopySuccess": "已成功复制查询和结果。", - "runCurrentQueryWithActualPlanKeyboardAction": "使用实际计划运行当前查询", - "cancelQueryKeyboardAction": "取消查询", - "refreshIntellisenseKeyboardAction": "刷新 IntelliSense 缓存", - "toggleQueryResultsKeyboardAction": "切换查询结果", - "ToggleFocusBetweenQueryEditorAndResultsAction": "在查询和结果之间切换焦点", - "queryShortcutNoEditor": "需要编辑器参数才能执行快捷方式", - "parseSyntaxLabel": "分析查询", - "queryActions.parseSyntaxSuccess": "命令已成功完成", - "queryActions.parseSyntaxFailure": "命令失败:", - "queryActions.notConnected": "请连接到服务器" + "sql/platform/connection/common/connectionConfig": { + "invalidServerName": "已存在同名的服务器组。" }, - "sql/workbench/contrib/tasks/browser/tasksRenderer": { - "succeeded": "成功", - "failed": "失败", - "inProgress": "正在进行", - "notStarted": "尚未开始", - "canceled": "已取消", - "canceling": "正在取消" + "sql/platform/dashboard/browser/insightRegistry": { + "schema.dashboardWidgets.InsightsRegistry": "仪表板中使用的小组件" }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { - "chartErrorMessage": "无法用给定的数据显示图表" + "sql/platform/dashboard/browser/widgetRegistry": { + "schema.dashboardWidgets.all": "仪表板中使用的小组件", + "schema.dashboardWidgets.database": "仪表板中使用的小组件", + "schema.dashboardWidgets.server": "仪表板中使用的小组件" }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { - "resourceViewerTable.openError": "打开链接时出错: {0}", - "resourceViewerTable.commandError": "执行命令“{0}”时出错: {1}" - }, - "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { - "copyFailed": "复制失败,出现错误 {0}", - "notebook.showChart": "显示图表", - "notebook.showTable": "显示表" - }, - "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { - "doubleClickEdit": "双击以编辑", - "addContent": "在此处添加内容..." - }, - "sql/workbench/contrib/scripting/browser/scriptingActions": { - "refreshError": "刷新节点“{0}”时出错: {1}" - }, - "sql/workbench/api/common/extHostModelViewDialog": { - "dialogDoneLabel": "完成", - "dialogCancelLabel": "取消", - "generateScriptLabel": "生成脚本", - "dialogNextLabel": "下一步", - "dialogPreviousLabel": "上一步", - "dashboardNotInitialized": "选项卡未初始化" - }, - "sql/workbench/browser/modal/optionsDialogHelper": { - "optionsDialog.missingRequireField": "是必需的。", - "optionsDialog.invalidInput": "输入无效。预期值为数值。" - }, - "sql/workbench/services/restore/browser/restoreDialog": { - "backupFilePath": "备份文件路径", - "targetDatabase": "目标数据库", - "restoreDialog.restore": "还原", - "restoreDialog.restoreTitle": "还原数据库", - "restoreDialog.database": "数据库", - "restoreDialog.backupFile": "备份文件", - "RestoreDialogTitle": "还原数据库", - "restoreDialog.cancel": "取消", - "restoreDialog.script": "脚本", - "source": "源", - "restoreFrom": "还原自", - "missingBackupFilePathError": "需要备份文件路径。", - "multipleBackupFilePath": "请输入一个或多个用逗号分隔的文件路径", - "database": "数据库", - "destination": "目标", - "restoreTo": "还原到", - "restorePlan": "还原计划", - "backupSetsToRestore": "要还原的备份集", - "restoreDatabaseFileAs": "将数据库文件还原为", - "restoreDatabaseFileDetails": "还原数据库文件详细信息", - "logicalFileName": "逻辑文件名", - "fileType": "文件类型", - "originalFileName": "原始文件名", - "restoreAs": "还原为", - "restoreOptions": "还原选项", - "taillogBackup": "结尾日志备份", - "serverConnection": "服务器连接", - "generalTitle": "常规", - "filesTitle": "文件", - "optionsTitle": "选项" - }, - "sql/workbench/services/insights/browser/insightDialogActions": { - "workbench.action.insights.copySelection": "复制单元格" - }, - "sql/workbench/services/dialog/common/dialogTypes": { - "dialogModalDoneButtonLabel": "完成", - "dialogModalCancelButtonLabel": "取消" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { - "copyAndOpen": "复制并打开", - "oauthDialog.cancel": "取消", - "userCode": "用户代码", - "website": "网站" - }, - "sql/workbench/browser/modelComponents/componentBase": { - "invalidIndex": "索引 {0} 无效。" - }, - "sql/workbench/services/connection/browser/cmsConnectionWidget": { - "serverDescription": "服务器说明(可选)" - }, - "sql/workbench/services/connection/browser/advancedPropertiesController": { - "connectionAdvancedProperties": "高级属性", - "advancedProperties.discard": "放弃" - }, - "sql/workbench/services/notebook/common/localContentManager": { - "nbformatNotRecognized": "无法识别 nbformat v{0}.{1}", - "nbNotSupported": "此文件没有有效的笔记本格式", - "unknownCellType": "单元格类型 {0} 未知", - "unrecognizedOutput": "无法识别输出类型 {0}", - "invalidMimeData": "{0} 的数据应为字符串或字符串数组", - "unrecognizedOutputType": "无法识别输出类型 {0}" - }, - "sql/workbench/contrib/welcome/page/browser/welcomePage": { - "welcomePage": "欢迎", - "welcomePage.adminPack": "SQL 管理包", - "welcomePage.showAdminPack": "SQL 管理包", - "welcomePage.adminPackDescription": "SQL Server 管理包是热门数据库管理扩展的一个集合,可帮助你管理 SQL Server", - "welcomePage.powershell": "PowerShell", - "welcomePage.powershellDescription": "使用 Azure Data Studio 功能丰富的查询编辑器编写和执行 PowerShell 脚本", - "welcomePage.dataVirtualization": "数据虚拟化", - "welcomePage.dataVirtualizationDescription": "使用 SQL Server 2019 虚拟化数据,并使用交互式向导创建外部表", - "welcomePage.PostgreSQL": "PostgreSQL", - "welcomePage.PostgreSQLDescription": "使用 Azure Data Studio 连接、查询和管理 Postgres 数据库", - "welcomePage.extensionPackAlreadyInstalled": "已安装对 {0} 的支持。", - "welcomePage.willReloadAfterInstallingExtensionPack": "安装对 {0} 的额外支持后,将重载窗口。", - "welcomePage.installingExtensionPack": "正在安装对 {0} 的额外支持...", - "welcomePage.extensionPackNotFound": "找不到对 {0} (ID: {1}) 的支持。", - "welcomePage.newConnection": "新建连接", - "welcomePage.newQuery": "新建查询", - "welcomePage.newNotebook": "新建笔记本", - "welcomePage.deployServer": "部署服务器", - "welcome.title": "欢迎", - "welcomePage.new": "新建", - "welcomePage.open": "打开…", - "welcomePage.openFile": "打开文件…", - "welcomePage.openFolder": "打开文件夹…", - "welcomePage.startTour": "开始教程", - "closeTourBar": "关闭快速浏览栏", - "WelcomePage.TakeATour": "是否希望快速浏览 Azure Data Studio?", - "WelcomePage.welcome": "欢迎使用!", - "welcomePage.openFolderWithPath": "打开路径为 {1} 的文件夹 {0}", - "welcomePage.install": "安装", - "welcomePage.installKeymap": "安装 {0} 键映射", - "welcomePage.installExtensionPack": "安装对 {0} 的额外支持", - "welcomePage.installed": "已安装", - "welcomePage.installedKeymap": "已安装 {0} 按键映射", - "welcomePage.installedExtensionPack": "已安装 {0} 支持", - "ok": "确定", - "details": "详细信息", - "welcomePage.background": "欢迎页面的背景色。" - }, - "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { - "profilerTextEditorAriaLabel": "用于事件文本的探查器编辑器。只读" - }, - "sql/workbench/services/query/common/resultSerializer": { - "msgSaveFailed": "未能保存结果。", - "resultsSerializer.saveAsFileTitle": "选择结果文件", - "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (以逗号分隔)", - "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", - "resultsSerializer.saveAsFileExtensionExcelTitle": "Excel 工作簿", - "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", - "resultsSerializer.saveAsFileExtensionTXTTitle": "纯文本", - "savingFile": "正在保存文件...", - "msgSaveSucceeded": "已成功将结果保存到 {0}", - "openFile": "打开文件" - }, - "sql/base/browser/ui/panel/panel.component": { - "hideTextLabel": "隐藏文本标签", - "showTextLabel": "显示文本标签" - }, - "sql/workbench/browser/modelComponents/queryTextEditor": { - "queryTextEditorAriaLabel": "用于视图模型的模型视图代码编辑器。" - }, - "sql/workbench/browser/modal/modal": { - "infoAltText": "信息", - "warningAltText": "警告", - "errorAltText": "错误", - "showMessageDetails": "显示详细信息", - "copyMessage": "复制", - "closeMessage": "关闭", - "modal.back": "返回", - "hideMessageDetails": "隐藏详细信息" - }, - "sql/workbench/services/accountManagement/browser/accountDialog": { - "accountExplorer.name": "帐户", - "linkedAccounts": "链接的帐户", - "accountDialog.close": "关闭", - "accountDialog.noAccountLabel": "没有链接的帐户。请添加一个帐户。", - "accountDialog.addConnection": "添加帐户", - "accountDialog.noCloudsRegistered": "你没有启用云。请转到“设置”-> 搜索 Azure 帐户配置 -> 至少启用一个云", - "accountDialog.didNotPickAuthProvider": "你没有选择任何身份验证提供程序。请重试。" - }, - "sql/workbench/services/query/common/queryRunner": { - "query.ExecutionFailedError": "由于意外错误,执行失败: {0}\t{1}", - "query.message.executionTime": "执行时间总计: {0}", - "query.message.startQueryWithRange": "开始执行查询的位置: 第 {0} 行", - "query.message.startQuery": "已开始执行批处理 {0}", - "elapsedBatchTime": "批处理执行时间: {0}", - "copyFailed": "复制失败,出现错误 {0}" - }, - "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { - "welcomePage.azdata": "Azure Data Studio", - "welcomePage.start": "开始", - "welcomePage.newConnection": "新建连接", - "welcomePage.newQuery": "新建查询", - "welcomePage.newNotebook": "新建笔记本", - "welcomePage.openFileMac": "打开文件", - "welcomePage.openFileLinuxPC": "打开文件", - "welcomePage.deploy": "部署", - "welcomePage.newDeployment": "新建部署…", - "welcomePage.recent": "最近使用", - "welcomePage.moreRecent": "更多...", - "welcomePage.noRecentFolders": "没有最近使用的文件夹", - "welcomePage.help": "帮助", - "welcomePage.gettingStarted": "开始使用", - "welcomePage.productDocumentation": "文档", - "welcomePage.reportIssue": "报告问题或功能请求", - "welcomePage.gitHubRepository": "GitHub 存储库", - "welcomePage.releaseNotes": "发行说明", - "welcomePage.showOnStartup": "启动时显示欢迎页", - "welcomePage.customize": "自定义", - "welcomePage.extensions": "扩展", - "welcomePage.extensionDescription": "下载所需的扩展,包括 SQL Server 管理包等", - "welcomePage.keyboardShortcut": "键盘快捷方式", - "welcomePage.keyboardShortcutDescription": "查找你喜欢的命令并对其进行自定义", - "welcomePage.colorTheme": "颜色主题", - "welcomePage.colorThemeDescription": "使编辑器和代码呈现你喜欢的外观", - "welcomePage.learn": "了解", - "welcomePage.showCommands": "查找并运行所有命令", - "welcomePage.showCommandsDescription": "使用命令面板快速访问和搜索命令 ({0})", - "welcomePage.azdataBlog": "了解最新版本中的新增功能", - "welcomePage.azdataBlogDescription": "每月推出新的月度博客文章,展示新功能", - "welcomePage.followTwitter": "在 Twitter 上关注我们", - "welcomePage.followTwitterDescription": "保持了解社区如何使用 Azure Data Studio 并与工程师直接交谈。" - }, - "sql/workbench/contrib/profiler/browser/profilerActions": { - "profilerAction.connect": "连接", - "profilerAction.disconnect": "断开连接", - "start": "开始", - "create": "新建会话", - "profilerAction.pauseCapture": "暂停", - "profilerAction.resumeCapture": "继续", - "profilerStop.stop": "停止", - "profiler.clear": "清除数据", - "profiler.clearDataPrompt": "是否确实要清除数据?", - "profiler.yes": "是", - "profiler.no": "否", - "profilerAction.autoscrollOn": "自动滚动: 开", - "profilerAction.autoscrollOff": "自动滚动: 关", - "profiler.toggleCollapsePanel": "切换已折叠的面板", - "profiler.editColumns": "编辑列", - "profiler.findNext": "查找下一个字符串", - "profiler.findPrevious": "查找上一个字符串", - "profilerAction.newProfiler": "启动探查器", - "profiler.filter": "筛选器…", - "profiler.clearFilter": "清除筛选器", - "profiler.clearFilterPrompt": "是否确实要清除筛选器?" - }, - "sql/workbench/contrib/profiler/browser/profilerTableEditor": { - "ProfilerTableEditor.eventCountFiltered": "事件(已筛选): {0}/{1}", - "ProfilerTableEditor.eventCount": "事件: {0}", - "status.eventCount": "事件计数" - }, - "sql/base/browser/ui/table/formatters": { - "tableCell.NoDataAvailable": "无可用数据" - }, - "sql/workbench/contrib/query/browser/queryResultsView": { - "resultsTabTitle": "结果", - "messagesTabTitle": "消息" - }, - "sql/workbench/browser/scriptingUtils": { - "scriptSelectNotFound": "在对象上调用 select 脚本时没有返回脚本", - "selectOperationName": "选择", - "createOperationName": "创建", - "insertOperationName": "插入", - "updateOperationName": "更新", - "deleteOperationName": "删除", - "scriptNotFoundForObject": "在对象 {1} 上执行 {0} 脚本时未返回脚本", - "scriptingFailed": "执行脚本失败", - "scriptNotFound": "执行 {0} 脚本时未返回脚本" - }, - "sql/platform/theme/common/colors": { - "tableHeaderBackground": "表头背景色", - "tableHeaderForeground": "表头前景色", - "listFocusAndSelectionBackground": "当列表/表处于活动状态时所选焦点所在项的列表/表背景色", - "tableCellOutline": "单元格边框颜色。", - "disabledInputBoxBackground": "已禁用输入框背景。", - "disabledInputBoxForeground": "已禁用输入框前景。", - "buttonFocusOutline": "聚焦时的按钮轮廓颜色。", - "disabledCheckboxforeground": "已禁用复选框前景。", - "agentTableBackground": "SQL 代理表背景色。", - "agentCellBackground": "SQL 代理表单元格背景色。", - "agentTableHoverBackground": "SQL 代理表悬停背景色。", - "agentJobsHeadingColor": "SQL 代理标题背景色。", - "agentCellBorderColor": "SQL 代理表单元格边框颜色。", - "resultsErrorColor": "结果消息错误颜色。" - }, - "sql/workbench/contrib/backup/browser/backup.component": { - "backup.backupName": "备份名称", - "backup.recoveryModel": "恢复模式", - "backup.backupType": "备份类型", - "backup.backupDevice": "备份文件", - "backup.algorithm": "算法", - "backup.certificateOrAsymmetricKey": "证书或非对称密钥", - "backup.media": "媒体", - "backup.mediaOption": "备份到现有媒体集", - "backup.mediaOptionFormat": "备份到新的媒体集", - "backup.existingMediaAppend": "追加到现有备份集", - "backup.existingMediaOverwrite": "覆盖所有现有备份集", - "backup.newMediaSetName": "新建媒体集名称", - "backup.newMediaSetDescription": "新建媒体集说明", - "backup.checksumContainer": "在写入到媒体前执行校验和", - "backup.verifyContainer": "完成后验证备份", - "backup.continueOnErrorContainer": "出错时继续", - "backup.expiration": "有效期", - "backup.setBackupRetainDays": "设置备份保留天数", - "backup.copyOnly": "仅限复制的备份", - "backup.advancedConfiguration": "高级配置", - "backup.compression": "压缩", - "backup.setBackupCompression": "设置备份压缩", - "backup.encryption": "加密", - "backup.transactionLog": "事务日志", - "backup.truncateTransactionLog": "截断事务日志", - "backup.backupTail": "备份日志的末尾", - "backup.reliability": "可靠性", - "backup.mediaNameRequired": "需要媒体名称", - "backup.noEncryptorWarning": "没有可用的证书或非对称密钥", - "addFile": "添加文件", - "removeFile": "删除文件", - "backupComponent.invalidInput": "输入无效。值必须大于或等于 0。", - "backupComponent.script": "脚本", - "backupComponent.backup": "备份", - "backupComponent.cancel": "取消", - "backup.containsBackupToUrlError": "只支持备份到文件", - "backup.backupFileRequired": "需要备份文件路径" + "sql/platform/serialization/common/serializationService": { + "saveAsNotSupported": "已禁止此数据提供程序将结果保存为其他格式。", + "noSerializationProvider": "无法序列化数据,因为尚未注册任何提供程序", + "unknownSerializationError": "出现未知错误,序列化失败" }, "sql/platform/theme/common/colorRegistry": { "tileBorder": "磁贴的边框颜色", @@ -10587,231 +9425,184 @@ "calloutDialogBodyBackground": "标注对话框正文背景。", "calloutDialogShadowColor": "标注对话框阴影颜色。" }, - "sql/workbench/contrib/views/browser/treeView": { - "no-dataprovider": "没有可提供视图数据的已注册数据提供程序。", - "refresh": "刷新", - "collapseAll": "全部折叠", - "command-error": "运行命令 {1} 错误: {0}。这可能是由提交 {1} 的扩展引起的。" + "sql/platform/theme/common/colors": { + "tableHeaderBackground": "表头背景色", + "tableHeaderForeground": "表头前景色", + "listFocusAndSelectionBackground": "当列表/表处于活动状态时所选焦点所在项的列表/表背景色", + "tableCellOutline": "单元格边框颜色。", + "disabledInputBoxBackground": "已禁用输入框背景。", + "disabledInputBoxForeground": "已禁用输入框前景。", + "buttonFocusOutline": "聚焦时的按钮轮廓颜色。", + "disabledCheckboxforeground": "已禁用复选框前景。", + "agentTableBackground": "SQL 代理表背景色。", + "agentCellBackground": "SQL 代理表单元格背景色。", + "agentTableHoverBackground": "SQL 代理表悬停背景色。", + "agentJobsHeadingColor": "SQL 代理标题背景色。", + "agentCellBorderColor": "SQL 代理表单元格边框颜色。", + "resultsErrorColor": "结果消息错误颜色。" }, - "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { - "notebook.failed": "请选择活动单元格并重试", - "runCell": "运行单元格", - "stopCell": "取消执行", - "errorRunCell": "上次运行时出错。请单击以重新运行" + "sql/workbench/api/browser/mainThreadExtensionManagement": { + "workbench.generalObsoleteApiNotification": "某些加载的扩展正在使用过时的 API,请在“开发人员工具”窗口的“控制台”选项卡中查找详细信息", + "dontShowAgain": "不再显示" }, - "sql/workbench/contrib/tasks/common/tasksAction": { - "cancelTask.cancel": "取消", - "errorMsgFromCancelTask": "任务取消失败。", - "taskAction.script": "脚本" - }, - "sql/base/browser/ui/taskbar/overflowActionbar": { - "toggleMore": "切换更多" - }, - "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { - "loadingSpinner.loading": "正在加载" - }, - "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { - "homeCrumb": "主页" - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { - "dashboardNavSection.loadTabError": "“{0}”部分具有无效内容。请与扩展所有者联系。" - }, - "sql/workbench/contrib/jobManagement/browser/agentView.component": { - "jobview.Jobs": "作业", - "jobview.Notebooks": "笔记本", - "jobview.Alerts": "警报", - "jobview.Proxies": "代理", - "jobview.Operators": "运算符" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { - "serverPageName": "服务器属性" - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { - "databasePageName": "数据库属性" - }, - "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { - "selectDeselectAll": "全选/取消全选" - }, - "sql/base/browser/ui/table/plugins/headerFilter.plugin": { - "headerFilter.showFilter": "显示筛选器", - "headerFilter.ok": "确定", - "headerFilter.clear": "清除", - "headerFilter.cancel": "取消" - }, - "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { - "treeAriaLabel": "最近的连接", - "serversAriaLabel": "服务器", - "treeCreation.regTreeAriaLabel": "服务器" - }, - "sql/workbench/services/restore/common/constants": { - "backup.filterBackupFiles": "备份文件", - "backup.allFiles": "所有文件" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { - "label.Search": "搜索: 键入搜索词,然后按 Enter 键搜索或按 Esc 键取消", - "search.placeHolder": "搜索" - }, - "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { - "dashboard.changeDatabaseFailure": "未能更改数据库" - }, - "sql/workbench/contrib/jobManagement/browser/alertsView.component": { - "jobAlertColumns.name": "名称", - "jobAlertColumns.lastOccurrenceDate": "上一个匹配项", - "jobAlertColumns.enabled": "已启用", - "jobAlertColumns.delayBetweenResponses": "响应之间的延迟(秒)", - "jobAlertColumns.categoryName": "类别名称" - }, - "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { - "jobOperatorsView.name": "名称", - "jobOperatorsView.emailAddress": "电子邮件地址", - "jobOperatorsView.enabled": "已启用" - }, - "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { - "jobProxiesView.accountName": "帐户名称", - "jobProxiesView.credentialName": "凭据名称", - "jobProxiesView.description": "说明", - "jobProxiesView.isEnabled": "已启用" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { - "loadingObjects": "正在加载对象", - "loadingDatabases": "正在加载数据库", - "loadingObjectsCompleted": "对象加载已完成。", - "loadingDatabasesCompleted": "数据库加载已完成。", - "seachObjects": "按类型名称搜索(t:、v:、f: 或 sp:)", - "searchDatabases": "搜索数据库", - "dashboard.explorer.objectError": "无法加载对象", - "dashboard.explorer.databaseError": "无法加载数据库" - }, - "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { - "loadingProperties": "正在加载属性", - "loadingPropertiesCompleted": "属性加载已完成", - "dashboard.properties.error": "无法加载仪表板属性" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { - "insightsWidgetLoadingMessage": "正在加载 {0}", - "insightsWidgetLoadingCompletedMessage": "{0} 加载已完成", - "insights.autoRefreshOffState": "自动刷新: 关", - "insights.lastUpdated": "上次更新时间: {0} {1}", - "noResults": "没有可显示的结果" - }, - "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { - "agent.steps": "步骤" - }, - "sql/workbench/contrib/query/browser/actions": { - "saveAsCsv": "另存为 CSV", - "saveAsJson": "另存为 JSON", - "saveAsExcel": "另存为 Excel", - "saveAsXml": "另存为 XML", - "jsonEncoding": "导出到 JSON 时,将不会保存结果编码,请记得在创建文件后使用所需编码进行保存。", - "saveToFileNotSupported": "备份数据源不支持保存到文件", - "copySelection": "复制", - "copyWithHeaders": "带标头复制", - "selectAll": "全选", - "maximize": "最大化", - "restore": "还原", - "chart": "图表", - "visualizer": "可视化工具" + "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { + "runActiveCell": "需要选择代码单元格才能使用 F5 快捷键。请选择要运行的代码单元格。", + "clearResultActiveCell": "需要选择代码单元格才能清除结果。请选择要运行的代码单元格。" }, "sql/workbench/api/common/extHostModelView": { "unknownComponentType": "未知组件类型。必须使用 ModelBuilder 创建对象", "invalidIndex": "索引 {0} 无效。", "unknownConfig": "组件配置未知,必须使用 ModelBuilder 创建配置对象" }, - "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { - "stepRow.stepID": "步骤 ID", - "stepRow.stepName": "步骤名称", - "stepRow.message": "消息" + "sql/workbench/api/common/extHostModelViewDialog": { + "dialogDoneLabel": "完成", + "dialogCancelLabel": "取消", + "generateScriptLabel": "生成脚本", + "dialogNextLabel": "下一步", + "dialogPreviousLabel": "上一步", + "dashboardNotInitialized": "选项卡未初始化" }, - "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { - "label.find": "查找", - "placeholder.find": "查找", - "label.previousMatchButton": "上一个匹配项", - "label.nextMatchButton": "下一个匹配项", - "label.closeButton": "关闭", - "title.matchesCountLimit": "搜索返回了大量结果,将仅突出显示前 999 个匹配项。", - "label.matchesLocation": "{0} 个(共 {1} 个)", - "label.noResults": "无结果" + "sql/workbench/api/common/extHostModelViewTree": { + "treeView.notRegistered": "未注册 ID 为 \"{0}\" 的树状视图。" }, - "sql/workbench/contrib/charts/browser/chartView": { - "horizontalBarAltName": "水平条", - "barAltName": "条形图", - "lineAltName": "折线图", - "pieAltName": "饼图", - "scatterAltName": "散点图", - "timeSeriesAltName": "时序", - "imageAltName": "图像", - "countAltName": "计数", - "tableAltName": "表", - "doughnutAltName": "圆环图", - "charting.failedToGetRows": "未能获得数据集的行来绘制图表。", - "charting.unsupportedType": "不支持图表类型“{0}”。" + "sql/workbench/api/common/extHostNotebook": { + "providerRequired": "必须向此方法传递具有有效 providerId 的 NotebookProvider", + "errNoProvider": "未找到笔记本提供程序", + "errNoManager": "未找到管理器", + "noServerManager": "笔记本 {0} 的笔记本管理器没有服务器管理器。无法对其执行操作", + "noContentManager": "笔记本 {0} 的笔记本管理器没有内容管理器。无法对其执行操作", + "noSessionManager": "笔记本 {0} 的笔记本管理器没有会话管理器。无法对其执行操作" }, - "sql/workbench/contrib/notebook/browser/cellViews/code.component": { - "parametersText": "参数" + "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { + "providerRequired": "必须向此方法传递具有有效 providerId 的 NotebookProvider" }, - "sql/workbench/services/connection/browser/localizedConstants": { - "onDidConnectMessage": "已连接到", - "onDidDisconnectMessage": "已断开连接", - "unsavedGroupLabel": "未保存的连接" + "sql/workbench/browser/actions": { + "manage": "管理", + "showDetails": "显示详细信息", + "configureDashboardLearnMore": "了解更多", + "clearSavedAccounts": "清除所有保存的帐户" }, - "sql/workbench/services/connection/browser/connectionBrowseTab": { - "connectionDialog.browser": "浏览(预览)", - "connectionDialog.FilterPlaceHolder": "在此处键入以筛选列表", - "connectionDialog.FilterInputTitle": "筛选器连接", - "connectionDialog.ApplyingFilter": "正在应用筛选器", - "connectionDialog.RemovingFilter": "正在删除筛选器", - "connectionDialog.FilterApplied": "已应用筛选器", - "connectionDialog.FilterRemoved": "已删除筛选器", - "savedConnections": "保存的连接", - "savedConnection": "保存的连接", - "connectionBrowserTree": "连接浏览器树" + "sql/workbench/browser/actions.contribution": { + "previewFeatures.configTitle": "预览功能", + "previewFeatures.configEnable": "启用未发布的预览功能", + "showConnectDialogOnStartup": "在启动时显示连接对话框", + "enableObsoleteApiUsageNotificationTitle": "过时的 API 通知", + "enableObsoleteApiUsageNotification": "启用/禁用过时的 API 使用通知" }, - "sql/workbench/contrib/extensions/browser/staticRecommendations": { - "defaultRecommendations": "Azure Data Studio 建议使用此扩展。" + "sql/workbench/browser/editData/editDataInput": { + "connectionFailure": "编辑数据会话连接失败" }, - "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { - "neverShowAgain": "不再显示", - "ExtensionsRecommended": "Azure Data Studio 具有扩展建议。", - "VisualizerExtensionsRecommended": "Azure Data Studio 具有针对数据可视化的扩展建议。\r\n安装后,你可以选择“可视化工具”图标来可视化查询结果。", - "installAll": "全部安装", - "showRecommendations": "显示建议", - "scenarioTypeUndefined": "必须提供扩展建议的方案类型。" + "sql/workbench/browser/editor/profiler/profilerInput": { + "profilerInput.profiler": "探查器", + "profilerInput.notConnected": "未连接", + "profiler.sessionStopped": "XEvent 探查器会话在服务器 {0} 上意外停止。", + "profiler.sessionCreationError": "启动新会话时出错", + "profiler.eventsLost": "{0} 的 XEvent 探查器会话缺失事件。" }, - "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { - "welcomePage.previewBody": "此功能页面处于预览状态。预览功能引入了新功能,这些功能有望成为产品的永久组成部分。它们是稳定的,但需要改进额外的辅助功能。欢迎在功能开发期间提供早期反馈。", - "welcomePage.preview": "预览", - "welcomePage.createConnection": "创建连接", - "welcomePage.createConnectionBody": "通过连接对话连接到数据库实例。", - "welcomePage.runQuery": "运行查询", - "welcomePage.runQueryBody": "通过查询编辑器与数据交互。", - "welcomePage.createNotebook": "创建笔记本", - "welcomePage.createNotebookBody": "使用本机笔记本编辑器生成新笔记本。", - "welcomePage.deployServer": "部署服务器", - "welcomePage.deployServerBody": "在所选平台上创建关系数据服务的新实例。", - "welcomePage.resources": "资源", - "welcomePage.history": "历史记录", - "welcomePage.name": "名称", - "welcomePage.location": "位置", - "welcomePage.moreRecent": "显示更多", - "welcomePage.showOnStartup": "启动时显示欢迎页", - "welcomePage.usefuLinks": "有用链接", - "welcomePage.gettingStarted": "开始使用", - "welcomePage.gettingStartedBody": "发现 Azure Data Studio 所提供的功能,并了解如何充分利用这些功能。", - "welcomePage.documentation": "文档", - "welcomePage.documentationBody": "访问文档中心,以获取快速入门、操作指南以及 PowerShell、API 等的参考。", - "welcomePage.videoDescriptionOverview": "Azure Data Studio 概述", - "welcomePage.videoDescriptionIntroduction": "Azure Data Studio 笔记本简介 | 已公开的数据", - "welcomePage.extensions": "扩展", - "welcomePage.showAll": "全部显示", - "welcomePage.learnMore": "了解更多" + "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { + "resourceViewer.showActions": "显示操作", + "resourceViewerInput.resourceViewer": "资源查看器" }, - "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { - "notebookHistory.dateCreatedTooltip": "创建日期:", - "notebookHistory.notebookErrorTooltip": "笔记本错误:", - "notebookHistory.ErrorTooltip": "作业错误:", - "notebookHistory.pinnedTitle": "已固定", - "notebookHistory.recentRunsTitle": "最近运行", - "notebookHistory.pastRunsTitle": "已运行" + "sql/workbench/browser/modal/modal": { + "infoAltText": "信息", + "warningAltText": "警告", + "errorAltText": "错误", + "showMessageDetails": "显示详细信息", + "copyMessage": "复制", + "closeMessage": "关闭", + "modal.back": "返回", + "hideMessageDetails": "隐藏详细信息" + }, + "sql/workbench/browser/modal/optionsDialog": { + "optionsDialog.ok": "确定", + "optionsDialog.cancel": "取消" + }, + "sql/workbench/browser/modal/optionsDialogHelper": { + "optionsDialog.missingRequireField": "是必需的。", + "optionsDialog.invalidInput": "输入无效。预期值为数值。" + }, + "sql/workbench/browser/modelComponents/componentBase": { + "invalidIndex": "索引 {0} 无效。" + }, + "sql/workbench/browser/modelComponents/declarativeTable.component": { + "blankValue": "空白", + "checkAllColumnLabel": "选中列中的所有复选框: {0}", + "declarativeTable.showActions": "显示操作" + }, + "sql/workbench/browser/modelComponents/dropdown.component": { + "loadingMessage": "正在加载", + "loadingCompletedMessage": "加载已完成" + }, + "sql/workbench/browser/modelComponents/inputbox.component": { + "invalidValueError": "值无效", + "period": "{0}。{1}" + }, + "sql/workbench/browser/modelComponents/loadingComponent.component": { + "loadingMessage": "正在加载", + "loadingCompletedMessage": "加载完毕" + }, + "sql/workbench/browser/modelComponents/queryTextEditor": { + "queryTextEditorAriaLabel": "用于视图模型的模型视图代码编辑器。" + }, + "sql/workbench/browser/modelComponents/viewBase": { + "componentTypeNotRegistered": "找不到类型 {0} 的组件" + }, + "sql/workbench/browser/parts/editor/editorStatusModeSelect": { + "languageChangeUnsupported": "不支持更改未保存文件的编辑器类型" + }, + "sql/workbench/browser/scriptingActions": { + "scriptSelect": "选择前 1000 项", + "scriptKustoSelect": "选取 10 个", + "scriptExecute": "执行 Execute 脚本", + "scriptAlter": "执行 Alter 脚本", + "editData": "编辑数据", + "scriptCreate": "执行 Create 脚本", + "scriptDelete": "执行 Drop 脚本" + }, + "sql/workbench/browser/scriptingUtils": { + "scriptSelectNotFound": "在对象上调用 select 脚本时没有返回脚本", + "selectOperationName": "选择", + "createOperationName": "创建", + "insertOperationName": "插入", + "updateOperationName": "更新", + "deleteOperationName": "删除", + "scriptNotFoundForObject": "在对象 {1} 上执行 {0} 脚本时未返回脚本", + "scriptingFailed": "执行脚本失败", + "scriptNotFound": "执行 {0} 脚本时未返回脚本" + }, + "sql/workbench/common/editor/query/queryEditorInput": { + "disconnected": "已断开连接" + }, + "sql/workbench/common/editor/query/queryResultsInput": { + "extensionsInputName": "扩展" + }, + "sql/workbench/common/theme": { + "verticalTabActiveBackground": "垂直选项卡的活动选项卡背景色", + "dashboardBorder": "仪表板中边框的颜色", + "dashboardWidget": "仪表板小组件标题的颜色", + "dashboardWidgetSubtext": "仪表板小组件子文本的颜色", + "propertiesContainerPropertyValue": "属性容器组件中显示的属性值的颜色", + "propertiesContainerPropertyName": "属性容器组件中显示的属性名称的颜色", + "toolbarOverflowShadow": "工具栏溢出阴影颜色" + }, + "sql/workbench/contrib/accounts/browser/accountManagement.contribution": { + "carbon.extension.contributes.account.id": "帐户类型的标识符", + "carbon.extension.contributes.account.icon": "(可选) UI 中用于表示帐户的图标。可以是文件路径或可设置主题的配置", + "carbon.extension.contributes.account.icon.light": "使用浅色主题时的图标路径", + "carbon.extension.contributes.account.icon.dark": "使用深色主题时的图标路径", + "carbon.extension.contributes.account": "向帐户提供者提供图标。" + }, + "sql/workbench/contrib/assessment/browser/asmtActions": { + "asmtaction.server.getitems": "查看适用规则", + "asmtaction.database.getitems": "查看 {0} 的适用规则", + "asmtaction.server.invokeitems": "调用评估", + "asmtaction.database.invokeitems": "调用 {0} 的评估", + "asmtaction.exportasscript": "导出为脚本", + "asmtaction.showsamples": "查看所有规则并了解有关 GitHub 的详细信息", + "asmtaction.generatehtmlreport": "创建 HTML 报表", + "asmtaction.openReport": "已保存报表。是否要打开它?", + "asmtaction.label.open": "打开", + "asmtaction.label.cancel": "取消" }, "sql/workbench/contrib/assessment/browser/asmtResultsView.component": { "asmt.NoResultsInitial": "没有要显示的内容。请调用评估以获取结果", @@ -10821,110 +9612,6 @@ "asmt.TargetInstanceComplient": "实例 {0} 完全符合最佳做法。非常棒!", "asmt.TargetDatabaseComplient": "数据库 {0} 完全符合最佳做法。非常棒!" }, - "sql/workbench/contrib/charts/browser/chartTab": { - "chartTabTitle": "图表" - }, - "sql/workbench/contrib/queryPlan/browser/topOperations": { - "topOperations.operation": "操作", - "topOperations.object": "对象", - "topOperations.estCost": "预计成本", - "topOperations.estSubtreeCost": "预计子树成本", - "topOperations.actualRows": "实际行数", - "topOperations.estRows": "预计行数", - "topOperations.actualExecutions": "实际执行次数", - "topOperations.estCPUCost": "预计 CPU 成本", - "topOperations.estIOCost": "预计 IO 成本", - "topOperations.parallel": "并行", - "topOperations.actualRebinds": "实际重新绑定次数", - "topOperations.estRebinds": "预计重新绑定次数", - "topOperations.actualRewinds": "实际后退次数", - "topOperations.estRewinds": "预计后退次数", - "topOperations.partitioned": "分区", - "topOperationsTitle": "热门的操作" - }, - "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { - "servers.noConnections": "未找到连接。", - "serverTree.addConnection": "添加连接" - }, - "sql/workbench/services/connection/browser/connectionWidget": { - "connectionWidget.AddAzureAccount": "添加帐户…", - "defaultDatabaseOption": "<默认值>", - "loadingDatabaseOption": "正在加载…", - "serverGroup": "服务器组", - "defaultServerGroup": "<默认值>", - "addNewServerGroup": "添加新组…", - "noneServerGroup": "<不保存>", - "connectionWidget.missingRequireField": "{0} 是必需的。", - "connectionWidget.fieldWillBeTrimmed": "将剪裁 {0}。", - "rememberPassword": "记住密码", - "connection.azureAccountDropdownLabel": "帐户", - "connectionWidget.refreshAzureCredentials": "刷新帐户凭据", - "connection.azureTenantDropdownLabel": "Azure AD 租户", - "connectionName": "名称(可选)", - "advanced": "高级…", - "connectionWidget.invalidAzureAccount": "必须选择一个帐户" - }, - "sql/workbench/contrib/backup/common/constants": { - "backup.labelDatabase": "数据库", - "backup.labelFilegroup": "文件和文件组", - "backup.labelFull": "完整", - "backup.labelDifferential": "差异", - "backup.labelLog": "事务日志", - "backup.labelDisk": "磁盘", - "backup.labelUrl": "URL", - "backup.defaultCompression": "使用默认服务器设置", - "backup.compressBackup": "压缩备份", - "backup.doNotCompress": "不压缩备份", - "backup.serverCertificate": "服务器证书", - "backup.asymmetricKey": "非对称密钥" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { - "searchWithoutFolder": "你尚未打开任何包含笔记本/工作簿的文件夹。", - "openNotebookFolder": "打开笔记本", - "searchMaxResultsWarning": "结果集仅包含所有匹配项的子集。请使你的搜索更加具体,减少结果。", - "searchInProgress": "正在搜索... -", - "noResultsIncludesExcludes": "在“{0}”中找不到结果(“{1}”除外) - ", - "noResultsIncludes": "“{0}”中未找到任何结果 - ", - "noResultsExcludes": "除“{0}”外,未找到任何结果 - ", - "noResultsFound": "未找到结果。查看您的设置配置排除, 并检查您的 gitignore 文件-", - "rerunSearch.message": "重新搜索", - "cancelSearch.message": "取消搜索", - "rerunSearchInAll.message": "在所有文件中再次搜索", - "openSettings.message": "打开设置", - "ariaSearchResultsStatus": "搜索 {1} 文件中返回的 {0} 个结果", - "ToggleCollapseAndExpandAction.label": "切换折叠和展开", - "CancelSearchAction.label": "取消搜索", - "ExpandAllAction.label": "全部展开", - "CollapseDeepestExpandedLevelAction.label": "全部折叠", - "ClearSearchResultsAction.label": "清除搜索结果" - }, - "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { - "GuidedTour.connections": "连接", - "GuidedTour.makeConnections": "通过 SQL Server、Azure 等连接、查询和管理你的连接。", - "GuidedTour.one": "1", - "GuidedTour.next": "下一步", - "GuidedTour.notebooks": "笔记本", - "GuidedTour.gettingStartedNotebooks": "开始在一个位置创建你自己的笔记本或笔记本集合。", - "GuidedTour.two": "2", - "GuidedTour.extensions": "扩展", - "GuidedTour.addExtensions": "通过安装由我们/Microsoft 以及第三方社区(你!)开发的扩展来扩展 Azure Data Studio 的功能。", - "GuidedTour.three": "3", - "GuidedTour.settings": "设置", - "GuidedTour.makeConnesetSettings": "根据你的偏好自定义 Azure Data Studio。可以配置自动保存和选项卡大小等设置,个性化设置键盘快捷方式,并切换到你喜欢的颜色主题。", - "GuidedTour.four": "4", - "GuidedTour.welcomePage": "欢迎页面", - "GuidedTour.discoverWelcomePage": "在“欢迎”页面上发现热门功能、最近打开的文件以及建议的扩展。有关如何开始使用 Azure Data Studio 的详细信息,请参阅我们的视频和文档。", - "GuidedTour.five": "5", - "GuidedTour.finish": "完成", - "guidedTour": "用户欢迎教程", - "hideGuidedTour": "隐藏欢迎教程", - "GuidedTour.readMore": "了解更多", - "help": "帮助" - }, - "sql/workbench/contrib/editData/browser/editDataGridActions": { - "deleteRow": "删除行", - "revertRow": "还原当前行" - }, "sql/workbench/contrib/assessment/common/strings": { "asmt.section.api.title": "API 信息", "asmt.apiversion": "API 版本:", @@ -10947,171 +9634,81 @@ "asmt.column.helpLink": "帮助链接", "asmt.sqlReport.severityMsg": "{0}: {1} 个项" }, - "sql/workbench/contrib/query/browser/messagePanel": { - "messagePanel": "消息面板", - "copy": "复制", - "copyAll": "全部复制" + "sql/workbench/contrib/azure/browser/azure.contribution": { + "azure.openInAzurePortal.title": "在 Azure 门户中打开" }, - "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { - "loadingMessage": "正在加载", - "loadingCompletedMessage": "加载已完成" + "sql/workbench/contrib/backup/browser/backup.component": { + "backup.backupName": "备份名称", + "backup.recoveryModel": "恢复模式", + "backup.backupType": "备份类型", + "backup.backupDevice": "备份文件", + "backup.algorithm": "算法", + "backup.certificateOrAsymmetricKey": "证书或非对称密钥", + "backup.media": "媒体", + "backup.mediaOption": "备份到现有媒体集", + "backup.mediaOptionFormat": "备份到新的媒体集", + "backup.existingMediaAppend": "追加到现有备份集", + "backup.existingMediaOverwrite": "覆盖所有现有备份集", + "backup.newMediaSetName": "新建媒体集名称", + "backup.newMediaSetDescription": "新建媒体集说明", + "backup.checksumContainer": "在写入到媒体前执行校验和", + "backup.verifyContainer": "完成后验证备份", + "backup.continueOnErrorContainer": "出错时继续", + "backup.expiration": "有效期", + "backup.setBackupRetainDays": "设置备份保留天数", + "backup.copyOnly": "仅限复制的备份", + "backup.advancedConfiguration": "高级配置", + "backup.compression": "压缩", + "backup.setBackupCompression": "设置备份压缩", + "backup.encryption": "加密", + "backup.transactionLog": "事务日志", + "backup.truncateTransactionLog": "截断事务日志", + "backup.backupTail": "备份日志的末尾", + "backup.reliability": "可靠性", + "backup.mediaNameRequired": "需要媒体名称", + "backup.noEncryptorWarning": "没有可用的证书或非对称密钥", + "addFile": "添加文件", + "removeFile": "删除文件", + "backupComponent.invalidInput": "输入无效。值必须大于或等于 0。", + "backupComponent.script": "脚本", + "backupComponent.backup": "备份", + "backupComponent.cancel": "取消", + "backup.containsBackupToUrlError": "只支持备份到文件", + "backup.backupFileRequired": "需要备份文件路径" }, - "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { - "clickOn": "单击", - "plusCode": "+ 代码", - "or": "或", - "plusText": "+ 文本", - "toAddCell": "添加代码或文本单元格" + "sql/workbench/contrib/backup/browser/backup.contribution": { + "backup": "备份" }, - "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { - "stdInLabel": "StdIn:" + "sql/workbench/contrib/backup/browser/backupActions": { + "backup.isPreviewFeature": "必须启用预览功能才能使用备份", + "backup.commandNotSupportedForServer": "数据库上下文外不支持备份命令,请选择数据库并重试。", + "backup.commandNotSupported": "Azure SQL 数据库不支持备份命令。", + "backupAction.backup": "备份" }, - "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { - "expandCellContents": "展开代码单元格内容", - "collapseCellContents": "折叠代码单元格内容" + "sql/workbench/contrib/backup/common/constants": { + "backup.labelDatabase": "数据库", + "backup.labelFilegroup": "文件和文件组", + "backup.labelFull": "完整", + "backup.labelDifferential": "差异", + "backup.labelLog": "事务日志", + "backup.labelDisk": "磁盘", + "backup.labelUrl": "URL", + "backup.defaultCompression": "使用默认服务器设置", + "backup.compressBackup": "压缩备份", + "backup.doNotCompress": "不压缩备份", + "backup.serverCertificate": "服务器证书", + "backup.asymmetricKey": "非对称密钥" }, - "sql/workbench/contrib/query/browser/gridPanel": { - "xmlShowplan": "XML 显示计划", - "resultsGrid": "结果网格" - }, - "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { - "buttonAdd": "添加单元格", - "optionCodeCell": "代码单元格", - "optionTextCell": "文本单元格", - "buttonMoveDown": "下移单元格", - "buttonMoveUp": "上移单元格", - "buttonDelete": "删除", - "codeCellsPreview": "添加单元格", - "codePreview": "代码单元格", - "textPreview": "文本单元格" - }, - "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { - "sqlKernelError": "SQL 内核错误", - "connectionRequired": "必须选择连接才能运行笔记本单元格", - "sqlMaxRowsDisplayed": "显示了前 {0} 行。" - }, - "sql/workbench/contrib/jobManagement/browser/jobsView.component": { - "jobColumns.name": "名称", - "jobColumns.lastRun": "上次运行", - "jobColumns.nextRun": "下次运行", - "jobColumns.enabled": "已启用", - "jobColumns.status": "状态", - "jobColumns.category": "类别", - "jobColumns.runnable": "可运行", - "jobColumns.schedule": "计划", - "jobColumns.lastRunOutcome": "上次运行结果", - "jobColumns.previousRuns": "之前的运行", - "jobsView.noSteps": "没有可用于此作业的步骤。", - "jobsView.error": "错误: " - }, - "sql/workbench/browser/modelComponents/viewBase": { - "componentTypeNotRegistered": "找不到类型 {0} 的组件" - }, - "sql/workbench/contrib/profiler/browser/profilerFindWidget": { - "label.find": "查找", - "placeholder.find": "查找", - "label.previousMatchButton": "上一个匹配项", - "label.nextMatchButton": "下一个匹配项", - "label.closeButton": "关闭", - "title.matchesCountLimit": "搜索返回了大量结果,将仅突出显示前 999 个匹配项。", - "label.matchesLocation": "{1} 个中的 {0} 个", - "label.noResults": "无结果" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { - "dashboard.explorer.namePropertyDisplayValue": "名称", - "dashboard.explorer.schemaDisplayValue": "架构", - "dashboard.explorer.objectTypeDisplayValue": "类型" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { - "insights.runQuery": "运行查询" - }, - "sql/workbench/contrib/notebook/browser/cellViews/output.component": { - "noMimeTypeFound": "未找到 {0} 呈现器用于输出。它具有以下 MIME 类型: {1}", - "safe": "安全", - "noSelectorFound": "未找到选择器 {0} 的组件", - "componentRenderError": "渲染组件时出错: {0}" - }, - "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { - "loading": "正在加载..." - }, - "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { - "loading": "正在加载..." - }, - "sql/workbench/contrib/dashboard/browser/core/actions": { - "editDashboard": "编辑", - "editDashboardExit": "退出", - "refreshWidget": "刷新", - "toggleMore": "显示操作", - "deleteWidget": "删除小组件", - "clickToUnpin": "单击以取消固定", - "clickToPin": "单击以固定", - "addFeatureAction.openInstalledFeatures": "打开已安装的功能", - "collapseWidget": "折叠小组件", - "expandWidget": "展开小组件" - }, - "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { - "unknownDashboardContainerError": "{0} 是未知容器。" - }, - "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { - "notebookColumns.name": "名称", - "notebookColumns.targetDatbase": "目标数据库", - "notebookColumns.lastRun": "上次运行", - "notebookColumns.nextRun": "下次运行", - "notebookColumns.status": "状态", - "notebookColumns.lastRunOutcome": "上次运行结果", - "notebookColumns.previousRuns": "之前的运行", - "notebooksView.noSteps": "没有可用于此作业的步骤。", - "notebooksView.error": "错误: ", - "notebooksView.notebookError": "笔记本错误:" - }, - "sql/base/browser/ui/table/plugins/rowDetailView": { - "rowDetailView.loadError": "正在加载错误…" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { - "dashboard.explorer.actions": "显示操作", - "explorerSearchNoMatchResultMessage": "未找到匹配项", - "explorerSearchSingleMatchResultMessage": "已将搜索列表筛选为 1 个项", - "explorerSearchMatchResultMessage": "已将搜索列表筛选为 {0} 个项" - }, - "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { - "agentUtilities.failed": "失败", - "agentUtilities.succeeded": "已成功", - "agentUtilities.retry": "重试", - "agentUtilities.canceled": "已取消", - "agentUtilities.inProgress": "正在进行", - "agentUtilities.statusUnknown": "状态未知", - "agentUtilities.executing": "正在执行", - "agentUtilities.waitingForThread": "正在等待线程", - "agentUtilities.betweenRetries": "重试之间", - "agentUtilities.idle": "空闲", - "agentUtilities.suspended": "已暂停", - "agentUtilities.obsolete": "[已过时]", - "agentUtilities.yes": "是", - "agentUtilities.no": "否", - "agentUtilities.notScheduled": "未计划", - "agentUtilities.neverRun": "从未运行" - }, - "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { - "buttonBold": "加粗", - "buttonItalic": "倾斜", - "buttonUnderline": "下划线", - "buttonHighlight": "突出显示", - "buttonCode": "代码", - "buttonLink": "链接", - "buttonList": "列表", - "buttonOrderedList": "已排序列表", - "buttonImage": "图像", - "buttonPreview": "Markdown 预览切换 - 关闭", - "dropdownHeading": "标题", - "optionHeading1": "标题 1", - "optionHeading2": "标题 2", - "optionHeading3": "标题 3", - "optionParagraph": "段落", - "callout.insertLinkHeading": "插入链接", - "callout.insertImageHeading": "插入图像", - "richTextViewButton": "格式文本视图", - "splitViewButton": "拆分视图", - "markdownViewButton": "Markdown 视图" + "sql/workbench/contrib/charts/browser/actions": { + "createInsightLabel": "创建创建", + "createInsightNoEditor": "无法创建见解,因为活动编辑器不是 SQL 编辑器", + "myWidgetName": "我的小组件", + "configureChartLabel": "配置图表", + "copyChartLabel": "复制为图像", + "chartNotFound": "未找到要保存的图表", + "saveImageLabel": "另存为图像", + "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", + "chartSaved": "将图表保存到路径: {0}" }, "sql/workbench/contrib/charts/browser/chartOptions": { "dataDirectionLabel": "数据方向", @@ -11135,45 +9732,432 @@ "encodingOption": "编码", "imageFormatOption": "图像格式" }, - "sql/base/browser/ui/panel/tabActions": { - "closeTab": "关闭" + "sql/workbench/contrib/charts/browser/chartTab": { + "chartTabTitle": "图表" }, - "sql/platform/connection/common/connectionConfig": { - "invalidServerName": "已存在同名的服务器组。" + "sql/workbench/contrib/charts/browser/chartView": { + "horizontalBarAltName": "水平条", + "barAltName": "条形图", + "lineAltName": "折线图", + "pieAltName": "饼图", + "scatterAltName": "散点图", + "timeSeriesAltName": "时序", + "imageAltName": "图像", + "countAltName": "计数", + "tableAltName": "表", + "doughnutAltName": "圆环图", + "charting.failedToGetRows": "未能获得数据集的行来绘制图表。", + "charting.unsupportedType": "不支持图表类型“{0}”。" + }, + "sql/workbench/contrib/charts/browser/charts.contribution": { + "builtinChartsConfigurationTitle": "内置图表", + "builtinCharts.maxRowCountDescription": "要显示的图表的最大行数。警告: 增加行数可能会影响性能。" + }, + "sql/workbench/contrib/charts/browser/configureChartDialog": { + "configureChartDialog.close": "关闭" + }, + "sql/workbench/contrib/charts/browser/graphInsight": { + "series": "系列 {0}" + }, + "sql/workbench/contrib/charts/browser/imageInsight": { + "invalidImage": "表格中不包含有效的图像" + }, + "sql/workbench/contrib/charts/browser/utils": { + "charts.maxAllowedRowsExceeded": "已超过内置图表的最大行数,仅使用了前 {0} 行。要配置该值,可以打开用户设置并搜索:\"builtinCharts. maxRowCount\"。", + "charts.neverShowAgain": "不再显示" + }, + "sql/workbench/contrib/commandLine/electron-browser/commandLine": { + "connectingLabel": "正在连接: {0}", + "runningCommandLabel": "正在运行命令: {0}", + "openingNewQueryLabel": "正在打开新查询: {0}", + "warnServerRequired": "无法连接,因为未提供服务器信息", + "errConnectUrl": "由于错误 {0} 而无法打开 URL", + "connectServerDetail": "这将连接到服务器 {0}", + "confirmConnect": "确定要连接吗?", + "open": "打开(&&O)", + "connectingQueryLabel": "正在连接查询文件" + }, + "sql/workbench/contrib/configuration/common/configurationUpgrader": { + "workbench.configuration.upgradeUser": "{0} 已被替换为用户设置中的 {1}。", + "workbench.configuration.upgradeWorkspace": "{0} 已被替换为工作区设置中的 {1}。" + }, + "sql/workbench/contrib/connection/browser/connection.contribution": { + "sql.maxRecentConnectionsDescription": "连接列表中保存的最近使用的连接数量上限", + "sql.defaultEngineDescription": "要使用的默认 SQL 引擎。这将驱动 .sql 文件中的默认语言提供程序,以及创建新连接时使用的默认语言提供程序。", + "connection.parseClipboardForConnectionStringDescription": "在打开连接对话框或执行粘贴时尝试分析剪贴板的内容。" + }, + "sql/workbench/contrib/connection/browser/connectionStatus": { + "status.connection.status": "连接状态" + }, + "sql/workbench/contrib/connection/common/connectionProviderExtension": { + "schema.providerId": "提供程序的公用 ID", + "schema.displayName": "提供程序的显示名称", + "schema.notebookKernelAlias": "提供程序的笔记本内核别名", + "schema.iconPath": "服务器类型的图标路径", + "schema.connectionOptions": "连接选项" + }, + "sql/workbench/contrib/connection/common/connectionTreeProviderExentionPoint": { + "connectionTreeProvider.schema.name": "树提供程序的用户可见名称", + "connectionTreeProvider.schema.id": "提供程序的 ID,必须与注册树数据提供程序时的 ID 相同,且必须以 \"connectionDialog/\" 开头" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardContainer.contribution": { + "azdata.extension.contributes.dashboard.container.id": "此容器的唯一标识符。", + "azdata.extension.contributes.dashboard.container.container": "将在选项卡中显示的容器。", + "azdata.extension.contributes.containers": "提供一个或多个仪表板容器,让用户添加其仪表板。", + "dashboardContainer.contribution.noIdError": "仪表板容器中未指定用于扩展的 ID。", + "dashboardContainer.contribution.noContainerError": "仪表板容器中未指定用于扩展的容器。", + "dashboardContainer.contribution.moreThanOneDashboardContainersError": "必须在每个空间定义恰好 1 个仪表板容器。", + "dashboardTab.contribution.unKnownContainerType": "仪表板容器中为扩展定义了未知的容器类型。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardControlHostContainer.contribution": { + "dashboard.container.controlhost": "将在此选项卡中显示的 controlhost。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { + "dashboardNavSection.loadTabError": "“{0}”部分具有无效内容。请与扩展所有者联系。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardGridContainer.contribution": { + "dashboard.container.gridtab.items": "将在此选项卡中显示的小组件或 Web 视图的列表。", + "gridContainer.invalidInputs": "扩展预期小组件容器中存在小组件或 Web 视图。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardModelViewContainer.contribution": { + "dashboard.container.modelview": "将在此选项卡中显示的由模型支持的视图。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardNavSection.contribution": { + "dashboard.container.left-nav-bar.id": "此导航部分的唯一标识符。将传递到任何请求的扩展。", + "dashboard.container.left-nav-bar.icon": "(可选) UI 中用于表示此导航部分的图标。可以是文件路径或可设置主题的配置", + "dashboard.container.left-nav-bar.icon.light": "使用浅色主题时的图标路径", + "dashboard.container.left-nav-bar.icon.dark": "使用深色主题时的图标路径", + "dashboard.container.left-nav-bar.title": "要向用户显示的导航部分的标题。", + "dashboard.container.left-nav-bar.container": "将在此导航部分显示的容器。", + "dashboard.container.left-nav-bar": "将在此导航部分显示的仪表板容器的列表。", + "navSection.missingTitle.error": "未在导航部分为扩展指定标题。", + "navSection.missingContainer.error": "未在导航部分为扩展指定容器。", + "navSection.moreThanOneDashboardContainersError": "必须在每个空间定义恰好 1 个仪表板容器。", + "navSection.invalidContainer.error": "NAV_SECTION 内的 NAV_SECTION 是一个无效的扩展容器。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWebviewContainer.contribution": { + "dashboard.container.webview": "将在此选项卡中显示的 Web 视图。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWidgetContainer.contribution": { + "dashboard.container.widgets": "将在此选项卡中显示的小组件列表。", + "widgetContainer.invalidInputs": "扩展预期小组件容器中存在控件列表。" + }, + "sql/workbench/contrib/dashboard/browser/core/actions": { + "editDashboard": "编辑", + "editDashboardExit": "退出", + "refreshWidget": "刷新", + "toggleMore": "显示操作", + "deleteWidget": "删除小组件", + "clickToUnpin": "单击以取消固定", + "clickToPin": "单击以固定", + "addFeatureAction.openInstalledFeatures": "打开已安装的功能", + "collapseWidget": "折叠小组件", + "expandWidget": "展开小组件" + }, + "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { + "unknownDashboardContainerError": "{0} 是未知容器。" }, "sql/workbench/contrib/dashboard/browser/core/dashboardPage.component": { "home": "主页", "missingConnectionInfo": "未找到此仪表板的连接信息", "dashboard.generalTabGroupHeader": "常规" }, - "sql/workbench/contrib/charts/browser/actions": { - "createInsightLabel": "创建创建", - "createInsightNoEditor": "无法创建见解,因为活动编辑器不是 SQL 编辑器", - "myWidgetName": "我的小组件", - "configureChartLabel": "配置图表", - "copyChartLabel": "复制为图像", - "chartNotFound": "未找到要保存的图表", - "saveImageLabel": "另存为图像", - "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", - "chartSaved": "将图表保存到路径: {0}" + "sql/workbench/contrib/dashboard/browser/core/dashboardTab.contribution": { + "azdata.extension.contributes.dashboard.tab.id": "此选项卡的唯一标识符。将传递到任何请求的扩展。", + "azdata.extension.contributes.dashboard.tab.title": "将向用户显示的选项卡标题。", + "azdata.extension.contributes.dashboard.tab.description": "将向用户显示的此选项卡的说明。", + "azdata.extension.contributes.tab.when": "此条件必须为 true 才能显示此项", + "azdata.extension.contributes.tab.provider": "定义此选项卡兼容的连接类型。如果未设置,则默认为 \"MSSQL\"", + "azdata.extension.contributes.dashboard.tab.container": "将在此选项卡中显示的容器。", + "azdata.extension.contributes.dashboard.tab.alwaysShow": "是始终显示此选项卡还是仅当用户添加时显示。", + "azdata.extension.contributes.dashboard.tab.isHomeTab": "此选项卡是否应用作连接类型的“开始”选项卡。", + "azdata.extension.contributes.dashboard.tab.group": "此选项卡所属组的唯一标识符,主页组的值: 主页。", + "dazdata.extension.contributes.dashboard.tab.icon": "(可选) UI 中用于表示此选项卡的图标。可以是文件路径或可设置主题的配置", + "azdata.extension.contributes.dashboard.tab.icon.light": "使用浅色主题时的图标路径", + "azdata.extension.contributes.dashboard.tab.icon.dark": "使用深色主题时的图标路径", + "azdata.extension.contributes.tabs": "提供一个或多个选项卡,让用户添加到其仪表板。", + "dashboardTab.contribution.noTitleError": "没有为扩展指定标题。", + "dashboardTab.contribution.noDescriptionWarning": "没有可显示的已指定说明。", + "dashboardTab.contribution.noContainerError": "没有为扩展指定容器。", + "dashboardTab.contribution.moreThanOneDashboardContainersError": "必须在每个空间定义恰好 1 个仪表板容器", + "azdata.extension.contributes.dashboard.tabGroup.id": "此选项卡组的唯一标识符。", + "azdata.extension.contributes.dashboard.tabGroup.title": "选项卡组的标题。", + "azdata.extension.contributes.tabGroups": "为用户提供一个或多个选项卡组以添加到他们的仪表板。", + "dashboardTabGroup.contribution.noIdError": "没有为选项卡组指定 ID。", + "dashboardTabGroup.contribution.noTitleError": "没有为选项卡组指定标题。", + "administrationTabGroup": "管理", + "monitoringTabGroup": "监视", + "performanceTabGroup": "性能", + "securityTabGroup": "安全性", + "troubleshootingTabGroup": "疑难解答", + "settingsTabGroup": "设置", + "databasesTabDescription": "数据库选项卡", + "databasesTabTitle": "数据库" }, - "sql/workbench/contrib/notebook/browser/notebook.component": { - "addCodeLabel": "添加代码", - "addTextLabel": "添加文本", - "createFile": "创建文件", - "displayFailed": "无法显示内容: {0}", - "codeCellsPreview": "添加单元格", - "codePreview": "代码单元格", - "textPreview": "文本单元格", - "runAllPreview": "全部运行", - "addCell": "单元格", - "code": "代码", - "text": "文本", - "runAll": "运行单元格", - "previousButtonLabel": "< 上一步", - "nextButtonLabel": "下一步 >", - "cellNotFound": "未在此模型中找到具有 URI {0} 的单元格", - "cellRunFailed": "单元格运行失败 - 有关详细信息,请参阅当前所选单元格输出中的错误。" + "sql/workbench/contrib/dashboard/browser/dashboard.contribution": { + "manage": "管理", + "dashboard.editor.label": "仪表板" + }, + "sql/workbench/contrib/dashboard/browser/dashboardActions": { + "ManageAction": "管理" + }, + "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { + "opticon": "可以省略属性 \"icon\",若不省略则必须是字符串或文字,例如 \"{dark, light}\"" + }, + "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { + "dashboard.properties.property": "定义要在仪表板上显示的属性", + "dashboard.properties.property.displayName": "用作属性标签的值", + "dashboard.properties.property.value": "对象中要针对该值访问的值", + "dashboard.properties.property.ignore": "指定要忽略的值", + "dashboard.properties.property.default": "在忽略或没有值时显示的默认值", + "dashboard.properties.flavor": "用于定义仪表板属性的风格", + "dashboard.properties.flavor.id": "风格的 ID", + "dashboard.properties.flavor.condition": "使用这种风格的条件", + "dashboard.properties.flavor.condition.field": "用于比较的字段", + "dashboard.properties.flavor.condition.operator": "用于比较的运算符", + "dashboard.properties.flavor.condition.value": "用于和字段比较的值", + "dashboard.properties.databaseProperties": "数据库页面要显示的属性", + "dashboard.properties.serverProperties": "服务器页面要显示的属性", + "carbon.extension.dashboard": "定义此提供程序支持仪表板", + "dashboard.id": "提供程序 ID (如 MSSQL)", + "dashboard.properties": "要在仪表板上显示的属性值" + }, + "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { + "azdata.extension.contributes.widget.when": "此条件必须为 true 才能显示此项", + "azdata.extension.contributes.widget.hideHeader": "是否隐藏小组件的标题,默认值为 false", + "dashboardpage.tabName": "容器的标题", + "dashboardpage.rowNumber": "网格中组件的行", + "dashboardpage.rowSpan": "网格中组件的行跨度。默认值为 1。使用 \"*\" 设置为网格中的行数。", + "dashboardpage.colNumber": "网格中组件的列", + "dashboardpage.colspan": "网格中组件的列跨度。默认值为 1。使用 \"*\" 设置为网格中的列数。", + "azdata.extension.contributes.dashboardPage.tab.id": "此选项卡的唯一标识符。将传递到任何请求的扩展。", + "dashboardTabError": "扩展选项卡未知或未安装。" + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { + "databasePageName": "数据库属性" + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { + "dashboardDatabaseProperties": "启用或禁用属性小组件", + "dashboard.databaseproperties": "要显示的属性值", + "dashboard.databaseproperties.displayName": "属性的显示名称", + "dashboard.databaseproperties.value": "数据库信息对象中的值", + "dashboard.databaseproperties.ignore": "指定要忽略的特定值", + "recoveryModel": "恢复模式", + "lastDatabaseBackup": "上次数据库备份", + "lastLogBackup": "上次日志备份", + "compatibilityLevel": "兼容级别", + "owner": "所有者", + "dashboardDatabase": "自定义数据库仪表板页面", + "objectsWidgetTitle": "搜索", + "dashboardDatabaseTabs": "自定义数据库仪表板选项卡" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { + "serverPageName": "服务器属性" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { + "dashboardServerProperties": "启用或禁用属性小组件", + "dashboard.serverproperties": "要显示的属性值", + "dashboard.serverproperties.displayName": "属性的显示名称", + "dashboard.serverproperties.value": "服务器信息对象中的值", + "version": "版本", + "edition": "版本", + "computerName": "计算机名", + "osVersion": "OS 版本", + "explorerWidgetsTitle": "搜索", + "dashboardServer": "自定义服务器仪表板页面", + "dashboardServerTabs": "自定义服务器仪表板选项卡" + }, + "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { + "homeCrumb": "主页" + }, + "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { + "dashboard.changeDatabaseFailure": "未能更改数据库" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { + "dashboard.explorer.actions": "显示操作", + "explorerSearchNoMatchResultMessage": "未找到匹配项", + "explorerSearchSingleMatchResultMessage": "已将搜索列表筛选为 1 个项", + "explorerSearchMatchResultMessage": "已将搜索列表筛选为 {0} 个项" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { + "dashboard.explorer.namePropertyDisplayValue": "名称", + "dashboard.explorer.schemaDisplayValue": "架构", + "dashboard.explorer.objectTypeDisplayValue": "类型" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { + "loadingObjects": "正在加载对象", + "loadingDatabases": "正在加载数据库", + "loadingObjectsCompleted": "对象加载已完成。", + "loadingDatabasesCompleted": "数据库加载已完成。", + "seachObjects": "按类型名称搜索(t:、v:、f: 或 sp:)", + "searchDatabases": "搜索数据库", + "dashboard.explorer.objectError": "无法加载对象", + "dashboard.explorer.databaseError": "无法加载数据库" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { + "insights.runQuery": "运行查询" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { + "insightsWidgetLoadingMessage": "正在加载 {0}", + "insightsWidgetLoadingCompletedMessage": "{0} 加载已完成", + "insights.autoRefreshOffState": "自动刷新: 关", + "insights.lastUpdated": "上次更新时间: {0} {1}", + "noResults": "没有可显示的结果" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { + "insightWidgetDescription": "添加一个可以查询服务器或数据库并以多种方式(如图表、总数等)显示结果的小组件。", + "insightIdDescription": "用于缓存见解结果的唯一标识符。", + "insightQueryDescription": "要运行的 SQL 查询。将返回恰好 1 个结果集。", + "insightQueryFileDescription": "[可选] 包含查询的文件的路径。未设置“查询”时使用", + "insightAutoRefreshIntervalDescription": "[可选] 自动刷新间隔(分钟数);如果未设置,则不自动刷新", + "actionTypes": "要使用的操作", + "actionDatabaseDescription": "操作的目标数据库;可使用格式 \"${ columnName }\" 以便由数据确定列名。", + "actionServerDescription": "操作的目标服务器;可使用格式 \"${ columnName }\" 以便由数据确定列名。", + "actionUserDescription": "操作的目标用户;可使用格式 \"${ columnName }\" 以便由数据确定列名。", + "carbon.extension.contributes.insightType.id": "见解的标识符", + "carbon.extension.contributes.insights": "向仪表板提供见解。" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { + "chartErrorMessage": "无法用给定的数据显示图表" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.contribution": { + "chartInsightDescription": "将查询结果显示为仪表板上的图表", + "colorMapDescription": "映射“列名称”->“颜色”。例如,添加 'column1': red 以确保此列使用红色", + "legendDescription": "表示图表图例的首选位置和可见性。这些是查询中的列名称,并映射到每个图表条目的标签", + "labelFirstColumnDescription": "如果 dataDirection 为 horizontal,则将其设置为 true 将使用第一列的值作为图例。", + "columnsAsLabels": "如果 dataDirection 为 vertical,则将其设置为 true 将使用列名称作为图例。", + "dataDirectionDescription": "定义是从列(垂直)还是从行(水平)读取数据。对于时序,将忽略此设置,因为方向必须为垂直。", + "showTopNData": "如果设置了 showTopNData,则只在图表中显示前 N 个数据。" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/barChart.contribution": { + "yAxisMin": "Y 轴的最小值", + "yAxisMax": "y 轴的最大值", + "barchart.yAxisLabel": "y 轴的标签", + "xAxisMin": "x 轴的最小值", + "xAxisMax": "x 轴的最大值", + "barchart.xAxisLabel": "x 轴的标签" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/lineChart.contribution": { + "dataTypeDescription": "指示图表数据集的数据属性。" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/countInsight.contribution": { + "countInsightDescription": "对于结果集中的每一列,将行 0 中的值显示为计数后跟列名称。例如支持“1 正常”、“3 不正常”,其中“正常”是列名称,1 表示第 1 行单元格 1 中的值" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/imageInsight.contribution": { + "imageInsightDescription": "显示图像,例如由 R 查询使用 ggplot2 返回的图像", + "imageFormatDescription": "期望的格式 - 是 JPEG、PNG 还是其他格式?", + "encodingDescription": "这是以十六进制、base64 还是其他格式进行编码的?" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/tableInsight.contribution": { + "tableInsightDescription": "在简单表中显示结果" + }, + "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { + "loadingProperties": "正在加载属性", + "loadingPropertiesCompleted": "属性加载已完成", + "dashboard.properties.error": "无法加载仪表板属性" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorer.contribution": { + "databaseConnections": "数据库连接", + "datasource.connections": "数据源连接", + "datasource.connectionGroups": "数据源组", + "connectionsSortOrder.dateAdded": "保存的连接按添加的日期排序。", + "connectionsSortOrder.displayName": "保存的连接按其显示名称按字母顺序排序。", + "datasource.connectionsSortOrder": "控制已保存连接和连接组的排序顺序。", + "startupConfig": "启动配置", + "startup.alwaysShowServersView": "如果要在 Azure Data Studio 启动时默认显示“服务器”视图,则为 true;如果应显示上次打开的视图,则为 false" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerExtensionPoint": { + "vscode.extension.contributes.view.id": "视图的标识符。使用标识符通过 \"vscode.window.registerTreeDataProviderForView\" API 注册数据提供程序。同时将 \"onView:${id}\" 事件注册到 \"activationEvents\" 以触发激活扩展。", + "vscode.extension.contributes.view.name": "用户可读的视图名称。将显示它", + "vscode.extension.contributes.view.when": "为真时才显示此视图的条件", + "extension.contributes.dataExplorer": "向编辑器提供视图", + "extension.dataExplorer": "向“活动”栏中的“数据资源管理器”容器提供视图", + "dataExplorer.contributed": "向“提供的视图”容器提供视图", + "duplicateView1": "无法在视图容器“{1}”中注册多个具有相同 ID (“{0}”) 的视图", + "duplicateView2": "视图容器“{1}”中已注册有 ID 为“{0}”的视图", + "requirearray": "视图必须为数组", + "requirestring": "属性“{0}”是必需的,其类型必须是 \"string\"", + "optstring": "属性“{0}”可以省略,否则其类型必须是 \"string\"" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { + "dataExplorer.servers": "服务器", + "dataexplorer.name": "连接", + "showDataExplorer": "显示连接" + }, + "sql/workbench/contrib/dataExplorer/browser/nodeActions.common.contribution": { + "disconnect": "断开连接", + "refresh": "刷新" + }, + "sql/workbench/contrib/editData/browser/editData.contribution": { + "showEditDataSqlPaneOnStartup": "启动时显示“编辑数据 SQL”窗格" + }, + "sql/workbench/contrib/editData/browser/editDataActions": { + "editData.run": "运行", + "disposeEditFailure": "释放编辑失败,出现错误:", + "editData.stop": "停止", + "editData.showSql": "显示 SQL 窗格", + "editData.closeSql": "关闭 SQL 窗格" + }, + "sql/workbench/contrib/editData/browser/editDataEditor": { + "maxRowTaskbar": "最大行数:" + }, + "sql/workbench/contrib/editData/browser/editDataGridActions": { + "deleteRow": "删除行", + "revertRow": "还原当前行" + }, + "sql/workbench/contrib/editData/browser/gridActions": { + "saveAsCsv": "另存为 CSV", + "saveAsJson": "另存为 JSON", + "saveAsExcel": "另存为 Excel", + "saveAsXml": "另存为 XML", + "copySelection": "复制", + "copyWithHeaders": "带标头复制", + "selectAll": "全选" + }, + "sql/workbench/contrib/extensions/browser/contributionRenders": { + "tabs": "仪表板选项卡({0})", + "tabId": "ID", + "tabTitle": "标题", + "tabDescription": "说明", + "insights": "仪表板见解({0})", + "insightId": "ID", + "name": "名称", + "insight condition": "时间" + }, + "sql/workbench/contrib/extensions/browser/extensions.contribution": { + "workbench.extensions.getExtensionFromGallery.description": "从库中获取扩展信息", + "workbench.extensions.getExtensionFromGallery.arg.name": "扩展 ID", + "notFound": "找不到扩展“{0}”。" + }, + "sql/workbench/contrib/extensions/browser/extensionsActions": { + "showRecommendations": "显示建议", + "Install Extensions": "安装扩展", + "openExtensionAuthoringDocs": "创作扩展..." + }, + "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { + "neverShowAgain": "不再显示", + "ExtensionsRecommended": "Azure Data Studio 具有扩展建议。", + "VisualizerExtensionsRecommended": "Azure Data Studio 具有针对数据可视化的扩展建议。\r\n安装后,你可以选择“可视化工具”图标来可视化查询结果。", + "installAll": "全部安装", + "showRecommendations": "显示建议", + "scenarioTypeUndefined": "必须提供扩展建议的方案类型。" + }, + "sql/workbench/contrib/extensions/browser/staticRecommendations": { + "defaultRecommendations": "Azure Data Studio 建议使用此扩展。" + }, + "sql/workbench/contrib/jobManagement/browser/agentView.component": { + "jobview.Jobs": "作业", + "jobview.Notebooks": "笔记本", + "jobview.Alerts": "警报", + "jobview.Proxies": "代理", + "jobview.Operators": "运算符" + }, + "sql/workbench/contrib/jobManagement/browser/alertsView.component": { + "jobAlertColumns.name": "名称", + "jobAlertColumns.lastOccurrenceDate": "上一个匹配项", + "jobAlertColumns.enabled": "已启用", + "jobAlertColumns.delayBetweenResponses": "响应之间的延迟(秒)", + "jobAlertColumns.categoryName": "类别名称" }, "sql/workbench/contrib/jobManagement/browser/jobActions": { "jobaction.successLabel": "成功", @@ -11227,77 +10211,58 @@ "notebookaction.renameNotebook": "重命名", "notebookaction.openLatestRun": "打开最近运行的内容" }, - "sql/workbench/contrib/assessment/browser/asmtActions": { - "asmtaction.server.getitems": "查看适用规则", - "asmtaction.database.getitems": "查看 {0} 的适用规则", - "asmtaction.server.invokeitems": "调用评估", - "asmtaction.database.invokeitems": "调用 {0} 的评估", - "asmtaction.exportasscript": "导出为脚本", - "asmtaction.showsamples": "查看所有规则并了解有关 GitHub 的详细信息", - "asmtaction.generatehtmlreport": "创建 HTML 报表", - "asmtaction.openReport": "已保存报表。是否要打开它?", - "asmtaction.label.open": "打开", - "asmtaction.label.cancel": "取消" + "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { + "stepRow.stepID": "步骤 ID", + "stepRow.stepName": "步骤名称", + "stepRow.message": "消息" }, - "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { - "data": "数据", - "connection": "连接", - "queryEditor": "查询编辑器", - "notebook": "笔记本", - "dashboard": "仪表板", - "profiler": "探查器" + "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { + "agent.steps": "步骤" }, - "sql/workbench/contrib/extensions/browser/contributionRenders": { - "tabs": "仪表板选项卡({0})", - "tabId": "ID", - "tabTitle": "标题", - "tabDescription": "说明", - "insights": "仪表板见解({0})", - "insightId": "ID", - "name": "名称", - "insight condition": "时间" + "sql/workbench/contrib/jobManagement/browser/jobsView.component": { + "jobColumns.name": "名称", + "jobColumns.lastRun": "上次运行", + "jobColumns.nextRun": "下次运行", + "jobColumns.enabled": "已启用", + "jobColumns.status": "状态", + "jobColumns.category": "类别", + "jobColumns.runnable": "可运行", + "jobColumns.schedule": "计划", + "jobColumns.lastRunOutcome": "上次运行结果", + "jobColumns.previousRuns": "之前的运行", + "jobsView.noSteps": "没有可用于此作业的步骤。", + "jobsView.error": "错误: " }, - "sql/workbench/contrib/charts/browser/imageInsight": { - "invalidImage": "表格中不包含有效的图像" + "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { + "notebookHistory.dateCreatedTooltip": "创建日期:", + "notebookHistory.notebookErrorTooltip": "笔记本错误:", + "notebookHistory.ErrorTooltip": "作业错误:", + "notebookHistory.pinnedTitle": "已固定", + "notebookHistory.recentRunsTitle": "最近运行", + "notebookHistory.pastRunsTitle": "已运行" }, - "sql/workbench/contrib/notebook/browser/cellToolbarActions": { - "moreActionsLabel": "更多", - "editLabel": "编辑", - "closeLabel": "关闭", - "convertCell": "转换单元格", - "runAllAbove": "在上方运行单元格", - "runAllBelow": "在下方运行单元格", - "codeAbove": "在上方插入代码", - "codeBelow": "在下方插入代码", - "markdownAbove": "在上方插入文本", - "markdownBelow": "在下方插入文本", - "collapseCell": "折叠单元格", - "expandCell": "展开单元格", - "makeParameterCell": "生成参数单元格", - "RemoveParameterCell": "删除参数单元格", - "clear": "清除结果" + "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { + "notebookColumns.name": "名称", + "notebookColumns.targetDatbase": "目标数据库", + "notebookColumns.lastRun": "上次运行", + "notebookColumns.nextRun": "下次运行", + "notebookColumns.status": "状态", + "notebookColumns.lastRunOutcome": "上次运行结果", + "notebookColumns.previousRuns": "之前的运行", + "notebooksView.noSteps": "没有可用于此作业的步骤。", + "notebooksView.error": "错误: ", + "notebooksView.notebookError": "笔记本错误:" }, - "sql/workbench/services/notebook/browser/models/clientSession": { - "clientSession.unknownError": "启动笔记本会话时出错", - "ServerNotStarted": "由于未知原因,服务器未启动", - "kernelRequiresConnection": "未找到内核 {0}。将改为使用默认内核。" + "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { + "jobOperatorsView.name": "名称", + "jobOperatorsView.emailAddress": "电子邮件地址", + "jobOperatorsView.enabled": "已启用" }, - "sql/workbench/contrib/charts/browser/graphInsight": { - "series": "系列 {0}" - }, - "sql/workbench/contrib/charts/browser/configureChartDialog": { - "configureChartDialog.close": "关闭" - }, - "sql/workbench/services/notebook/browser/models/notebookModel": { - "injectedParametersMsg": "# 个注入参数\r\n", - "kernelRequiresConnection": "请选择一个连接来运行此内核的单元格", - "deleteCellFailed": "未能删除单元格。", - "changeKernelFailedRetry": "未能更改内核。将使用内核 {0}。错误为: {1}", - "changeKernelFailed": "由于以下错误而未能更改内核: {0}", - "changeContextFailed": "更改上下文失败: {0}", - "startSessionFailed": "无法启动会话: {0}", - "shutdownClientSessionError": "关闭笔记本时发生客户端会话错误: {0}", - "ProviderNoManager": "未找到提供程序 {0} 的笔记本管理器" + "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { + "jobProxiesView.accountName": "帐户名称", + "jobProxiesView.credentialName": "凭据名称", + "jobProxiesView.description": "说明", + "jobProxiesView.isEnabled": "已启用" }, "sql/workbench/contrib/notebook/browser/calloutDialog/common/constants": { "callout.insertButton": "插入", @@ -11317,6 +10282,940 @@ "linkCallout.linkAddressLabel": "地址", "linkCallout.linkAddressPlaceholder": "链接到现有文件或网页" }, + "sql/workbench/contrib/notebook/browser/cellToolbarActions": { + "moreActionsLabel": "更多", + "editLabel": "编辑", + "closeLabel": "关闭", + "convertCell": "转换单元格", + "runAllAbove": "在上方运行单元格", + "runAllBelow": "在下方运行单元格", + "codeAbove": "在上方插入代码", + "codeBelow": "在下方插入代码", + "markdownAbove": "在上方插入文本", + "markdownBelow": "在下方插入文本", + "collapseCell": "折叠单元格", + "expandCell": "展开单元格", + "makeParameterCell": "生成参数单元格", + "RemoveParameterCell": "删除参数单元格", + "clear": "清除结果" + }, + "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { + "buttonAdd": "添加单元格", + "optionCodeCell": "代码单元格", + "optionTextCell": "文本单元格", + "buttonMoveDown": "下移单元格", + "buttonMoveUp": "上移单元格", + "buttonDelete": "删除", + "codeCellsPreview": "添加单元格", + "codePreview": "代码单元格", + "textPreview": "文本单元格" + }, + "sql/workbench/contrib/notebook/browser/cellViews/code.component": { + "parametersText": "参数" + }, + "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { + "notebook.failed": "请选择活动单元格并重试", + "runCell": "运行单元格", + "stopCell": "取消执行", + "errorRunCell": "上次运行时出错。请单击以重新运行" + }, + "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { + "expandCellContents": "展开代码单元格内容", + "collapseCellContents": "折叠代码单元格内容" + }, + "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { + "buttonBold": "加粗", + "buttonItalic": "倾斜", + "buttonUnderline": "下划线", + "buttonHighlight": "突出显示", + "buttonCode": "代码", + "buttonLink": "链接", + "buttonList": "列表", + "buttonOrderedList": "已排序列表", + "buttonImage": "图像", + "buttonPreview": "Markdown 预览切换 - 关闭", + "dropdownHeading": "标题", + "optionHeading1": "标题 1", + "optionHeading2": "标题 2", + "optionHeading3": "标题 3", + "optionParagraph": "段落", + "callout.insertLinkHeading": "插入链接", + "callout.insertImageHeading": "插入图像", + "richTextViewButton": "格式文本视图", + "splitViewButton": "拆分视图", + "markdownViewButton": "Markdown 视图" + }, + "sql/workbench/contrib/notebook/browser/cellViews/output.component": { + "noMimeTypeFound": "未找到 {0} 呈现器用于输出。它具有以下 MIME 类型: {1}", + "safe": "安全", + "noSelectorFound": "未找到选择器 {0} 的组件", + "componentRenderError": "渲染组件时出错: {0}" + }, + "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { + "clickOn": "单击", + "plusCode": "+ 代码", + "or": "或", + "plusText": "+ 文本", + "toAddCell": "添加代码或文本单元格", + "plusCodeAriaLabel": "添加代码单元格", + "plusTextAriaLabel": "添加文本单元格" + }, + "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { + "stdInLabel": "StdIn:" + }, + "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { + "doubleClickEdit": "双击以编辑", + "addContent": "在此处添加内容..." + }, + "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { + "label.find": "查找", + "placeholder.find": "查找", + "label.previousMatchButton": "上一个匹配项", + "label.nextMatchButton": "下一个匹配项", + "label.closeButton": "关闭", + "title.matchesCountLimit": "搜索返回了大量结果,将仅突出显示前 999 个匹配项。", + "label.matchesLocation": "{0} 个(共 {1} 个)", + "label.noResults": "无结果" + }, + "sql/workbench/contrib/notebook/browser/notebook.component": { + "addCodeLabel": "添加代码", + "addTextLabel": "添加文本", + "createFile": "创建文件", + "displayFailed": "无法显示内容: {0}", + "codeCellsPreview": "添加单元格", + "codePreview": "代码单元格", + "textPreview": "文本单元格", + "runAllPreview": "全部运行", + "addCell": "单元格", + "code": "代码", + "text": "文本", + "runAll": "运行单元格", + "previousButtonLabel": "< 上一步", + "nextButtonLabel": "下一步 >", + "cellNotFound": "未在此模型中找到具有 URI {0} 的单元格", + "cellRunFailed": "单元格运行失败 - 有关详细信息,请参阅当前所选单元格输出中的错误。" + }, + "sql/workbench/contrib/notebook/browser/notebook.contribution": { + "newNotebook": "新建笔记本", + "newQuery": "新建笔记本", + "workbench.action.setWorkspaceAndOpen": "设置工作区并打开", + "notebook.sqlStopOnError": "SQL 内核: 在单元格中发生错误时停止笔记本执行。", + "notebook.showAllKernels": "(预览)显示当前笔记本提供程序的所有内核。", + "notebook.allowADSCommands": "允许笔记本运行 Azure Data Studio 命令。", + "notebook.enableDoubleClickEdit": "启用双击来编辑笔记本中的文本单元格", + "notebook.richTextModeDescription": "文本显示为格式文本(也称为 \"WSIWYG\")。", + "notebook.splitViewModeDescription": "Markdown 显示在左侧,右侧是呈现的文本的预览。", + "notebook.markdownModeDescription": "文本显示为 Markdown。", + "notebook.defaultTextEditMode": "用于文本单元格的默认编辑模式", + "notebook.saveConnectionName": "(预览)在笔记本元数据中保存连接名称。", + "notebook.markdownPreviewLineHeight": "控制笔记本 Markdown 预览中使用的行高。此数字与字号相关。", + "notebook.showRenderedNotebookinDiffEditor": "(预览)在差异编辑器中显示呈现的笔记本。", + "notebook.maxRichTextUndoHistory": "笔记本格式文本编辑器的撤消历史记录中存储的最大更改数。", + "searchConfigurationTitle": "搜索笔记本", + "exclude": "配置glob模式以在全文本搜索和快速打开中排除文件和文件夹。从“#files.exclude#”设置继承所有glob模式。在[此处](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)了解更多关于glob模式的信息", + "exclude.boolean": "匹配文件路径所依据的 glob 模式。设置为 true 或 false 可启用或禁用该模式。", + "exclude.when": "对匹配文件的同级文件的其他检查。使用 $(basename) 作为匹配文件名的变量。", + "useRipgrep": "此设置已被弃用,将回退到 \"search.usePCRE2\"。", + "useRipgrepDeprecated": "已弃用。请考虑使用 \"search.usePCRE2\" 获取对高级正则表达式功能的支持。", + "search.maintainFileSearchCache": "启用后,搜索服务进程将保持活动状态,而不是在一个小时不活动后关闭。这将使文件搜索缓存保留在内存中。", + "useIgnoreFiles": "控制在搜索文件时是否使用 `.gitignore` 和 `.ignore` 文件。", + "useGlobalIgnoreFiles": "控制在搜索文件时是否使用全局 `.gitignore` 和 `.ignore` 文件。", + "search.quickOpen.includeSymbols": "控制 Quick Open 文件结果中是否包括全局符号搜索的结果。", + "search.quickOpen.includeHistory": "是否在 Quick Open 的文件结果中包含最近打开的文件。", + "filterSortOrder.default": "历史记录条目按与筛选值的相关性排序。首先显示更相关的条目。", + "filterSortOrder.recency": "历史记录条目按最近时间排序。首先显示最近打开的条目。", + "filterSortOrder": "控制在快速打开中筛选时编辑器历史记录的排序顺序。", + "search.followSymlinks": "控制是否在搜索中跟踪符号链接。", + "search.smartCase": "若搜索词全为小写,则不区分大小写进行搜索,否则区分大小写进行搜索。", + "search.globalFindClipboard": "控制“搜索”视图是否读取或修改 macOS 的共享查找剪贴板。", + "search.location": "控制搜索功能是显示在侧边栏,还是显示在水平空间更大的面板区域。", + "search.location.deprecationMessage": "此设置已弃用。请改用搜索视图的上下文菜单。", + "search.collapseResults.auto": "结果少于10个的文件将被展开。其他的则被折叠。", + "search.collapseAllResults": "控制是折叠还是展开搜索结果。", + "search.useReplacePreview": "控制在选择或替换匹配项时是否打开“替换预览”视图。", + "search.showLineNumbers": "控制是否显示搜索结果所在的行号。", + "search.usePCRE2": "是否在文本搜索中使用 pcre2 正则表达式引擎。这允许使用一些高级正则表达式功能, 如前瞻和反向引用。但是, 并非所有 pcre2 功能都受支持-仅支持 javascript 也支持的功能。", + "usePCRE2Deprecated": "弃用。当使用仅 PCRE2 支持的正则表达式功能时,将自动使用 PCRE2。", + "search.actionsPositionAuto": "当搜索视图较窄时将操作栏置于右侧,当搜索视图较宽时,将它紧接在内容之后。", + "search.actionsPositionRight": "始终将操作栏放置在右侧。", + "search.actionsPosition": "在搜索视图中控制操作栏的位置。", + "search.searchOnType": "在键入时搜索所有文件。", + "search.seedWithNearestWord": "当活动编辑器没有选定内容时,从离光标最近的字词开始进行种子设定搜索。", + "search.seedOnFocus": "聚焦搜索视图时,将工作区搜索查询更新为编辑器的所选文本。单击时或触发 `workbench.views.search.focus` 命令时会发生此情况。", + "search.searchOnTypeDebouncePeriod": "启用\"#search.searchOnType\"后,控制键入的字符与开始搜索之间的超时(以毫秒为单位)。禁用\"搜索.searchOnType\"时无效。", + "search.searchEditor.doubleClickBehaviour.selectWord": "双击选择光标下的单词。", + "search.searchEditor.doubleClickBehaviour.goToLocation": "双击将在活动编辑器组中打开结果。", + "search.searchEditor.doubleClickBehaviour.openLocationToSide": "双击将在编辑器组中的结果打开到一边,如果尚不存在,则创建一个结果。", + "search.searchEditor.doubleClickBehaviour": "配置在搜索编辑器中双击结果的效果。", + "searchSortOrder.default": "结果按文件夹和文件名按字母顺序排序。", + "searchSortOrder.filesOnly": "结果按文件名排序,忽略文件夹顺序,按字母顺序排列。", + "searchSortOrder.type": "结果按文件扩展名的字母顺序排序。", + "searchSortOrder.modified": "结果按文件的最后修改日期按降序排序。", + "searchSortOrder.countDescending": "结果按每个文件的计数降序排序。", + "searchSortOrder.countAscending": "结果按每个文件的计数以升序排序。", + "search.sortOrder": "控制搜索结果的排序顺序。" + }, + "sql/workbench/contrib/notebook/browser/notebookActions": { + "loading": "正在加载内核…", + "changing": "正在更改内核…", + "AttachTo": "附加到", + "Kernel": "内核", + "loadingContexts": "正在加载上下文…", + "changeConnection": "更改连接", + "selectConnection": "选择连接", + "localhost": "localhost", + "noKernel": "无内核", + "kernelNotSupported": "此笔记本无法使用参数运行,因为不支持内核。请使用支持的内核和格式。[了解详细信息](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。", + "noParametersCell": "在添加参数单元格之前,此笔记本无法使用参数运行。[了解详细信息] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。", + "noParametersInCell": "在将参数添加到参数单元格之前,此笔记本无法使用参数运行。[了解详细信息] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。", + "clearResults": "清除结果", + "trustLabel": "受信任", + "untrustLabel": "不受信任", + "collapseAllCells": "折叠单元格", + "expandAllCells": "展开单元格", + "runParameters": "使用参数运行", + "noContextAvailable": "无", + "newNotebookAction": "新建笔记本", + "notebook.findNext": "查找下一个字符串", + "notebook.findPrevious": "查找上一个字符串" + }, + "sql/workbench/contrib/notebook/browser/notebookEditor": { + "notebookEditor.name": "Notebook Editor" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { + "notebookExplorer.searchResults": "搜索结果", + "searchPathNotFoundError": "找不到搜索路径: {0}", + "notebookExplorer.name": "笔记本" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { + "searchWithoutFolder": "你尚未打开任何包含笔记本/工作簿的文件夹。", + "openNotebookFolder": "打开笔记本", + "searchMaxResultsWarning": "结果集仅包含所有匹配项的子集。请使你的搜索更加具体,减少结果。", + "searchInProgress": "正在搜索... -", + "noResultsIncludesExcludes": "在“{0}”中找不到结果(“{1}”除外) - ", + "noResultsIncludes": "“{0}”中未找到任何结果 - ", + "noResultsExcludes": "除“{0}”外,未找到任何结果 - ", + "noResultsFound": "未找到结果。查看您的设置配置排除, 并检查您的 gitignore 文件-", + "rerunSearch.message": "重新搜索", + "rerunSearchInAll.message": "在所有文件中再次搜索", + "openSettings.message": "打开设置", + "ariaSearchResultsStatus": "搜索 {1} 文件中返回的 {0} 个结果", + "ToggleCollapseAndExpandAction.label": "切换折叠和展开", + "CancelSearchAction.label": "取消搜索", + "ExpandAllAction.label": "全部展开", + "CollapseDeepestExpandedLevelAction.label": "全部折叠", + "ClearSearchResultsAction.label": "清除搜索结果" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { + "label.Search": "搜索: 键入搜索词,然后按 Enter 键搜索或按 Esc 键取消", + "search.placeHolder": "搜索" + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViews.component": { + "cellNotFound": "未在此模型中找到具有 URI {0} 的单元格", + "cellRunFailed": "单元格运行失败 - 有关详细信息,请参阅当前所选单元格输出中的错误。" + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsCodeCell.component": { + "viewsCodeCell.emptyCellText": "请运行此单元格以查看输出。" + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsGrid.component": { + "emptyText": "此视图为空。请单击“插入单元格”按钮,将单元格添加到此视图。" + }, + "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { + "copyFailed": "复制失败,出现错误 {0}", + "notebook.showChart": "显示图表", + "notebook.showTable": "显示表" + }, + "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { + "noRendererFound": "未找到 {0} 呈现器用于输出。它具有以下 MIME 类型: {1}", + "safe": "(安全)" + }, + "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { + "plotlyError": "显示 Plotly 图形时出错: {0}" + }, + "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { + "servers.noConnections": "未找到连接。", + "serverTree.addConnection": "添加连接" + }, + "sql/workbench/contrib/objectExplorer/common/serverGroup.contribution": { + "serverGroup.colors": "在对象资源管理器 viewlet 中使用的服务器组面板。", + "serverGroup.autoExpand": "在对象资源管理器 viewlet 中自动展开服务器组。", + "serverTree.useAsyncServerTree": "(预览)使用“服务器”视图和“连接”对话框的新异步服务器树,支持动态节点筛选等新功能。" + }, + "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { + "data": "数据", + "connection": "连接", + "queryEditor": "查询编辑器", + "notebook": "笔记本", + "dashboard": "仪表板", + "profiler": "探查器", + "builtinCharts": "内置图表" + }, + "sql/workbench/contrib/profiler/browser/profiler.contribution": { + "profiler.settings.viewTemplates": "指定视图模板", + "profiler.settings.sessionTemplates": "指定会话模板", + "profiler.settings.Filters": "探查器筛选器" + }, + "sql/workbench/contrib/profiler/browser/profilerActions": { + "profilerAction.connect": "连接", + "profilerAction.disconnect": "断开连接", + "start": "开始", + "create": "新建会话", + "profilerAction.pauseCapture": "暂停", + "profilerAction.resumeCapture": "继续", + "profilerStop.stop": "停止", + "profiler.clear": "清除数据", + "profiler.clearDataPrompt": "是否确实要清除数据?", + "profiler.yes": "是", + "profiler.no": "否", + "profilerAction.autoscrollOn": "自动滚动: 开", + "profilerAction.autoscrollOff": "自动滚动: 关", + "profiler.toggleCollapsePanel": "切换已折叠的面板", + "profiler.editColumns": "编辑列", + "profiler.findNext": "查找下一个字符串", + "profiler.findPrevious": "查找上一个字符串", + "profilerAction.newProfiler": "启动探查器", + "profiler.filter": "筛选器…", + "profiler.clearFilter": "清除筛选器", + "profiler.clearFilterPrompt": "是否确实要清除筛选器?" + }, + "sql/workbench/contrib/profiler/browser/profilerEditor": { + "profiler.viewSelectAccessibleName": "选择视图", + "profiler.sessionSelectAccessibleName": "选择会话", + "profiler.sessionSelectLabel": "选择会话:", + "profiler.viewSelectLabel": "选择视图:", + "text": "文本", + "label": "标签", + "profilerEditor.value": "值", + "details": "详细信息" + }, + "sql/workbench/contrib/profiler/browser/profilerFindWidget": { + "label.find": "查找", + "placeholder.find": "查找", + "label.previousMatchButton": "上一个匹配项", + "label.nextMatchButton": "下一个匹配项", + "label.closeButton": "关闭", + "title.matchesCountLimit": "搜索返回了大量结果,将仅突出显示前 999 个匹配项。", + "label.matchesLocation": "{1} 个中的 {0} 个", + "label.noResults": "无结果" + }, + "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { + "profilerTextEditorAriaLabel": "用于事件文本的探查器编辑器。只读" + }, + "sql/workbench/contrib/profiler/browser/profilerTableEditor": { + "ProfilerTableEditor.eventCountFiltered": "事件(已筛选): {0}/{1}", + "ProfilerTableEditor.eventCount": "事件: {0}", + "status.eventCount": "事件计数" + }, + "sql/workbench/contrib/query/browser/actions": { + "saveAsCsv": "另存为 CSV", + "saveAsJson": "另存为 JSON", + "saveAsExcel": "另存为 Excel", + "saveAsXml": "另存为 XML", + "jsonEncoding": "导出到 JSON 时,将不会保存结果编码,请记得在创建文件后使用所需编码进行保存。", + "saveToFileNotSupported": "备份数据源不支持保存到文件", + "copySelection": "复制", + "copyWithHeaders": "带标头复制", + "selectAll": "全选", + "maximize": "最大化", + "restore": "还原", + "chart": "图表", + "visualizer": "可视化工具" + }, + "sql/workbench/contrib/query/browser/flavorStatus": { + "chooseSqlLang": "选择 SQL 语言", + "changeProvider": "更改 SQL 语言提供程序", + "status.query.flavor": "SQL 语言风格", + "changeSqlProvider": "更改 SQL 引擎提供程序", + "alreadyConnected": "使用引擎 {0} 的连接已存在。若要更改,请先断开或更改连接", + "noEditor": "当前没有活动的文本编辑器", + "pickSqlProvider": "选择语言提供程序" + }, + "sql/workbench/contrib/query/browser/gridPanel": { + "xmlShowplan": "XML 显示计划", + "resultsGrid": "结果网格", + "resultsGrid.maxRowCountExceeded": "已超过筛选/排序的最大行计数。若要更新它,可以转到“用户设置”并更改设置: \"queryEditor.results.inMemoryDataProcessingThreshold\"" + }, + "sql/workbench/contrib/query/browser/keyboardQueryActions": { + "focusOnCurrentQueryKeyboardAction": "关注当前查询", + "runQueryKeyboardAction": "运行查询", + "runCurrentQueryKeyboardAction": "运行当前查询", + "copyQueryWithResultsKeyboardAction": "复制查询和结果", + "queryActions.queryResultsCopySuccess": "已成功复制查询和结果。", + "runCurrentQueryWithActualPlanKeyboardAction": "使用实际计划运行当前查询", + "cancelQueryKeyboardAction": "取消查询", + "refreshIntellisenseKeyboardAction": "刷新 IntelliSense 缓存", + "toggleQueryResultsKeyboardAction": "切换查询结果", + "ToggleFocusBetweenQueryEditorAndResultsAction": "在查询和结果之间切换焦点", + "queryShortcutNoEditor": "需要编辑器参数才能执行快捷方式", + "parseSyntaxLabel": "分析查询", + "queryActions.parseSyntaxSuccess": "命令已成功完成", + "queryActions.parseSyntaxFailure": "命令失败:", + "queryActions.notConnected": "请连接到服务器" + }, + "sql/workbench/contrib/query/browser/messagePanel": { + "messagePanel": "消息面板", + "copy": "复制", + "copyAll": "全部复制" + }, + "sql/workbench/contrib/query/browser/query.contribution": { + "queryResultsEditor.name": "查询结果", + "newQuery": "新建查询", + "queryEditorConfigurationTitle": "查询编辑器", + "queryEditor.results.saveAsCsv.includeHeaders": "为 true 时,将在将结果保存为 CSV 时包含列标题", + "queryEditor.results.saveAsCsv.delimiter": "保存为 CSV 时在值之间使用的自定义分隔符", + "queryEditor.results.saveAsCsv.lineSeperator": "将结果保存为 CSV 时用于分隔行的字符", + "queryEditor.results.saveAsCsv.textIdentifier": "将结果保存为 CSV 时用于封装文本字段的字符", + "queryEditor.results.saveAsCsv.encoding": "将结果保存为 CSV 时使用的文件编码", + "queryEditor.results.saveAsXml.formatted": "为 true 时,将在将结果保存为 XML 时设置 XML 输出的格式", + "queryEditor.results.saveAsXml.encoding": "将结果保存为 XML 时使用的文件编码", + "queryEditor.results.streaming": "启用结果流式处理;包含极少轻微的可视化问题", + "queryEditor.results.copyIncludeHeaders": "用于从“结果视图”复制结果的配置选项", + "queryEditor.results.copyRemoveNewLine": "用于从“结果视图”复制多行结果的配置选项", + "queryEditor.results.optimizedTable": "(实验性)在出现的结果中使用优化的表。某些功能可能缺失或处于准备阶段。", + "queryEditor.inMemoryDataProcessingThreshold": "控制允许在内存中进行筛选和排序的最大行数。如果超过最大行数,则将禁用排序和筛选。警告: 增加此值可能会影响性能。", + "queryEditor.results.openAfterSave": "是否在保存结果后打开 Azure Data Studio 中的文件。", + "queryEditor.messages.showBatchTime": "是否应显示每个批处理的执行时间", + "queryEditor.messages.wordwrap": "自动换行消息", + "queryEditor.chart.defaultChartType": "从“查询结果”打开“图表查看器”时要使用的默认图表类型", + "queryEditor.tabColorMode.off": "将禁用选项卡着色", + "queryEditor.tabColorMode.border": "每个编辑器选项卡的上边框颜色将与相关服务器组匹配", + "queryEditor.tabColorMode.fill": "每个编辑器选项卡的背景色将与相关服务器组匹配", + "queryEditor.tabColorMode": "控制如何根据活动连接的服务器组为选项卡着色", + "queryEditor.showConnectionInfoInTitle": "控制是否显示标题中选项卡的连接信息。", + "queryEditor.promptToSaveGeneratedFiles": "提示保存生成的 SQL 文件", + "queryShortcutDescription": "设置键绑定 workbench.action.query.shortcut{0},将快捷方式文本作为过程调用或查询执行运行。查询编辑器中的选中的文本将在查询结尾处作为参数进行传递,也可以使用 {arg} 加以引用" + }, + "sql/workbench/contrib/query/browser/queryActions": { + "newQueryTask.newQuery": "新建查询", + "runQueryLabel": "运行", + "cancelQueryLabel": "取消", + "estimatedQueryPlan": "解释", + "actualQueryPlan": "实际", + "disconnectDatabaseLabel": "断开连接", + "changeConnectionDatabaseLabel": "更改连接", + "connectDatabaseLabel": "连接", + "enablesqlcmdLabel": "启用 SQLCMD", + "disablesqlcmdLabel": "禁用 SQLCMD", + "selectDatabase": "选择数据库", + "changeDatabase.failed": "未能更改数据库", + "changeDatabase.failedWithError": "未能更改数据库: {0}", + "queryEditor.exportSqlAsNotebook": "导出为笔记本" + }, + "sql/workbench/contrib/query/browser/queryEditor": { + "queryEditor.name": "Query Editor" + }, + "sql/workbench/contrib/query/browser/queryResultsView": { + "resultsTabTitle": "结果", + "messagesTabTitle": "消息" + }, + "sql/workbench/contrib/query/browser/statusBarItems": { + "status.query.timeElapsed": "已用时间", + "status.query.rowCount": "行数", + "rowCount": "{0} 行", + "query.status.executing": "正在执行查询…", + "status.query.status": "执行状态", + "status.query.selection-summary": "选择摘要", + "status.query.summaryText": "平均值: {0} 计数: {1} 总和: {2}" + }, + "sql/workbench/contrib/query/common/resultsGrid.contribution": { + "resultsGridConfigurationTitle": "结果网格和消息", + "fontFamily": "控制字体系列。", + "fontWeight": "控制字体粗细。", + "fontSize": "控制字体大小(像素)。", + "letterSpacing": "控制字母间距(像素)。", + "rowHeight": "控制行高(像素)", + "cellPadding": "控制单元格边距(像素)", + "autoSizeColumns": "自动调整初始结果的列宽。如果存在大量的列或大型单元格,可能出现性能问题", + "maxColumnWidth": "自动调整大小的列的最大宽度(像素)" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryActions": { + "toggleQueryHistory": "切换查询历史记录", + "queryHistory.delete": "删除", + "queryHistory.clearLabel": "清除所有历史记录", + "queryHistory.openQuery": "打开查询", + "queryHistory.runQuery": "运行查询", + "queryHistory.toggleCaptureLabel": "切换查询历史记录捕获", + "queryHistory.disableCapture": "暂停查询历史记录捕获", + "queryHistory.enableCapture": "开始查询历史记录捕获" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryRenderer": { + "succeeded": "成功", + "failed": "失败" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryView": { + "noQueriesMessage": "没有可显示的查询。", + "queryHistory.regTreeAriaLabel": "查询历史记录" + }, + "sql/workbench/contrib/queryHistory/electron-browser/queryHistory": { + "queryHistoryConfigurationTitle": "QueryHistory", + "queryHistoryCaptureEnabled": "是否启用查询历史记录捕获。若为 false,则不捕获所执行的查询。", + "queryHistory.clearLabel": "清除所有历史记录", + "queryHistory.disableCapture": "暂停查询历史记录捕获", + "queryHistory.enableCapture": "开始查询历史记录捕获", + "viewCategory": "查看", + "miViewQueryHistory": "查询历史记录(&&Q)", + "queryHistory": "查询历史记录" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlan": { + "queryPlanTitle": "查询计划" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlanEditor": { + "queryPlanEditor": "Query Plan Editor" + }, + "sql/workbench/contrib/queryPlan/browser/topOperations": { + "topOperations.operation": "操作", + "topOperations.object": "对象", + "topOperations.estCost": "预计成本", + "topOperations.estSubtreeCost": "预计子树成本", + "topOperations.actualRows": "实际行数", + "topOperations.estRows": "预计行数", + "topOperations.actualExecutions": "实际执行次数", + "topOperations.estCPUCost": "预计 CPU 成本", + "topOperations.estIOCost": "预计 IO 成本", + "topOperations.parallel": "并行", + "topOperations.actualRebinds": "实际重新绑定次数", + "topOperations.estRebinds": "预计重新绑定次数", + "topOperations.actualRewinds": "实际后退次数", + "topOperations.estRewinds": "预计后退次数", + "topOperations.partitioned": "分区", + "topOperationsTitle": "热门的操作" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewer.contribution": { + "resourceViewer": "资源查看器" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { + "resourceViewer.refresh": "刷新" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { + "resourceViewerTable.openError": "打开链接时出错: {0}", + "resourceViewerTable.commandError": "执行命令“{0}”时出错: {1}" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { + "resourceViewer.ariaLabel": "资源查看器树" + }, + "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { + "extension.contributes.resourceView.resource.id": "资源的标识符。", + "extension.contributes.resourceView.resource.name": "用户可读的视图名称。将显示它", + "extension.contributes.resourceView.resource.icon": "资源图标的路径。", + "extension.contributes.resourceViewResources": "将资源分配给资源视图", + "requirestring": "属性“{0}”是必需的,其类型必须是 \"string\"", + "optstring": "属性“{0}”可以省略,否则其类型必须是 \"string\"" + }, + "sql/workbench/contrib/restore/browser/restore.contribution": { + "restore": "还原", + "backup": "还原" + }, + "sql/workbench/contrib/restore/browser/restoreActions": { + "restore.isPreviewFeature": "必须启用预览功能才能使用还原", + "restore.commandNotSupportedOutsideContext": "服务器上下文外不支持还原命令,请选择服务器或数据库并重试。", + "restore.commandNotSupported": "Azure SQL 数据库不支持还原命令。", + "restoreAction.restore": "还原" + }, + "sql/workbench/contrib/scripting/browser/scripting.contribution": { + "scriptAsCreate": "执行 Create 脚本", + "scriptAsDelete": "执行 Drop 脚本", + "scriptAsSelect": "选择前 1000 项", + "scriptAsExecute": "执行 Execute 脚本", + "scriptAsAlter": "执行 Alter 脚本", + "editData": "编辑数据", + "scriptSelect": "选择前 1000 项", + "scriptKustoSelect": "选取 10 个", + "scriptCreate": "执行 Create 脚本", + "scriptExecute": "执行 Execute 脚本", + "scriptAlter": "执行 Alter 脚本", + "scriptDelete": "执行 Drop 脚本", + "refreshNode": "刷新" + }, + "sql/workbench/contrib/scripting/browser/scriptingActions": { + "refreshError": "刷新节点“{0}”时出错: {1}" + }, + "sql/workbench/contrib/tasks/browser/tasks.contribution": { + "inProgressTasksChangesBadge": "{0} 个正在执行的任务", + "viewCategory": "查看", + "tasks": "任务", + "miViewTasks": "任务(&&T)" + }, + "sql/workbench/contrib/tasks/browser/tasksActions": { + "toggleTasks": "切换任务" + }, + "sql/workbench/contrib/tasks/browser/tasksRenderer": { + "succeeded": "成功", + "failed": "失败", + "inProgress": "正在进行", + "notStarted": "尚未开始", + "canceled": "已取消", + "canceling": "正在取消" + }, + "sql/workbench/contrib/tasks/browser/tasksView": { + "noTaskMessage": "没有可显示的任务历史记录。", + "taskHistory.regTreeAriaLabel": "任务历史记录", + "taskError": "任务错误" + }, + "sql/workbench/contrib/tasks/common/tasksAction": { + "cancelTask.cancel": "取消", + "errorMsgFromCancelTask": "任务取消失败。", + "taskAction.script": "脚本" + }, + "sql/workbench/contrib/views/browser/treeView": { + "no-dataprovider": "没有可提供视图数据的已注册数据提供程序。", + "refresh": "刷新", + "collapseAll": "全部折叠", + "command-error": "运行命令 {1} 错误: {0}。这可能是由提交 {1} 的扩展引起的。" + }, + "sql/workbench/contrib/webview/browser/webViewDialog": { + "webViewDialog.ok": "确定", + "webViewDialog.close": "关闭" + }, + "sql/workbench/contrib/welcome/gettingStarted/browser/abstractEnablePreviewFeatures": { + "enablePreviewFeatures.notice": "预览功能可让你全面访问新功能和改进功能,从而提升你在 Azure Data Studio 中的体验。有关预览功能的详细信息,请访问[此处]({0})。是否要启用预览功能?", + "enablePreviewFeatures.yes": "是(推荐)", + "enablePreviewFeatures.no": "否", + "enablePreviewFeatures.never": "否,不再显示" + }, + "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { + "welcomePage.previewBody": "此功能页面处于预览状态。预览功能引入了新功能,这些功能有望成为产品的永久组成部分。它们是稳定的,但需要改进额外的辅助功能。欢迎在功能开发期间提供早期反馈。", + "welcomePage.preview": "预览", + "welcomePage.createConnection": "创建连接", + "welcomePage.createConnectionBody": "通过连接对话连接到数据库实例。", + "welcomePage.runQuery": "运行查询", + "welcomePage.runQueryBody": "通过查询编辑器与数据交互。", + "welcomePage.createNotebook": "创建笔记本", + "welcomePage.createNotebookBody": "使用本机笔记本编辑器生成新笔记本。", + "welcomePage.deployServer": "部署服务器", + "welcomePage.deployServerBody": "在所选平台上创建关系数据服务的新实例。", + "welcomePage.resources": "资源", + "welcomePage.history": "历史记录", + "welcomePage.name": "名称", + "welcomePage.location": "位置", + "welcomePage.moreRecent": "显示更多", + "welcomePage.showOnStartup": "启动时显示欢迎页", + "welcomePage.usefuLinks": "有用链接", + "welcomePage.gettingStarted": "开始使用", + "welcomePage.gettingStartedBody": "发现 Azure Data Studio 所提供的功能,并了解如何充分利用这些功能。", + "welcomePage.documentation": "文档", + "welcomePage.documentationBody": "访问文档中心,以获取快速入门、操作指南以及 PowerShell、API 等的参考。", + "welcomePage.videos": "视频", + "welcomePage.videoDescriptionOverview": "Azure Data Studio 概述", + "welcomePage.videoDescriptionIntroduction": "Azure Data Studio 笔记本简介 | 已公开的数据", + "welcomePage.extensions": "扩展", + "welcomePage.showAll": "全部显示", + "welcomePage.learnMore": "了解更多" + }, + "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { + "GuidedTour.connections": "连接", + "GuidedTour.makeConnections": "通过 SQL Server、Azure 等连接、查询和管理你的连接。", + "GuidedTour.one": "1", + "GuidedTour.next": "下一步", + "GuidedTour.notebooks": "笔记本", + "GuidedTour.gettingStartedNotebooks": "开始在一个位置创建你自己的笔记本或笔记本集合。", + "GuidedTour.two": "2", + "GuidedTour.extensions": "扩展", + "GuidedTour.addExtensions": "通过安装由我们/Microsoft 以及第三方社区(你!)开发的扩展来扩展 Azure Data Studio 的功能。", + "GuidedTour.three": "3", + "GuidedTour.settings": "设置", + "GuidedTour.makeConnesetSettings": "根据你的偏好自定义 Azure Data Studio。可以配置自动保存和选项卡大小等设置,个性化设置键盘快捷方式,并切换到你喜欢的颜色主题。", + "GuidedTour.four": "4", + "GuidedTour.welcomePage": "欢迎页面", + "GuidedTour.discoverWelcomePage": "在“欢迎”页面上发现热门功能、最近打开的文件以及建议的扩展。有关如何开始使用 Azure Data Studio 的详细信息,请参阅我们的视频和文档。", + "GuidedTour.five": "5", + "GuidedTour.finish": "完成", + "guidedTour": "用户欢迎教程", + "hideGuidedTour": "隐藏欢迎教程", + "GuidedTour.readMore": "了解更多", + "help": "帮助" + }, + "sql/workbench/contrib/welcome/page/browser/welcomePage": { + "welcomePage": "欢迎", + "welcomePage.adminPack": "SQL 管理包", + "welcomePage.showAdminPack": "SQL 管理包", + "welcomePage.adminPackDescription": "SQL Server 管理包是热门数据库管理扩展的一个集合,可帮助你管理 SQL Server", + "welcomePage.sqlServerAgent": "SQL Server 代理", + "welcomePage.sqlServerProfiler": "SQL Server Profiler", + "welcomePage.sqlServerImport": "SQL Server 导入", + "welcomePage.sqlServerDacpac": "SQL Server Dacpac", + "welcomePage.powershell": "PowerShell", + "welcomePage.powershellDescription": "使用 Azure Data Studio 功能丰富的查询编辑器编写和执行 PowerShell 脚本", + "welcomePage.dataVirtualization": "数据虚拟化", + "welcomePage.dataVirtualizationDescription": "使用 SQL Server 2019 虚拟化数据,并使用交互式向导创建外部表", + "welcomePage.PostgreSQL": "PostgreSQL", + "welcomePage.PostgreSQLDescription": "使用 Azure Data Studio 连接、查询和管理 Postgres 数据库", + "welcomePage.extensionPackAlreadyInstalled": "已安装对 {0} 的支持。", + "welcomePage.willReloadAfterInstallingExtensionPack": "安装对 {0} 的额外支持后,将重载窗口。", + "welcomePage.installingExtensionPack": "正在安装对 {0} 的额外支持...", + "welcomePage.extensionPackNotFound": "找不到对 {0} (ID: {1}) 的支持。", + "welcomePage.newConnection": "新建连接", + "welcomePage.newQuery": "新建查询", + "welcomePage.newNotebook": "新建笔记本", + "welcomePage.deployServer": "部署服务器", + "welcome.title": "欢迎", + "welcomePage.new": "新建", + "welcomePage.open": "打开…", + "welcomePage.openFile": "打开文件…", + "welcomePage.openFolder": "打开文件夹…", + "welcomePage.startTour": "开始教程", + "closeTourBar": "关闭快速浏览栏", + "WelcomePage.TakeATour": "是否希望快速浏览 Azure Data Studio?", + "WelcomePage.welcome": "欢迎使用!", + "welcomePage.openFolderWithPath": "打开路径为 {1} 的文件夹 {0}", + "welcomePage.install": "安装", + "welcomePage.installKeymap": "安装 {0} 键映射", + "welcomePage.installExtensionPack": "安装对 {0} 的额外支持", + "welcomePage.installed": "已安装", + "welcomePage.installedKeymap": "已安装 {0} 按键映射", + "welcomePage.installedExtensionPack": "已安装 {0} 支持", + "ok": "确定", + "details": "详细信息", + "welcomePage.background": "欢迎页面的背景色。" + }, + "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { + "welcomePage.azdata": "Azure Data Studio", + "welcomePage.start": "开始", + "welcomePage.newConnection": "新建连接", + "welcomePage.newQuery": "新建查询", + "welcomePage.newNotebook": "新建笔记本", + "welcomePage.openFileMac": "打开文件", + "welcomePage.openFileLinuxPC": "打开文件", + "welcomePage.deploy": "部署", + "welcomePage.newDeployment": "新建部署…", + "welcomePage.recent": "最近使用", + "welcomePage.moreRecent": "更多...", + "welcomePage.noRecentFolders": "没有最近使用的文件夹", + "welcomePage.help": "帮助", + "welcomePage.gettingStarted": "开始使用", + "welcomePage.productDocumentation": "文档", + "welcomePage.reportIssue": "报告问题或功能请求", + "welcomePage.gitHubRepository": "GitHub 存储库", + "welcomePage.releaseNotes": "发行说明", + "welcomePage.showOnStartup": "启动时显示欢迎页", + "welcomePage.customize": "自定义", + "welcomePage.extensions": "扩展", + "welcomePage.extensionDescription": "下载所需的扩展,包括 SQL Server 管理包等", + "welcomePage.keyboardShortcut": "键盘快捷方式", + "welcomePage.keyboardShortcutDescription": "查找你喜欢的命令并对其进行自定义", + "welcomePage.colorTheme": "颜色主题", + "welcomePage.colorThemeDescription": "使编辑器和代码呈现你喜欢的外观", + "welcomePage.learn": "了解", + "welcomePage.showCommands": "查找并运行所有命令", + "welcomePage.showCommandsDescription": "使用命令面板快速访问和搜索命令 ({0})", + "welcomePage.azdataBlog": "了解最新版本中的新增功能", + "welcomePage.azdataBlogDescription": "每月推出新的月度博客文章,展示新功能", + "welcomePage.followTwitter": "在 Twitter 上关注我们", + "welcomePage.followTwitterDescription": "保持了解社区如何使用 Azure Data Studio 并与工程师直接交谈。" + }, + "sql/workbench/services/accountManagement/browser/accountDialog": { + "accountExplorer.name": "帐户", + "linkedAccounts": "链接的帐户", + "accountDialog.close": "关闭", + "accountDialog.noAccountLabel": "没有链接的帐户。请添加一个帐户。", + "accountDialog.addConnection": "添加帐户", + "accountDialog.noCloudsRegistered": "你没有启用云。请转到“设置”-> 搜索 Azure 帐户配置 -> 至少启用一个云", + "accountDialog.didNotPickAuthProvider": "你没有选择任何身份验证提供程序。请重试。" + }, + "sql/workbench/services/accountManagement/browser/accountDialogController": { + "accountDialog.addAccountErrorTitle": "添加帐户时出错" + }, + "sql/workbench/services/accountManagement/browser/accountListRenderer": { + "refreshCredentials": "需要刷新此帐户的凭据。" + }, + "sql/workbench/services/accountManagement/browser/accountManagementService": { + "accountManagementService.close": "关闭", + "loggingIn": "正在添加帐户...", + "refreshFailed": "用户已取消刷新帐户" + }, + "sql/workbench/services/accountManagement/browser/accountPickerImpl": { + "azureAccount": "Azure 帐户", + "azureTenant": "Azure 租户" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { + "copyAndOpen": "复制并打开", + "oauthDialog.cancel": "取消", + "userCode": "用户代码", + "website": "网站" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { + "oauthFlyoutIsAlreadyOpen": "无法启动自动 OAuth。自动 OAuth 已在进行中。" + }, + "sql/workbench/services/admin/common/adminService": { + "adminService.providerIdNotValidError": "需要连接才能与 adminservice 交互", + "adminService.noHandlerRegistered": "未注册处理程序" + }, + "sql/workbench/services/assessment/common/assessmentService": { + "asmt.providerIdNotValidError": "需要连接才能与评估服务交互", + "asmt.noHandlerRegistered": "未注册处理程序" + }, + "sql/workbench/services/connection/browser/advancedPropertiesController": { + "connectionAdvancedProperties": "高级属性", + "advancedProperties.discard": "放弃" + }, + "sql/workbench/services/connection/browser/cmsConnectionWidget": { + "serverDescription": "服务器说明(可选)" + }, + "sql/workbench/services/connection/browser/connectionActions": { + "ClearRecentlyUsedLabel": "清空列表", + "ClearedRecentConnections": "已清空最新连接列表", + "connectionAction.yes": "是", + "connectionAction.no": "否", + "clearRecentConnectionMessage": "确定要删除列表中的所有连接吗?", + "connectionDialog.yes": "是", + "connectionDialog.no": "否", + "delete": "删除", + "connectionAction.GetCurrentConnectionString": "获取当前连接字符串", + "connectionAction.connectionString": "连接字符串不可用", + "connectionAction.noConnection": "没有可用的活动连接" + }, + "sql/workbench/services/connection/browser/connectionBrowseTab": { + "connectionDialog.browser": "浏览", + "connectionDialog.FilterPlaceHolder": "在此处键入以筛选列表", + "connectionDialog.FilterInputTitle": "筛选器连接", + "connectionDialog.ApplyingFilter": "正在应用筛选器", + "connectionDialog.RemovingFilter": "正在删除筛选器", + "connectionDialog.FilterApplied": "已应用筛选器", + "connectionDialog.FilterRemoved": "已删除筛选器", + "savedConnections": "保存的连接", + "savedConnection": "保存的连接", + "connectionBrowserTree": "连接浏览器树" + }, + "sql/workbench/services/connection/browser/connectionDialogService": { + "connectionError": "连接错误", + "kerberosErrorStart": "由于 Kerberos 错误,连接失败。", + "kerberosHelpLink": "可在 {0} 处获取有关配置 Kerberos 的帮助", + "kerberosKinit": "如果之前已连接,可能需要重新运行 kinit。" + }, + "sql/workbench/services/connection/browser/connectionDialogWidget": { + "connection": "连接", + "connecting": "正在连接", + "connectType": "连接类型", + "recentConnectionTitle": "最近", + "connectionDetailsTitle": "连接详细信息", + "connectionDialog.connect": "连接", + "connectionDialog.cancel": "取消", + "connectionDialog.recentConnections": "最近的连接", + "noRecentConnections": "没有最近的连接" + }, + "sql/workbench/services/connection/browser/connectionManagementService": { + "connection.noAzureAccount": "未能获取 Azure 帐户令牌用于连接", + "connectionNotAcceptedError": "连接未被接受", + "connectionService.yes": "是", + "connectionService.no": "否", + "cancelConnectionConfirmation": "确定要取消此连接吗?" + }, + "sql/workbench/services/connection/browser/connectionWidget": { + "connectionWidget.AddAzureAccount": "添加帐户…", + "defaultDatabaseOption": "<默认值>", + "loadingDatabaseOption": "正在加载…", + "serverGroup": "服务器组", + "defaultServerGroup": "<默认值>", + "addNewServerGroup": "添加新组…", + "noneServerGroup": "<不保存>", + "connectionWidget.missingRequireField": "{0} 是必需的。", + "connectionWidget.fieldWillBeTrimmed": "将剪裁 {0}。", + "rememberPassword": "记住密码", + "connection.azureAccountDropdownLabel": "帐户", + "connectionWidget.refreshAzureCredentials": "刷新帐户凭据", + "connection.azureTenantDropdownLabel": "Azure AD 租户", + "connectionName": "名称(可选)", + "advanced": "高级…", + "connectionWidget.invalidAzureAccount": "必须选择一个帐户" + }, + "sql/workbench/services/connection/browser/localizedConstants": { + "onDidConnectMessage": "已连接到", + "onDidDisconnectMessage": "已断开连接", + "unsavedGroupLabel": "未保存的连接" + }, + "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { + "newDashboardTab.openDashboardExtensions": "打开仪表板扩展", + "newDashboardTab.ok": "确定", + "newDashboardTab.cancel": "取消", + "newdashboardTabDialog.noExtensionLabel": "目前尚未安装仪表板扩展。转“到扩展管理器”以浏览推荐的扩展。" + }, + "sql/workbench/services/dialog/browser/dialogPane": { + "wizardPageNumberDisplayText": "步骤 {0}" + }, + "sql/workbench/services/dialog/common/dialogTypes": { + "dialogModalDoneButtonLabel": "完成", + "dialogModalCancelButtonLabel": "取消" + }, + "sql/workbench/services/editData/common/editQueryRunner": { + "query.initEditExecutionFailed": "初始化编辑数据会话失败:" + }, + "sql/workbench/services/errorMessage/browser/errorMessageDialog": { + "errorMessageDialog.ok": "确定", + "errorMessageDialog.close": "关闭", + "errorMessageDialog.action": "操作", + "copyDetails": "复制详细信息" + }, + "sql/workbench/services/errorMessage/browser/errorMessageService": { + "error": "错误", + "warning": "警告", + "info": "信息", + "ignore": "忽略" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { + "filebrowser.filepath": "选定的路径", + "fileFilter": "文件类型", + "fileBrowser.ok": "确定", + "fileBrowser.discard": "放弃" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialogController": { + "filebrowser.selectFile": "选择文件" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { + "fileBrowser.regTreeAriaLabel": "文件浏览器树" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserService": { + "fileBrowserErrorMessage": "加载文件浏览器时出错。", + "fileBrowserErrorDialogTitle": "文件浏览器错误" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { + "allFiles": "所有文件" + }, + "sql/workbench/services/insights/browser/insightDialogActions": { + "workbench.action.insights.copySelection": "复制单元格" + }, + "sql/workbench/services/insights/browser/insightsDialogController": { + "insightsInputError": "未将连接配置文件传递到见解浮出控件", + "insightsError": "见解错误", + "insightsFileError": "读取以下查询文件时出错:", + "insightsConfigError": "分析见解配置时出错;找不到查询数组/字符串或查询文件" + }, + "sql/workbench/services/insights/browser/insightsDialogView": { + "insights.item": "项", + "insights.value": "值", + "insightsDetailView.name": "见解详细信息", + "property": "属性", + "value": "值", + "InsightsDialogTitle": "见解", + "insights.dialog.items": "项", + "insights.dialog.itemDetails": "项详细信息" + }, + "sql/workbench/services/insights/common/insightsUtils": { + "insightsDidNotFindResolvedFile": "在下述所有路径中都找不到查询文件:\r\n {0}" + }, + "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { + "agentUtilities.failed": "失败", + "agentUtilities.succeeded": "已成功", + "agentUtilities.retry": "重试", + "agentUtilities.canceled": "已取消", + "agentUtilities.inProgress": "正在进行", + "agentUtilities.statusUnknown": "状态未知", + "agentUtilities.executing": "正在执行", + "agentUtilities.waitingForThread": "正在等待线程", + "agentUtilities.betweenRetries": "重试之间", + "agentUtilities.idle": "空闲", + "agentUtilities.suspended": "已暂停", + "agentUtilities.obsolete": "[已过时]", + "agentUtilities.yes": "是", + "agentUtilities.no": "否", + "agentUtilities.notScheduled": "未计划", + "agentUtilities.neverRun": "从未运行" + }, + "sql/workbench/services/jobManagement/common/jobManagementService": { + "providerIdNotValidError": "需要连接才能与 JobManagementService 交互", + "noHandlerRegistered": "未注册处理程序" + }, + "sql/workbench/services/notebook/browser/interfaces": { + "sqlKernel": "SQL" + }, "sql/workbench/services/notebook/browser/models/cell": { "runCellCancelled": "单元格执行已取消", "executionCanceled": "查询执行已取消", @@ -11325,12 +11224,223 @@ "noDefaultKernel": "此笔记本没有可用的内核", "commandSuccessful": "已成功执行命令" }, + "sql/workbench/services/notebook/browser/models/clientSession": { + "clientSession.unknownError": "启动笔记本会话时出错", + "ServerNotStarted": "由于未知原因,服务器未启动", + "kernelRequiresConnection": "未找到内核 {0}。将改为使用默认内核。" + }, "sql/workbench/services/notebook/browser/models/notebookContexts": { "selectConnection": "选择连接", "localhost": "localhost" }, - "sql/workbench/browser/parts/editor/editorStatusModeSelect": { - "languageChangeUnsupported": "不支持更改未保存文件的编辑器类型" + "sql/workbench/services/notebook/browser/models/notebookModel": { + "injectedParametersMsg": "# 个注入参数\r\n", + "kernelRequiresConnection": "请选择一个连接来运行此内核的单元格", + "deleteCellFailed": "未能删除单元格。", + "changeKernelFailedRetry": "未能更改内核。将使用内核 {0}。错误为: {1}", + "changeKernelFailed": "由于以下错误而未能更改内核: {0}", + "changeContextFailed": "更改上下文失败: {0}", + "startSessionFailed": "无法启动会话: {0}", + "shutdownClientSessionError": "关闭笔记本时发生客户端会话错误: {0}", + "ProviderNoManager": "未找到提供程序 {0} 的笔记本管理器" + }, + "sql/workbench/services/notebook/browser/notebookServiceImpl": { + "notebookUriNotDefined": "创建笔记本管理器时未传递 URI", + "notebookServiceNoProvider": "笔记本提供程序不存在" + }, + "sql/workbench/services/notebook/browser/notebookViews/notebookViewModel": { + "notebookView.nameTaken": "此笔记本中已存在名为 {0} 的视图。" + }, + "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { + "sqlKernelError": "SQL 内核错误", + "connectionRequired": "必须选择连接才能运行笔记本单元格", + "sqlMaxRowsDisplayed": "显示了前 {0} 行。" + }, + "sql/workbench/services/notebook/common/contracts": { + "notebook.richTextEditMode": "格式文本", + "notebook.splitViewEditMode": "拆分视图", + "notebook.markdownEditMode": "Markdown" + }, + "sql/workbench/services/notebook/common/localContentManager": { + "nbformatNotRecognized": "无法识别 nbformat v{0}.{1}", + "nbNotSupported": "此文件没有有效的笔记本格式", + "unknownCellType": "单元格类型 {0} 未知", + "unrecognizedOutput": "无法识别输出类型 {0}", + "invalidMimeData": "{0} 的数据应为字符串或字符串数组", + "unrecognizedOutputType": "无法识别输出类型 {0}" + }, + "sql/workbench/services/notebook/common/notebookRegistry": { + "carbon.extension.contributes.notebook.provider": "笔记本提供程序的标识符。", + "carbon.extension.contributes.notebook.fileExtensions": "应向此笔记本提供程序注册哪些文件扩展名", + "carbon.extension.contributes.notebook.standardKernels": "此笔记本提供程序应标配哪些内核", + "vscode.extension.contributes.notebook.providers": "提供笔记本提供程序。", + "carbon.extension.contributes.notebook.magic": "单元格魔术方法的名称,如 \"%%sql\"。", + "carbon.extension.contributes.notebook.language": "单元格中包含此单元格魔术方法时要使用的单元格语言", + "carbon.extension.contributes.notebook.executionTarget": "此魔术方法指示的可选执行目标,例如 Spark 和 SQL", + "carbon.extension.contributes.notebook.kernels": "可选内核集,对于 python3、pyspark 和 sql 等有效", + "vscode.extension.contributes.notebook.languagemagics": "提供笔记本语言。" + }, + "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { + "loading": "正在加载..." + }, + "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { + "connectionTree.refresh": "刷新", + "connectionTree.editConnection": "编辑连接", + "DisconnectAction": "断开连接", + "connectionTree.addConnection": "新建连接", + "connectionTree.addServerGroup": "新建服务器组", + "connectionTree.editServerGroup": "编辑服务器组", + "activeConnections": "显示活动连接", + "showAllConnections": "显示所有连接", + "deleteConnection": "删除连接", + "deleteConnectionGroup": "删除组" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerService": { + "OeSessionFailedError": "未能创建对象资源管理器会话", + "nodeExpansionError": "多个错误:" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerViewTreeShim": { + "noProviderFound": "无法展开,因为未找到所需的连接提供程序“{0}”", + "loginCanceled": "用户已取消", + "firewallCanceled": "防火墙对话已取消" + }, + "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { + "loading": "正在加载..." + }, + "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { + "treeAriaLabel": "最近的连接", + "serversAriaLabel": "服务器", + "treeCreation.regTreeAriaLabel": "服务器" + }, + "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { + "eventSort": "按事件排序", + "nameColumn": "按列排序", + "profilerColumnDialog.profiler": "探查器", + "profilerColumnDialog.ok": "确定", + "profilerColumnDialog.cancel": "取消" + }, + "sql/workbench/services/profiler/browser/profilerFilterDialog": { + "profilerFilterDialog.clear": "全部清除", + "profilerFilterDialog.apply": "应用", + "profilerFilterDialog.ok": "确定", + "profilerFilterDialog.cancel": "取消", + "profilerFilterDialog.title": "筛选器", + "profilerFilterDialog.remove": "删除此子句", + "profilerFilterDialog.saveFilter": "保存筛选器", + "profilerFilterDialog.loadFilter": "加载筛选器", + "profilerFilterDialog.addClauseText": "添加子句", + "profilerFilterDialog.fieldColumn": "字段", + "profilerFilterDialog.operatorColumn": "运算符", + "profilerFilterDialog.valueColumn": "值", + "profilerFilterDialog.isNullOperator": "为 Null", + "profilerFilterDialog.isNotNullOperator": "不为 Null", + "profilerFilterDialog.containsOperator": "包含", + "profilerFilterDialog.notContainsOperator": "不包含", + "profilerFilterDialog.startsWithOperator": "开头为", + "profilerFilterDialog.notStartsWithOperator": "开头不为" + }, + "sql/workbench/services/query/common/queryModelService": { + "commitEditFailed": "提交行失败:", + "runQueryBatchStartMessage": "开始执行查询的位置:", + "runQueryStringBatchStartMessage": "已开始执行查询 \"{0}\"", + "runQueryBatchStartLine": "第 {0} 行", + "msgCancelQueryFailed": "取消查询失败: {0}", + "updateCellFailed": "更新单元格失败:" + }, + "sql/workbench/services/query/common/queryRunner": { + "query.ExecutionFailedError": "由于意外错误,执行失败: {0}\t{1}", + "query.message.executionTime": "执行时间总计: {0}", + "query.message.startQueryWithRange": "开始执行查询的位置: 第 {0} 行", + "query.message.startQuery": "已开始执行批处理 {0}", + "elapsedBatchTime": "批处理执行时间: {0}", + "copyFailed": "复制失败,出现错误 {0}" + }, + "sql/workbench/services/query/common/resultSerializer": { + "msgSaveFailed": "未能保存结果。", + "resultsSerializer.saveAsFileTitle": "选择结果文件", + "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (以逗号分隔)", + "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", + "resultsSerializer.saveAsFileExtensionExcelTitle": "Excel 工作簿", + "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", + "resultsSerializer.saveAsFileExtensionTXTTitle": "纯文本", + "savingFile": "正在保存文件...", + "msgSaveSucceeded": "已成功将结果保存到 {0}", + "openFile": "打开文件" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { + "from": "从", + "to": "到", + "createNewFirewallRule": "新建防火墙规则", + "firewall.ok": "确定", + "firewall.cancel": "取消", + "firewallRuleDialogDescription": "你的客户端 IP 地址无权访问此服务器。请登录到 Azure 帐户,然后新建一个防火墙规则以启用访问。", + "firewallRuleHelpDescription": "详细了解防火墙设置", + "filewallRule": "防火墙规则", + "addIPAddressLabel": "添加我的客户端 IP", + "addIpRangeLabel": "添加我的子网 IP 范围" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialogController": { + "firewallDialog.addAccountErrorTitle": "添加帐户时出错", + "firewallRuleError": "防火墙规则错误" + }, + "sql/workbench/services/restore/browser/restoreDialog": { + "backupFilePath": "备份文件路径", + "targetDatabase": "目标数据库", + "restoreDialog.restore": "还原", + "restoreDialog.restoreTitle": "还原数据库", + "restoreDialog.database": "数据库", + "restoreDialog.backupFile": "备份文件", + "RestoreDialogTitle": "还原数据库", + "restoreDialog.cancel": "取消", + "restoreDialog.script": "脚本", + "source": "源", + "restoreFrom": "还原自", + "missingBackupFilePathError": "需要备份文件路径。", + "multipleBackupFilePath": "请输入一个或多个用逗号分隔的文件路径", + "database": "数据库", + "destination": "目标", + "restoreTo": "还原到", + "restorePlan": "还原计划", + "backupSetsToRestore": "要还原的备份集", + "restoreDatabaseFileAs": "将数据库文件还原为", + "restoreDatabaseFileDetails": "还原数据库文件详细信息", + "logicalFileName": "逻辑文件名", + "fileType": "文件类型", + "originalFileName": "原始文件名", + "restoreAs": "还原为", + "restoreOptions": "还原选项", + "taillogBackup": "结尾日志备份", + "serverConnection": "服务器连接", + "generalTitle": "常规", + "filesTitle": "文件", + "optionsTitle": "选项" + }, + "sql/workbench/services/restore/common/constants": { + "backup.filterBackupFiles": "备份文件", + "backup.allFiles": "所有文件" + }, + "sql/workbench/services/serverGroup/browser/serverGroupDialog": { + "ServerGroupsDialogTitle": "服务器组", + "serverGroup.ok": "确定", + "serverGroup.cancel": "取消", + "connectionGroupName": "服务器组名称", + "MissingGroupNameError": "组名称是必需的。", + "groupDescription": "组描述", + "groupColor": "组颜色" + }, + "sql/workbench/services/serverGroup/common/serverGroupViewModel": { + "serverGroup.addServerGroup": "添加服务器组", + "serverGroup.editServerGroup": "编辑服务器组" + }, + "sql/workbench/services/tasks/common/tasksService": { + "InProgressWarning": "一个或多个任务正在运行中。确定要退出吗?", + "taskService.yes": "是", + "taskService.no": "否" + }, + "sql/workbench/update/electron-browser/releaseNotes": { + "gettingStarted": "开始", + "showReleaseNotes": "显示入门", + "miGettingStarted": "入门(&&S)" } } } \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hant/package.json b/i18n/ads-language-pack-zh-hant/package.json index c7207bed9b..c5a0631623 100644 --- a/i18n/ads-language-pack-zh-hant/package.json +++ b/i18n/ads-language-pack-zh-hant/package.json @@ -2,7 +2,7 @@ "name": "ads-language-pack-zh-hant", "displayName": "Chinese (Traditional) Language Pack for Azure Data Studio", "description": "Language pack extension for Chinese (Traditional)", - "version": "1.29.0", + "version": "1.31.0", "publisher": "Microsoft", "repository": { "type": "git", @@ -11,7 +11,7 @@ "license": "SEE SOURCE EULA LICENSE IN LICENSE.txt", "engines": { "vscode": "*", - "azdata": ">=1.29.0" + "azdata": "^0.0.0" }, "icon": "languagepack.png", "categories": [ @@ -164,6 +164,14 @@ "id": "vscode.yaml", "path": "./translations/extensions/yaml.i18n.json" }, + { + "id": "Microsoft.admin-tool-ext-win", + "path": "./translations/extensions/admin-tool-ext-win.i18n.json" + }, + { + "id": "Microsoft.agent", + "path": "./translations/extensions/agent.i18n.json" + }, { "id": "Microsoft.azurecore", "path": "./translations/extensions/azurecore.i18n.json" @@ -172,6 +180,18 @@ "id": "Microsoft.big-data-cluster", "path": "./translations/extensions/big-data-cluster.i18n.json" }, + { + "id": "Microsoft.cms", + "path": "./translations/extensions/cms.i18n.json" + }, + { + "id": "Microsoft.dacpac", + "path": "./translations/extensions/dacpac.i18n.json" + }, + { + "id": "Microsoft.import", + "path": "./translations/extensions/import.i18n.json" + }, { "id": "Microsoft.sqlservernotebook", "path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json" @@ -184,9 +204,17 @@ "id": "Microsoft.notebook", "path": "./translations/extensions/notebook.i18n.json" }, + { + "id": "Microsoft.profiler", + "path": "./translations/extensions/profiler.i18n.json" + }, { "id": "Microsoft.resource-deployment", "path": "./translations/extensions/resource-deployment.i18n.json" + }, + { + "id": "Microsoft.schema-compare", + "path": "./translations/extensions/schema-compare.i18n.json" } ] } diff --git a/i18n/ads-language-pack-zh-hant/translations/extensions/admin-tool-ext-win.i18n.json b/i18n/ads-language-pack-zh-hant/translations/extensions/admin-tool-ext-win.i18n.json new file mode 100644 index 0000000000..d07e8a720a --- /dev/null +++ b/i18n/ads-language-pack-zh-hant/translations/extensions/admin-tool-ext-win.i18n.json @@ -0,0 +1,26 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "adminToolExtWin.displayName": "適用於 Windows 的資料庫系統管理工具延伸模組", + "adminToolExtWin.description": "將額外的 Windows 特定功能新增至 Azure Data Studio", + "adminToolExtWin.propertiesMenuItem": "屬性", + "adminToolExtWin.launchGswMenuItem": "產生指令碼..." + }, + "dist/main": { + "adminToolExtWin.noConnectionContextForProp": "未為 handleLaunchSsmsMinPropertiesDialogCommand 提供任何 ConnectionContext", + "adminToolExtWin.noOENode": "無法判斷來自 connectionContext 的物件總管節點 : {0}", + "adminToolExtWin.noConnectionContextForGsw": "未為 handleLaunchSsmsMinPropertiesDialogCommand 提供任何 ConnectionContext", + "adminToolExtWin.noConnectionProfile": "connectionContext 未提供任何 connectionProfile : {0}", + "adminToolExtWin.launchingDialogStatus": "正在啟動對話...", + "adminToolExtWin.ssmsMinError": "以引數 '{0}' - {1} 呼叫 SsmsMin 時發生錯誤" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hant/translations/extensions/agent.i18n.json b/i18n/ads-language-pack-zh-hant/translations/extensions/agent.i18n.json new file mode 100644 index 0000000000..e921c85a7f --- /dev/null +++ b/i18n/ads-language-pack-zh-hant/translations/extensions/agent.i18n.json @@ -0,0 +1,282 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/agentDialog": { + "agentDialog.OK": "確定", + "agentDialog.Cancel": "取消" + }, + "dist/dialogs/jobStepDialog": { + "jobStepDialog.fileBrowserTitle": "尋找資料庫檔案 -", + "jobStepDialog.ok": "確定", + "jobStepDialog.cancel": "取消", + "jobStepDialog.general": "一般", + "jobStepDialog.advanced": "進階", + "jobStepDialog.open": "開啟...", + "jobStepDialog.parse": "剖析", + "jobStepDialog.successParse": "已成功剖析命令。", + "jobStepDialog.failParse": "命令失敗。", + "jobStepDialog.blankStepName": "步驟名稱不能留空", + "jobStepDialog.processExitCode": "處理成功命令的結束代碼:", + "jobStepDialog.stepNameLabel": "步驟名稱", + "jobStepDialog.typeLabel": "類型", + "jobStepDialog.runAsLabel": "執行身分", + "jobStepDialog.databaseLabel": "資料庫", + "jobStepDialog.commandLabel": "命令", + "jobStepDialog.successAction": "當動作成功時", + "jobStepDialog.failureAction": "當動作失敗時", + "jobStepDialog.runAsUser": "以使用者身分執行", + "jobStepDialog.retryAttempts": "重試嘗試", + "jobStepDialog.retryInterval": "重試間隔 (分鐘)", + "jobStepDialog.logToTable": "記錄到資料表", + "jobStepDialog.appendExistingTableEntry": "將輸出附加到表中現有的項目", + "jobStepDialog.includeStepOutputHistory": "在歷程記錄中包含步驟輸出", + "jobStepDialog.outputFile": "輸出檔案", + "jobStepDialog.appendOutputToFile": "將輸出附加至現有的檔案", + "jobStepDialog.selectedPath": "選擇的路徑", + "jobStepDialog.filesOfType": "檔案類型", + "jobStepDialog.fileName": "檔案名稱", + "jobStepDialog.allFiles": "所有檔案 (*)", + "jobStepDialog.newJobStep": "新增作業步驟", + "jobStepDialog.editJobStep": "編輯作業步驟", + "jobStepDialog.TSQL": "Transact-SQL 指令碼 (T-SQL)", + "jobStepDialog.powershell": "PowerShell", + "jobStepDialog.CmdExec": "作業系統 (cmdexec)", + "jobStepDialog.replicationDistribution": "複寫散發者", + "jobStepDialog.replicationMerge": "複寫合併", + "jobStepDialog.replicationQueueReader": "複本佇列讀取器", + "jobStepDialog.replicationSnapshot": "複寫快照集", + "jobStepDialog.replicationTransactionLogReader": "複寫交易 - 記錄讀取器", + "jobStepDialog.analysisCommand": "SQL Server Analysis Services 命令", + "jobStepDialog.analysisQuery": "SQL Server Analysis Services 查詢", + "jobStepDialog.servicesPackage": "SQL Server 整合服務套件", + "jobStepDialog.agentServiceAccount": "SQL Server Agent 服務帳戶", + "jobStepDialog.nextStep": "前往下一步", + "jobStepDialog.quitJobSuccess": "結束作業報告成功", + "jobStepDialog.quitJobFailure": "結束作業報告失敗" + }, + "dist/dialogs/pickScheduleDialog": { + "pickSchedule.jobSchedules": "作業排程", + "pickSchedule.ok": "確定", + "pickSchedule.cancel": "取消", + "pickSchedule.availableSchedules": "可用的排程:", + "pickSchedule.scheduleName": "名稱", + "pickSchedule.scheduleID": "識別碼", + "pickSchedule.description": "描述" + }, + "dist/dialogs/alertDialog": { + "alertDialog.createAlert": "建立警示", + "alertDialog.editAlert": "編輯警示", + "alertDialog.General": "一般", + "alertDialog.Response": "回應", + "alertDialog.Options": "選項", + "alertDialog.eventAlert": "事件警示定義", + "alertDialog.Name": "名稱", + "alertDialog.Type": "類型", + "alertDialog.Enabled": "啟用", + "alertDialog.DatabaseName": "資料庫名稱", + "alertDialog.ErrorNumber": "錯誤號碼", + "alertDialog.Severity": "嚴重性", + "alertDialog.RaiseAlertContains": "當訊息包含以下項目時引發警示", + "alertDialog.MessageText": "訊息文字", + "alertDialog.Severity001": "001 - 其他系統資訊", + "alertDialog.Severity002": "002 - 已保留", + "alertDialog.Severity003": "003 - 已保留", + "alertDialog.Severity004": "004 - 已保留", + "alertDialog.Severity005": "005 - 已保留", + "alertDialog.Severity006": "006 - 已保留", + "alertDialog.Severity007": "007 - 通知: 狀態資訊", + "alertDialog.Severity008": "008 - 通知: 需要使用者操作", + "alertDialog.Severity009": "009 - 已定義使用者", + "alertDialog.Severity010": "010 - 資訊", + "alertDialog.Severity011": "011 - 找不到指定的資料庫物件", + "alertDialog.Severity012": "012 - 未使用", + "alertDialog.Severity013": "013 - 使用者交易語法錯誤", + "alertDialog.Severity014": "014 - 權限不足", + "alertDialog.Severity015": "015 - SQL 陳述式中的語法錯誤", + "alertDialog.Severity016": "016 - 其他使用者錯誤", + "alertDialog.Severity017": "017 - 資源不足", + "alertDialog.Severity018": "018 - 非嚴重內部錯誤", + "alertDialog.Severity019": "019 - 資源中的致命錯誤", + "alertDialog.Severity020": "020 - 目前的處理發生嚴重錯誤", + "alertDialog.Severity021": "021 - 資料庫處理序發生嚴重錯誤", + "alertDialog.Severity022": "022 - 嚴重錯誤: 資料表完整性受到質疑", + "alertDialog.Severity023": "023 - 嚴重錯誤: 資料庫完整性有疑慮", + "alertDialog.Severity024": "024 - 嚴重錯誤: 硬體錯誤", + "alertDialog.Severity025": "025 - 嚴重錯誤", + "alertDialog.AllDatabases": "<所有資料庫>", + "alertDialog.ExecuteJob": "執行作業", + "alertDialog.ExecuteJobName": "作業名稱", + "alertDialog.NotifyOperators": "通知運算子", + "alertDialog.NewJob": "新增作業", + "alertDialog.OperatorList": "運算子清單", + "alertDialog.OperatorName": "運算子", + "alertDialog.OperatorEmail": "電子郵件", + "alertDialog.OperatorPager": "頁面巡覽區", + "alertDialog.NewOperator": "新增運算子", + "alertDialog.IncludeErrorInEmail": "在電子郵件中包含警示錯誤文字", + "alertDialog.IncludeErrorInPager": "在頁面巡覽區中包括警示文字", + "alertDialog.AdditionalNotification": "要傳送的其他通知訊息", + "alertDialog.DelayMinutes": "延遲分鐘數", + "alertDialog.DelaySeconds": "延遲秒數" + }, + "dist/dialogs/operatorDialog": { + "createOperator.createOperator": "建立運算子", + "createOperator.editOperator": "編輯運算子", + "createOperator.General": "一般", + "createOperator.Notifications": "通知", + "createOperator.Name": "名稱", + "createOperator.Enabled": "啟用", + "createOperator.EmailName": "電子郵件名稱", + "createOperator.PagerEmailName": "頁面巡覽區電子郵件名稱", + "createOperator.PagerMondayCheckBox": "星期一", + "createOperator.PagerTuesdayCheckBox": "星期二", + "createOperator.PagerWednesdayCheckBox": "星期三", + "createOperator.PagerThursdayCheckBox": "星期四", + "createOperator.PagerFridayCheckBox": "星期五", + "createOperator.PagerSaturdayCheckBox": "星期六", + "createOperator.PagerSundayCheckBox": "星期日", + "createOperator.workdayBegin": "工作日開始", + "createOperator.workdayEnd": "工作日結束", + "createOperator.PagerDutySchedule": "呼叫器待命排程", + "createOperator.AlertListHeading": "警示清單", + "createOperator.AlertNameColumnLabel": "警示名稱", + "createOperator.AlertEmailColumnLabel": "電子郵件", + "createOperator.AlertPagerColumnLabel": "頁面巡覽區" + }, + "dist/dialogs/jobDialog": { + "jobDialog.general": "一般", + "jobDialog.steps": "步驟", + "jobDialog.schedules": "排程", + "jobDialog.alerts": "警示", + "jobDialog.notifications": "通知", + "jobDialog.blankJobNameError": "作業名稱不得為空。", + "jobDialog.name": "名稱", + "jobDialog.owner": "擁有者", + "jobDialog.category": "分類", + "jobDialog.description": "描述", + "jobDialog.enabled": "啟用", + "jobDialog.jobStepList": "作業步驟清單", + "jobDialog.step": "步驟", + "jobDialog.type": "類型", + "jobDialog.onSuccess": "成功時", + "jobDialog.onFailure": "失敗時", + "jobDialog.new": "新增步驟", + "jobDialog.edit": "編輯步驟", + "jobDialog.delete": "刪除步驟", + "jobDialog.moveUp": "向上移動步驟", + "jobDialog.moveDown": "向下移動步驟", + "jobDialog.startStepAt": "開始步驟", + "jobDialog.notificationsTabTop": "作業完成時要執行的操作", + "jobDialog.email": "電子郵件", + "jobDialog.page": "頁面", + "jobDialog.eventLogCheckBoxLabel": "寫入 Windows 應用程式事件記錄檔", + "jobDialog.deleteJobLabel": "自動刪除作業", + "jobDialog.schedulesaLabel": "排程清單", + "jobDialog.pickSchedule": "挑選排程", + "jobDialog.removeSchedule": "移除排程", + "jobDialog.alertsList": "警示清單", + "jobDialog.newAlert": "新增警示", + "jobDialog.alertNameLabel": "警示名稱", + "jobDialog.alertEnabledLabel": "啟用", + "jobDialog.alertTypeLabel": "類型", + "jobDialog.newJob": "新增作業", + "jobDialog.editJob": "編輯作業" + }, + "dist/data/jobData": { + "jobData.whenJobCompletes": "當作業完成時", + "jobData.whenJobFails": "當作業失敗時", + "jobData.whenJobSucceeds": "當作業成功時", + "jobData.jobNameRequired": "必須提供作業名稱", + "jobData.saveErrorMessage": "作業更新失敗 '{0}'", + "jobData.newJobErrorMessage": "作業建立失敗 '{0}'", + "jobData.saveSucessMessage": "已成功更新作業 '{0}'", + "jobData.newJobSuccessMessage": "已成功建立作業 '{0}'" + }, + "dist/data/jobStepData": { + "jobStepData.saveErrorMessage": "步驟更新失敗 '{0}'", + "stepData.jobNameRequired": "必須提供作業名稱", + "stepData.stepNameRequired": "必須提供步驟名稱" + }, + "dist/mainController": { + "mainController.notImplemented": "這項功能尚未開發完成。如果您想嘗試最新的變更,請試試最新的測試人員組建!", + "agent.templateUploadSuccessful": "範本已成功更新", + "agent.templateUploadError": "範本更新失敗", + "agent.unsavedFileSchedulingError": "必須先儲存筆記本才能排程。請儲存後重試排程。", + "agent.AddNewConnection": "新增新連線", + "agent.selectConnection": "選取連線", + "agent.selectValidConnection": "請選取有效的連線" + }, + "dist/data/alertData": { + "alertData.saveErrorMessage": "更新失敗 '{0}'", + "alertData.DefaultAlertTypString": "SQL Server 事件警示", + "alertDialog.PerformanceCondition": "SQL Server 效能條件警示", + "alertDialog.WmiEvent": "WMI 事件警示" + }, + "dist/dialogs/proxyDialog": { + "createProxy.createProxy": "建立 Proxy", + "createProxy.editProxy": "編輯 Proxy", + "createProxy.General": "一般", + "createProxy.ProxyName": "Proxy 名稱", + "createProxy.CredentialName": "認證名稱", + "createProxy.Description": "描述", + "createProxy.SubsystemName": "子系統", + "createProxy.OperatingSystem": "作業系統 (cmdexec)", + "createProxy.ReplicationSnapshot": "複寫快照集", + "createProxy.ReplicationTransactionLog": "複寫交易 - 記錄讀取器", + "createProxy.ReplicationDistributor": "複寫散發者", + "createProxy.ReplicationMerge": "複寫合併", + "createProxy.ReplicationQueueReader": "複本佇列讀取器", + "createProxy.SSASQueryLabel": "SQL Server Analysis Services 查詢", + "createProxy.SSASCommandLabel": "SQL Server Analysis Services 命令", + "createProxy.SSISPackage": "SQL Server Integration Services 套件", + "createProxy.PowerShell": "PowerShell" + }, + "dist/data/proxyData": { + "proxyData.saveErrorMessage": "Proxy 更新失敗 '{0}'", + "proxyData.saveSucessMessage": "已成功更新 Proxy '{0}'", + "proxyData.newJobSuccessMessage": "已成功建立 '{0}'" + }, + "dist/dialogs/notebookDialog": { + "notebookDialog.newJob": "新增筆記本作業", + "notebookDialog.editJob": "編輯筆記本作業", + "notebookDialog.general": "一般", + "notebookDialog.notebookSection": "筆記本詳細資料", + "notebookDialog.templateNotebook": "筆記本路徑", + "notebookDialog.targetDatabase": "儲存體資料庫", + "notebookDialog.executeDatabase": "執行資料庫", + "notebookDialog.defaultDropdownString": "選擇資料庫", + "notebookDialog.jobSection": "作業詳細資料", + "notebookDialog.name": "名稱", + "notebookDialog.owner": "擁有者", + "notebookDialog.schedulesaLabel": "排程清單", + "notebookDialog.pickSchedule": "挑選排程", + "notebookDialog.removeSchedule": "移除排程", + "notebookDialog.description": "描述", + "notebookDialog.templatePath": "選取要從電腦排程的筆記本", + "notebookDialog.targetDatabaseInfo": "選取要儲存所有筆記本作業中繼資料及結果的資料庫", + "notebookDialog.executionDatabaseInfo": "選取要執行筆記本查詢的資料庫" + }, + "dist/data/notebookData": { + "notebookData.whenJobCompletes": "當筆記本完成時", + "notebookData.whenJobFails": "當筆記本失敗時", + "notebookData.whenJobSucceeds": "當筆記本成功時", + "notebookData.jobNameRequired": "必須提供筆記本名稱", + "notebookData.templatePathRequired": "必須提供範本路徑", + "notebookData.invalidNotebookPath": "無效的筆記本路徑", + "notebookData.selectStorageDatabase": "選取儲存體資料庫", + "notebookData.selectExecutionDatabase": "選取執行資料庫", + "notebookData.jobExists": "已有類似名稱的作業存在", + "notebookData.saveErrorMessage": "筆記本更新失敗 '{0}'", + "notebookData.newJobErrorMessage": "筆記本建立失敗 '{0}'", + "notebookData.saveSucessMessage": "筆記本 '{0}' 已成功更新", + "notebookData.newJobSuccessMessage": "已成功建立筆記本 '{0}' " + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hant/translations/extensions/azurecore.i18n.json b/i18n/ads-language-pack-zh-hant/translations/extensions/azurecore.i18n.json index 353ec64d35..a64d2426fe 100644 --- a/i18n/ads-language-pack-zh-hant/translations/extensions/azurecore.i18n.json +++ b/i18n/ads-language-pack-zh-hant/translations/extensions/azurecore.i18n.json @@ -41,6 +41,7 @@ "dist/azureResource/utils": { "azure.resource.error": "錯誤: {0}", "azure.accounts.getResourceGroups.queryError": "擷取帳戶 {0} ({1}) 訂閱 {2} ({3}) 租用戶 {4} 的資源群組時發生錯誤: {5}", + "azure.accounts.getLocations.queryError": "擷取帳戶 {0} ({1}) 訂閱 {2} ({3}) 租用戶 {4} 的位置時發生錯誤: {5}", "azure.accounts.runResourceQuery.errors.invalidQuery": "查詢無效", "azure.accounts.getSubscriptions.queryError": "擷取帳戶 {0} 租用戶 {1} 的訂閱時發生錯誤: {2}", "azure.accounts.getSelectedSubscriptions.queryError": "擷取帳戶 {0} 的訂閱時發生錯誤: {1}" @@ -141,7 +142,9 @@ "dist/azureResource/tree/flatAccountTreeNode": { "azure.resource.tree.accountTreeNode.titleLoading": "{0} - 正在載入...", "azure.resource.tree.accountTreeNode.title": "{0} ({1}/{2} 個訂閱)", - "azure.resource.tree.accountTreeNode.credentialError": "無法取得帳戶 {0} 的認證。請前往 [帳戶] 對話方塊並重新整理帳戶。" + "azure.resource.tree.accountTreeNode.credentialError": "無法取得帳戶 {0} 的認證。請前往 [帳戶] 對話方塊並重新整理帳戶。", + "azure.resource.throttleerror": "已節流來自此帳戶的要求。若要重試,請選取較少的訂閱數目。", + "azure.resource.tree.loadresourceerror": "載入 Azure 資源時發生錯誤: {0}" }, "dist/azureResource/tree/accountNotSignedInTreeNode": { "azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "登入 Azure…" @@ -203,6 +206,9 @@ "dist/azureResource/providers/kusto/kustoTreeDataProvider": { "azure.resource.providers.KustoContainerLabel": "Azure 資料總管叢集" }, + "dist/azureResource/providers/azuremonitor/azuremonitorTreeDataProvider": { + "azure.resource.providers.AzureMonitorContainerLabel": "Azure Monitor Workspace" + }, "dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": { "azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "適用於 PostgreSQL 的 Azure 資料庫伺服器" }, diff --git a/i18n/ads-language-pack-zh-hant/translations/extensions/big-data-cluster.i18n.json b/i18n/ads-language-pack-zh-hant/translations/extensions/big-data-cluster.i18n.json index 4555b3cf01..0d47496be9 100644 --- a/i18n/ads-language-pack-zh-hant/translations/extensions/big-data-cluster.i18n.json +++ b/i18n/ads-language-pack-zh-hant/translations/extensions/big-data-cluster.i18n.json @@ -201,4 +201,4 @@ "bdc.controllerTreeDataProvider.error": "載入儲存的控制器時發生未預期錯誤: {0}" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hant/translations/extensions/cms.i18n.json b/i18n/ads-language-pack-zh-hant/translations/extensions/cms.i18n.json new file mode 100644 index 0000000000..234b5296c9 --- /dev/null +++ b/i18n/ads-language-pack-zh-hant/translations/extensions/cms.i18n.json @@ -0,0 +1,146 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "cms.displayName": "SQL Server 中央管理伺服器", + "cms.description": "管理 SQL Server 中央管理伺服器的支援", + "cms.title": "中央管理伺服器", + "cms.connectionProvider.displayName": "Microsoft SQL Server", + "cms.resource.explorer.title": "中央管理伺服器", + "cms.resource.refresh.title": "重新整理", + "cms.resource.refreshServerGroup.title": "重新整理伺服器群組", + "cms.resource.deleteRegisteredServer.title": "刪除", + "cms.resource.addRegisteredServer.title": "新增伺服器註冊...", + "cms.resource.deleteServerGroup.title": "刪除", + "cms.resource.addServerGroup.title": "新增伺服器群組...", + "cms.resource.registerCmsServer.title": "新增中央管理伺服器", + "cms.resource.deleteCmsServer.title": "刪除", + "cms.configuration.title": "MSSQL 設定", + "cms.query.displayBitAsNumber": "BIT 資料行是否顯示為數字 (1 或 0)? 若為 False,BIT 資料行將會顯示為 'True' 或 'False'", + "cms.format.alignColumnDefinitionsInColumns": "行定義是否一致?", + "cms.format.datatypeCasing": "是否將資料類型轉換為大寫,小寫或無 (不轉換)", + "cms.format.keywordCasing": "是否將關鍵字轉換為大寫,小寫或無 (不轉換)", + "cms.format.placeCommasBeforeNextStatement": "逗號是否放在 list 中每個語句的開頭,例如: \", mycolumn2\" 而非在結尾,例如: \"mycolumn1,\"", + "cms.format.placeSelectStatementReferencesOnNewLine": "在 select 陳述式中參考的物件是否要分行處理? 以 'SELECT C1, C2 FROM T1' 為例,C1 與 C2 將會分行顯示", + "cms.logDebugInfo": "[選用] 將偵錯記錄輸出至主控台 ([檢視] -> [輸出]),並從下拉式清單選取適當的輸出通道", + "cms.tracingLevel": "[選用] 後端服務的記錄層級。每當 Azure Data Studio 啟動,或是檔案已經有附加至該檔案的記錄項目時,Azure Data Studio 都會產生檔案名稱。如需清除舊記錄檔,請查看 logRetentionMinutes 和 logFilesRemovalLimit 設定。預設 tracingLevel 不會記錄太多項目。變更詳細資訊可能會導致大量記錄和記錄的磁碟空間需求。錯誤包含嚴重,警告包含錯誤,資訊包含警告而詳細資訊包含資訊", + "cms.logRetentionMinutes": "為後端服務保留記錄檔的分鐘數。預設為 1 週。", + "cms.logFilesRemovalLimit": "具有到期的 logRetentionMinutes,且要於啟動時移除的舊檔案數上限。因為此限制而未清除的檔案,將於下次 Azure Data Studio 啟動時受到清除。", + "ignorePlatformWarning": "[選用] 不要顯示不支援的平台警告", + "onprem.databaseProperties.recoveryModel": "復原模式", + "onprem.databaseProperties.lastBackupDate": "上次資料庫備份", + "onprem.databaseProperties.lastLogBackupDate": "上次記錄備份", + "onprem.databaseProperties.compatibilityLevel": "相容性層級", + "onprem.databaseProperties.owner": "擁有者", + "onprem.serverProperties.serverVersion": "版本", + "onprem.serverProperties.serverEdition": "版本", + "onprem.serverProperties.machineName": "電腦名稱", + "onprem.serverProperties.osVersion": "作業系統版本", + "cloud.databaseProperties.azureEdition": "版本", + "cloud.databaseProperties.serviceLevelObjective": "定價層", + "cloud.databaseProperties.compatibilityLevel": "相容性層級", + "cloud.databaseProperties.owner": "擁有者", + "cloud.serverProperties.serverVersion": "版本", + "cloud.serverProperties.serverEdition": "類型", + "cms.provider.displayName": "Microsoft SQL Server", + "cms.connectionOptions.connectionName.displayName": "名稱 (選用)", + "cms.connectionOptions.connectionName.description": "連線的自訂名稱", + "cms.connectionOptions.serverName.displayName": "伺服器", + "cms.connectionOptions.serverName.description": "SQL Server 執行個體的名稱", + "cms.connectionOptions.serverDescription.displayName": "伺服器描述", + "cms.connectionOptions.serverDescription.description": "SQL Server 執行個體描述", + "cms.connectionOptions.authType.displayName": "驗證類型", + "cms.connectionOptions.authType.description": "指定向 SQL Server 驗證的方法", + "cms.connectionOptions.authType.categoryValues.sqlLogin": "SQL 登入", + "cms.connectionOptions.authType.categoryValues.integrated": "Windows 驗證", + "cms.connectionOptions.authType.categoryValues.azureMFA": "Azure Active Directory - MFA 通用支援", + "cms.connectionOptions.userName.displayName": "使用者名稱", + "cms.connectionOptions.userName.description": "代表要在連線至資料來源時使用的使用者識別碼", + "cms.connectionOptions.password.displayName": "密碼", + "cms.connectionOptions.password.description": "代表要在連線至資料來源時使用的密碼", + "cms.connectionOptions.applicationIntent.displayName": "應用程式的意圖", + "cms.connectionOptions.applicationIntent.description": "在連線至伺服器時宣告應用程式工作負載類型", + "cms.connectionOptions.asynchronousProcessing.displayName": "非同步處理", + "cms.connectionOptions.asynchronousProcessing.description": "若為 True,則允許使用 .Net Framework Data Provider 中的非同步功能", + "cms.connectionOptions.connectTimeout.displayName": "連線逾時", + "cms.connectionOptions.connectTimeout.description": "終止嘗試並產生錯誤前,要等待伺服器連線的時間長度 (秒)", + "cms.connectionOptions.currentLanguage.displayName": "目前的語言", + "cms.connectionOptions.currentLanguage.description": "SQL Server 語言記錄名稱", + "cms.connectionOptions.columnEncryptionSetting.displayName": "資料行加密", + "cms.connectionOptions.columnEncryptionSetting.description": "連線上所有命令的預設資料行加密設定", + "cms.connectionOptions.encrypt.displayName": "加密", + "cms.connectionOptions.encrypt.description": "若為 True,則 SQL Server 會在伺服器已安裝憑證的情況下,對用戶端和伺服器間傳送的所有資料使用 SSL 加密", + "cms.connectionOptions.persistSecurityInfo.displayName": "持續安全性資訊", + "cms.connectionOptions.persistSecurityInfo.description": "若為 False,則不會於連線中傳回密碼等安全性敏感資訊", + "cms.connectionOptions.trustServerCertificate.displayName": "信任伺服器憑證", + "cms.connectionOptions.trustServerCertificate.description": "若為 True (且 encrypt=true),則 SQL Server 會對用戶端和伺服器間傳送的所有資料使用 SSL 加密,而不驗證伺服器憑證", + "cms.connectionOptions.attachedDBFileName.displayName": "已附加的 DB 檔案名稱", + "cms.connectionOptions.attachedDBFileName.description": "主要檔案的名稱,包含可附加資料庫的完整路徑名稱", + "cms.connectionOptions.contextConnection.displayName": "內容連線", + "cms.connectionOptions.contextConnection.description": "若為 True,則表示連線應來自 SQL 伺服器內容。僅可在於 SQL Server 處理序中執行時可用", + "cms.connectionOptions.port.displayName": "連接埠", + "cms.connectionOptions.connectRetryCount.displayName": "連線重試計數", + "cms.connectionOptions.connectRetryCount.description": "嘗試還原連線的次數", + "cms.connectionOptions.connectRetryInterval.displayName": "連線重試間隔", + "cms.connectionOptions.connectRetryInterval.description": "嘗試還原連線之間的延遲", + "cms.connectionOptions.applicationName.displayName": "應用程式名稱", + "cms.connectionOptions.applicationName.description": "應用程式的名稱", + "cms.connectionOptions.workstationId.displayName": "工作站識別碼", + "cms.connectionOptions.workstationId.description": "連線至 SQL Server 的工作站名稱", + "cms.connectionOptions.pooling.displayName": "共用", + "cms.connectionOptions.pooling.description": "若為 True,則會從適當的集區提取連線物件,或在有需要時建立並新增至適當的集區", + "cms.connectionOptions.maxPoolSize.displayName": "集區大小上限", + "cms.connectionOptions.maxPoolSize.description": "集區中允許的連線數上限", + "cms.connectionOptions.minPoolSize.displayName": "集區大小下限", + "cms.connectionOptions.minPoolSize.description": "集區中允許的連線數下限", + "cms.connectionOptions.loadBalanceTimeout.displayName": "負載平衡逾時", + "cms.connectionOptions.loadBalanceTimeout.description": "此連線在終結前於集區中存留的時間下限 (秒)", + "cms.connectionOptions.replication.displayName": "複寫", + "cms.connectionOptions.replication.description": "由 SQL Server 在複寫中使用", + "cms.connectionOptions.attachDbFilename.displayName": "附加 DB 檔案名稱", + "cms.connectionOptions.failoverPartner.displayName": "容錯移轉夥伴", + "cms.connectionOptions.failoverPartner.description": "充當容錯移轉夥伴之 SQL Server 執行個體的名稱或網路位址", + "cms.connectionOptions.multiSubnetFailover.displayName": "多重子網路容錯移轉", + "cms.connectionOptions.multipleActiveResultSets.displayName": "Multiple Active Result Set", + "cms.connectionOptions.multipleActiveResultSets.description": "若為 True,則可傳回多個結果集並從一個連線讀取", + "cms.connectionOptions.packetSize.displayName": "封包大小", + "cms.connectionOptions.packetSize.description": "用於和 SQL Server 執行個體通訊之網路封包的大小 (位元組)", + "cms.connectionOptions.typeSystemVersion.displayName": "鍵入系統版本", + "cms.connectionOptions.typeSystemVersion.description": "指出會依序透過 DataReader 公開的伺服器類型系統和提供者" + }, + "dist/cmsResource/tree/cmsResourceTreeNode": { + "cms.resource.cmsResourceTreeNode.noResourcesLabel": "找不到任何資源" + }, + "dist/cmsResource/tree/cmsResourceEmptyTreeNode": { + "cms.resource.tree.CmsTreeNode.addCmsServerLabel": "新增中央管理伺服器..." + }, + "dist/cmsResource/tree/treeProvider": { + "cms.resource.tree.treeProvider.loadError": "載入儲存的伺服器時發生未預期的錯誤 {0}", + "cms.resource.tree.treeProvider.loadingLabel": "正在載入..." + }, + "dist/cmsResource/cmsResourceCommands": { + "cms.errors.sameCmsServerName": "中央管理伺服器群組已經有名稱為 {0} 的已註冊伺服器", + "cms.errors.azureNotAllowed": "Azure SQL Servers 無法作為中央管理伺服器使用", + "cms.confirmDeleteServer": "確定要刪除", + "cms.yes": "是", + "cms.no": "否", + "cms.AddServerGroup": "新增伺服器群組", + "cms.OK": "確定", + "cms.Cancel": "取消", + "cms.ServerGroupName": "伺服器群組名稱", + "cms.ServerGroupDescription": "伺服器群組描述", + "cms.errors.sameServerGroupName": "{0} 已經有名稱為 {1} 的伺服器群組", + "cms.confirmDeleteGroup": "確定要刪除" + }, + "dist/cmsUtils": { + "cms.errors.sameServerUnderCms": "您無法新增名稱與設定伺服器相同的共用已註冊伺服器" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hant/translations/extensions/dacpac.i18n.json b/i18n/ads-language-pack-zh-hant/translations/extensions/dacpac.i18n.json new file mode 100644 index 0000000000..ae79f1a14e --- /dev/null +++ b/i18n/ads-language-pack-zh-hant/translations/extensions/dacpac.i18n.json @@ -0,0 +1,78 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "dacFx.settings": "Dacpac", + "dacFx.defaultSaveLocation": "資料夾的完整路徑,DACPAC 和 .BACPAC 檔案預設會儲存" + }, + "dist/localizedConstants": { + "dacFx.targetServer": "目標伺服器", + "dacFx.sourceServer": "來源伺服器", + "dacFx.sourceDatabase": "來源資料庫", + "dacFx.targetDatabase": "目標資料庫", + "dacfx.fileLocation": "檔案位置", + "dacfx.selectFile": "選取檔案", + "dacfx.summaryTableTitle": "設定值摘要", + "dacfx.version": "版本", + "dacfx.setting": "設定", + "dacfx.value": "值", + "dacFx.databaseName": "資料庫名稱", + "dacFxDeploy.openFile": "開啟", + "dacFx.upgradeExistingDatabase": "升級現有的資料庫", + "dacFx.newDatabase": "新增資料庫", + "dacfx.dataLossTextWithCount": "所列出的 {0} 部署動作可能會導致資料遺失。請確認當部署發生問題時,您有備份或快照集可使用。", + "dacFx.proceedDataLoss": "儘管可能遺失資料,仍要繼續", + "dacfx.noDataLoss": "列出的部署動作不會導致資料遺失。", + "dacfx.dataLossText": "此部署動作可能會導致資料遺失。請確認當部署發生問題時,您有備份或快照集可使用。", + "dacfx.operation": "作業", + "dacfx.operationTooltip": "部署期間將會發生的作業 (建立、改變、刪除)", + "dacfx.type": "類型", + "dacfx.typeTooltip": "將受部署影響的物件類型", + "dacfx.object": "物件", + "dacfx.objecTooltip": "將受部署影響的物件名稱", + "dacfx.dataLoss": "資料遺失", + "dacfx.dataLossTooltip": "可能造成資料遺失的作業標有警告符號", + "dacfx.save": "儲存", + "dacFx.versionText": "版本 (使用 x.x.x.x,其中 x 是號碼)", + "dacFx.deployDescription": "將資料層應用程式 .dacpac 檔案部署到 SQL Server 的執行個體 [部署 Dacpac]", + "dacFx.extractDescription": "從 SQL Server 的執行個體將資料層應用程式擷取為 .dacpac 檔案 [擷取 Dacpac]", + "dacFx.importDescription": "從 .bacpac 檔案建立資料庫 [匯入 Bacpac]", + "dacFx.exportDescription": "從資料庫將結構描述和資料匯出為邏輯 .bacpac 檔案格式 [匯出 Bacpac]", + "dacfx.wizardTitle": "資料層應用程式精靈", + "dacFx.selectOperationPageName": "選取作業", + "dacFx.deployConfigPageName": "選取部署 Dacpac 設定", + "dacFx.deployPlanPageName": "檢閱部署計劃", + "dacFx.summaryPageName": "摘要", + "dacFx.extractConfigPageName": "選取擷取 Dacpac 設定", + "dacFx.importConfigPageName": "選取匯入 Bacpac 設定", + "dacFx.exportConfigPageName": "選取匯出 Bacpac 設定", + "dacFx.deployButton": "部署", + "dacFx.extract": "擷取", + "dacFx.import": "匯入", + "dacFx.export": "匯出", + "dacFx.generateScriptButton": "產生指令碼", + "dacfx.scriptGeneratingMessage": "精靈關閉後,您可於工作檢視中檢視指令碼產生的狀態。產生的指令碼將於完成時開啟。", + "dacfx.default": "預設", + "dacfx.deployPlanTableTitle": "部署計畫作業", + "dacfx.databaseNameExistsErrorMessage": "SQL Server 執行個體上已經存在相同名稱的資料庫", + "dacfx.undefinedFilenameErrorMessage": "未定義的名稱", + "dacfx.filenameEndingInPeriodErrorMessage": "檔案名稱的結尾不能是句點", + "dacfx.whitespaceFilenameErrorMessage": "檔案名稱不能是空白字元", + "dacfx.invalidFileCharsErrorMessage": "無效的檔案字元", + "dacfx.reservedWindowsFilenameErrorMessage": "此檔案名稱保留供 Windows 使用。請選擇其他名稱,然後再試一次", + "dacfx.reservedValueErrorMessage": "保留的檔案名稱。請選擇其他名稱,然後再試一次", + "dacfx.trailingWhitespaceErrorMessage": "檔案名稱的結尾不能是空白字元", + "dacfx.tooLongFilenameErrorMessage": "檔案名稱超過 255 個字元", + "dacfx.deployPlanErrorMessage": "產生部署計劃時 ‘{0}’ 失敗", + "dacfx.generateDeployErrorMessage": "產生部署指令碼時 '{0}' 失敗", + "dacfx.operationErrorMessage": "{0} 作業失敗 '{1}'" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hant/translations/extensions/import.i18n.json b/i18n/ads-language-pack-zh-hant/translations/extensions/import.i18n.json new file mode 100644 index 0000000000..9f30c3b38b --- /dev/null +++ b/i18n/ads-language-pack-zh-hant/translations/extensions/import.i18n.json @@ -0,0 +1,66 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "flatfileimport.configuration.title": "一般檔案匯入設定", + "flatfileimport.logDebugInfo": "[選用] 將偵錯記錄輸出至主控台 ([檢視] -> [輸出]),並從下拉式清單選取適當的輸出通道" + }, + "out/services/serviceClient": { + "serviceStarted": "已啟動 {0}", + "serviceStarting": "正在啟動 {0}", + "flatFileImport.serviceStartFailed": "無法啟動 {0}: {1}", + "installingServiceDetailed": "正在將 {0} 安裝到 {1}", + "installingService": "正在安裝 {0} 服務", + "serviceInstalled": "已安裝 {0}", + "downloadingService": "正在下載 {0}", + "downloadingServiceSize": "({0} KB)", + "downloadingServiceStatus": "正在下載 {0}", + "downloadingServiceComplete": "已完成下載 {0}", + "entryExtractedChannelMsg": "已擷取 {0} ({1}/{2})" + }, + "out/common/constants": { + "import.serviceCrashButton": "提供意見反應", + "serviceCrashMessage": "服務元件無法啟動", + "flatFileImport.serverDropdownTitle": "資料庫所在的伺服器", + "flatFileImport.databaseDropdownTitle": "資料表建立所在的資料庫", + "flatFile.InvalidFileLocation": "無效的檔案位置。請嘗試其他輸入檔", + "flatFileImport.browseFiles": "瀏覽", + "flatFileImport.openFile": "開啟", + "flatFileImport.fileTextboxTitle": "要匯入檔案的位置", + "flatFileImport.tableTextboxTitle": "新增資料表名稱", + "flatFileImport.schemaTextboxTitle": "資料表結構描述", + "flatFileImport.importData": "匯入資料", + "flatFileImport.next": "下一個", + "flatFileImport.columnName": "資料行名稱", + "flatFileImport.dataType": "資料類型", + "flatFileImport.primaryKey": "主索引鍵", + "flatFileImport.allowNulls": "允許 Null 值", + "flatFileImport.prosePreviewMessage": "這項作業分析了輸出檔案結構,並產生了以下最多包含前 50 列的預覽。", + "flatFileImport.prosePreviewMessageFail": "這項作業不成功。請嘗試其他輸入檔案。", + "flatFileImport.refresh": "重新整理", + "flatFileImport.importInformation": "匯入資訊", + "flatFileImport.importStatus": "匯入狀態", + "flatFileImport.serverName": "伺服器名稱", + "flatFileImport.databaseName": "資料庫名稱", + "flatFileImport.tableName": "資料表名稱", + "flatFileImport.tableSchema": "資料表結構描述", + "flatFileImport.fileImport": "要匯入的檔案", + "flatFileImport.success.norows": "✔ 您已成功將資料插入表中。", + "import.needConnection": "請先連線至伺服器再使用本精靈。", + "import.needSQLConnection": "SQL Server 匯入延伸不支援此類型的連線", + "flatFileImport.wizardName": "匯入一般檔案精靈", + "flatFileImport.page1Name": "指定輸入檔", + "flatFileImport.page2Name": "預覽資料", + "flatFileImport.page3Name": "修改資料行", + "flatFileImport.page4Name": "摘要", + "flatFileImport.importNewFile": "匯入新檔案" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hant/translations/extensions/notebook.i18n.json b/i18n/ads-language-pack-zh-hant/translations/extensions/notebook.i18n.json index 903d0f04e4..ad85c3778d 100644 --- a/i18n/ads-language-pack-zh-hant/translations/extensions/notebook.i18n.json +++ b/i18n/ads-language-pack-zh-hant/translations/extensions/notebook.i18n.json @@ -14,6 +14,8 @@ "notebook.configuration.title": "Notebook 組態", "notebook.pythonPath.description": "Notebooks 所使用之 python 安裝的本機路徑。", "notebook.useExistingPython.description": "Notebooks 所使用之現有 python 安裝的本機路徑。", + "notebook.dontPromptPythonUpdate.description": "不要顯示更新 Python 的提示。", + "notebook.jupyterServerShutdownTimeout.description": "在所有筆記本關閉後關閉伺服器前須等候的時間 (分鐘)。(若不要關閉,請輸入 0) ", "notebook.overrideEditorTheming.description": "覆寫 Notebook 編輯器中的預設設定。設定包含背景色彩、目前的線條色彩和框線", "notebook.maxTableRows.description": "Notebook 編輯器中每一資料表傳回的資料列數上限", "notebook.trustedBooks.description": "將會自動信任包含在這些書籍中的筆記本。", @@ -21,6 +23,7 @@ "notebook.collapseBookItems.description": "在 Notebooks Viewlet 中的根層級摺疊書籍項目", "notebook.remoteBookDownloadTimeout.description": "GitHub 書籍的下載逾時 (毫秒)", "notebook.pinnedNotebooks.description": "目前工作區之使用者所釘選的筆記本", + "notebook.allowRoot.description": "Allow Jupyter server to run as root user", "notebook.command.new": "新增 Notebook", "notebook.command.open": "開啟 Notebook", "notebook.analyzeJupyterNotebook": "在 Notebook 中分析", @@ -43,18 +46,21 @@ "title.managePackages": "管理套件", "title.SQL19PreviewBook": "SQL Server 2019 指南", "books-preview-category": "Jupyter 書籍", - "title.saveJupyterBook": "儲存書籍", - "title.trustBook": "信任書籍", - "title.searchJupyterBook": "搜尋書籍", + "title.saveJupyterBook": "開啟 Jupyter 書籍", + "title.trustBook": "信任 Jupyter 書籍", + "title.searchJupyterBook": "搜尋 Jupyter 書籍", "title.SavedBooks": "Notebooks", - "title.ProvidedBooks": "提供的書籍", + "title.ProvidedBooks": "提供的 Jupyter 書籍", "title.PinnedBooks": "已釘選的筆記本", "title.PreviewLocalizedBook": "取得當地語系化 SQL Server 2019 指南", "title.openJupyterBook": "開啟 Jupyter 書籍", "title.closeJupyterBook": "關閉 Jupyter 書籍", - "title.closeJupyterNotebook": "關閉 Jupyter Notebook", + "title.closeNotebook": "關閉筆記本", + "title.removeNotebook": "移除筆記本", + "title.addNotebook": "新增筆記本", + "title.addMarkdown": "新增 Markdown 檔案", "title.revealInBooksViewlet": "在書籍中顯示", - "title.createJupyterBook": "建立書籍 (預覽)", + "title.createJupyterBook": "建立 Jupyter 書籍", "title.openNotebookFolder": "在資料夾中開啟 Notebooks", "title.openRemoteJupyterBook": "新增遠端 Jupyter 書籍", "title.pinNotebook": "釘選筆記本", @@ -77,74 +83,84 @@ "providerNotValidError": "Spark 核心不支援非 MSSQL 提供者。", "allFiles": "所有檔案", "labelSelectFolder": "選取資料夾", - "labelBookFolder": "選取書籍", + "labelBookFolder": "選取 Jupyter 書籍", "confirmReplace": "已有資料夾。確定要刪除並取代此資料夾嗎?", "openNotebookCommand": "開啟 Notebook", "openMarkdownCommand": "開啟 Markdown", "openExternalLinkCommand": "開啟外部連結", - "msgBookTrusted": "書籍在此工作區現已受信任。", - "msgBookAlreadyTrusted": "書籍在此工作區已受信任。", - "msgBookUntrusted": "書籍在此工作區已不再受信任", - "msgBookAlreadyUntrusted": "書籍在此工作區未受信任。", - "msgBookPinned": "書籍 {0} 現已釘選在工作區中。", - "msgBookUnpinned": "書籍 {0} 已不再釘選於此工作區中", - "bookInitializeFailed": "找不到指定書籍中的目錄檔案。", - "noBooksSelected": "目前未在 Viewlet 中選取任何書籍。", - "labelBookSection": "選取書籍區段", + "msgBookTrusted": "Jupyter 書籍在此工作區現已受信任。", + "msgBookAlreadyTrusted": "Jupyter 書籍在此工作區已受信任。", + "msgBookUntrusted": "Jupyter 書籍在此工作區已不再受信任", + "msgBookAlreadyUntrusted": "Jupyter 書籍在此工作區未受信任。", + "msgBookPinned": "Jupyter 書籍 {0} 現已釘選在工作區中。", + "msgBookUnpinned": "Jupyter 書籍 {0} 已不再釘選於此工作區中", + "bookInitializeFailed": "指定 Jupyter 書籍中找不到的目錄檔案。", + "noBooksSelected": "目前未在 Viewlet 中選取任何 Jupyter 書籍。", + "labelBookSection": "選取 Jupyter 書籍章節", "labelAddToLevel": "新增至此層級", "missingFileError": "缺少檔案: {1} 的 {0}", "InvalidError.tocFile": "TOC 檔案無效", "Invalid toc.yml": "錯誤: {0} 有不正確的 toc.yml 檔案", "configFileError": "缺少組態檔", - "openBookError": "無法開啟書籍 {0}: {1}", - "readBookError": "無法讀取書籍 {0}: {1}", + "openBookError": "開啟 Jupyter 書籍 {0} 失敗: {1}", + "readBookError": "無法讀取 Jupyter 書籍 {0}: {1}", "openNotebookError": "無法開啟筆記本 {0}: {1}", "openMarkdownError": "開啟 Markdown {0} 失敗: {1}", "openUntitledNotebookError": "無法將未命名的書籍 {0} 以未命名開啟: {1}", "openExternalLinkError": "開啟連結 {0} 失敗: {1}", - "closeBookError": "無法關閉書籍 {0}: {1}", + "closeBookError": "關閉 Jupyter 書籍 {0} 失敗: {1}", "duplicateFileError": "檔案 {0} 已存在於目的地資料夾 {1} 中 \r\n 檔案已重新命名為 {2},以避免資料遺失。", - "editBookError": "編輯書籍 {0} 時發生錯誤: {1}", - "selectBookError": "選取要編輯的書籍或區段時發生錯誤: {0}", + "editBookError": "編輯 Jupyter 書籍 {0} 時發生錯誤: {1}", + "selectBookError": "選取要編輯的 Jupyter 書籍或章節時發生錯誤: {0}", + "sectionNotFound": "在 {1} 中找不到區段 {0}。", "url": "URL", "repoUrl": "存放庫 URL", "location": "位置", - "addRemoteBook": "新增遠端書籍", + "addRemoteBook": "新增遠端 Jupyter 書籍", "onGitHub": "GitHub", "onsharedFile": "共用的檔案", "releases": "版本", - "book": "書籍", + "book": "Jupyter 書籍", "version": "版本", "language": "語言", - "booksNotFound": "提供的連結目前沒有任何書籍可供使用", + "booksNotFound": "提供的連結目前沒有任何 Jupyter 書籍可供使用", "urlGithubError": "提供的 URL 並非 Github 版本 URL", "search": "搜尋", "add": "新增", "close": "關閉", "invalidTextPlaceholder": "-", - "msgRemoteBookDownloadProgress": "正在下載遠端書籍", - "msgRemoteBookDownloadComplete": "遠端書籍下載已完成", - "msgRemoteBookDownloadError": "下載遠端書籍時發生錯誤", - "msgRemoteBookUnpackingError": "解壓縮遠端書籍時發生錯誤", - "msgRemoteBookDirectoryError": "建立遠端書籍目錄時發生錯誤", - "msgTaskName": "正在下載遠端書籍", + "msgRemoteBookDownloadProgress": "遠端 Jupyter 書籍下載進行中", + "msgRemoteBookDownloadComplete": "遠端 Jupyter 書籍下載已完成", + "msgRemoteBookDownloadError": "下載遠端 Jupyter 書籍時發生錯誤", + "msgRemoteBookUnpackingError": "解壓縮遠端 Jupyter 書籍時發生錯誤", + "msgRemoteBookDirectoryError": "建立遠端 Jupyter 書籍目錄時發生錯誤", + "msgTaskName": "正在下載遠端 Jupyter 書籍", "msgResourceNotFound": "找不到資源", - "msgBookNotFound": "找不到書籍", + "msgBookNotFound": "找不到 Jupyter 書籍", "msgReleaseNotFound": "找不到版本", - "msgUndefinedAssetError": "選取的書籍無效", + "msgUndefinedAssetError": "選取的 Jupyter 書籍無效", "httpRequestError": "Http 要求失敗。錯誤: {0} {1}", "msgDownloadLocation": "正在下載至 {0}", - "newGroup": "新增群組", - "groupDescription": "群組可用於整理 Notebooks。", - "locationBrowser": "瀏覽位置...", - "selectContentFolder": "選取內容資料夾", + "newBook": "新 Jupyter Book (預覽)", + "bookDescription": "Jupyter Books 可用來整理筆記本。", + "learnMore": "深入了解。", + "contentFolder": "內容資料夾", "browse": "瀏覽", "create": "建立", "name": "名稱", "saveLocation": "儲存位置", - "contentFolder": "內容資料夾 (選擇性)", + "contentFolderOptional": "內容資料夾 (選擇性)", "msgContentFolderError": "內容資料夾路徑不存在", - "msgSaveFolderError": "儲存位置路徑不存在" + "msgSaveFolderError": "儲存位置路徑不存在。", + "msgCreateBookWarningMsg": "嘗試存取時發生錯誤: {0}", + "newNotebook": "新筆記本 (預覽)", + "newMarkdown": "新增 Markdown (預覽)", + "fileExtension": "副檔名", + "confirmOverwrite": "檔案已存在。確定要覆寫此檔案嗎 ?", + "title": "標題", + "fileName": "檔案名稱", + "msgInvalidSaveFolder": "儲存位置路徑無效。", + "msgDuplicadFileName": "檔案 {0} 已存在於目的地資料夾中" }, "dist/jupyter/jupyterServerInstallation": { "msgInstallPkgProgress": "正在安裝 Notebook 相依性", @@ -159,10 +175,16 @@ "msgInstallPkgFinish": "Notebook 相依性安裝完成", "msgPythonRunningError": "當 Python 正在執行時,無法覆寫現有的 Python 安裝。請先關閉所有使用中的筆記本再繼續。", "msgWaitingForInstall": "目前在進行另一個 Python 安裝。請等它完成。", + "msgShutdownNotebookSessions": "為了進行更新,將關閉使用中的 Python 筆記本工作階段。您要立即繼續嗎?", + "msgPythonVersionUpdatePrompt": "Azure Data Studio 現已提供 Python {0}。目前的 Python 版本 (3.6.6) 將在 2021 年 12 月時取消支援。您要立即更新為 Python {0} 嗎?", + "msgPythonVersionUpdateWarning": "將安裝 Python {0} 並取代 Python 3.6.6。某些套件可能不再與新版本相容,或可能需要重新安裝。將建立筆記本以協助您重新安裝所有 pip 套件。您要立即繼續更新嗎?", "msgDependenciesInstallationFailed": "安裝 Notebook 相依性失敗。錯誤: {0}", "msgDownloadPython": "正在將平台的本機 python: {0} 下載至 {1}", "msgPackageRetrievalFailed": "嘗試擷取已安裝套件的清單時發生錯誤: {0}", - "msgGetPythonUserDirFailed": "取得 Python 使用者路徑時發生錯誤: {0}" + "msgGetPythonUserDirFailed": "取得 Python 使用者路徑時發生錯誤: {0}", + "yes": "是", + "no": "否", + "dontAskAgain": "不要再詢問" }, "dist/dialog/configurePython/configurePythonWizard": { "configurePython.okButtonText": "安裝", @@ -270,7 +292,7 @@ }, "dist/protocol/notebookUriHandler": { "notebook.unsupportedAction": "這個處理常式不支援動作 {0}", - "unsupportedScheme": "因為只支援 HTTP 和 HTTPS 連結,所以無法開啟連結 {0}", + "unsupportedScheme": "由於僅支援 HTTP、HTTPS 和檔案連結,所以無法開啟連結 {0}", "notebook.confirmOpen": "要下載並開啟 '{0}' 嗎?", "notebook.fileNotFound": "無法尋找指定的檔案", "notebook.fileDownloadError": "檔案開啟要求失敗。錯誤: {0} {1}" diff --git a/i18n/ads-language-pack-zh-hant/translations/extensions/profiler.i18n.json b/i18n/ads-language-pack-zh-hant/translations/extensions/profiler.i18n.json new file mode 100644 index 0000000000..e95284ebc4 --- /dev/null +++ b/i18n/ads-language-pack-zh-hant/translations/extensions/profiler.i18n.json @@ -0,0 +1,23 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "dist/dialogs/profilerCreateSessionDialog": { + "createSessionDialog.cancel": "取消", + "createSessionDialog.create": "開始", + "createSessionDialog.title": "開始新的分析工具工作階段", + "createSessionDialog.templatesInvalid": "範本清單無效,無法開啟對話方塊", + "createSessionDialog.dialogOwnerInvalid": "對話方塊擁有者無效,無法開啟對話方塊", + "createSessionDialog.invalidProviderType": "提供者類型無效,無法開啟對話方塊", + "createSessionDialog.selectTemplates": "選取工作階段範本:", + "createSessionDialog.enterSessionName": "輸入工作階段名稱:", + "createSessionDialog.createSessionFailed": "無法建立工作階段" + } + } +} \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hant/translations/extensions/resource-deployment.i18n.json b/i18n/ads-language-pack-zh-hant/translations/extensions/resource-deployment.i18n.json index 6dd6ede184..77c8358310 100644 --- a/i18n/ads-language-pack-zh-hant/translations/extensions/resource-deployment.i18n.json +++ b/i18n/ads-language-pack-zh-hant/translations/extensions/resource-deployment.i18n.json @@ -103,6 +103,10 @@ "azdataEulaNotAccepted": "部署無法繼續。尚未接受 Azure Data CLI 授權條款。請接受 EULA 以啟用需要 Azure Data CLI 的功能。", "azdataEulaDeclined": "部署無法繼續。Azure Data CLI 授權條款遭到拒絕。您可以接受 EULA 以繼續,或是取消此作業", "deploymentDialog.RecheckEulaButton": "接受 EULA 並選取", + "resourceDeployment.extensionRequiredPrompt": "需要 ' {0} ' 延伸模組才可部署此資源,要立即安裝嗎?", + "resourceDeployment.install": "安裝", + "resourceDeployment.installingExtension": "正在安裝延伸模組 '{0}'...", + "resourceDeployment.unknownExtension": "未知的延伸模組 '{0}'", "resourceTypePickerDialog.title": "選擇部署選項", "resourceTypePickerDialog.resourceSearchPlaceholder": "篩選資源...", "resourceTypePickerDialog.tagsListViewTitle": "類別", @@ -264,7 +268,6 @@ "notebookType": "筆記本類型" }, "dist/main": { - "resourceDeployment.FailedToLoadExtension": "無法載入延伸模組: {0},在 package.json 的資源類型定義中偵測到錯誤,請查看偵錯主控台以取得詳細資料。", "resourceDeployment.UnknownResourceType": "資源類型: 未定義 {0}" }, "dist/services/notebookService": { @@ -562,8 +565,8 @@ }, "dist/ui/toolsAndEulaSettingsPage": { "notebookWizard.toolsAndEulaPageTitle": "部署必要條件", - "deploymentDialog.FailedEulaValidation": "若要繼續,您必須接受授權條款", "deploymentDialog.FailedToolsInstallation": "仍未探索到某些工具。請確認這些工具已安裝、正在執行並可供探索", + "deploymentDialog.FailedEulaValidation": "若要繼續,您必須接受授權條款", "deploymentDialog.loadingRequiredToolsCompleted": "已完成載入必要工具的資訊", "deploymentDialog.loadingRequiredTools": "正在載入必要工具的資訊", "resourceDeployment.AgreementTitle": "接受使用條款", @@ -605,18 +608,9 @@ "dist/services/tools/azdataTool": { "resourceDeployment.AzdataDescription": "Azure Data 命令列介面", "resourceDeployment.AzdataDisplayName": "Azure Data CLI", + "deploy.azdataExtMissing": "必須安裝 Azure Data CLI 延伸模組,以部署此資源。請透過延伸模組庫安裝,然後再試一次。", "deployCluster.GetToolVersionErrorInformation": "擷取版本資訊時發生錯誤。如需詳細資料,請參閱輸出通道 '{0}'", - "deployCluster.GetToolVersionError": "擷取版本資訊時發生錯誤。{0}接收到的輸出無效,請取得版本命令輸出: '{1}'", - "resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "正在刪除先前下載的 Azdata.msi (如果有的話)…", - "resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "正在下載 Azdata.msi 並安裝 azdata-cli…", - "resourceDeployment.Azdata.DisplayingInstallationLog": "正在顯示安裝記錄…", - "resourceDeployment.Azdata.TappingBrewRepository": "點選 Brew 存放庫以取得 azdata-cli…", - "resourceDeployment.Azdata.UpdatingBrewRepository": "正在更新 Brew 存放庫以安裝 azdata-cli…", - "resourceDeployment.Azdata.InstallingAzdata": "正在安裝 azdata…", - "resourceDeployment.Azdata.AptGetUpdate": "正在更新存放庫資訊…", - "resourceDeployment.Azdata.AptGetPackages": "正在取得安裝 azdata 所需的套件…", - "resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "正在下載並安裝 azdata 的簽署金鑰…", - "resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "正在新增 azdata 存放庫資訊…" + "deployCluster.GetToolVersionError": "擷取版本資訊時發生錯誤。{0}接收到的輸出無效,請取得版本命令輸出: '{1}'" }, "dist/services/tools/azdataToolOld": { "resourceDeployment.AzdataDescription": "Azure Data 命令列介面", @@ -636,4 +630,4 @@ "deploymentDialog.deploymentOptions": "部署選項" } } -} +} \ No newline at end of file diff --git a/i18n/ads-language-pack-zh-hant/translations/extensions/schema-compare.i18n.json b/i18n/ads-language-pack-zh-hant/translations/extensions/schema-compare.i18n.json new file mode 100644 index 0000000000..3247d8af21 --- /dev/null +++ b/i18n/ads-language-pack-zh-hant/translations/extensions/schema-compare.i18n.json @@ -0,0 +1,319 @@ +{ + "": [ + "--------------------------------------------------------------------------------------------", + "Copyright (c) Microsoft Corporation. All rights reserved.", + "Licensed under the Source EULA. See License.txt in the project root for license information.", + "--------------------------------------------------------------------------------------------", + "Do not edit this file. It is machine generated." + ], + "version": "1.0.0", + "contents": { + "package": { + "displayName": "SQL Server 結構描述比較", + "description": "Azure Data Studio 的 SQL Server 結構描述比較支援比較資料庫和 dacpac 的結構描述。", + "schemaCompare.start": "結構描述比較" + }, + "dist/localizedConstants": { + "schemaCompareDialog.ok": "確定", + "schemaCompareDialog.cancel": "取消", + "schemaCompareDialog.SourceTitle": "來源", + "schemaCompareDialog.TargetTitle": "目標", + "schemaCompareDialog.fileTextBoxLabel": "FILE", + "schemaCompare.dacpacRadioButtonLabel": "資料層應用程式檔案 (.dacpac)", + "schemaCompare.databaseButtonLabel": "資料庫", + "schemaCompare.radioButtonsLabel": "類型", + "schemaCompareDialog.serverDropdownTitle": "伺服器", + "schemaCompareDialog.databaseDropdownTitle": "資料庫", + "schemaCompare.dialogTitle": "結構描述比較", + "schemaCompareDialog.differentSourceMessage": "已選取其他來源結構描述。要比較以查看比較結果嗎?", + "schemaCompareDialog.differentTargetMessage": "已選取其他目標結構描述。要比較以查看比較結果嗎?", + "schemaCompareDialog.differentSourceTargetMessage": "已選取不同的來源和結構描述。要比較以查看比較結果嗎?", + "schemaCompareDialog.Yes": "是", + "schemaCompareDialog.No": "否", + "schemaCompareDialog.sourceTextBox": "原始程式檔", + "schemaCompareDialog.targetTextBox": "目標檔案", + "schemaCompareDialog.sourceDatabaseDropdown": "來源資料庫", + "schemaCompareDialog.targetDatabaseDropdown": "目標資料庫", + "schemaCompareDialog.sourceServerDropdown": "來源伺服器", + "schemaCompareDialog.targetServerDropdown": "目標伺服器", + "schemaCompareDialog.defaultUser": "預設", + "schemaCompare.openFile": "開啟", + "schemaCompare.selectSourceFile": "選取來源檔案", + "schemaCompare.selectTargetFile": "選取目標檔案", + "SchemaCompareOptionsDialog.Reset": "重設", + "schemaCompareOptions.RecompareMessage": "選項已變更。要重新比較以查看比較嗎?", + "SchemaCompare.SchemaCompareOptionsDialogLabel": "結構描述比較選項", + "SchemaCompare.GeneralOptionsLabel": "一般選項", + "SchemaCompare.ObjectTypesOptionsLabel": "包含物件類型", + "schemaCompare.CompareDetailsTitle": "比較詳細資料", + "schemaCompare.ApplyConfirmation": "確定要更新目標嗎?", + "schemaCompare.RecompareToRefresh": "按下 [比較] 即可重新整理比較結果。", + "schemaCompare.generateScriptEnabledButton": "產生指令碼以將變更部署至目標", + "schemaCompare.generateScriptNoChanges": "指令碼沒有任何變更", + "schemaCompare.applyButtonEnabledTitle": "將變更套用至目標", + "schemaCompare.applyNoChanges": "沒有任何要套用的變更", + "schemaCompare.includeExcludeInfoMessage": "請注意,包含/排除作業可能需要一些時間來計算受影響的相依性", + "schemaCompare.deleteAction": "刪除", + "schemaCompare.changeAction": "變更", + "schemaCompare.addAction": "新增", + "schemaCompare.differencesTableTitle": "來源和目標之間的比較", + "schemaCompare.waitText": "正在將比較結果初始化。這可能需要一些時間。", + "schemaCompare.startText": "若要比較兩個結構描述,請先選取來源結構描述,然後按下 [比較]。", + "schemaCompare.noDifferences": "找不到任何結構描述差異。", + "schemaCompare.typeColumn": "類型", + "schemaCompare.sourceNameColumn": "來源名稱", + "schemaCompare.includeColumnName": "包含", + "schemaCompare.actionColumn": "動作", + "schemaCompare.targetNameColumn": "目標名稱", + "schemaCompare.generateScriptButtonDisabledTitle": "當目標為資料庫時,會啟用產生指令碼", + "schemaCompare.applyButtonDisabledTitle": "當目標為資料庫時會啟用套用", + "schemaCompare.cannotExcludeMessageWithDependent": "無法排除 {0}。包含的相依性已存在,例如 {1}", + "schemaCompare.cannotIncludeMessageWithDependent": "不無法包含 {0}。排除的相依性已存在,例如 {1}", + "schemaCompare.cannotExcludeMessage": "無法排除 {0}。包含的相依性已存在", + "schemaCompare.cannotIncludeMessage": "無法包含 {0}。排除的相依性已存在", + "schemaCompare.compareButton": "比較", + "schemaCompare.cancelCompareButton": "停止", + "schemaCompare.generateScriptButton": "產生指令碼", + "schemaCompare.optionsButton": "選項", + "schemaCompare.updateButton": "套用", + "schemaCompare.switchDirectionButton": "切換方向", + "schemaCompare.switchButtonTitle": "切換來源和目標", + "schemaCompare.sourceButtonTitle": "選取來源", + "schemaCompare.targetButtonTitle": "選取目標", + "schemaCompare.openScmpButton": "開啟 .scmp 檔案", + "schemaCompare.openScmpButtonTitle": "載入儲存在 .scmp 檔案中的來源、目標和選項", + "schemaCompare.saveScmpButton": "儲存 .scmp 檔案", + "schemaCompare.saveScmpButtonTitle": "儲存來源和目標、選項及排除的元素", + "schemaCompare.saveFile": "儲存", + "schemaCompare.GetConnectionString": "是否要連接到 {0}?", + "schemaCompare.selectConnection": "選取連線", + "SchemaCompare.IgnoreTableOptions": "忽略資料表選項", + "SchemaCompare.IgnoreSemicolonBetweenStatements": "忽略陳述式之間的分號", + "SchemaCompare.IgnoreRouteLifetime": "忽略路由存留期", + "SchemaCompare.IgnoreRoleMembership": "忽略角色成員資格", + "SchemaCompare.IgnoreQuotedIdentifiers": "忽略引號識別碼", + "SchemaCompare.IgnorePermissions": "忽略權限", + "SchemaCompare.IgnorePartitionSchemes": "忽略資料分隔配置", + "SchemaCompare.IgnoreObjectPlacementOnPartitionScheme": "忽略磁碟分割配置上的物件放置", + "SchemaCompare.IgnoreNotForReplication": "忽略不可複寫", + "SchemaCompare.IgnoreLoginSids": "忽略登入 Sid", + "SchemaCompare.IgnoreLockHintsOnIndexes": "忽略索引的鎖定提示", + "SchemaCompare.IgnoreKeywordCasing": "忽略關鍵字大小寫", + "SchemaCompare.IgnoreIndexPadding": "忽略索引填補", + "SchemaCompare.IgnoreIndexOptions": "忽略索引選項", + "SchemaCompare.IgnoreIncrement": "忽略增量", + "SchemaCompare.IgnoreIdentitySeed": "忽略識別值種子", + "SchemaCompare.IgnoreUserSettingsObjects": "忽略使用者設定物件", + "SchemaCompare.IgnoreFullTextCatalogFilePath": "忽略全文檢索目錄 FilePath", + "SchemaCompare.IgnoreWhitespace": "忽略空白", + "SchemaCompare.IgnoreWithNocheckOnForeignKeys": "忽略 With Nocheck On ForeignKeys", + "SchemaCompare.VerifyCollationCompatibility": "驗證定序相容性", + "SchemaCompare.UnmodifiableObjectWarnings": "無法修改的物件警告", + "SchemaCompare.TreatVerificationErrorsAsWarnings": "將驗證錯誤視為警告", + "SchemaCompare.ScriptRefreshModule": "指令碼重新整理模組", + "SchemaCompare.ScriptNewConstraintValidation": "指令碼新增條件約束驗證", + "SchemaCompare.ScriptFileSize": "指令碼檔案大小", + "SchemaCompare.ScriptDeployStateChecks": "指令碼部署 StateChecks", + "SchemaCompare.ScriptDatabaseOptions": "指令碼資料庫選項", + "SchemaCompare.ScriptDatabaseCompatibility": "指令碼資料庫相容性", + "SchemaCompare.ScriptDatabaseCollation": "指令碼資料庫定序", + "SchemaCompare.RunDeploymentPlanExecutors": "執行部署計劃執行程式", + "SchemaCompare.RegisterDataTierApplication": "註冊 DataTier 應用程式", + "SchemaCompare.PopulateFilesOnFileGroups": "填入檔案群組上的檔案", + "SchemaCompare.NoAlterStatementsToChangeClrTypes": "不更改陳述式以變更 Cir 類型", + "SchemaCompare.IncludeTransactionalScripts": "包含交易指令碼", + "SchemaCompare.IncludeCompositeObjects": "包含複合物件", + "SchemaCompare.AllowUnsafeRowLevelSecurityDataMovement": "允許不安全的資料列層級安全性資料移動", + "SchemaCompare.IgnoreWithNocheckOnCheckConstraints": "忽略 With No check On Check 條件約束", + "SchemaCompare.IgnoreFillFactor": "忽略填滿因數", + "SchemaCompare.IgnoreFileSize": "忽略檔案大小", + "SchemaCompare.IgnoreFilegroupPlacement": "忽略檔案群組放置", + "SchemaCompare.DoNotAlterReplicatedObjects": "不要改變已複寫物件", + "SchemaCompare.DoNotAlterChangeDataCaptureObjects": "不要更改異動資料擷取物件", + "SchemaCompare.DisableAndReenableDdlTriggers": "停用再重新啟用 Ddl 觸發程序", + "SchemaCompare.DeployDatabaseInSingleUserMode": "在單一使用者模式中部署資料庫", + "SchemaCompare.CreateNewDatabase": "建立新的資料庫", + "SchemaCompare.CompareUsingTargetCollation": "使用目標定序進行比較", + "SchemaCompare.CommentOutSetVarDeclarations": "Comment Out Set Var 宣告", + "SchemaCompare.BlockWhenDriftDetected": "當偵測到飄移時封鎖", + "SchemaCompare.BlockOnPossibleDataLoss": "於可能遺失資料時封鎖", + "SchemaCompare.BackupDatabaseBeforeChanges": "在變更前備份資料庫", + "SchemaCompare.AllowIncompatiblePlatform": "允許不相容的平台", + "SchemaCompare.AllowDropBlockingAssemblies": "允許捨棄封鎖的組件", + "SchemaCompare.DropConstraintsNotInSource": "捨棄不在來源中的條件約束", + "SchemaCompare.DropDmlTriggersNotInSource": "捨棄不在來源中的 Dml 觸發程序", + "SchemaCompare.DropExtendedPropertiesNotInSource": "捨棄不在來源中的擴充屬性", + "SchemaCompare.DropIndexesNotInSource": "捨棄不在來源中的索引", + "SchemaCompare.IgnoreFileAndLogFilePath": "忽略檔案和記錄檔路徑", + "SchemaCompare.IgnoreExtendedProperties": "忽略擴充屬性", + "SchemaCompare.IgnoreDmlTriggerState": "忽略 Dml 觸發程序狀態", + "SchemaCompare.IgnoreDmlTriggerOrder": "忽略 Dml 觸發程序順序", + "SchemaCompare.IgnoreDefaultSchema": "忽略預設結構描述", + "SchemaCompare.IgnoreDdlTriggerState": "忽略 Ddl 觸發程序狀態", + "SchemaCompare.IgnoreDdlTriggerOrder": "忽略 Ddl 觸發程序順序", + "SchemaCompare.IgnoreCryptographicProviderFilePath": "忽略密碼編譯提供者 FilePath", + "SchemaCompare.VerifyDeployment": "驗證部署", + "SchemaCompare.IgnoreComments": "忽略註解", + "SchemaCompare.IgnoreColumnCollation": "忽略資料行定序", + "SchemaCompare.IgnoreAuthorizer": "忽略授權者", + "SchemaCompare.IgnoreAnsiNulls": "忽略 AnsiNulls", + "SchemaCompare.GenerateSmartDefaults": "產生 SmartDefaults", + "SchemaCompare.DropStatisticsNotInSource": "捨棄不在來源中的統計資料", + "SchemaCompare.DropRoleMembersNotInSource": "捨棄不在來源中的角色成員", + "SchemaCompare.DropPermissionsNotInSource": "捨棄不在來源中的權限", + "SchemaCompare.DropObjectsNotInSource": "捨棄不在來源中的物件", + "SchemaCompare.IgnoreColumnOrder": "忽略資料行順序", + "SchemaCompare.Aggregates": "彙總", + "SchemaCompare.ApplicationRoles": "應用程式角色", + "SchemaCompare.Assemblies": "組件", + "SchemaCompare.AssemblyFiles": "組件檔", + "SchemaCompare.AsymmetricKeys": "非對稱金鑰", + "SchemaCompare.BrokerPriorities": "Broker 優先權", + "SchemaCompare.Certificates": "憑證", + "SchemaCompare.ColumnEncryptionKeys": "資料行加密金鑰", + "SchemaCompare.ColumnMasterKeys": "資料行主要金鑰", + "SchemaCompare.Contracts": "合約", + "SchemaCompare.DatabaseOptions": "資料庫選項", + "SchemaCompare.DatabaseRoles": "資料庫角色", + "SchemaCompare.DatabaseTriggers": "資料庫觸發程序", + "SchemaCompare.Defaults": "預設", + "SchemaCompare.ExtendedProperties": "擴充屬性", + "SchemaCompare.ExternalDataSources": "外部資料來源", + "SchemaCompare.ExternalFileFormats": "外部檔案格式", + "SchemaCompare.ExternalStreams": "外部資料流", + "SchemaCompare.ExternalStreamingJobs": "外部串流作業", + "SchemaCompare.ExternalTables": "外部資料表", + "SchemaCompare.Filegroups": "檔案群組", + "SchemaCompare.Files": "檔案", + "SchemaCompare.FileTables": "檔案資料表", + "SchemaCompare.FullTextCatalogs": "全文檢索目錄", + "SchemaCompare.FullTextStoplists": "全文檢索停用字詞表", + "SchemaCompare.MessageTypes": "訊息類型", + "SchemaCompare.PartitionFunctions": "資料分割函式", + "SchemaCompare.PartitionSchemes": "資料分割配置", + "SchemaCompare.Permissions": "權限", + "SchemaCompare.Queues": "佇列", + "SchemaCompare.RemoteServiceBindings": "遠端服務繫結", + "SchemaCompare.RoleMembership": "角色成員資格", + "SchemaCompare.Rules": "規則", + "SchemaCompare.ScalarValuedFunctions": "純量值函式", + "SchemaCompare.SearchPropertyLists": "搜尋屬性清單", + "SchemaCompare.SecurityPolicies": "安全性原則", + "SchemaCompare.Sequences": "序列", + "SchemaCompare.Services": "服務", + "SchemaCompare.Signatures": "簽章", + "SchemaCompare.StoredProcedures": "預存程序", + "SchemaCompare.SymmetricKeys": "對稱金鑰", + "SchemaCompare.Synonyms": "同義資料表", + "SchemaCompare.Tables": "資料表", + "SchemaCompare.TableValuedFunctions": "資料表值函式", + "SchemaCompare.UserDefinedDataTypes": "使用者定義的資料類型", + "SchemaCompare.UserDefinedTableTypes": "使用者定義的資料表類型", + "SchemaCompare.ClrUserDefinedTypes": "Clr 使用者定義的類型", + "SchemaCompare.Users": "使用者", + "SchemaCompare.Views": "檢視", + "SchemaCompare.XmlSchemaCollections": "XML 結構描述集合", + "SchemaCompare.Audits": "稽核", + "SchemaCompare.Credentials": "認證", + "SchemaCompare.CryptographicProviders": "密碼編譯提供者", + "SchemaCompare.DatabaseAuditSpecifications": "資料庫稽核規格", + "SchemaCompare.DatabaseEncryptionKeys": "資料庫加密金鑰", + "SchemaCompare.DatabaseScopedCredentials": "資料庫範圍認證", + "SchemaCompare.Endpoints": "端點", + "SchemaCompare.ErrorMessages": "錯誤訊息", + "SchemaCompare.EventNotifications": "事件通知", + "SchemaCompare.EventSessions": "事件工作階段", + "SchemaCompare.LinkedServerLogins": "連結的伺服器登入", + "SchemaCompare.LinkedServers": "連結的伺服器", + "SchemaCompare.Logins": "登入", + "SchemaCompare.MasterKeys": "主要金鑰", + "SchemaCompare.Routes": "路由", + "SchemaCompare.ServerAuditSpecifications": "伺服器稽核規格", + "SchemaCompare.ServerRoleMembership": "伺服器角色成員資格", + "SchemaCompare.ServerRoles": "伺服器角色", + "SchemaCompare.ServerTriggers": "伺服器觸發程序", + "SchemaCompare.Description.IgnoreTableOptions": "指定當您發佈至資料庫時,應該忽略或更新資料表選項的差異。", + "SchemaCompare.Description.IgnoreSemicolonBetweenStatements": "指定當您發佈至資料庫時,應該忽略或更新 T-SQL 陳述式間之分號的差異。", + "SchemaCompare.Description.IgnoreRouteLifetime": "指定當您發行至資料庫時,應該忽略或更新 SQL Server 將路由保留在路由表中之時間長短的差異。", + "SchemaCompare.Description.IgnoreRoleMembership": "指定當您發佈至資料庫時,應該忽略或更新登入之角色成員資格的差異。", + "SchemaCompare.Description.IgnoreQuotedIdentifiers": "指定當您發佈至資料庫時,應該忽略或更新引號識別碼設定的差異。", + "SchemaCompare.Description.IgnorePermissions": "指定是否應該忽略權限。", + "SchemaCompare.Description.IgnorePartitionSchemes": "指定當您發佈至資料庫時,應該忽略或更新資料分割配置和函數的差異。", + "SchemaCompare.Description.IgnoreObjectPlacementOnPartitionScheme": "指定當您發行至資料庫時,應該忽略或更新物件在資料分割配置上的位置。", + "SchemaCompare.Description.IgnoreNotForReplication": "指定當您發佈至資料庫時,要忽略或更新不可複寫設定。", + "SchemaCompare.Description.IgnoreLoginSids": "指定當您發佈至資料庫時,應該忽略或更新安全性識別碼 (SID) 的差異。", + "SchemaCompare.Description.IgnoreLockHintsOnIndexes": "指定當您發佈至資料庫時,應該忽略或更新索引之鎖定提示的差異。", + "SchemaCompare.Description.IgnoreKeywordCasing": "指定當您發佈至資料庫時,應該忽略或更新關鍵字之大小寫的差異。", + "SchemaCompare.Description.IgnoreIndexPadding": "指定當您發佈至資料庫時,要忽略或更新索引填補的差異。", + "SchemaCompare.Description.IgnoreIndexOptions": "指定當您發佈至資料庫時,是否要忽略或更新索引選項的差異。", + "SchemaCompare.Description.IgnoreIncrement": "指定當您發佈至資料庫時,應該忽略或更新識別欄位之增量的差異。", + "SchemaCompare.Description.IgnoreIdentitySeed": "指定當您發佈更新至資料庫時,應該忽略或更新識別欄位之種子的差異。", + "SchemaCompare.Description.IgnoreUserSettingsObjects": "指定當您發佈至資料庫時,是否要忽略或更新使用者設定物件的差異。", + "SchemaCompare.Description.IgnoreFullTextCatalogFilePath": "指定當您發行至資料庫時,應該忽略全文檢索目錄之檔案路徑的差異或應該發出警告。", + "SchemaCompare.Description.IgnoreWhitespace": "指定當您發佈至資料庫時,要忽略或更新空白字元的差異。", + "SchemaCompare.Description.IgnoreWithNocheckOnForeignKeys": "指定當您發行至資料庫時,將忽略或更新外部索引鍵之 WITH NOCHECK 子句值的差異。", + "SchemaCompare.Description.VerifyCollationCompatibility": "指定是否驗證定序相容性。", + "SchemaCompare.Description.UnmodifiableObjectWarnings": "指定在無法修改的物件中發現差異時 (例如檔案的檔案大小或檔案路徑不同) 是否應該產生警告。", + "SchemaCompare.Description.TreatVerificationErrorsAsWarnings": "指定是否應該將發行驗證期間所發生的錯誤視為警告。系統會先針對產生的部署計畫執行檢查,之後再針對您的目標資料庫執行計畫。計畫驗證會偵測出遺漏僅限於目標的物件 (例如索引) 這類必須卸除後才能進行變更的問題。驗證也會偵測因為參考複合物件而有相依性 (例如資料表或檢視) 存在,但是卻不存在目標資料庫中的情況。您可以選擇執行這個動作,以取得所有問題的清單,而不讓發行動作在第一次錯誤時就停止。", + "SchemaCompare.Description.ScriptRefreshModule": "在發佈指令碼的結尾包含重新整理陳述式。", + "SchemaCompare.Description.ScriptNewConstraintValidation": "在發行結束時,系統會將所有條件約束當做單一集合進行驗證,避免檢查或外部索引鍵條件約束在發行進行中導致資料錯誤。如果設定為 False,系統將會發行您的條件約束,但不檢查對應的資料。", + "SchemaCompare.Description.ScriptFileSize": "控制將檔案加入 filegroup 時是否指定大小。", + "SchemaCompare.Description.ScriptDeployStateChecks": "指定是否在發行指令碼中產生陳述式,來驗證資料庫名稱和伺服器名稱是否符合資料庫專案中指定的名稱。", + "SchemaCompare.Description.ScriptDatabaseOptions": "指定是否要在執行發佈動作時,設定或更新目標資料庫屬性。", + "SchemaCompare.Description.ScriptDatabaseCompatibility": "指定當您發佈至資料庫時,要忽略或更新資料庫相容性的差異。", + "SchemaCompare.Description.ScriptDatabaseCollation": "指定當您發佈至資料庫時,要忽略或更新資料庫定序的差異。", + "SchemaCompare.Description.RunDeploymentPlanExecutors": "指定其他作業執行時,是否應該執行 DeploymentPlanExecutor 參與者。", + "SchemaCompare.Description.RegisterDataTierApplication": "指定結構描述是否向資料庫伺服器註冊。", + "SchemaCompare.Description.PopulateFilesOnFileGroups": "指定在目標資料庫中建立新 FileGroup 時,是否一併建立新檔案。", + "SchemaCompare.Description.NoAlterStatementsToChangeClrTypes": "指定發佈應在有差異時一律捨棄並重新建立組件,而非發出 ALTER ASSEMBLY 陳述式", + "SchemaCompare.Description.IncludeTransactionalScripts": "指定當您發佈至資料庫時,是否應該盡可能地使用交易陳述式。", + "SchemaCompare.Description.IncludeCompositeObjects": "將所有複合項目加入單一發佈作業中。", + "SchemaCompare.Description.AllowUnsafeRowLevelSecurityDataMovement": "若此屬性設定為 True,請勿封鎖具有資料列層級安全性之資料表的資料移動 (data motion)。預設為 False。", + "SchemaCompare.Description.IgnoreWithNocheckOnCheckConstraints": "指定當您發行至資料庫時,將忽略或更新檢查條件約束之 WITH NOCHECK 子句值的差異。", + "SchemaCompare.Description.IgnoreFillFactor": "指定當您發行至資料庫時,應該忽略索引儲存體之填滿因數的差異或應該發出警告。", + "SchemaCompare.Description.IgnoreFileSize": "指定當您發行至資料庫時,應該忽略檔案大小的差異或應該發出警告。", + "SchemaCompare.Description.IgnoreFilegroupPlacement": "指定當您發佈至資料庫時,應該忽略或更新 FILEGROUP 中物件位置的差異。", + "SchemaCompare.Description.DoNotAlterReplicatedObjects": "指定驗證期間是否識別有複寫的物件。", + "SchemaCompare.Description.DoNotAlterChangeDataCaptureObjects": "如果為 True,則不會改變變更資料擷取物件。", + "SchemaCompare.Description.DisableAndReenableDdlTriggers": "指定是否在發行程序開始時停用 Data Definition Language (DDL) 觸發程序,並在發行動作結束時重新啟用。", + "SchemaCompare.Description.DeployDatabaseInSingleUserMode": "若為 True,則會在部署前將資料庫設為單一使用者模式。", + "SchemaCompare.Description.CreateNewDatabase": "指定當您發行至資料庫時,應該更新目標資料庫或應該卸除並重新建立目標資料庫。", + "SchemaCompare.Description.CompareUsingTargetCollation": "這項設定會指出部署期間的資料庫定序處理方式;根據預設,如果目標資料庫的定序與來源所指定的定序不相符,就會受到更新。設定此選項時,應使用目標資料庫 (或伺服器) 的定序。", + "SchemaCompare.Description.CommentOutSetVarDeclarations": "指定在產生的發行指令碼中是否應該將 SETVAR 變數的宣告標記為註解。如果您計畫在使用 SQLCMD.EXE 一類工具進行發行時在命令列指定值,就可以選擇這種作法。", + "SchemaCompare.Description.BlockWhenDriftDetected": "指定是否封鎖更新結構描述不再符合註冊或已取消註冊的資料庫。", + "SchemaCompare.Description.BlockOnPossibleDataLoss": "指定如果發佈作業可能導致資料遺失,就應該終止發佈事件。", + "SchemaCompare.Description.BackupDatabaseBeforeChanges": "在部署任何變更之前,先備份資料庫。", + "SchemaCompare.Description.AllowIncompatiblePlatform": "指定儘管 SQL Server 平台不相容,是否仍要嘗試動作。", + "SchemaCompare.Description.AllowDropBlockingAssemblies": "這個屬性是供 SqlClr 部署用來使任何封鎖的組件會在部署計畫中卸除。根據預設,如果必須卸除任何參考組件,則該封鎖/參考組件將會封鎖組件更新。", + "SchemaCompare.Description.DropConstraintsNotInSource": "指定當您發行至資料庫時,是否要從目標資料庫中卸除不存在資料庫快照集 (.dacpac) 檔案中的條件約束。", + "SchemaCompare.Description.DropDmlTriggersNotInSource": "指定當您發行至資料庫時,是否要從目標資料庫中卸除不存在資料庫快照集 (.dacpac) 檔案中的 DML 觸發程序。", + "SchemaCompare.Description.DropExtendedPropertiesNotInSource": "指定當您發行至資料庫時,是否要從目標資料庫中卸除不存在資料庫快照集 (.dacpac) 檔案中的擴充屬性。", + "SchemaCompare.Description.DropIndexesNotInSource": "指定當您發行至資料庫時,是否要從目標資料庫中卸除不存在資料庫快照集 (.dacpac) 檔案中的索引。", + "SchemaCompare.Description.IgnoreFileAndLogFilePath": "指定當您發佈至資料庫時,應該忽略或更新檔案和記錄檔之路徑的差異。", + "SchemaCompare.Description.IgnoreExtendedProperties": "指定是否應該忽略擴充屬性。", + "SchemaCompare.Description.IgnoreDmlTriggerState": "指定當您發行至資料庫時,應該忽略或更新 DML 觸發程序之啟用或停用狀態的差異。", + "SchemaCompare.Description.IgnoreDmlTriggerOrder": "指定當您發行至資料庫時,應該忽略或更新 Data Manipulation Language (DML) triggers 的順序差異。", + "SchemaCompare.Description.IgnoreDefaultSchema": "指定當您發佈至資料庫時,是否應忽略或更新預設結構描述中的差異。", + "SchemaCompare.Description.IgnoreDdlTriggerState": "指定當您發行至資料庫時,應該忽略或更新 Data Definition Language (DDL) triggers 之啟用或停用狀態的差異。", + "SchemaCompare.Description.IgnoreDdlTriggerOrder": "指定當您發行至資料庫或伺服器時,應該忽略或更新 Data Definition Language (DDL) triggers 的順序差異。", + "SchemaCompare.Description.IgnoreCryptographicProviderFilePath": "指定當您發佈至資料庫時,要忽略或更新密碼編譯提供者之檔案路徑的差異。", + "SchemaCompare.Description.VerifyDeployment": "指定是否應該先執行檢查,以防止發行因為出現阻止發行成功的問題而停止發行動作。例如,如果目標資料庫有不存在資料庫專案中的外部索引鍵,該外部索引鍵會在發行時造成錯誤,則您的發行動作就可能會停止。", + "SchemaCompare.Description.IgnoreComments": "指定當您發佈至資料庫時,要忽略或更新註解的差異。", + "SchemaCompare.Description.IgnoreColumnCollation": "指定當您發佈至資料庫時,要忽略或更新資料行定序的差異。", + "SchemaCompare.Description.IgnoreAuthorizer": "指定當您發佈至資料庫時,要忽略或更新授權者的差異。", + "SchemaCompare.Description.IgnoreAnsiNulls": "指定當您發佈至資料庫時,應該忽略或更新 ANSI NULLS 設定的差異。", + "SchemaCompare.Description.GenerateSmartDefaults": "在更新含有資料且資料行不允許 null 值的資料表時,自動提供預設值。", + "SchemaCompare.Description.DropStatisticsNotInSource": "指定當您發行至資料庫時,是否要從目標資料庫卸除不存在資料庫快照集 (.dacpac) 檔案中的統計資料。", + "SchemaCompare.Description.DropRoleMembersNotInSource": "指定是否要在您對資料庫發佈更新時,將未於資料庫快照集 (.dacpac) 檔案中定義的角色成員從目標資料庫捨棄。 色彩。例如,新增 'column1': red 可確保資料行使用紅色", - "legendDescription": "指定圖表圖例的優先位置和可見度。這些是您查詢中的欄位名稱,並對應到每個圖表項目的標籤", - "labelFirstColumnDescription": "若 dataDirection 是水平的,設定為 True 時則使用第一個欄位值為其圖例。", - "columnsAsLabels": "若 dataDirection 是垂直的,設定為 True 時則使用欄位名稱為其圖例。", - "dataDirectionDescription": "定義是否從行 (垂直) 或列 (水平) 讀取資料。對於時間序列,當呈現方向為垂直時會被忽略。", - "showTopNData": "如已設定 showTopNData,則僅顯示圖表中的前 N 個資料。" - }, - "sql/platform/dashboard/browser/insightRegistry": { - "schema.dashboardWidgets.InsightsRegistry": "儀表板中使用的小工具" - }, - "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { - "resourceViewer.showActions": "顯示動作", - "resourceViewerInput.resourceViewer": "資源檢視器" - }, - "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { - "extension.contributes.resourceView.resource.id": "資源的識別碼。", - "extension.contributes.resourceView.resource.name": "使用人性化顯示名稱。會顯示", - "extension.contributes.resourceView.resource.icon": "資源圖示的路徑。", - "extension.contributes.resourceViewResources": "將資源提供給資源檢視", - "requirestring": "屬性 '{0}' 為強制項目且必須屬於 `string` 類型", - "optstring": "屬性 `{0}` 可以省略或必須屬於 `string` 類型" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { - "resourceViewer.ariaLabel": "資源檢視器樹狀結構" - }, - "sql/platform/dashboard/browser/widgetRegistry": { - "schema.dashboardWidgets.all": "儀表板中使用的小工具", - "schema.dashboardWidgets.database": "儀表板中使用的小工具", - "schema.dashboardWidgets.server": "儀表板中使用的小工具" - }, - "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { - "azdata.extension.contributes.widget.when": "必須為 True 以顯示此項目的條件", - "azdata.extension.contributes.widget.hideHeader": "是否要隱藏 Widget 的標題,預設值為 false", - "dashboardpage.tabName": "容器的標題", - "dashboardpage.rowNumber": "方格中元件的資料列", - "dashboardpage.rowSpan": "方格中元件的 rowspan。預設值為 1。使用 '*' 即可設定方格中的資料列數。", - "dashboardpage.colNumber": "方格中元件的資料行", - "dashboardpage.colspan": "方格內元件的 colspan。預設值為 1。使用 '*' 即可設定方格中的資料行數。", - "azdata.extension.contributes.dashboardPage.tab.id": "此索引標籤的唯一識別碼。將傳遞給任何要求的延伸模組。", - "dashboardTabError": "未知的延伸模組索引標籤或未安裝。" - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { - "dashboardDatabaseProperties": "啟用或禁用屬性小工具", - "dashboard.databaseproperties": "顯示屬性值", - "dashboard.databaseproperties.displayName": "顯示屬性的名稱", - "dashboard.databaseproperties.value": "資料庫資訊物件中的值", - "dashboard.databaseproperties.ignore": "指定要忽略的特定值", - "recoveryModel": "復原模式", - "lastDatabaseBackup": "上次資料庫備份", - "lastLogBackup": "上次記錄備份", - "compatibilityLevel": "相容性層級", - "owner": "擁有者", - "dashboardDatabase": "自訂 \"資料庫儀表板\" 頁", - "objectsWidgetTitle": "搜尋", - "dashboardDatabaseTabs": "自訂資料庫儀表板索引標籤" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { - "dashboardServerProperties": "啟用或禁用屬性小工具", - "dashboard.serverproperties": "顯示屬性值", - "dashboard.serverproperties.displayName": "顯示屬性的名稱", - "dashboard.serverproperties.value": "伺服器資訊物件中的值", - "version": "版本", - "edition": "版本", - "computerName": "電腦名稱", - "osVersion": "作業系統版本", - "explorerWidgetsTitle": "搜尋", - "dashboardServer": "自訂伺服器儀表板頁面", - "dashboardServerTabs": "自訂伺服器儀表板索引標籤" - }, - "sql/workbench/contrib/dashboard/browser/dashboardActions": { - "ManageAction": "管理" - }, - "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { - "opticon": "屬性 `icon` 可以省略,否則必須為字串或類似 `{dark, light}` 的常值" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { - "insightWidgetDescription": "新增一個可查詢伺服器或資料庫並以多種方式呈現結果的小工具,如圖表、計數總結等。", - "insightIdDescription": "用於快取見解結果的唯一識別碼。", - "insightQueryDescription": "要執行的 SQL 查詢。這僅會回傳 1 個結果集。", - "insightQueryFileDescription": "[選用] 包含查詢之檔案的路徑。這會在未設定 'query' 時使用", - "insightAutoRefreshIntervalDescription": "[選用] 自動重新整理間隔 (分鐘),如未設定,就不會自動重新整理", - "actionTypes": "要使用的動作", - "actionDatabaseDescription": "此動作的目標資料庫;可使用格式 '${ columnName }',以使用資料驅動的資料行名稱。", - "actionServerDescription": "此動作的目標伺服器;可使用格式 '${ columnName }',以使用資料驅動的資料列名稱。", - "actionUserDescription": "請指定執行此動作的使用者;可使用格式 '${ columnName }',以使用資料驅動的資料行名稱。", - "carbon.extension.contributes.insightType.id": "見解識別碼", - "carbon.extension.contributes.insights": "在儀表板選擇區提供見解。" - }, - "sql/workbench/contrib/backup/browser/backupActions": { - "backupAction.backup": "備份", - "backup.isPreviewFeature": "您必須啟用預覽功能才能使用備份", - "backup.commandNotSupported": "Azure SQL 資料庫不支援備份命令。", - "backup.commandNotSupportedForServer": "伺服器內容中不支援備份命令。請選取資料庫並再試一次。" - }, - "sql/workbench/contrib/restore/browser/restoreActions": { - "restoreAction.restore": "還原", - "restore.isPreviewFeature": "您必須啟用預覽功能才能使用還原", - "restore.commandNotSupported": "Azure SQL 資料庫不支援還原命令。" - }, - "sql/workbench/contrib/extensions/browser/extensionsActions": { - "showRecommendations": "顯示建議", - "Install Extensions": "安裝延伸模組", - "openExtensionAuthoringDocs": "撰寫延伸模組..." - }, - "sql/workbench/browser/editData/editDataInput": { - "connectionFailure": "編輯資料工作階段連線失敗" - }, - "sql/workbench/browser/modal/optionsDialog": { - "optionsDialog.ok": "確定", - "optionsDialog.cancel": "取消" - }, - "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { - "newDashboardTab.openDashboardExtensions": "開啟儀表板延伸模組", - "newDashboardTab.ok": "確定", - "newDashboardTab.cancel": "取消", - "newdashboardTabDialog.noExtensionLabel": "目前沒有安裝任何儀表板延伸模組。請前往延伸模組能管理員探索建議的延伸模組。" - }, - "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { - "filebrowser.filepath": "選擇的路徑", - "fileFilter": "檔案類型", - "fileBrowser.ok": "確定", - "fileBrowser.discard": "捨棄" - }, - "sql/workbench/services/insights/browser/insightsDialogController": { - "insightsInputError": "沒有傳遞給見解彈出式視窗的連線設定", - "insightsError": "見解錯誤", - "insightsFileError": "讀取查詢檔案時發生錯誤:", - "insightsConfigError": "解析見解設定時發生錯誤。找不到查詢陣列/字串或 queryfile" - }, - "sql/workbench/services/accountManagement/browser/accountPickerImpl": { - "azureAccount": "Azure 帳戶", - "azureTenant": "Azure 租用戶" - }, - "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { - "showDataExplorer": "顯示連線", - "dataExplorer.servers": "伺服器", - "dataexplorer.name": "連線" - }, - "sql/workbench/contrib/tasks/browser/tasksView": { - "noTaskMessage": "沒有工作歷程記錄可顯示。", - "taskHistory.regTreeAriaLabel": "工作歷程記錄", - "taskError": "工作錯誤" - }, - "sql/workbench/services/connection/browser/connectionActions": { - "ClearRecentlyUsedLabel": "清除清單", - "ClearedRecentConnections": "最近的連線清單已清除", - "connectionAction.yes": "是", - "connectionAction.no": "否", - "clearRecentConnectionMessage": "您確定要刪除清單中的所有連線嗎?", - "connectionDialog.yes": "是", - "connectionDialog.no": "否", - "delete": "刪除", - "connectionAction.GetCurrentConnectionString": "取得目前的連接字串", - "connectionAction.connectionString": "連接字串無法使用", - "connectionAction.noConnection": "沒有可用的有效連線" - }, - "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { - "connectionTree.refresh": "重新整理", - "connectionTree.editConnection": "編輯連線", - "DisconnectAction": "中斷連線", - "connectionTree.addConnection": "新增連線", - "connectionTree.addServerGroup": "新增伺服器群組", - "connectionTree.editServerGroup": "編輯伺服器群組", - "activeConnections": "顯示使用中的連線", - "showAllConnections": "顯示所有連線", - "recentConnections": "最近的連線", - "deleteConnection": "刪除連線", - "deleteConnectionGroup": "刪除群組" - }, - "sql/workbench/contrib/editData/browser/editDataActions": { - "editData.run": "執行", - "disposeEditFailure": "處理編輯失敗,出現錯誤:", - "editData.stop": "停止", - "editData.showSql": "顯示 SQL 窗格", - "editData.closeSql": "關閉 SQL 窗格" - }, - "sql/workbench/browser/editor/profiler/profilerInput": { - "profilerInput.profiler": "分析工具", - "profilerInput.notConnected": "未連線", - "profiler.sessionStopped": "伺服器 {0} 上的 XEvent 分析工具工作階段意外停止。", - "profiler.sessionCreationError": "啟動新的工作階段時發生錯誤", - "profiler.eventsLost": "{0} 的 XEvent 分析工具工作階段遺失事件。" - }, - "sql/workbench/browser/modelComponents/loadingComponent.component": { + "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { "loadingMessage": "正在載入", "loadingCompletedMessage": "已完成載入" }, - "sql/workbench/services/serverGroup/browser/serverGroupDialog": { - "ServerGroupsDialogTitle": "伺服器群組", - "serverGroup.ok": "確定", - "serverGroup.cancel": "取消", - "connectionGroupName": "伺服器群組名稱", - "MissingGroupNameError": "需要群組名稱。", - "groupDescription": "群組描述", - "groupColor": "群組色彩" + "sql/base/browser/ui/panel/panel.component": { + "hideTextLabel": "隱藏文字標籤", + "showTextLabel": "顯示文字標籤" }, - "sql/workbench/services/accountManagement/browser/accountDialogController": { - "accountDialog.addAccountErrorTitle": "新增帳戶時發生錯誤" - }, - "sql/workbench/services/insights/browser/insightsDialogView": { - "insights.item": "項目", - "insights.value": "值", - "insightsDetailView.name": "見解詳細資料", - "property": "屬性", - "value": "值", - "InsightsDialogTitle": "見解", - "insights.dialog.items": "項目", - "insights.dialog.itemDetails": "項目詳細資訊" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { - "oauthFlyoutIsAlreadyOpen": "無法啟動自動 OAuth。自動 OAuth 已在進行中。" - }, - "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { - "eventSort": "依事件排序", - "nameColumn": "依資料行排序", - "profilerColumnDialog.profiler": "分析工具", - "profilerColumnDialog.ok": "確定", - "profilerColumnDialog.cancel": "取消" - }, - "sql/workbench/services/profiler/browser/profilerFilterDialog": { - "profilerFilterDialog.clear": "全部清除", - "profilerFilterDialog.apply": "套用", - "profilerFilterDialog.ok": "確定", - "profilerFilterDialog.cancel": "取消", - "profilerFilterDialog.title": "篩選", - "profilerFilterDialog.remove": "移除此子句", - "profilerFilterDialog.saveFilter": "儲存篩選", - "profilerFilterDialog.loadFilter": "載入篩選", - "profilerFilterDialog.addClauseText": "新增子句", - "profilerFilterDialog.fieldColumn": "欄位", - "profilerFilterDialog.operatorColumn": "運算子", - "profilerFilterDialog.valueColumn": "值", - "profilerFilterDialog.isNullOperator": "為 Null", - "profilerFilterDialog.isNotNullOperator": "非 Null", - "profilerFilterDialog.containsOperator": "包含", - "profilerFilterDialog.notContainsOperator": "不包含", - "profilerFilterDialog.startsWithOperator": "開頭是", - "profilerFilterDialog.notStartsWithOperator": "開頭不是" - }, - "sql/workbench/contrib/editData/browser/gridActions": { - "saveAsCsv": "另存為 CSV", - "saveAsJson": "另存為 JSON", - "saveAsExcel": "另存為 Excel", - "saveAsXml": "另存為 XML", - "copySelection": "複製", - "copyWithHeaders": "隨標題一併複製", - "selectAll": "全選" - }, - "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { - "dashboard.properties.property": "定義顯示於儀表板上的屬性", - "dashboard.properties.property.displayName": "做為屬性標籤的值", - "dashboard.properties.property.value": "要在物件中存取的值", - "dashboard.properties.property.ignore": "指定要忽略的值", - "dashboard.properties.property.default": "如果忽略或沒有值,則顯示預設值", - "dashboard.properties.flavor": "定義儀表板屬性變體", - "dashboard.properties.flavor.id": "類別的變體的識別碼", - "dashboard.properties.flavor.condition": "使用此變體的條件", - "dashboard.properties.flavor.condition.field": "要比較的欄位", - "dashboard.properties.flavor.condition.operator": "用於比較的運算子", - "dashboard.properties.flavor.condition.value": "用於比較該欄位的值", - "dashboard.properties.databaseProperties": "顯示資料庫頁的屬性", - "dashboard.properties.serverProperties": "顯示伺服器頁的屬性", - "carbon.extension.dashboard": "定義此提供者支援儀表板", - "dashboard.id": "提供者識別碼 (例如 MSSQL)", - "dashboard.properties": "在儀表板上顯示的屬性值" - }, - "sql/workbench/browser/modelComponents/inputbox.component": { - "invalidValueError": "值無效", - "period": "{0}. {1}" - }, - "sql/workbench/browser/modelComponents/dropdown.component": { - "loadingMessage": "正在載入", - "loadingCompletedMessage": "已完成載入" - }, - "sql/workbench/browser/modelComponents/declarativeTable.component": { - "blankValue": "空白", - "checkAllColumnLabel": "選取資料行中的所有核取方塊: {0}" - }, - "sql/workbench/api/common/extHostModelViewTree": { - "treeView.notRegistered": "未註冊識別碼為 '{0}' 的樹狀檢視。" - }, - "sql/workbench/services/editData/common/editQueryRunner": { - "query.initEditExecutionFailed": "初始化編輯資料工作階段失敗:" - }, - "sql/workbench/services/notebook/common/notebookRegistry": { - "carbon.extension.contributes.notebook.provider": "筆記本提供者的識別碼。", - "carbon.extension.contributes.notebook.fileExtensions": "應向此筆記本提供者註冊的檔案副檔名", - "carbon.extension.contributes.notebook.standardKernels": "應為此筆記本提供者之標準的核心", - "vscode.extension.contributes.notebook.providers": "提供筆記本提供者。", - "carbon.extension.contributes.notebook.magic": "資料格 magic 的名稱,例如 '%%sql'。", - "carbon.extension.contributes.notebook.language": "資料格中包含此資料格 magic 時,要使用的資料格語言", - "carbon.extension.contributes.notebook.executionTarget": "這個 magic 指示的選擇性執行目標,例如 Spark vs SQL", - "carbon.extension.contributes.notebook.kernels": "適用於像是 python3、pyspark、sql 等等的選擇性核心集", - "vscode.extension.contributes.notebook.languagemagics": "提供筆記本語言。" - }, - "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { - "runActiveCell": "F5 快速鍵需要選取程式碼資料格。請選取要執行的程式碼資料格。", - "clearResultActiveCell": "清除結果需要選取程式碼資料格。請選取要執行的程式碼資料格。" - }, - "sql/workbench/services/notebook/browser/interfaces": { - "sqlKernel": "SQL" - }, - "sql/workbench/contrib/editData/browser/editDataEditor": { - "maxRowTaskbar": "最大資料列數:" - }, - "sql/workbench/contrib/profiler/browser/profilerEditor": { - "profiler.viewSelectAccessibleName": "選取檢視", - "profiler.sessionSelectAccessibleName": "選取工作階段", - "profiler.sessionSelectLabel": "選取工作階段:", - "profiler.viewSelectLabel": "選取檢視:", - "text": "文字", - "label": "標籤", - "profilerEditor.value": "值", - "details": "詳細資料" - }, - "sql/workbench/contrib/query/browser/statusBarItems": { - "status.query.timeElapsed": "已耗用時間", - "status.query.rowCount": "資料列計數", - "rowCount": "{0} 個資料列", - "query.status.executing": "執行查詢中...", - "status.query.status": "執行狀態", - "status.query.selection-summary": "選取摘要", - "status.query.summaryText": "平均: {0} 計數: {1} 總和: {2}" - }, - "sql/workbench/contrib/query/browser/flavorStatus": { - "chooseSqlLang": "選擇 SQL 語言 ", - "changeProvider": "變更 SQL 語言提供者", - "status.query.flavor": "SQL 語言的變體", - "changeSqlProvider": "變更 SQL 引擎提供者", - "alreadyConnected": "使用引擎 {0} 的連線已存在。若要變更,請中斷或變更連線", - "noEditor": "目前無使用中的文字編輯器", - "pickSqlProvider": "選擇語言提供者" - }, - "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { - "plotlyError": "顯示 Plotly 圖表時發生錯誤: {0}" - }, - "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { - "noRendererFound": "找不到輸出的 {0} 轉譯器。其有下列 MIME 類型: {1}", - "safe": "(安全)" - }, - "sql/workbench/browser/scriptingActions": { - "scriptSelect": "選取前 1000", - "scriptKustoSelect": "取用 10 筆", - "scriptExecute": "作為指令碼執行", - "scriptAlter": "修改指令碼", - "editData": "編輯資料", - "scriptCreate": "建立指令碼", - "scriptDelete": "將指令碼編寫為 Drop" - }, - "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { - "providerRequired": "必須將具有有效 providerId 的 NotebookProvider 傳遞給此方法" - }, - "sql/workbench/api/common/extHostNotebook": { - "providerRequired": "必須將具有有效 providerId 的 NotebookProvider 傳遞給此方法", - "errNoProvider": "找不到任何筆記本提供者", - "errNoManager": "找不到管理員", - "noServerManager": "筆記本 {0} 的 Notebook 管理員沒有伺服器管理員。無法對其執行作業", - "noContentManager": "筆記本 {0} 的 Notebook 管理員沒有內容管理員。無法對其執行作業", - "noSessionManager": "筆記本 {0} 的 Notebook 管理員沒有工作階段管理員。無法對其執行作業" - }, - "sql/workbench/services/connection/browser/connectionManagementService": { - "connection.noAzureAccount": "無法取得連線的 Azure 帳戶權杖", - "connectionNotAcceptedError": "連線未被接受", - "connectionService.yes": "是", - "connectionService.no": "否", - "cancelConnectionConfirmation": "您確定要取消此連線嗎?" - }, - "sql/workbench/contrib/webview/browser/webViewDialog": { - "webViewDialog.ok": "確定", - "webViewDialog.close": "關閉" - }, - "sql/workbench/contrib/notebook/browser/notebookActions": { - "loading": "正在載入核心...", - "changing": "正在變更核心...", - "AttachTo": "連結至 ", - "Kernel": "核心 ", - "loadingContexts": "正在載入內容...", - "changeConnection": "變更連線", - "selectConnection": "選取連線", - "localhost": "localhost", - "noKernel": "沒有核心", - "clearResults": "清除結果", - "trustLabel": "受信任", - "untrustLabel": "不受信任", - "collapseAllCells": "摺疊資料格", - "expandAllCells": "展開資料格", - "noContextAvailable": "無", - "newNotebookAction": "新增 Notebook", - "notebook.findNext": "尋找下一個字串", - "notebook.findPrevious": "尋找前一個字串" - }, - "sql/workbench/contrib/queryPlan/browser/queryPlan": { - "queryPlanTitle": "查詢計劃" - }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { - "resourceViewer.refresh": "重新整理" - }, - "sql/workbench/services/dialog/browser/dialogPane": { - "wizardPageNumberDisplayText": "步驟 {0}" - }, - "sql/base/parts/editableDropdown/browser/dropdown": { - "editableDropdown.errorValidate": "必須是清單中的選項", - "selectBox": "選取方塊" + "sql/base/browser/ui/panel/tabActions": { + "closeTab": "關閉" }, "sql/base/browser/ui/selectBox/selectBox": { "alertErrorMessage": "錯誤: {0}", "alertWarningMessage": "警告: {0}", "alertInfoMessage": "資訊: {0}" }, - "sql/workbench/services/connection/browser/connectionDialogWidget": { - "connection": "連線", - "connecting": "正在連線", - "connectType": "連線類型", - "recentConnectionTitle": "最近的連線", - "savedConnectionTitle": "已儲存的連線", - "connectionDetailsTitle": "連線詳細資料", - "connectionDialog.connect": "連線", - "connectionDialog.cancel": "取消", - "connectionDialog.recentConnections": "最近的連線", - "noRecentConnections": "沒有最近使用的連線", - "connectionDialog.savedConnections": "已儲存的連線", - "noSavedConnections": "沒有已儲存的連線" + "sql/base/browser/ui/table/formatters": { + "tableCell.NoDataAvailable": "沒有可用資料" }, - "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { - "fileBrowser.regTreeAriaLabel": "樹狀結構檔案瀏覽器" + "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { + "selectDeselectAll": "選擇/取消全選" }, - "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { - "from": "從", - "to": "至", - "createNewFirewallRule": "建立新的防火牆規則", - "firewall.ok": "確定", - "firewall.cancel": "取消", - "firewallRuleDialogDescription": "您的用戶端 IP 位址無法存取伺服器。登錄到 Azure 帳戶並建立新的防火牆規則以啟用存取權限。", - "firewallRuleHelpDescription": "深入了解防火牆設定", - "filewallRule": "防火牆規則", - "addIPAddressLabel": "新增我的用戶端 IP", - "addIpRangeLabel": "新增我的子網路 IP 範圍" + "sql/base/browser/ui/table/plugins/headerFilter.plugin": { + "headerFilter.showFilter": "顯示篩選", + "table.selectAll": "全選", + "table.searchPlaceHolder": "搜尋", + "tableFilter.visibleCount": "{0} 個結果", + "tableFilter.selectedCount": "已選取 {0} 個", + "table.sortAscending": "遞增排序", + "table.sortDescending": "遞減排序", + "headerFilter.ok": "確定", + "headerFilter.clear": "清除", + "headerFilter.cancel": "取消", + "table.filterOptions": "篩選選項" }, - "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { - "allFiles": "所有檔案" + "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { + "loadingSpinner.loading": "正在載入" }, - "sql/workbench/services/insights/common/insightsUtils": { - "insightsDidNotFindResolvedFile": "無法在以下任一路徑找到查詢檔案 :\r\n {0}" + "sql/base/browser/ui/table/plugins/rowDetailView": { + "rowDetailView.loadError": "正在載入錯誤..." }, - "sql/workbench/services/accountManagement/browser/accountListRenderer": { - "refreshCredentials": "您需要重新整理此帳戶的登入資訊。" + "sql/base/browser/ui/taskbar/overflowActionbar": { + "toggleMore": "切換更多" + }, + "sql/base/common/locConstants": { + "azuredatastudio": "Azure Data Studio", + "default": "啟用自動更新檢查。Azure Data Studio 會自動並定期檢查更新。", + "enableWindowsBackgroundUpdates": "啟用以在 Windows 背景中下載並安裝新的 Azure Data Studio 版本", + "showReleaseNotes": "在更新後顯示版本資訊。版本資訊會在新的網頁瀏覽器視窗中開啟。", + "dashboard.toolbar": "儀表板工具列動作功能表", + "notebook.cellTitle": "筆記本儲存格標題功能表", + "notebook.title": "筆記本標題功能表", + "notebook.toolbar": "筆記本工具列功能表", + "dataExplorer.action": "Dataexplorer 檢視容器標題動作功能表", + "dataExplorer.context": "Dataexplorer 項目操作功能表", + "objectExplorer.context": "物件總管項目操作功能表", + "connectionDialogBrowseTree.context": "連線對話方塊的瀏覽樹狀操作功能表", + "dataGrid.context": "資料格項目操作功能表", + "extensionsPolicy": "設定下載延伸模組的安全性原則。", + "InstallVSIXAction.allowNone": "您的延伸模組原則不允許安裝延伸模組。請變更您的延伸模組原則,然後再試一次。", + "InstallVSIXAction.successReload": "延伸模組 {0} 已從 VSIX 安裝完成。請重新載入 Azure Data Studio 以啟用此延伸模組。", + "postUninstallTooltip": "請重新載入 Azure Data Studio 以完成此延伸模組的解除安裝。", + "postUpdateTooltip": "請重新載入 Azure Data Studio 以啟用更新的延伸模組。", + "enable locally": "請重新載入 Azure Data Studio 以在本機啟用此延伸模組。", + "postEnableTooltip": "請重新載入 Azure Data Studio 以啟用此延伸模組。", + "postDisableTooltip": "請重新載入 Azure Data Studio 以停用此延伸模組。", + "uninstallExtensionComplete": "請重新載入 Azure Data Studio 以完成延伸模組 {0} 的解除安裝。", + "enable remote": "請重新載入 Azure Data Studio 以在 {0} 中啟用此延伸模組。", + "installExtensionCompletedAndReloadRequired": "延伸模組 {0} 安裝完成。請重新載入 Azure Data Studio 以啟用此延伸模組。", + "ReinstallAction.successReload": "請重新載入 Azure Data Studio 以完成重新安裝延伸模組 {0}。", + "recommendedExtensions": "Marketplace", + "scenarioTypeUndefined": "必須提供延伸模組建議的案例類型。", + "incompatible": "由於延伸模組 ‘{0}’ 與 Azure Data Studio '{1}' 不相容,所以無法安裝延伸模組。", + "newQuery": "新增查詢", + "miNewQuery": "新增查詢(&&Q)", + "miNewNotebook": "新增筆記本(&&N)", + "maxMemoryForLargeFilesMB": "控制當嘗試開啟大型檔案時,Azure Data Studio 在重新啟動後可用的記憶體。效果與在命令列上指定 `--max-memory=NEWSIZE` 相同。", + "updateLocale": "您想要變更 Azure Data Studio 的 UI 語言為 {0} 並重新啟動嗎?", + "activateLanguagePack": "若要在 {0} 中使用 Azure Data Studio,Azure Data Studio 需要重新啟動。", + "watermark.newSqlFile": "新增 SQL 檔案", + "watermark.newNotebook": "新增筆記本", + "miinstallVsix": "從 VSIX 套件安裝延伸模組" + }, + "sql/base/parts/editableDropdown/browser/dropdown": { + "editableDropdown.errorValidate": "必須是清單中的選項", + "selectBox": "選取方塊" }, "sql/platform/accounts/common/accountActions": { "addAccount": "新增帳戶", @@ -10190,354 +9358,24 @@ "refreshAccount": "重新輸入您的認證", "NoAccountToRefresh": "沒有要重新整理的帳戶" }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { - "showNotebookExplorer": "顯示筆記本", - "notebookExplorer.searchResults": "搜尋結果", - "searchPathNotFoundError": "找不到搜尋路徑: {0}", - "notebookExplorer.name": "筆記本" + "sql/platform/clipboard/browser/clipboardService": { + "imageCopyingNotSupported": "不支援複製映像" }, - "sql/workbench/contrib/query/browser/keyboardQueryActions": { - "focusOnCurrentQueryKeyboardAction": "聚焦於目前的查詢", - "runQueryKeyboardAction": "執行查詢", - "runCurrentQueryKeyboardAction": "執行目前查詢", - "copyQueryWithResultsKeyboardAction": "與結果一併複製查詢", - "queryActions.queryResultsCopySuccess": "已成功複製查詢與結果。", - "runCurrentQueryWithActualPlanKeyboardAction": "使用實際計畫執行目前的查詢", - "cancelQueryKeyboardAction": "取消查詢", - "refreshIntellisenseKeyboardAction": "重新整理 IntelliSense 快取", - "toggleQueryResultsKeyboardAction": "切換查詢結果", - "ToggleFocusBetweenQueryEditorAndResultsAction": "在查詢與結果之間切換焦點", - "queryShortcutNoEditor": "要執行的捷徑需要編輯器參數", - "parseSyntaxLabel": "剖析查詢", - "queryActions.parseSyntaxSuccess": "已成功完成命令", - "queryActions.parseSyntaxFailure": "命令失敗:", - "queryActions.notConnected": "請連線至伺服器" + "sql/platform/connection/common/connectionConfig": { + "invalidServerName": "伺服器群組名稱已經存在。" }, - "sql/workbench/contrib/tasks/browser/tasksRenderer": { - "succeeded": "成功", - "failed": "失敗", - "inProgress": "進行中", - "notStarted": "未啟動", - "canceled": "已取消", - "canceling": "取消中" + "sql/platform/dashboard/browser/insightRegistry": { + "schema.dashboardWidgets.InsightsRegistry": "儀表板中使用的小工具" }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { - "chartErrorMessage": "無法以指定的資料顯示圖表" + "sql/platform/dashboard/browser/widgetRegistry": { + "schema.dashboardWidgets.all": "儀表板中使用的小工具", + "schema.dashboardWidgets.database": "儀表板中使用的小工具", + "schema.dashboardWidgets.server": "儀表板中使用的小工具" }, - "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { - "resourceViewerTable.openError": "開啟連結時發生錯誤: {0}", - "resourceViewerTable.commandError": "執行命令 '{0}' 時發生錯誤: {1}" - }, - "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { - "copyFailed": "複製失敗。錯誤: {0}", - "notebook.showChart": "顯示圖表", - "notebook.showTable": "顯示資料表" - }, - "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { - "doubleClickEdit": "按兩下即可編輯", - "addContent": "在這裡新增內容..." - }, - "sql/workbench/contrib/scripting/browser/scriptingActions": { - "refreshError": "重新整理節點 '{0}' 時發生錯誤: {1}" - }, - "sql/workbench/api/common/extHostModelViewDialog": { - "dialogDoneLabel": "完成", - "dialogCancelLabel": "取消", - "generateScriptLabel": "產生指令碼", - "dialogNextLabel": "下一個", - "dialogPreviousLabel": "上一個", - "dashboardNotInitialized": "索引標籤未初始化" - }, - "sql/workbench/browser/modal/optionsDialogHelper": { - "optionsDialog.missingRequireField": "是必要的。", - "optionsDialog.invalidInput": "輸入無效。預期為數字。" - }, - "sql/workbench/services/restore/browser/restoreDialog": { - "backupFilePath": "備份檔案路徑", - "targetDatabase": "目標資料庫", - "restoreDialog.restore": "還原", - "restoreDialog.restoreTitle": "還原資料庫", - "restoreDialog.database": "資料庫", - "restoreDialog.backupFile": "備份檔案", - "RestoreDialogTitle": "還原資料庫", - "restoreDialog.cancel": "取消", - "restoreDialog.script": "指令碼", - "source": "來源", - "restoreFrom": "還原自", - "missingBackupFilePathError": "需要備份檔案路徑。", - "multipleBackupFilePath": "請輸入一或多個用逗號分隔的檔案路徑", - "database": "資料庫", - "destination": "目的地", - "restoreTo": "還原到", - "restorePlan": "還原計劃", - "backupSetsToRestore": "要還原的備份組", - "restoreDatabaseFileAs": "將資料庫檔案還原為", - "restoreDatabaseFileDetails": "還原資料庫檔詳細資訊", - "logicalFileName": "邏輯檔案名稱", - "fileType": "檔案類型", - "originalFileName": "原始檔案名稱", - "restoreAs": "還原為", - "restoreOptions": "還原選項", - "taillogBackup": "結尾記錄備份", - "serverConnection": "伺服器連線", - "generalTitle": "一般", - "filesTitle": "檔案", - "optionsTitle": "選項" - }, - "sql/workbench/services/insights/browser/insightDialogActions": { - "workbench.action.insights.copySelection": "複製資料格" - }, - "sql/workbench/services/dialog/common/dialogTypes": { - "dialogModalDoneButtonLabel": "完成", - "dialogModalCancelButtonLabel": "取消" - }, - "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { - "copyAndOpen": "複製並開啟", - "oauthDialog.cancel": "取消", - "userCode": "使用者代碼", - "website": "網站" - }, - "sql/workbench/browser/modelComponents/componentBase": { - "invalidIndex": "索引 {0} 無效。" - }, - "sql/workbench/services/connection/browser/cmsConnectionWidget": { - "serverDescription": "伺服器描述 (選用)" - }, - "sql/workbench/services/connection/browser/advancedPropertiesController": { - "connectionAdvancedProperties": "進階屬性", - "advancedProperties.discard": "捨棄" - }, - "sql/workbench/services/notebook/common/localContentManager": { - "nbformatNotRecognized": "無法識別 nbformat v{0}.{1}", - "nbNotSupported": "檔案不具備有效的筆記本格式", - "unknownCellType": "資料格類型 {0} 不明", - "unrecognizedOutput": "無法識別輸出類型 {0}", - "invalidMimeData": "{0} 的資料應為字串或字串的陣列", - "unrecognizedOutputType": "無法識別輸出類型 {0}" - }, - "sql/workbench/contrib/welcome/page/browser/welcomePage": { - "welcomePage": "歡迎使用", - "welcomePage.adminPack": "SQL 管理員套件", - "welcomePage.showAdminPack": "SQL 管理員套件", - "welcomePage.adminPackDescription": "SQL Server 的管理員套件是一套熱門的資料庫管理延伸模組,可協助您管理 SQL Server", - "welcomePage.powershell": "PowerShell", - "welcomePage.powershellDescription": "使用 Azure Data Studio 的豐富查詢編輯器來寫入及執行 PowerShell 指令碼", - "welcomePage.dataVirtualization": "資料虛擬化", - "welcomePage.dataVirtualizationDescription": "使用 SQL Server 2019 將資料虛擬化,並使用互動式精靈建立外部資料表", - "welcomePage.PostgreSQL": "PostgreSQL", - "welcomePage.PostgreSQLDescription": "使用 Azure Data Studio 進行連線、查詢及管理 Postgres 資料庫", - "welcomePage.extensionPackAlreadyInstalled": "支援功能{0}已被安裝。", - "welcomePage.willReloadAfterInstallingExtensionPack": "{0} 的其他支援安裝完成後,將會重新載入此視窗。", - "welcomePage.installingExtensionPack": "正在安裝 {0} 的其他支援...", - "welcomePage.extensionPackNotFound": "找不到ID為{1}的{0}支援功能.", - "welcomePage.newConnection": "新增連線", - "welcomePage.newQuery": "新增查詢", - "welcomePage.newNotebook": "新增筆記本", - "welcomePage.deployServer": "部署伺服器", - "welcome.title": "歡迎使用", - "welcomePage.new": "新增", - "welcomePage.open": "開啟…", - "welcomePage.openFile": "開啟檔案…", - "welcomePage.openFolder": "開啟資料夾…", - "welcomePage.startTour": "開始導覽", - "closeTourBar": "關閉快速導覽列", - "WelcomePage.TakeATour": "要進行 Azure Data Studio 的快速導覽嗎?", - "WelcomePage.welcome": "歡迎使用!", - "welcomePage.openFolderWithPath": "透過路徑 {1} 開啟資料夾 {0}", - "welcomePage.install": "安裝", - "welcomePage.installKeymap": "安裝 {0} 鍵盤對應", - "welcomePage.installExtensionPack": "安裝 {0} 的其他支援", - "welcomePage.installed": "已安裝", - "welcomePage.installedKeymap": "已安裝 {0} 按鍵對應", - "welcomePage.installedExtensionPack": "已安裝 {0} 支援", - "ok": "確定", - "details": "詳細資料", - "welcomePage.background": "歡迎頁面的背景色彩。" - }, - "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { - "profilerTextEditorAriaLabel": "事件文字的分析工具編輯器。唯讀" - }, - "sql/workbench/services/query/common/resultSerializer": { - "msgSaveFailed": "無法儲存結果。", - "resultsSerializer.saveAsFileTitle": "選擇結果檔案", - "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (以逗號分隔)", - "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", - "resultsSerializer.saveAsFileExtensionExcelTitle": "Excel 活頁簿", - "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", - "resultsSerializer.saveAsFileExtensionTXTTitle": "純文字", - "savingFile": "正在儲存檔案...", - "msgSaveSucceeded": "已成功將結果儲存至 {0}", - "openFile": "開啟檔案" - }, - "sql/base/browser/ui/panel/panel.component": { - "hideTextLabel": "隱藏文字標籤", - "showTextLabel": "顯示文字標籤" - }, - "sql/workbench/browser/modelComponents/queryTextEditor": { - "queryTextEditorAriaLabel": "檢視模型的 modelview 程式碼編輯器。" - }, - "sql/workbench/browser/modal/modal": { - "infoAltText": "資訊", - "warningAltText": "警告", - "errorAltText": "錯誤", - "showMessageDetails": "顯示詳細資訊", - "copyMessage": "複製", - "closeMessage": "關閉", - "modal.back": "返回", - "hideMessageDetails": "隱藏詳細資料" - }, - "sql/workbench/services/accountManagement/browser/accountDialog": { - "accountExplorer.name": "帳戶", - "linkedAccounts": "連結的帳戶", - "accountDialog.close": "關閉", - "accountDialog.noAccountLabel": "沒有任何已連結帳戶。請新增帳戶。", - "accountDialog.addConnection": "新增帳戶", - "accountDialog.noCloudsRegistered": "您未啟用任何雲端。前往 [設定] -> [搜尋 Azure 帳戶組態] -> 啟用至少一個雲端", - "accountDialog.didNotPickAuthProvider": "您未選取任何驗證提供者。請再試一次。" - }, - "sql/workbench/services/query/common/queryRunner": { - "query.ExecutionFailedError": "由於意外錯誤導致執行失敗: {0} {1}", - "query.message.executionTime": "總執行時間: {0}", - "query.message.startQueryWithRange": "已於第 {0} 行開始執行查詢", - "query.message.startQuery": "已開始執行批次 {0}", - "elapsedBatchTime": "批次執行時間: {0}", - "copyFailed": "複製失敗。錯誤: {0}" - }, - "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { - "welcomePage.azdata": "Azure Data Studio", - "welcomePage.start": "開始", - "welcomePage.newConnection": "新增連線", - "welcomePage.newQuery": "新增查詢", - "welcomePage.newNotebook": "新增筆記本", - "welcomePage.openFileMac": "開啟檔案", - "welcomePage.openFileLinuxPC": "開啟檔案", - "welcomePage.deploy": "部署", - "welcomePage.newDeployment": "新增部署…", - "welcomePage.recent": "最近使用", - "welcomePage.moreRecent": "更多...", - "welcomePage.noRecentFolders": "沒有最近使用的資料夾", - "welcomePage.help": "說明", - "welcomePage.gettingStarted": "使用者入門", - "welcomePage.productDocumentation": "文件", - "welcomePage.reportIssue": "回報問題或功能要求", - "welcomePage.gitHubRepository": "GitHub 存放庫", - "welcomePage.releaseNotes": "版本資訊", - "welcomePage.showOnStartup": "啟動時顯示歡迎頁面", - "welcomePage.customize": "自訂", - "welcomePage.extensions": "延伸模組", - "welcomePage.extensionDescription": "下載所需延伸模組,包括 SQL Server 系統管理員套件等", - "welcomePage.keyboardShortcut": "鍵盤快速鍵", - "welcomePage.keyboardShortcutDescription": "尋找您最愛的命令並予加自訂", - "welcomePage.colorTheme": "色彩佈景主題", - "welcomePage.colorThemeDescription": "將編輯器和您的程式碼設定成您喜愛的外觀", - "welcomePage.learn": "了解", - "welcomePage.showCommands": "尋找及執行所有命令", - "welcomePage.showCommandsDescription": "從命令選擇區快速存取及搜尋命令 ({0})", - "welcomePage.azdataBlog": "探索最新版本中的新功能", - "welcomePage.azdataBlogDescription": "展示新功能的新每月部落格文章", - "welcomePage.followTwitter": "追蹤我們的 Twitter", - "welcomePage.followTwitterDescription": "掌握社群如何使用 Azure Data Studio 的最新消息,並可直接與工程師對話。" - }, - "sql/workbench/contrib/profiler/browser/profilerActions": { - "profilerAction.connect": "連線", - "profilerAction.disconnect": "中斷連線", - "start": "開始", - "create": "新增工作階段", - "profilerAction.pauseCapture": "暫停", - "profilerAction.resumeCapture": "繼續", - "profilerStop.stop": "停止", - "profiler.clear": "清除資料", - "profiler.clearDataPrompt": "確定要清除資料嗎?", - "profiler.yes": "是", - "profiler.no": "否", - "profilerAction.autoscrollOn": "自動捲動: 開啟", - "profilerAction.autoscrollOff": "自動捲動: 關閉", - "profiler.toggleCollapsePanel": "切換折疊面板", - "profiler.editColumns": "編輯資料行", - "profiler.findNext": "尋找下一個字串", - "profiler.findPrevious": "尋找前一個字串", - "profilerAction.newProfiler": "啟動分析工具", - "profiler.filter": "篩選...", - "profiler.clearFilter": "清除篩選", - "profiler.clearFilterPrompt": "確定要清除篩選嗎?" - }, - "sql/workbench/contrib/profiler/browser/profilerTableEditor": { - "ProfilerTableEditor.eventCountFiltered": "事件 (已篩選): {0}/{1}", - "ProfilerTableEditor.eventCount": "事件: {0}", - "status.eventCount": "事件計數" - }, - "sql/base/browser/ui/table/formatters": { - "tableCell.NoDataAvailable": "沒有可用資料" - }, - "sql/workbench/contrib/query/browser/queryResultsView": { - "resultsTabTitle": "結果", - "messagesTabTitle": "訊息" - }, - "sql/workbench/browser/scriptingUtils": { - "scriptSelectNotFound": "在物件上呼叫選取的指令碼時沒有回傳任何指令碼", - "selectOperationName": "選擇", - "createOperationName": "建立", - "insertOperationName": "插入", - "updateOperationName": "更新", - "deleteOperationName": "刪除", - "scriptNotFoundForObject": "在物件 {1} 指令碼為 {0} 時無回傳任何指令碼", - "scriptingFailed": "指令碼失敗", - "scriptNotFound": "指令碼為 {0} 時無回傳任何指令" - }, - "sql/platform/theme/common/colors": { - "tableHeaderBackground": "資料表標題背景色彩", - "tableHeaderForeground": "資料表標題前景色彩", - "listFocusAndSelectionBackground": "當清單/資料表處於使用狀態時,所選項目與聚焦項目的清單/資料表背景色彩", - "tableCellOutline": "資料格的外框色彩。", - "disabledInputBoxBackground": "已停用輸入方塊背景。", - "disabledInputBoxForeground": "已停用輸入方塊前景。", - "buttonFocusOutline": "聚焦時按鈕外框色彩。", - "disabledCheckboxforeground": "已停用核取方塊前景。", - "agentTableBackground": "SQL Agent 資料表背景色彩。", - "agentCellBackground": "SQL Agent 資料表資料格背景色彩。", - "agentTableHoverBackground": "SQL Agent 資料表暫留背景色彩。", - "agentJobsHeadingColor": "SQL Agent 標題背景色彩。", - "agentCellBorderColor": "SQL Agent 資料表資料格邊框色彩。", - "resultsErrorColor": "結果訊息錯誤色彩。" - }, - "sql/workbench/contrib/backup/browser/backup.component": { - "backup.backupName": "備份名稱", - "backup.recoveryModel": "復原模式", - "backup.backupType": "備份類型", - "backup.backupDevice": "備份檔案", - "backup.algorithm": "演算法", - "backup.certificateOrAsymmetricKey": "憑證或非對稱金鑰", - "backup.media": "媒體", - "backup.mediaOption": "備份到現有的媒體集", - "backup.mediaOptionFormat": "備份到新媒體集", - "backup.existingMediaAppend": "附加至現有的備份組", - "backup.existingMediaOverwrite": "覆寫所有現有的備份集", - "backup.newMediaSetName": "新增媒體集名稱", - "backup.newMediaSetDescription": "新增媒體集描述", - "backup.checksumContainer": "在寫入媒體前執行檢查碼", - "backup.verifyContainer": "完成後驗證備份", - "backup.continueOnErrorContainer": "錯誤時繼續", - "backup.expiration": "逾期", - "backup.setBackupRetainDays": "設定備份保留天數", - "backup.copyOnly": "僅複製備份", - "backup.advancedConfiguration": "進階組態", - "backup.compression": "壓縮", - "backup.setBackupCompression": "設定備份壓縮", - "backup.encryption": "加密", - "backup.transactionLog": "交易記錄", - "backup.truncateTransactionLog": "截斷交易記錄", - "backup.backupTail": "備份最後的記錄", - "backup.reliability": "可靠性", - "backup.mediaNameRequired": "需要媒體名稱", - "backup.noEncryptorWarning": "沒有憑證或非對稱金鑰可用", - "addFile": "增加檔案", - "removeFile": "移除檔案", - "backupComponent.invalidInput": "輸入無效。值必須大於或等於 0。", - "backupComponent.script": "指令碼", - "backupComponent.backup": "備份", - "backupComponent.cancel": "取消", - "backup.containsBackupToUrlError": "僅支援備份到檔案", - "backup.backupFileRequired": "需要備份檔案路徑" + "sql/platform/serialization/common/serializationService": { + "saveAsNotSupported": "正在將結果儲存為其他格式,但此資料提供者已停用該格式。", + "noSerializationProvider": "因為未註冊任何提供者,所以無法序列化資料", + "unknownSerializationError": "因為發生未知錯誤,導致序列化失敗" }, "sql/platform/theme/common/colorRegistry": { "tileBorder": "磚的框線色彩", @@ -10587,231 +9425,184 @@ "calloutDialogBodyBackground": "圖說文字對話方塊內文背景。", "calloutDialogShadowColor": "圖說文字對話方塊陰影色彩。" }, - "sql/workbench/contrib/views/browser/treeView": { - "no-dataprovider": "沒有任何已註冊的資料提供者可提供檢視資料。", - "refresh": "重新整理", - "collapseAll": "全部摺疊", - "command-error": "執行命令 {1} 時發生錯誤: {0}。這可能是貢獻 {1} 的延伸模組所引起。" + "sql/platform/theme/common/colors": { + "tableHeaderBackground": "資料表標題背景色彩", + "tableHeaderForeground": "資料表標題前景色彩", + "listFocusAndSelectionBackground": "當清單/資料表處於使用狀態時,所選項目與聚焦項目的清單/資料表背景色彩", + "tableCellOutline": "資料格的外框色彩。", + "disabledInputBoxBackground": "已停用輸入方塊背景。", + "disabledInputBoxForeground": "已停用輸入方塊前景。", + "buttonFocusOutline": "聚焦時按鈕外框色彩。", + "disabledCheckboxforeground": "已停用核取方塊前景。", + "agentTableBackground": "SQL Agent 資料表背景色彩。", + "agentCellBackground": "SQL Agent 資料表資料格背景色彩。", + "agentTableHoverBackground": "SQL Agent 資料表暫留背景色彩。", + "agentJobsHeadingColor": "SQL Agent 標題背景色彩。", + "agentCellBorderColor": "SQL Agent 資料表資料格邊框色彩。", + "resultsErrorColor": "結果訊息錯誤色彩。" }, - "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { - "notebook.failed": "請選取作用資料格並再試一次", - "runCell": "執行資料格", - "stopCell": "取消執行", - "errorRunCell": "上一個執行發生錯誤。按一下即可重新執行" + "sql/workbench/api/browser/mainThreadExtensionManagement": { + "workbench.generalObsoleteApiNotification": "載入的延伸模組中,有一些使用淘汰的 API。請參閱「開發人員工具」視窗 [主控台] 索引標籤中的詳細資訊", + "dontShowAgain": "不要再顯示" }, - "sql/workbench/contrib/tasks/common/tasksAction": { - "cancelTask.cancel": "取消", - "errorMsgFromCancelTask": "工作無法取消。", - "taskAction.script": "指令碼" - }, - "sql/base/browser/ui/taskbar/overflowActionbar": { - "toggleMore": "切換更多" - }, - "sql/base/browser/ui/table/plugins/loadingSpinner.plugin": { - "loadingSpinner.loading": "正在載入" - }, - "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { - "homeCrumb": "首頁" - }, - "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { - "dashboardNavSection.loadTabError": "\"{0}\" 區段有無效的內容。請連絡延伸模組擁有者。" - }, - "sql/workbench/contrib/jobManagement/browser/agentView.component": { - "jobview.Jobs": "作業", - "jobview.Notebooks": "Notebooks", - "jobview.Alerts": "警示", - "jobview.Proxies": "Proxy", - "jobview.Operators": "運算子" - }, - "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { - "serverPageName": "伺服器屬性" - }, - "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { - "databasePageName": "資料庫屬性" - }, - "sql/base/browser/ui/table/plugins/checkboxSelectColumn.plugin": { - "selectDeselectAll": "選擇/取消全選" - }, - "sql/base/browser/ui/table/plugins/headerFilter.plugin": { - "headerFilter.showFilter": "顯示篩選", - "headerFilter.ok": "確定", - "headerFilter.clear": "清除", - "headerFilter.cancel": "取消" - }, - "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { - "treeAriaLabel": "最近的連線", - "serversAriaLabel": "伺服器", - "treeCreation.regTreeAriaLabel": "伺服器" - }, - "sql/workbench/services/restore/common/constants": { - "backup.filterBackupFiles": "備份檔案", - "backup.allFiles": "所有檔案" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { - "label.Search": "搜尋: 輸入搜尋字詞,然後按 Enter 鍵搜尋或按 Esc 鍵取消", - "search.placeHolder": "搜尋" - }, - "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { - "dashboard.changeDatabaseFailure": "變更資料庫失敗" - }, - "sql/workbench/contrib/jobManagement/browser/alertsView.component": { - "jobAlertColumns.name": "名稱", - "jobAlertColumns.lastOccurrenceDate": "上次發生", - "jobAlertColumns.enabled": "啟用", - "jobAlertColumns.delayBetweenResponses": "回應之間的延遲 (秒)", - "jobAlertColumns.categoryName": "類別名稱" - }, - "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { - "jobOperatorsView.name": "名稱", - "jobOperatorsView.emailAddress": "電子郵件地址", - "jobOperatorsView.enabled": "啟用" - }, - "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { - "jobProxiesView.accountName": "帳戶名稱", - "jobProxiesView.credentialName": "認證名稱", - "jobProxiesView.description": "描述", - "jobProxiesView.isEnabled": "啟用" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { - "loadingObjects": "正在載入物件", - "loadingDatabases": "正在載入資料庫", - "loadingObjectsCompleted": "已完成載入物件。", - "loadingDatabasesCompleted": "已完成載入資料庫。", - "seachObjects": "依類型名稱搜尋 (t:、v:、f: 或 sp:)", - "searchDatabases": "搜尋資料庫", - "dashboard.explorer.objectError": "無法載入物件", - "dashboard.explorer.databaseError": "無法載入資料庫" - }, - "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { - "loadingProperties": "正在載入屬性", - "loadingPropertiesCompleted": "已完成載入屬性", - "dashboard.properties.error": "無法載入儀表板屬性" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { - "insightsWidgetLoadingMessage": "正在載入 {0}", - "insightsWidgetLoadingCompletedMessage": "已完成載入 {0}", - "insights.autoRefreshOffState": "自動重新整理: 關閉", - "insights.lastUpdated": "最近更新: {0} {1}", - "noResults": "沒有可顯示的結果" - }, - "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { - "agent.steps": "步驟" - }, - "sql/workbench/contrib/query/browser/actions": { - "saveAsCsv": "另存為 CSV", - "saveAsJson": "另存為 JSON", - "saveAsExcel": "另存為 Excel", - "saveAsXml": "另存為 XML", - "jsonEncoding": "匯出至 JSON 時將不會儲存結果編碼,請務必在建立檔案後儲存所需的編碼。", - "saveToFileNotSupported": "回溯資料來源不支援儲存為檔案", - "copySelection": "複製", - "copyWithHeaders": "隨標題一同複製", - "selectAll": "全選", - "maximize": "最大化", - "restore": "還原", - "chart": "圖表", - "visualizer": "視覺化檢視" + "sql/workbench/api/browser/mainThreadNotebookDocumentsAndEditors": { + "runActiveCell": "F5 快速鍵需要選取程式碼資料格。請選取要執行的程式碼資料格。", + "clearResultActiveCell": "清除結果需要選取程式碼資料格。請選取要執行的程式碼資料格。" }, "sql/workbench/api/common/extHostModelView": { "unknownComponentType": "未知元件類型。必須使用 ModelBuilder 建立物件", "invalidIndex": "索引 {0} 無效。", "unknownConfig": "元件設定不明,必須使用 ModelBuilder 才能建立設定物件" }, - "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { - "stepRow.stepID": "步驟識別碼", - "stepRow.stepName": "步驟名稱", - "stepRow.message": "訊息" + "sql/workbench/api/common/extHostModelViewDialog": { + "dialogDoneLabel": "完成", + "dialogCancelLabel": "取消", + "generateScriptLabel": "產生指令碼", + "dialogNextLabel": "下一個", + "dialogPreviousLabel": "上一個", + "dashboardNotInitialized": "索引標籤未初始化" }, - "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { - "label.find": "尋找", - "placeholder.find": "尋找", - "label.previousMatchButton": "上一個相符", - "label.nextMatchButton": "下一個相符", - "label.closeButton": "關閉", - "title.matchesCountLimit": "您的搜尋傳回了大量結果,只會將前 999 個相符項目醒目提示。", - "label.matchesLocation": "{0}/{1} 個", - "label.noResults": "沒有任何結果" + "sql/workbench/api/common/extHostModelViewTree": { + "treeView.notRegistered": "未註冊識別碼為 '{0}' 的樹狀檢視。" }, - "sql/workbench/contrib/charts/browser/chartView": { - "horizontalBarAltName": "水平橫條圖", - "barAltName": "橫條圖", - "lineAltName": "折線圖", - "pieAltName": "圓形圖", - "scatterAltName": "散佈圖", - "timeSeriesAltName": "時間序列", - "imageAltName": "映像", - "countAltName": "計數", - "tableAltName": "資料表", - "doughnutAltName": "環圈圖", - "charting.failedToGetRows": "無法取得資料集的資料列以繪製圖表。", - "charting.unsupportedType": "不支援圖表類型 '{0}'。" + "sql/workbench/api/common/extHostNotebook": { + "providerRequired": "必須將具有有效 providerId 的 NotebookProvider 傳遞給此方法", + "errNoProvider": "找不到任何筆記本提供者", + "errNoManager": "找不到管理員", + "noServerManager": "筆記本 {0} 的 Notebook 管理員沒有伺服器管理員。無法對其執行作業", + "noContentManager": "筆記本 {0} 的 Notebook 管理員沒有內容管理員。無法對其執行作業", + "noSessionManager": "筆記本 {0} 的 Notebook 管理員沒有工作階段管理員。無法對其執行作業" }, - "sql/workbench/contrib/notebook/browser/cellViews/code.component": { - "parametersText": "參數" + "sql/workbench/api/common/extHostNotebookDocumentsAndEditors": { + "providerRequired": "必須將具有有效 providerId 的 NotebookProvider 傳遞給此方法" }, - "sql/workbench/services/connection/browser/localizedConstants": { - "onDidConnectMessage": "已連線到", - "onDidDisconnectMessage": "已中斷連線", - "unsavedGroupLabel": "未儲存的連線" + "sql/workbench/browser/actions": { + "manage": "管理", + "showDetails": "顯示詳細資訊", + "configureDashboardLearnMore": "深入了解", + "clearSavedAccounts": "清除所有儲存的帳戶" }, - "sql/workbench/services/connection/browser/connectionBrowseTab": { - "connectionDialog.browser": "瀏覽 (預覽)", - "connectionDialog.FilterPlaceHolder": "在此鍵入以篩選清單", - "connectionDialog.FilterInputTitle": "篩選連線", - "connectionDialog.ApplyingFilter": "正在套用篩選", - "connectionDialog.RemovingFilter": "正在移除篩選", - "connectionDialog.FilterApplied": "已套用篩選", - "connectionDialog.FilterRemoved": "已移除篩選", - "savedConnections": "已儲存的連線", - "savedConnection": "已儲存的連線", - "connectionBrowserTree": "連線瀏覽器樹狀結構" + "sql/workbench/browser/actions.contribution": { + "previewFeatures.configTitle": "預覽功能", + "previewFeatures.configEnable": "啟用未發佈的預覽功能", + "showConnectDialogOnStartup": "啟動時顯示連線對話方塊", + "enableObsoleteApiUsageNotificationTitle": "淘汰 API 通知", + "enableObsoleteApiUsageNotification": "啟用/停用使用淘汰的 API 通知" }, - "sql/workbench/contrib/extensions/browser/staticRecommendations": { - "defaultRecommendations": "Azure Data Studio 建議使用此延伸模組。" + "sql/workbench/browser/editData/editDataInput": { + "connectionFailure": "編輯資料工作階段連線失敗" }, - "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { - "neverShowAgain": "不要再顯示", - "ExtensionsRecommended": "Azure Data Studio 有延伸模組建議。", - "VisualizerExtensionsRecommended": "Azure Data Studio 有資料視覺效果的延伸模組建議。\r\n安裝之後,即可選取視覺化檢視圖示,將查詢結果視覺化。", - "installAll": "全部安裝", - "showRecommendations": "顯示建議", - "scenarioTypeUndefined": "必須提供延伸模組建議的案例類型。" + "sql/workbench/browser/editor/profiler/profilerInput": { + "profilerInput.profiler": "分析工具", + "profilerInput.notConnected": "未連線", + "profiler.sessionStopped": "伺服器 {0} 上的 XEvent 分析工具工作階段意外停止。", + "profiler.sessionCreationError": "啟動新的工作階段時發生錯誤", + "profiler.eventsLost": "{0} 的 XEvent 分析工具工作階段遺失事件。" }, - "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { - "welcomePage.previewBody": "這個功能頁面仍在預覽階段。預覽功能會引進新功能,並逐步成為產品中永久的一部分。這些功能雖然穩定,但在使用上仍需要改善。歡迎您在功能開發期間提供早期的意見反應。", - "welcomePage.preview": "預覽", - "welcomePage.createConnection": "建立連線", - "welcomePage.createConnectionBody": "透過連線對話方塊連線到資料庫執行個體。", - "welcomePage.runQuery": "執行查詢", - "welcomePage.runQueryBody": "透過查詢編輯器與資料互動。", - "welcomePage.createNotebook": "建立筆記本", - "welcomePage.createNotebookBody": "使用原生筆記本編輯器建置新的筆記本。", - "welcomePage.deployServer": "部署伺服器", - "welcomePage.deployServerBody": "在您選擇的平台上建立關聯式資料服務的新執行個體。", - "welcomePage.resources": "資源", - "welcomePage.history": "記錄", - "welcomePage.name": "名稱", - "welcomePage.location": "位置", - "welcomePage.moreRecent": "顯示更多", - "welcomePage.showOnStartup": "啟動時顯示歡迎頁面", - "welcomePage.usefuLinks": "實用的連結", - "welcomePage.gettingStarted": "使用者入門", - "welcomePage.gettingStartedBody": "探索 Azure Data Studio 提供的功能,並了解如何充分利用。", - "welcomePage.documentation": "文件", - "welcomePage.documentationBody": "如需快速入門、操作指南及 PowerShell、API 等參考,請瀏覽文件中心。", - "welcomePage.videoDescriptionOverview": "Azure Data Studio 概觀", - "welcomePage.videoDescriptionIntroduction": "Azure Data Studio Notebooks 簡介 | 公開的資料", - "welcomePage.extensions": "延伸模組", - "welcomePage.showAll": "全部顯示", - "welcomePage.learnMore": "深入了解 " + "sql/workbench/browser/editor/resourceViewer/resourceViewerInput": { + "resourceViewer.showActions": "顯示動作", + "resourceViewerInput.resourceViewer": "資源檢視器" }, - "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { - "notebookHistory.dateCreatedTooltip": "建立日期:", - "notebookHistory.notebookErrorTooltip": "Notebook 錯誤:", - "notebookHistory.ErrorTooltip": "作業錯誤:", - "notebookHistory.pinnedTitle": "已釘選", - "notebookHistory.recentRunsTitle": "最近的執行", - "notebookHistory.pastRunsTitle": "過去的執行" + "sql/workbench/browser/modal/modal": { + "infoAltText": "資訊", + "warningAltText": "警告", + "errorAltText": "錯誤", + "showMessageDetails": "顯示詳細資訊", + "copyMessage": "複製", + "closeMessage": "關閉", + "modal.back": "返回", + "hideMessageDetails": "隱藏詳細資料" + }, + "sql/workbench/browser/modal/optionsDialog": { + "optionsDialog.ok": "確定", + "optionsDialog.cancel": "取消" + }, + "sql/workbench/browser/modal/optionsDialogHelper": { + "optionsDialog.missingRequireField": "是必要的。", + "optionsDialog.invalidInput": "輸入無效。預期為數字。" + }, + "sql/workbench/browser/modelComponents/componentBase": { + "invalidIndex": "索引 {0} 無效。" + }, + "sql/workbench/browser/modelComponents/declarativeTable.component": { + "blankValue": "空白", + "checkAllColumnLabel": "選取資料行中的所有核取方塊: {0}", + "declarativeTable.showActions": "顯示動作" + }, + "sql/workbench/browser/modelComponents/dropdown.component": { + "loadingMessage": "正在載入", + "loadingCompletedMessage": "已完成載入" + }, + "sql/workbench/browser/modelComponents/inputbox.component": { + "invalidValueError": "值無效", + "period": "{0}. {1}" + }, + "sql/workbench/browser/modelComponents/loadingComponent.component": { + "loadingMessage": "正在載入", + "loadingCompletedMessage": "已完成載入" + }, + "sql/workbench/browser/modelComponents/queryTextEditor": { + "queryTextEditorAriaLabel": "檢視模型的 modelview 程式碼編輯器。" + }, + "sql/workbench/browser/modelComponents/viewBase": { + "componentTypeNotRegistered": "找不到類型 {0} 的元件" + }, + "sql/workbench/browser/parts/editor/editorStatusModeSelect": { + "languageChangeUnsupported": "無法變更尚未儲存之檔案的編輯器類型" + }, + "sql/workbench/browser/scriptingActions": { + "scriptSelect": "選取前 1000", + "scriptKustoSelect": "取用 10 筆", + "scriptExecute": "作為指令碼執行", + "scriptAlter": "修改指令碼", + "editData": "編輯資料", + "scriptCreate": "建立指令碼", + "scriptDelete": "將指令碼編寫為 Drop" + }, + "sql/workbench/browser/scriptingUtils": { + "scriptSelectNotFound": "在物件上呼叫選取的指令碼時沒有回傳任何指令碼", + "selectOperationName": "選擇", + "createOperationName": "建立", + "insertOperationName": "插入", + "updateOperationName": "更新", + "deleteOperationName": "刪除", + "scriptNotFoundForObject": "在物件 {1} 指令碼為 {0} 時無回傳任何指令碼", + "scriptingFailed": "指令碼失敗", + "scriptNotFound": "指令碼為 {0} 時無回傳任何指令" + }, + "sql/workbench/common/editor/query/queryEditorInput": { + "disconnected": "已中斷連線" + }, + "sql/workbench/common/editor/query/queryResultsInput": { + "extensionsInputName": "延伸模組" + }, + "sql/workbench/common/theme": { + "verticalTabActiveBackground": "垂直索引標籤的作用中索引標籤背景色彩", + "dashboardBorder": "儀表板中框線的色彩", + "dashboardWidget": "儀表板 Widget 標題的色彩", + "dashboardWidgetSubtext": "儀表板 Widget 次文字的色彩", + "propertiesContainerPropertyValue": "屬性容器元件中顯示的屬性值色彩", + "propertiesContainerPropertyName": "屬性容器元件中顯示的屬性名稱色彩", + "toolbarOverflowShadow": "工具列溢位陰影色彩" + }, + "sql/workbench/contrib/accounts/browser/accountManagement.contribution": { + "carbon.extension.contributes.account.id": "帳戶類型的識別碼", + "carbon.extension.contributes.account.icon": "(選用) 用於 UI 中表示 accpunt 的圖示。任一檔案路徑或主題化的設定。", + "carbon.extension.contributes.account.icon.light": "使用亮色主題時的圖示路徑", + "carbon.extension.contributes.account.icon.dark": "使用暗色主題時的圖像路徑", + "carbon.extension.contributes.account": "將圖示貢獻給帳戶供應者。" + }, + "sql/workbench/contrib/assessment/browser/asmtActions": { + "asmtaction.server.getitems": "檢視適用的規則", + "asmtaction.database.getitems": "檢視適用於 {0} 的規則", + "asmtaction.server.invokeitems": "叫用評定", + "asmtaction.database.invokeitems": "為 {0} 叫用評定", + "asmtaction.exportasscript": "匯出為指令碼", + "asmtaction.showsamples": "檢視所有規則,並前往 GitHub 深入了解", + "asmtaction.generatehtmlreport": "建立 HTML 報表", + "asmtaction.openReport": "已儲存報表。要開啟嗎?", + "asmtaction.label.open": "開啟", + "asmtaction.label.cancel": "取消" }, "sql/workbench/contrib/assessment/browser/asmtResultsView.component": { "asmt.NoResultsInitial": "沒有任何可顯示的項目。請叫用評定以取得結果", @@ -10821,110 +9612,6 @@ "asmt.TargetInstanceComplient": "執行個體 {0} 完全符合最佳做法。做得好!", "asmt.TargetDatabaseComplient": "資料庫 {0} 完全符合最佳做法。做得好!" }, - "sql/workbench/contrib/charts/browser/chartTab": { - "chartTabTitle": "圖表" - }, - "sql/workbench/contrib/queryPlan/browser/topOperations": { - "topOperations.operation": "作業", - "topOperations.object": "物件", - "topOperations.estCost": "估計成本", - "topOperations.estSubtreeCost": "估計的樹狀子目錄成本", - "topOperations.actualRows": "實際資料列數", - "topOperations.estRows": "估計資料列數", - "topOperations.actualExecutions": "實際執行次數", - "topOperations.estCPUCost": "估計 CPU 成本", - "topOperations.estIOCost": "估計 IO 成本", - "topOperations.parallel": "平行作業", - "topOperations.actualRebinds": "實際重新繫結數", - "topOperations.estRebinds": "估計重新繫結數", - "topOperations.actualRewinds": "實際倒轉數", - "topOperations.estRewinds": "估計倒轉數", - "topOperations.partitioned": "已分割", - "topOperationsTitle": "最前幾項操作" - }, - "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { - "servers.noConnections": "找不到連線。", - "serverTree.addConnection": "新增連線" - }, - "sql/workbench/services/connection/browser/connectionWidget": { - "connectionWidget.AddAzureAccount": "新增帳戶...", - "defaultDatabaseOption": "<預設>", - "loadingDatabaseOption": "正在載入...", - "serverGroup": "伺服器群組", - "defaultServerGroup": "<預設>", - "addNewServerGroup": "新增群組...", - "noneServerGroup": "<不要儲存>", - "connectionWidget.missingRequireField": "{0} 為必要項。", - "connectionWidget.fieldWillBeTrimmed": "{0} 將受到修剪。", - "rememberPassword": "記住密碼", - "connection.azureAccountDropdownLabel": "帳戶", - "connectionWidget.refreshAzureCredentials": "重新整理帳戶登入資訊", - "connection.azureTenantDropdownLabel": "Azure AD 租用戶", - "connectionName": "名稱 (選用)", - "advanced": "進階...", - "connectionWidget.invalidAzureAccount": "您必須選取帳戶" - }, - "sql/workbench/contrib/backup/common/constants": { - "backup.labelDatabase": "資料庫", - "backup.labelFilegroup": "檔案與檔案群組", - "backup.labelFull": "完整", - "backup.labelDifferential": "差異", - "backup.labelLog": "交易記錄", - "backup.labelDisk": "磁碟", - "backup.labelUrl": "URL", - "backup.defaultCompression": "使用預設伺服器設定", - "backup.compressBackup": "壓縮備份", - "backup.doNotCompress": "不要壓縮備份", - "backup.serverCertificate": "伺服器憑證", - "backup.asymmetricKey": "非對稱金鑰" - }, - "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { - "searchWithoutFolder": "您尚未開啟任何包含筆記本/書籍的資料夾。", - "openNotebookFolder": "開啟筆記本", - "searchMaxResultsWarning": "結果集只包含所有符合項的子集。請提供更具體的搜尋條件以縮小結果範圍。", - "searchInProgress": "正在搜尋... - ", - "noResultsIncludesExcludes": "在 '{0}' 中找不到排除 '{1}' 的結果 - ", - "noResultsIncludes": "在 '{0}' 中找不到結果 - ", - "noResultsExcludes": "找不到排除 '{0}' 的結果 - ", - "noResultsFound": "找不到任何結果。請檢閱您所設定排除的設定,並檢查您的 gitignore 檔案 -", - "rerunSearch.message": "再次搜尋", - "cancelSearch.message": "取消搜尋", - "rerunSearchInAll.message": "在所有檔案中再次搜尋", - "openSettings.message": "開啟設定", - "ariaSearchResultsStatus": "搜尋傳回 {1} 個檔案中的 {0} 個結果", - "ToggleCollapseAndExpandAction.label": "切換折疊和展開", - "CancelSearchAction.label": "取消搜尋", - "ExpandAllAction.label": "全部展開", - "CollapseDeepestExpandedLevelAction.label": "全部摺疊", - "ClearSearchResultsAction.label": "清除搜尋結果" - }, - "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { - "GuidedTour.connections": "連線", - "GuidedTour.makeConnections": "從 SQL Server、Azure 等處進行連線、查詢及管理您的連線。", - "GuidedTour.one": "1", - "GuidedTour.next": "下一個", - "GuidedTour.notebooks": "筆記本", - "GuidedTour.gettingStartedNotebooks": "開始在單一位置建立您自己的筆記本或筆記本系列。", - "GuidedTour.two": "2", - "GuidedTour.extensions": "延伸模組", - "GuidedTour.addExtensions": "安裝由我們 (Microsoft) 及第三方社群 (您!) 所開發的延伸模組,來擴充 Azure Data Studio 的功能。", - "GuidedTour.three": "3", - "GuidedTour.settings": "設定", - "GuidedTour.makeConnesetSettings": "根據您的喜好自訂 Azure Data Studio。您可以進行自動儲存及索引標籤大小等 [設定]、將 [鍵盤快速鍵] 個人化,以及切換至您喜歡的 [色彩佈景主題]。", - "GuidedTour.four": "4", - "GuidedTour.welcomePage": "歡迎頁面", - "GuidedTour.discoverWelcomePage": "在歡迎頁面中探索常用功能、最近開啟的檔案及建議的延伸模組。如需詳細資訊,以了解如何開始使用 Azure Data Studio,請參閱我們的影片及文件。", - "GuidedTour.five": "5", - "GuidedTour.finish": "完成", - "guidedTour": "使用者歡迎導覽", - "hideGuidedTour": "隱藏歡迎導覽", - "GuidedTour.readMore": "深入了解", - "help": "說明" - }, - "sql/workbench/contrib/editData/browser/editDataGridActions": { - "deleteRow": "刪除資料列", - "revertRow": "還原目前的資料列" - }, "sql/workbench/contrib/assessment/common/strings": { "asmt.section.api.title": "API 資訊", "asmt.apiversion": "API 版本:", @@ -10947,171 +9634,81 @@ "asmt.column.helpLink": "說明連結", "asmt.sqlReport.severityMsg": "{0}: {1} 個項目" }, - "sql/workbench/contrib/query/browser/messagePanel": { - "messagePanel": "訊息面板", - "copy": "複製", - "copyAll": "全部複製" + "sql/workbench/contrib/azure/browser/azure.contribution": { + "azure.openInAzurePortal.title": "在 Azure 入口網站中開啟" }, - "sql/base/browser/ui/loadingSpinner/loadingSpinner.component": { - "loadingMessage": "正在載入", - "loadingCompletedMessage": "已完成載入" + "sql/workbench/contrib/backup/browser/backup.component": { + "backup.backupName": "備份名稱", + "backup.recoveryModel": "復原模式", + "backup.backupType": "備份類型", + "backup.backupDevice": "備份檔案", + "backup.algorithm": "演算法", + "backup.certificateOrAsymmetricKey": "憑證或非對稱金鑰", + "backup.media": "媒體", + "backup.mediaOption": "備份到現有的媒體集", + "backup.mediaOptionFormat": "備份到新媒體集", + "backup.existingMediaAppend": "附加至現有的備份組", + "backup.existingMediaOverwrite": "覆寫所有現有的備份集", + "backup.newMediaSetName": "新增媒體集名稱", + "backup.newMediaSetDescription": "新增媒體集描述", + "backup.checksumContainer": "在寫入媒體前執行檢查碼", + "backup.verifyContainer": "完成後驗證備份", + "backup.continueOnErrorContainer": "錯誤時繼續", + "backup.expiration": "逾期", + "backup.setBackupRetainDays": "設定備份保留天數", + "backup.copyOnly": "僅複製備份", + "backup.advancedConfiguration": "進階組態", + "backup.compression": "壓縮", + "backup.setBackupCompression": "設定備份壓縮", + "backup.encryption": "加密", + "backup.transactionLog": "交易記錄", + "backup.truncateTransactionLog": "截斷交易記錄", + "backup.backupTail": "備份最後的記錄", + "backup.reliability": "可靠性", + "backup.mediaNameRequired": "需要媒體名稱", + "backup.noEncryptorWarning": "沒有憑證或非對稱金鑰可用", + "addFile": "增加檔案", + "removeFile": "移除檔案", + "backupComponent.invalidInput": "輸入無效。值必須大於或等於 0。", + "backupComponent.script": "指令碼", + "backupComponent.backup": "備份", + "backupComponent.cancel": "取消", + "backup.containsBackupToUrlError": "僅支援備份到檔案", + "backup.backupFileRequired": "需要備份檔案路徑" }, - "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { - "clickOn": "按一下", - "plusCode": "+ 程式碼", - "or": "或", - "plusText": "+ 文字", - "toAddCell": "新增程式碼或文字資料格" + "sql/workbench/contrib/backup/browser/backup.contribution": { + "backup": "備份" }, - "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { - "stdInLabel": "Stdin: " + "sql/workbench/contrib/backup/browser/backupActions": { + "backup.isPreviewFeature": "您必須啟用預覽功能才能使用備份", + "backup.commandNotSupportedForServer": "資料庫內容中不支援備份命令。請選取資料庫並再試一次。", + "backup.commandNotSupported": "Azure SQL 資料庫不支援備份命令。", + "backupAction.backup": "備份" }, - "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { - "expandCellContents": "展開程式碼資料格內容", - "collapseCellContents": "摺疊程式碼資料格內容" + "sql/workbench/contrib/backup/common/constants": { + "backup.labelDatabase": "資料庫", + "backup.labelFilegroup": "檔案與檔案群組", + "backup.labelFull": "完整", + "backup.labelDifferential": "差異", + "backup.labelLog": "交易記錄", + "backup.labelDisk": "磁碟", + "backup.labelUrl": "URL", + "backup.defaultCompression": "使用預設伺服器設定", + "backup.compressBackup": "壓縮備份", + "backup.doNotCompress": "不要壓縮備份", + "backup.serverCertificate": "伺服器憑證", + "backup.asymmetricKey": "非對稱金鑰" }, - "sql/workbench/contrib/query/browser/gridPanel": { - "xmlShowplan": "XML 執行程序表", - "resultsGrid": "結果方格" - }, - "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { - "buttonAdd": "新增資料格", - "optionCodeCell": "程式碼資料格", - "optionTextCell": "文字資料格", - "buttonMoveDown": "下移資料格", - "buttonMoveUp": "上移資料格", - "buttonDelete": "刪除", - "codeCellsPreview": "新增資料格", - "codePreview": "程式碼資料格", - "textPreview": "文字資料格" - }, - "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { - "sqlKernelError": "SQL 核心錯誤", - "connectionRequired": "必須選擇連線來執行筆記本資料格", - "sqlMaxRowsDisplayed": "目前顯示前 {0} 列。" - }, - "sql/workbench/contrib/jobManagement/browser/jobsView.component": { - "jobColumns.name": "名稱", - "jobColumns.lastRun": "上次執行", - "jobColumns.nextRun": "下次執行", - "jobColumns.enabled": "啟用", - "jobColumns.status": "狀態", - "jobColumns.category": "分類", - "jobColumns.runnable": "可執行", - "jobColumns.schedule": "排程", - "jobColumns.lastRunOutcome": "上次執行結果", - "jobColumns.previousRuns": "先前的執行內容", - "jobsView.noSteps": "沒有任何此作業可用的步驟。", - "jobsView.error": "錯誤:" - }, - "sql/workbench/browser/modelComponents/viewBase": { - "componentTypeNotRegistered": "找不到類型 {0} 的元件" - }, - "sql/workbench/contrib/profiler/browser/profilerFindWidget": { - "label.find": "尋找", - "placeholder.find": "尋找", - "label.previousMatchButton": "上一個符合項目", - "label.nextMatchButton": "下一個符合項目", - "label.closeButton": "關閉", - "title.matchesCountLimit": "您的搜尋傳回了大量結果,只會將前 999 個相符項目醒目提示。", - "label.matchesLocation": "{1} 的 {0}", - "label.noResults": "查無結果" - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { - "dashboard.explorer.namePropertyDisplayValue": "名稱", - "dashboard.explorer.schemaDisplayValue": "結構描述", - "dashboard.explorer.objectTypeDisplayValue": "類型" - }, - "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { - "insights.runQuery": "執行查詢" - }, - "sql/workbench/contrib/notebook/browser/cellViews/output.component": { - "noMimeTypeFound": "找不到輸出的 {0} 轉譯器。其有下列 MIME 類型: {1}", - "safe": "安全", - "noSelectorFound": "找不到選取器 {0} 的元件", - "componentRenderError": "轉譯元件時發生錯誤: {0}" - }, - "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { - "loading": "正在載入..." - }, - "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { - "loading": "正在載入..." - }, - "sql/workbench/contrib/dashboard/browser/core/actions": { - "editDashboard": "編輯", - "editDashboardExit": "結束", - "refreshWidget": "重新整理", - "toggleMore": "顯示動作", - "deleteWidget": "刪除小工具", - "clickToUnpin": "按一下以取消釘選", - "clickToPin": "按一下以釘選", - "addFeatureAction.openInstalledFeatures": "開啟已安裝的功能", - "collapseWidget": "摺疊小工具", - "expandWidget": "展開小工具" - }, - "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { - "unknownDashboardContainerError": "{0} 是不明容器。" - }, - "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { - "notebookColumns.name": "名稱", - "notebookColumns.targetDatbase": "目標資料庫", - "notebookColumns.lastRun": "上次執行", - "notebookColumns.nextRun": "下次執行", - "notebookColumns.status": "狀態", - "notebookColumns.lastRunOutcome": "上次執行結果", - "notebookColumns.previousRuns": "先前的執行內容", - "notebooksView.noSteps": "沒有任何此作業可用的步驟。", - "notebooksView.error": "錯誤:", - "notebooksView.notebookError": "Notebook 錯誤:" - }, - "sql/base/browser/ui/table/plugins/rowDetailView": { - "rowDetailView.loadError": "正在載入錯誤..." - }, - "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { - "dashboard.explorer.actions": "顯示動作", - "explorerSearchNoMatchResultMessage": "找不到相符的項目", - "explorerSearchSingleMatchResultMessage": "已將搜尋清單篩選為 1 個項目", - "explorerSearchMatchResultMessage": "已將搜尋清單篩選為 {0} 個項目" - }, - "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { - "agentUtilities.failed": "失敗", - "agentUtilities.succeeded": "已成功", - "agentUtilities.retry": "重試", - "agentUtilities.canceled": "已取消", - "agentUtilities.inProgress": "正在進行", - "agentUtilities.statusUnknown": "狀態未知", - "agentUtilities.executing": "正在執行", - "agentUtilities.waitingForThread": "正在等候執行緒", - "agentUtilities.betweenRetries": "正在重試", - "agentUtilities.idle": "閒置", - "agentUtilities.suspended": "暫止", - "agentUtilities.obsolete": "[已淘汰]", - "agentUtilities.yes": "是", - "agentUtilities.no": "否", - "agentUtilities.notScheduled": "未排程", - "agentUtilities.neverRun": "從未執行" - }, - "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { - "buttonBold": "粗體", - "buttonItalic": "斜體", - "buttonUnderline": "底線", - "buttonHighlight": "醒目提示", - "buttonCode": "程式碼", - "buttonLink": "連結", - "buttonList": "清單", - "buttonOrderedList": "排序清單", - "buttonImage": "影像", - "buttonPreview": "Markdown 預覽切換 - 關閉", - "dropdownHeading": "標題", - "optionHeading1": "標題 1", - "optionHeading2": "標題 2", - "optionHeading3": "標題 3", - "optionParagraph": "段落", - "callout.insertLinkHeading": "插入連結", - "callout.insertImageHeading": "插入影像", - "richTextViewButton": "RTF 檢視", - "splitViewButton": "分割檢視", - "markdownViewButton": "Markdown 檢視" + "sql/workbench/contrib/charts/browser/actions": { + "createInsightLabel": "建立見解", + "createInsightNoEditor": "啟用的編輯器不是 SQL 編輯器,無法建立見解", + "myWidgetName": "我的小工具", + "configureChartLabel": "設定圖表", + "copyChartLabel": "複製為映像", + "chartNotFound": "找不到要儲存的圖表", + "saveImageLabel": "另存為映像", + "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", + "chartSaved": "已將圖表儲存到路徑: {0}" }, "sql/workbench/contrib/charts/browser/chartOptions": { "dataDirectionLabel": "資料方向", @@ -11135,45 +9732,432 @@ "encodingOption": "編碼", "imageFormatOption": "映像格式" }, - "sql/base/browser/ui/panel/tabActions": { - "closeTab": "關閉" + "sql/workbench/contrib/charts/browser/chartTab": { + "chartTabTitle": "圖表" }, - "sql/platform/connection/common/connectionConfig": { - "invalidServerName": "伺服器群組名稱已經存在。" + "sql/workbench/contrib/charts/browser/chartView": { + "horizontalBarAltName": "水平橫條圖", + "barAltName": "橫條圖", + "lineAltName": "折線圖", + "pieAltName": "圓形圖", + "scatterAltName": "散佈圖", + "timeSeriesAltName": "時間序列", + "imageAltName": "映像", + "countAltName": "計數", + "tableAltName": "資料表", + "doughnutAltName": "環圈圖", + "charting.failedToGetRows": "無法取得資料集的資料列以繪製圖表。", + "charting.unsupportedType": "不支援圖表類型 '{0}'。" + }, + "sql/workbench/contrib/charts/browser/charts.contribution": { + "builtinChartsConfigurationTitle": "內建圖表", + "builtinCharts.maxRowCountDescription": "要顯示之圖表的資料列數目上限。警告: 增加此數目可能會影響效能。" + }, + "sql/workbench/contrib/charts/browser/configureChartDialog": { + "configureChartDialog.close": "關閉" + }, + "sql/workbench/contrib/charts/browser/graphInsight": { + "series": "系列 {0}" + }, + "sql/workbench/contrib/charts/browser/imageInsight": { + "invalidImage": "資料表不含有效的映像" + }, + "sql/workbench/contrib/charts/browser/utils": { + "charts.maxAllowedRowsExceeded": "已超過內建圖表的資料列計數上限,只會使用最先 {0} 個資料列。若要設定值,您可以開啟使用者設定並搜尋: 'builtinCharts.maxRowCount'。", + "charts.neverShowAgain": "不要再顯示" + }, + "sql/workbench/contrib/commandLine/electron-browser/commandLine": { + "connectingLabel": "正在連線: {0}", + "runningCommandLabel": "正在執行命令: {0}", + "openingNewQueryLabel": "正在開啟新查詢: {0}", + "warnServerRequired": "因為未提供伺服器資訊,所以無法連線", + "errConnectUrl": "因為發生錯誤 {0},導致無法開啟 URL", + "connectServerDetail": "這會連線到伺服器 {0}", + "confirmConnect": "確定要連線嗎?", + "open": "開啟(&&O)", + "connectingQueryLabel": "正在連線到查詢檔案" + }, + "sql/workbench/contrib/configuration/common/configurationUpgrader": { + "workbench.configuration.upgradeUser": "您使用者設定中的 {1} 已取代 {0}。", + "workbench.configuration.upgradeWorkspace": "您工作區設定中的 {1} 已取代 {0}。" + }, + "sql/workbench/contrib/connection/browser/connection.contribution": { + "sql.maxRecentConnectionsDescription": "連線列表內最近使用的連線數上限。", + "sql.defaultEngineDescription": "要使用的預設 SQL 引擎。這會驅動 .sql 檔案中的預設語言提供者,以及建立新連線時要使用的預設。", + "connection.parseClipboardForConnectionStringDescription": "嘗試在連線對話方塊開啟或已執行貼上時剖析剪貼簿的內容。" + }, + "sql/workbench/contrib/connection/browser/connectionStatus": { + "status.connection.status": "連線狀態" + }, + "sql/workbench/contrib/connection/common/connectionProviderExtension": { + "schema.providerId": "提供者的通用識別碼。", + "schema.displayName": "提供者的顯示名稱", + "schema.notebookKernelAlias": "提供者的筆記本核心別名", + "schema.iconPath": "伺服器類型的圖示路徑", + "schema.connectionOptions": "連線選項" + }, + "sql/workbench/contrib/connection/common/connectionTreeProviderExentionPoint": { + "connectionTreeProvider.schema.name": "樹狀提供者向使用者顯示的名稱", + "connectionTreeProvider.schema.id": "提供者的識別碼,必須與註冊樹狀資料提供者時的識別碼相同,而且必須以 `connectionDialog/` 開頭" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardContainer.contribution": { + "azdata.extension.contributes.dashboard.container.id": "此容器的唯一識別碼。", + "azdata.extension.contributes.dashboard.container.container": "顯示於索引標籤的容器。", + "azdata.extension.contributes.containers": "提供一個或多個儀表板容器,讓使用者可增加至其儀表板中。", + "dashboardContainer.contribution.noIdError": "為延伸模組指定的儀表板容器中沒有任何識別碼。", + "dashboardContainer.contribution.noContainerError": "為延伸模組指定的儀表板容器中沒有任何容器。", + "dashboardContainer.contribution.moreThanOneDashboardContainersError": "至少須為每個空間定義剛好 1 個儀表板容器。", + "dashboardTab.contribution.unKnownContainerType": "延伸模組的儀表板容器中有不明的容器類型定義。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardControlHostContainer.contribution": { + "dashboard.container.controlhost": "會在此索引標籤中顯示的 controlhost。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardErrorContainer.component": { + "dashboardNavSection.loadTabError": "\"{0}\" 區段有無效的內容。請連絡延伸模組擁有者。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardGridContainer.contribution": { + "dashboard.container.gridtab.items": "顯示在此索引標籤的小工具或 Web 檢視的清單。", + "gridContainer.invalidInputs": "延伸模組的 widgets-container 中應有 widgets 或 webviews。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardModelViewContainer.contribution": { + "dashboard.container.modelview": "將在此索引標籤中顯示的 model-backed 檢視。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardNavSection.contribution": { + "dashboard.container.left-nav-bar.id": "導覽區的唯一識別碼。將傳遞給任何要求的延伸模組。", + "dashboard.container.left-nav-bar.icon": "(選用) 用於 UI 中表示導覽區的圖示。任一檔案路徑或主題化的設定。", + "dashboard.container.left-nav-bar.icon.light": "使用亮色主題時的圖示路徑", + "dashboard.container.left-nav-bar.icon.dark": "使用暗色主題時的圖像路徑", + "dashboard.container.left-nav-bar.title": "顯示給使用者的導覽區標題。", + "dashboard.container.left-nav-bar.container": "顯示在此導覽區的容器。", + "dashboard.container.left-nav-bar": "在導覽區顯示儀表板容器清單。", + "navSection.missingTitle.error": "為延伸模組指定的導覽區段中沒有標題。", + "navSection.missingContainer.error": "為延伸模組指定的導覽區段中沒有任何容器。", + "navSection.moreThanOneDashboardContainersError": "至少須為每個空間定義剛好 1 個儀表板容器。", + "navSection.invalidContainer.error": "NAV_SECTION 中的 NAV_SECTION 對延伸模組而言是無效的容器。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWebviewContainer.contribution": { + "dashboard.container.webview": "顯示在此索引標籤的 Web 檢視。" + }, + "sql/workbench/contrib/dashboard/browser/containers/dashboardWidgetContainer.contribution": { + "dashboard.container.widgets": "顯示在此索引標籤中的小工具清單。", + "widgetContainer.invalidInputs": "延伸模組的 widgets-container 中應有 widgets 的清單。" + }, + "sql/workbench/contrib/dashboard/browser/core/actions": { + "editDashboard": "編輯", + "editDashboardExit": "結束", + "refreshWidget": "重新整理", + "toggleMore": "顯示動作", + "deleteWidget": "刪除小工具", + "clickToUnpin": "按一下以取消釘選", + "clickToPin": "按一下以釘選", + "addFeatureAction.openInstalledFeatures": "開啟已安裝的功能", + "collapseWidget": "摺疊小工具", + "expandWidget": "展開小工具" + }, + "sql/workbench/contrib/dashboard/browser/core/dashboardHelper": { + "unknownDashboardContainerError": "{0} 是不明容器。" }, "sql/workbench/contrib/dashboard/browser/core/dashboardPage.component": { "home": "首頁", "missingConnectionInfo": "此儀表板上找不到連線資訊", "dashboard.generalTabGroupHeader": "一般" }, - "sql/workbench/contrib/charts/browser/actions": { - "createInsightLabel": "建立見解", - "createInsightNoEditor": "啟用的編輯器不是 SQL 編輯器,無法建立見解", - "myWidgetName": "我的小工具", - "configureChartLabel": "設定圖表", - "copyChartLabel": "複製為映像", - "chartNotFound": "找不到要儲存的圖表", - "saveImageLabel": "另存為映像", - "resultsSerializer.saveAsFileExtensionPNGTitle": "PNG", - "chartSaved": "已將圖表儲存到路徑: {0}" + "sql/workbench/contrib/dashboard/browser/core/dashboardTab.contribution": { + "azdata.extension.contributes.dashboard.tab.id": "此索引標籤的唯一識別碼。將傳遞給任何要求的延伸模組。", + "azdata.extension.contributes.dashboard.tab.title": "顯示給使用者的索引標籤的標題。", + "azdata.extension.contributes.dashboard.tab.description": "此索引標籤的描述將顯示給使用者。", + "azdata.extension.contributes.tab.when": "必須為 True 以顯示此項目的條件", + "azdata.extension.contributes.tab.provider": "定義與此索引標籤相容的連線類型。若未設定,則預設值為 'MSSQL'", + "azdata.extension.contributes.dashboard.tab.container": "將在此索引標籤中顯示的容器。", + "azdata.extension.contributes.dashboard.tab.alwaysShow": "是否應一律顯示此索引標籤或僅當使用者增加時顯示。", + "azdata.extension.contributes.dashboard.tab.isHomeTab": "是否應將此索引標籤用作連線類型的首頁索引標籤。", + "azdata.extension.contributes.dashboard.tab.group": "此索引標籤所屬群組的唯一識別碼,常用 (群組) 的值: 常用。", + "dazdata.extension.contributes.dashboard.tab.icon": "(選用) 用於在 UI 中代表此索引標籤的圖示。這會是檔案路徑或可設定佈景主題的組態", + "azdata.extension.contributes.dashboard.tab.icon.light": "使用亮色主題時的圖示路徑", + "azdata.extension.contributes.dashboard.tab.icon.dark": "使用暗色主題時的圖像路徑", + "azdata.extension.contributes.tabs": "提供一或多個索引標籤,讓使用者可將其增加至儀表板中。", + "dashboardTab.contribution.noTitleError": "未為延伸模組指定標題。", + "dashboardTab.contribution.noDescriptionWarning": "未指定要顯示的描述。", + "dashboardTab.contribution.noContainerError": "未為延伸模組指定任何容器。", + "dashboardTab.contribution.moreThanOneDashboardContainersError": "每個空間必須明確定義 1 個儀表板容器", + "azdata.extension.contributes.dashboard.tabGroup.id": "此索引標籤群組的唯一識別碼。", + "azdata.extension.contributes.dashboard.tabGroup.title": "索引標籤群組的標題。", + "azdata.extension.contributes.tabGroups": "提供一或多個索引標籤群組,讓使用者可將其增加至儀表板中。", + "dashboardTabGroup.contribution.noIdError": "沒有為索引標籤群組指定任何識別碼。", + "dashboardTabGroup.contribution.noTitleError": "沒有為索引標籤群組指定任何標題。", + "administrationTabGroup": "管理", + "monitoringTabGroup": "監視", + "performanceTabGroup": "效能", + "securityTabGroup": "安全性", + "troubleshootingTabGroup": "疑難排解", + "settingsTabGroup": "設定", + "databasesTabDescription": "資料庫索引標籤", + "databasesTabTitle": "資料庫" }, - "sql/workbench/contrib/notebook/browser/notebook.component": { - "addCodeLabel": "新增程式碼", - "addTextLabel": "新增文字", - "createFile": "建立檔案", - "displayFailed": "無法顯示內容: {0}", - "codeCellsPreview": "新增資料格", - "codePreview": "程式碼資料格", - "textPreview": "文字資料格", - "runAllPreview": "全部執行", - "addCell": "資料格", - "code": "程式碼", - "text": "文字", - "runAll": "執行資料格", - "previousButtonLabel": "< 上一步", - "nextButtonLabel": "下一步 >", - "cellNotFound": "無法在此模型中找到 URI 為 {0} 的資料格", - "cellRunFailed": "執行資料格失敗 - 如需詳細資訊,請參閱目前所選資料格之輸出中的錯誤。" + "sql/workbench/contrib/dashboard/browser/dashboard.contribution": { + "manage": "管理", + "dashboard.editor.label": "儀表板" + }, + "sql/workbench/contrib/dashboard/browser/dashboardActions": { + "ManageAction": "管理" + }, + "sql/workbench/contrib/dashboard/browser/dashboardIconUtil": { + "opticon": "屬性 `icon` 可以省略,否則必須為字串或類似 `{dark, light}` 的常值" + }, + "sql/workbench/contrib/dashboard/browser/dashboardRegistry": { + "dashboard.properties.property": "定義顯示於儀表板上的屬性", + "dashboard.properties.property.displayName": "做為屬性標籤的值", + "dashboard.properties.property.value": "要在物件中存取的值", + "dashboard.properties.property.ignore": "指定要忽略的值", + "dashboard.properties.property.default": "如果忽略或沒有值,則顯示預設值", + "dashboard.properties.flavor": "定義儀表板屬性變體", + "dashboard.properties.flavor.id": "類別的變體的識別碼", + "dashboard.properties.flavor.condition": "使用此變體的條件", + "dashboard.properties.flavor.condition.field": "要比較的欄位", + "dashboard.properties.flavor.condition.operator": "用於比較的運算子", + "dashboard.properties.flavor.condition.value": "用於比較該欄位的值", + "dashboard.properties.databaseProperties": "顯示資料庫頁的屬性", + "dashboard.properties.serverProperties": "顯示伺服器頁的屬性", + "carbon.extension.dashboard": "定義此提供者支援儀表板", + "dashboard.id": "提供者識別碼 (例如 MSSQL)", + "dashboard.properties": "在儀表板上顯示的屬性值" + }, + "sql/workbench/contrib/dashboard/browser/pages/dashboardPageContribution": { + "azdata.extension.contributes.widget.when": "必須為 True 以顯示此項目的條件", + "azdata.extension.contributes.widget.hideHeader": "是否要隱藏 Widget 的標題,預設值為 false", + "dashboardpage.tabName": "容器的標題", + "dashboardpage.rowNumber": "方格中元件的資料列", + "dashboardpage.rowSpan": "方格中元件的 rowspan。預設值為 1。使用 '*' 即可設定方格中的資料列數。", + "dashboardpage.colNumber": "方格中元件的資料行", + "dashboardpage.colspan": "方格內元件的 colspan。預設值為 1。使用 '*' 即可設定方格中的資料行數。", + "azdata.extension.contributes.dashboardPage.tab.id": "此索引標籤的唯一識別碼。將傳遞給任何要求的延伸模組。", + "dashboardTabError": "未知的延伸模組索引標籤或未安裝。" + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.component": { + "databasePageName": "資料庫屬性" + }, + "sql/workbench/contrib/dashboard/browser/pages/databaseDashboardPage.contribution": { + "dashboardDatabaseProperties": "啟用或禁用屬性小工具", + "dashboard.databaseproperties": "顯示屬性值", + "dashboard.databaseproperties.displayName": "顯示屬性的名稱", + "dashboard.databaseproperties.value": "資料庫資訊物件中的值", + "dashboard.databaseproperties.ignore": "指定要忽略的特定值", + "recoveryModel": "復原模式", + "lastDatabaseBackup": "上次資料庫備份", + "lastLogBackup": "上次記錄備份", + "compatibilityLevel": "相容性層級", + "owner": "擁有者", + "dashboardDatabase": "自訂 \"資料庫儀表板\" 頁", + "objectsWidgetTitle": "搜尋", + "dashboardDatabaseTabs": "自訂資料庫儀表板索引標籤" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.component": { + "serverPageName": "伺服器屬性" + }, + "sql/workbench/contrib/dashboard/browser/pages/serverDashboardPage.contribution": { + "dashboardServerProperties": "啟用或禁用屬性小工具", + "dashboard.serverproperties": "顯示屬性值", + "dashboard.serverproperties.displayName": "顯示屬性的名稱", + "dashboard.serverproperties.value": "伺服器資訊物件中的值", + "version": "版本", + "edition": "版本", + "computerName": "電腦名稱", + "osVersion": "作業系統版本", + "explorerWidgetsTitle": "搜尋", + "dashboardServer": "自訂伺服器儀表板頁面", + "dashboardServerTabs": "自訂伺服器儀表板索引標籤" + }, + "sql/workbench/contrib/dashboard/browser/services/breadcrumb.service": { + "homeCrumb": "首頁" + }, + "sql/workbench/contrib/dashboard/browser/services/dashboardServiceInterface.service": { + "dashboard.changeDatabaseFailure": "變更資料庫失敗" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerTable": { + "dashboard.explorer.actions": "顯示動作", + "explorerSearchNoMatchResultMessage": "找不到相符的項目", + "explorerSearchSingleMatchResultMessage": "已將搜尋清單篩選為 1 個項目", + "explorerSearchMatchResultMessage": "已將搜尋清單篩選為 {0} 個項目" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerView": { + "dashboard.explorer.namePropertyDisplayValue": "名稱", + "dashboard.explorer.schemaDisplayValue": "結構描述", + "dashboard.explorer.objectTypeDisplayValue": "類型" + }, + "sql/workbench/contrib/dashboard/browser/widgets/explorer/explorerWidget.component": { + "loadingObjects": "正在載入物件", + "loadingDatabases": "正在載入資料庫", + "loadingObjectsCompleted": "已完成載入物件。", + "loadingDatabasesCompleted": "已完成載入資料庫。", + "seachObjects": "依類型名稱搜尋 (t:、v:、f: 或 sp:)", + "searchDatabases": "搜尋資料庫", + "dashboard.explorer.objectError": "無法載入物件", + "dashboard.explorer.databaseError": "無法載入資料庫" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/actions": { + "insights.runQuery": "執行查詢" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidget.component": { + "insightsWidgetLoadingMessage": "正在載入 {0}", + "insightsWidgetLoadingCompletedMessage": "已完成載入 {0}", + "insights.autoRefreshOffState": "自動重新整理: 關閉", + "insights.lastUpdated": "最近更新: {0} {1}", + "noResults": "沒有可顯示的結果" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/insightsWidgetSchemas": { + "insightWidgetDescription": "新增一個可查詢伺服器或資料庫並以多種方式呈現結果的小工具,如圖表、計數總結等。", + "insightIdDescription": "用於快取見解結果的唯一識別碼。", + "insightQueryDescription": "要執行的 SQL 查詢。這僅會回傳 1 個結果集。", + "insightQueryFileDescription": "[選用] 包含查詢之檔案的路徑。這會在未設定 'query' 時使用", + "insightAutoRefreshIntervalDescription": "[選用] 自動重新整理間隔 (分鐘),如未設定,就不會自動重新整理", + "actionTypes": "要使用的動作", + "actionDatabaseDescription": "此動作的目標資料庫;可使用格式 '${ columnName }',以使用資料驅動的資料行名稱。", + "actionServerDescription": "此動作的目標伺服器;可使用格式 '${ columnName }',以使用資料驅動的資料列名稱。", + "actionUserDescription": "請指定執行此動作的使用者;可使用格式 '${ columnName }',以使用資料驅動的資料行名稱。", + "carbon.extension.contributes.insightType.id": "見解識別碼", + "carbon.extension.contributes.insights": "在儀表板選擇區提供見解。" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.component": { + "chartErrorMessage": "無法以指定的資料顯示圖表" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/chartInsight.contribution": { + "chartInsightDescription": "將查詢結果以圖表方式顯示在儀表板上", + "colorMapDescription": "對應 'column name' -> 色彩。例如,新增 'column1': red 可確保資料行使用紅色", + "legendDescription": "指定圖表圖例的優先位置和可見度。這些是您查詢中的欄位名稱,並對應到每個圖表項目的標籤", + "labelFirstColumnDescription": "若 dataDirection 是水平的,設定為 True 時則使用第一個欄位值為其圖例。", + "columnsAsLabels": "若 dataDirection 是垂直的,設定為 True 時則使用欄位名稱為其圖例。", + "dataDirectionDescription": "定義是否從行 (垂直) 或列 (水平) 讀取資料。對於時間序列,當呈現方向為垂直時會被忽略。", + "showTopNData": "如已設定 showTopNData,則僅顯示圖表中的前 N 個資料。" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/barChart.contribution": { + "yAxisMin": "y 軸的最小值", + "yAxisMax": "y 軸的最大值", + "barchart.yAxisLabel": "Y 軸的標籤", + "xAxisMin": "X 軸的最小值", + "xAxisMax": "X 軸的最大值", + "barchart.xAxisLabel": "X 軸標籤" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/charts/types/lineChart.contribution": { + "dataTypeDescription": "指定圖表資料集的資料屬性。" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/countInsight.contribution": { + "countInsightDescription": "為結果集中的每一個資料行,在資料列 0 中先顯示計數值,再顯示資料行名稱。例如,支援 '1 Healthy','3 Unhealthy';其中 'Healthy' 為資料行名稱,1 為資料列 1 中資料格 1 的值" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/imageInsight.contribution": { + "imageInsightDescription": "顯示映像,如使用 ggplot2 R 查詢返回的映像。", + "imageFormatDescription": "預期格式是什麼 - 是 JPEG、PNG 或其他格式?", + "encodingDescription": "此編碼為十六進位、base64 或是其他格式?" + }, + "sql/workbench/contrib/dashboard/browser/widgets/insights/views/tableInsight.contribution": { + "tableInsightDescription": "在簡單資料表中顯示結果" + }, + "sql/workbench/contrib/dashboard/browser/widgets/properties/propertiesWidget.component": { + "loadingProperties": "正在載入屬性", + "loadingPropertiesCompleted": "已完成載入屬性", + "dashboard.properties.error": "無法載入儀表板屬性" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorer.contribution": { + "databaseConnections": "資料庫連線", + "datasource.connections": "資料來源連線", + "datasource.connectionGroups": "資料來源群組", + "connectionsSortOrder.dateAdded": "儲存的連線依新增的日期排序。", + "connectionsSortOrder.displayName": "儲存的連線依其顯示名稱以字母順序排序。", + "datasource.connectionsSortOrder": "控制儲存連線和連線群組的排列順序。", + "startupConfig": "啟動組態", + "startup.alwaysShowServersView": "預設為在 Azure Data Studio 啟動時要顯示的伺服器檢視即為 True;如應顯示上次開啟的檢視則為 False" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerExtensionPoint": { + "vscode.extension.contributes.view.id": "檢視的識別碼。請使用此識別碼透過 `vscode.window.registerTreeDataProviderForView` API 登錄資料提供者。並藉由將 `onView:${id}` 事件登錄至 `activationEvents` 以觸發啟用您的延伸模組。", + "vscode.extension.contributes.view.name": "使用人性化顯示名稱。會顯示", + "vscode.extension.contributes.view.when": "必須為 True 以顯示此檢視的條件", + "extension.contributes.dataExplorer": "提供檢視給編輯者", + "extension.dataExplorer": "將檢視提供到活動列中的資料總管容器", + "dataExplorer.contributed": "在參與檢視容器中提供檢視", + "duplicateView1": "無法在檢視容器 '{1}' 中以同一個識別碼 '{0}' 註冊多個檢視", + "duplicateView2": "已在檢視容器 '{1}' 中註冊識別碼為 '{0}' 的檢視", + "requirearray": "項目必須為陣列", + "requirestring": "屬性 '{0}' 為強制項目且必須屬於 `string` 類型", + "optstring": "屬性 `{0}` 可以省略或必須屬於 `string` 類型" + }, + "sql/workbench/contrib/dataExplorer/browser/dataExplorerViewlet": { + "dataExplorer.servers": "伺服器", + "dataexplorer.name": "連線", + "showDataExplorer": "顯示連線" + }, + "sql/workbench/contrib/dataExplorer/browser/nodeActions.common.contribution": { + "disconnect": "中斷連線", + "refresh": "重新整理" + }, + "sql/workbench/contrib/editData/browser/editData.contribution": { + "showEditDataSqlPaneOnStartup": "啟動時顯示 [編輯資料] SQL 窗格" + }, + "sql/workbench/contrib/editData/browser/editDataActions": { + "editData.run": "執行", + "disposeEditFailure": "處理編輯失敗,出現錯誤:", + "editData.stop": "停止", + "editData.showSql": "顯示 SQL 窗格", + "editData.closeSql": "關閉 SQL 窗格" + }, + "sql/workbench/contrib/editData/browser/editDataEditor": { + "maxRowTaskbar": "最大資料列數:" + }, + "sql/workbench/contrib/editData/browser/editDataGridActions": { + "deleteRow": "刪除資料列", + "revertRow": "還原目前的資料列" + }, + "sql/workbench/contrib/editData/browser/gridActions": { + "saveAsCsv": "另存為 CSV", + "saveAsJson": "另存為 JSON", + "saveAsExcel": "另存為 Excel", + "saveAsXml": "另存為 XML", + "copySelection": "複製", + "copyWithHeaders": "隨標題一併複製", + "selectAll": "全選" + }, + "sql/workbench/contrib/extensions/browser/contributionRenders": { + "tabs": "儀表板索引標籤 ({0})", + "tabId": "識別碼", + "tabTitle": "標題", + "tabDescription": "描述", + "insights": "儀表板見解 ({0})", + "insightId": "識別碼", + "name": "名稱", + "insight condition": "時間" + }, + "sql/workbench/contrib/extensions/browser/extensions.contribution": { + "workbench.extensions.getExtensionFromGallery.description": "從資源庫取得延伸模組資訊", + "workbench.extensions.getExtensionFromGallery.arg.name": "延伸模組識別碼", + "notFound": "找不到延伸模組 '{0}'。" + }, + "sql/workbench/contrib/extensions/browser/extensionsActions": { + "showRecommendations": "顯示建議", + "Install Extensions": "安裝延伸模組", + "openExtensionAuthoringDocs": "撰寫延伸模組..." + }, + "sql/workbench/contrib/extensions/browser/scenarioRecommendations": { + "neverShowAgain": "不要再顯示", + "ExtensionsRecommended": "Azure Data Studio 有延伸模組建議。", + "VisualizerExtensionsRecommended": "Azure Data Studio 有資料視覺效果的延伸模組建議。\r\n安裝之後,即可選取視覺化檢視圖示,將查詢結果視覺化。", + "installAll": "全部安裝", + "showRecommendations": "顯示建議", + "scenarioTypeUndefined": "必須提供延伸模組建議的案例類型。" + }, + "sql/workbench/contrib/extensions/browser/staticRecommendations": { + "defaultRecommendations": "Azure Data Studio 建議使用此延伸模組。" + }, + "sql/workbench/contrib/jobManagement/browser/agentView.component": { + "jobview.Jobs": "作業", + "jobview.Notebooks": "Notebooks", + "jobview.Alerts": "警示", + "jobview.Proxies": "Proxy", + "jobview.Operators": "運算子" + }, + "sql/workbench/contrib/jobManagement/browser/alertsView.component": { + "jobAlertColumns.name": "名稱", + "jobAlertColumns.lastOccurrenceDate": "上次發生", + "jobAlertColumns.enabled": "啟用", + "jobAlertColumns.delayBetweenResponses": "回應之間的延遲 (秒)", + "jobAlertColumns.categoryName": "類別名稱" }, "sql/workbench/contrib/jobManagement/browser/jobActions": { "jobaction.successLabel": "成功", @@ -11227,77 +10211,58 @@ "notebookaction.renameNotebook": "重新命名", "notebookaction.openLatestRun": "開啟最近一次執行" }, - "sql/workbench/contrib/assessment/browser/asmtActions": { - "asmtaction.server.getitems": "檢視適用的規則", - "asmtaction.database.getitems": "檢視適用於 {0} 的規則", - "asmtaction.server.invokeitems": "叫用評定", - "asmtaction.database.invokeitems": "為 {0} 叫用評定", - "asmtaction.exportasscript": "匯出為指令碼", - "asmtaction.showsamples": "檢視所有規則,並前往 GitHub 深入了解", - "asmtaction.generatehtmlreport": "建立 HTML 報表", - "asmtaction.openReport": "已儲存報表。要開啟嗎?", - "asmtaction.label.open": "開啟", - "asmtaction.label.cancel": "取消" + "sql/workbench/contrib/jobManagement/browser/jobHistory.component": { + "stepRow.stepID": "步驟識別碼", + "stepRow.stepName": "步驟名稱", + "stepRow.message": "訊息" }, - "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { - "data": "資料", - "connection": "連線", - "queryEditor": "查詢編輯器", - "notebook": "Notebook", - "dashboard": "儀表板", - "profiler": "分析工具" + "sql/workbench/contrib/jobManagement/browser/jobStepsView.component": { + "agent.steps": "步驟" }, - "sql/workbench/contrib/extensions/browser/contributionRenders": { - "tabs": "儀表板索引標籤 ({0})", - "tabId": "識別碼", - "tabTitle": "標題", - "tabDescription": "描述", - "insights": "儀表板見解 ({0})", - "insightId": "識別碼", - "name": "名稱", - "insight condition": "時間" + "sql/workbench/contrib/jobManagement/browser/jobsView.component": { + "jobColumns.name": "名稱", + "jobColumns.lastRun": "上次執行", + "jobColumns.nextRun": "下次執行", + "jobColumns.enabled": "啟用", + "jobColumns.status": "狀態", + "jobColumns.category": "分類", + "jobColumns.runnable": "可執行", + "jobColumns.schedule": "排程", + "jobColumns.lastRunOutcome": "上次執行結果", + "jobColumns.previousRuns": "先前的執行內容", + "jobsView.noSteps": "沒有任何此作業可用的步驟。", + "jobsView.error": "錯誤:" }, - "sql/workbench/contrib/charts/browser/imageInsight": { - "invalidImage": "資料表不含有效的映像" + "sql/workbench/contrib/jobManagement/browser/notebookHistory.component": { + "notebookHistory.dateCreatedTooltip": "建立日期:", + "notebookHistory.notebookErrorTooltip": "Notebook 錯誤:", + "notebookHistory.ErrorTooltip": "作業錯誤:", + "notebookHistory.pinnedTitle": "已釘選", + "notebookHistory.recentRunsTitle": "最近的執行", + "notebookHistory.pastRunsTitle": "過去的執行" }, - "sql/workbench/contrib/notebook/browser/cellToolbarActions": { - "moreActionsLabel": "更多", - "editLabel": "編輯", - "closeLabel": "關閉", - "convertCell": "轉換資料格", - "runAllAbove": "執行上方的資料格", - "runAllBelow": "執行下方的資料格", - "codeAbove": "在上方插入程式碼", - "codeBelow": "在下方插入程式碼", - "markdownAbove": "在上方插入文字", - "markdownBelow": "在下方插入文字", - "collapseCell": "摺疊資料格", - "expandCell": "展開資料格", - "makeParameterCell": "製作參數資料格", - "RemoveParameterCell": "移除參數資料格", - "clear": "清除結果" + "sql/workbench/contrib/jobManagement/browser/notebooksView.component": { + "notebookColumns.name": "名稱", + "notebookColumns.targetDatbase": "目標資料庫", + "notebookColumns.lastRun": "上次執行", + "notebookColumns.nextRun": "下次執行", + "notebookColumns.status": "狀態", + "notebookColumns.lastRunOutcome": "上次執行結果", + "notebookColumns.previousRuns": "先前的執行內容", + "notebooksView.noSteps": "沒有任何此作業可用的步驟。", + "notebooksView.error": "錯誤:", + "notebooksView.notebookError": "Notebook 錯誤:" }, - "sql/workbench/services/notebook/browser/models/clientSession": { - "clientSession.unknownError": "啟動筆記本工作階段時發生錯誤", - "ServerNotStarted": "伺服器因為不明原因而未啟動", - "kernelRequiresConnection": "找不到核心 {0}。會改用預設核心。" + "sql/workbench/contrib/jobManagement/browser/operatorsView.component": { + "jobOperatorsView.name": "名稱", + "jobOperatorsView.emailAddress": "電子郵件地址", + "jobOperatorsView.enabled": "啟用" }, - "sql/workbench/contrib/charts/browser/graphInsight": { - "series": "系列 {0}" - }, - "sql/workbench/contrib/charts/browser/configureChartDialog": { - "configureChartDialog.close": "關閉" - }, - "sql/workbench/services/notebook/browser/models/notebookModel": { - "injectedParametersMsg": "# 個插入的參數\r\n", - "kernelRequiresConnection": "請選取要為此核心執行資料格的連線", - "deleteCellFailed": "無法刪除資料格。", - "changeKernelFailedRetry": "無法變更核心。將會使用核心 {0}。錯誤為: {1}", - "changeKernelFailed": "因為錯誤所以無法變更核心: {0}", - "changeContextFailed": "無法變更內容: {0}", - "startSessionFailed": "無法啟動工作階段: {0}", - "shutdownClientSessionError": "關閉筆記本時發生用戶端工作階段錯誤: {0}", - "ProviderNoManager": "找不到提供者 {0} 的筆記本管理員" + "sql/workbench/contrib/jobManagement/browser/proxiesView.component": { + "jobProxiesView.accountName": "帳戶名稱", + "jobProxiesView.credentialName": "認證名稱", + "jobProxiesView.description": "描述", + "jobProxiesView.isEnabled": "啟用" }, "sql/workbench/contrib/notebook/browser/calloutDialog/common/constants": { "callout.insertButton": "插入", @@ -11317,6 +10282,940 @@ "linkCallout.linkAddressLabel": "位址", "linkCallout.linkAddressPlaceholder": "連結到現有的檔案或網頁" }, + "sql/workbench/contrib/notebook/browser/cellToolbarActions": { + "moreActionsLabel": "更多", + "editLabel": "編輯", + "closeLabel": "關閉", + "convertCell": "轉換資料格", + "runAllAbove": "執行上方的資料格", + "runAllBelow": "執行下方的資料格", + "codeAbove": "在上方插入程式碼", + "codeBelow": "在下方插入程式碼", + "markdownAbove": "在上方插入文字", + "markdownBelow": "在下方插入文字", + "collapseCell": "摺疊資料格", + "expandCell": "展開資料格", + "makeParameterCell": "製作參數資料格", + "RemoveParameterCell": "移除參數資料格", + "clear": "清除結果" + }, + "sql/workbench/contrib/notebook/browser/cellViews/cellToolbar.component": { + "buttonAdd": "新增資料格", + "optionCodeCell": "程式碼資料格", + "optionTextCell": "文字資料格", + "buttonMoveDown": "下移資料格", + "buttonMoveUp": "上移資料格", + "buttonDelete": "刪除", + "codeCellsPreview": "新增資料格", + "codePreview": "程式碼資料格", + "textPreview": "文字資料格" + }, + "sql/workbench/contrib/notebook/browser/cellViews/code.component": { + "parametersText": "參數" + }, + "sql/workbench/contrib/notebook/browser/cellViews/codeActions": { + "notebook.failed": "請選取作用資料格並再試一次", + "runCell": "執行資料格", + "stopCell": "取消執行", + "errorRunCell": "上一個執行發生錯誤。按一下即可重新執行" + }, + "sql/workbench/contrib/notebook/browser/cellViews/collapse.component": { + "expandCellContents": "展開程式碼資料格內容", + "collapseCellContents": "摺疊程式碼資料格內容" + }, + "sql/workbench/contrib/notebook/browser/cellViews/markdownToolbar.component": { + "buttonBold": "粗體", + "buttonItalic": "斜體", + "buttonUnderline": "底線", + "buttonHighlight": "醒目提示", + "buttonCode": "程式碼", + "buttonLink": "連結", + "buttonList": "清單", + "buttonOrderedList": "排序清單", + "buttonImage": "影像", + "buttonPreview": "Markdown 預覽切換 - 關閉", + "dropdownHeading": "標題", + "optionHeading1": "標題 1", + "optionHeading2": "標題 2", + "optionHeading3": "標題 3", + "optionParagraph": "段落", + "callout.insertLinkHeading": "插入連結", + "callout.insertImageHeading": "插入影像", + "richTextViewButton": "RTF 檢視", + "splitViewButton": "分割檢視", + "markdownViewButton": "Markdown 檢視" + }, + "sql/workbench/contrib/notebook/browser/cellViews/output.component": { + "noMimeTypeFound": "找不到輸出的 {0} 轉譯器。其有下列 MIME 類型: {1}", + "safe": "安全", + "noSelectorFound": "找不到選取器 {0} 的元件", + "componentRenderError": "轉譯元件時發生錯誤: {0}" + }, + "sql/workbench/contrib/notebook/browser/cellViews/placeholderCell.component": { + "clickOn": "按一下", + "plusCode": "+ 程式碼", + "or": "或", + "plusText": "+ 文字", + "toAddCell": "新增程式碼或文字資料格", + "plusCodeAriaLabel": "新增程式碼儲存格", + "plusTextAriaLabel": "新增文字儲存格" + }, + "sql/workbench/contrib/notebook/browser/cellViews/stdin.component": { + "stdInLabel": "Stdin: " + }, + "sql/workbench/contrib/notebook/browser/cellViews/textCell.component": { + "doubleClickEdit": "按兩下即可編輯", + "addContent": "在這裡新增內容..." + }, + "sql/workbench/contrib/notebook/browser/find/notebookFindWidget": { + "label.find": "尋找", + "placeholder.find": "尋找", + "label.previousMatchButton": "上一個相符", + "label.nextMatchButton": "下一個相符", + "label.closeButton": "關閉", + "title.matchesCountLimit": "您的搜尋傳回了大量結果,只會將前 999 個相符項目醒目提示。", + "label.matchesLocation": "{0}/{1} 個", + "label.noResults": "沒有任何結果" + }, + "sql/workbench/contrib/notebook/browser/notebook.component": { + "addCodeLabel": "新增程式碼", + "addTextLabel": "新增文字", + "createFile": "建立檔案", + "displayFailed": "無法顯示內容: {0}", + "codeCellsPreview": "新增資料格", + "codePreview": "程式碼資料格", + "textPreview": "文字資料格", + "runAllPreview": "全部執行", + "addCell": "資料格", + "code": "程式碼", + "text": "文字", + "runAll": "執行資料格", + "previousButtonLabel": "< 上一步", + "nextButtonLabel": "下一步 >", + "cellNotFound": "無法在此模型中找到 URI 為 {0} 的資料格", + "cellRunFailed": "執行資料格失敗 - 如需詳細資訊,請參閱目前所選資料格之輸出中的錯誤。" + }, + "sql/workbench/contrib/notebook/browser/notebook.contribution": { + "newNotebook": "新增 Notebook", + "newQuery": "新增 Notebook", + "workbench.action.setWorkspaceAndOpen": "設定工作區並開啟", + "notebook.sqlStopOnError": "SQL 核心: 當資料格發生錯誤時,停止執行 Notebook。", + "notebook.showAllKernels": "(預覽) 顯示目前筆記本提供者的所有核心。", + "notebook.allowADSCommands": "允許筆記本執行 Azure Data Studio 命令。", + "notebook.enableDoubleClickEdit": "為筆記本中的文字資料格啟用按兩下編輯的功能", + "notebook.richTextModeDescription": "文字顯示為 RTF 文字 (也稱為 WYSIWYG)。", + "notebook.splitViewModeDescription": "Markdown 會在左側顯示,並在右側呈現文字預覽。", + "notebook.markdownModeDescription": "文字顯示為 Markdown。", + "notebook.defaultTextEditMode": "用於文字儲存格的預設編輯模式", + "notebook.saveConnectionName": "(預覽) 儲存筆記本中繼資料中的連線名稱。", + "notebook.markdownPreviewLineHeight": "控制筆記本 Markdown 預覽中使用的行高。此數字相對於字型大小。", + "notebook.showRenderedNotebookinDiffEditor": "(預覽) 在 Diff 編輯器中顯示轉譯的筆記本。", + "notebook.maxRichTextUndoHistory": "筆記本 RTF 文字編輯器復原歷程記錄中儲存的變更數目上限。", + "searchConfigurationTitle": "搜尋筆記本", + "exclude": "設定 Glob 模式,在全文檢索搜尋中排除檔案與資料夾,並快速開啟。繼承 `#files.exclude#` 設定的所有 Glob 模式。深入了解 Glob 模式 [這裡](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)。", + "exclude.boolean": "要符合檔案路徑的 Glob 模式。設為 True 或 False 可啟用或停用模式。", + "exclude.when": "在相符檔案同層級上額外的檢查。請使用 $(basename) 作為相符檔案名稱的變數。", + "useRipgrep": " 此設定已淘汰,現在會回復至 \"search.usePCRE2\"。", + "useRipgrepDeprecated": "已淘汰。請考慮使用 \"search.usePCRE2\" 來取得進階 regex 功能支援。", + "search.maintainFileSearchCache": "若啟用,searchService 程序在處於非使用狀態一小時後會保持運作,而不是關閉。這會將檔案搜尋快取保留在記憶體中。", + "useIgnoreFiles": "控制是否在搜尋檔案時使用 `.gitignore` 和 `.ignore` 檔案。", + "useGlobalIgnoreFiles": "控制是否要在搜尋檔案時使用全域 `.gitignore` 和 `.ignore` 檔案。", + "search.quickOpen.includeSymbols": "是否在 Quick Open 的檔案結果中,包含全域符號搜尋中的結果。", + "search.quickOpen.includeHistory": "是否要在 Quick Open 中包含檔案結果中,來自最近開啟檔案的結果。", + "filterSortOrder.default": "歷程記錄項目會依據所使用的篩選值,依相關性排序。相關性愈高的項目排在愈前面。", + "filterSortOrder.recency": "依使用時序排序歷程記錄項目。最近開啟的項目顯示在最前面。", + "filterSortOrder": "控制篩選時,快速開啟的編輯器歷程記錄排列順序。", + "search.followSymlinks": "控制是否要在搜尋時遵循 symlink。", + "search.smartCase": "若模式為全小寫,搜尋時不會區分大小寫; 否則會區分大小寫。", + "search.globalFindClipboard": "控制搜尋檢視應讀取或修改 macOS 上的共用尋找剪貼簿。 ", + "search.location": "控制搜尋要顯示為資訊看板中的檢視,或顯示為面板區域中的面板以增加水平空間。", + "search.location.deprecationMessage": "這個設定已淘汰。請改用搜尋檢視的操作功能表。", + "search.collapseResults.auto": "10 個結果以下的檔案將會展開,其他檔案則會摺疊。", + "search.collapseAllResults": "控制要摺疊或展開搜尋結果。", + "search.useReplacePreview": "控制是否要在選取或取代相符項目時開啟 [取代預覽]。", + "search.showLineNumbers": "控制是否要為搜尋結果顯示行號。", + "search.usePCRE2": "是否要在文字搜尋中使用 PCRE2 規則運算式引擎。這可使用部分進階功能,如 lookahead 和 backreferences。但是,並不支援所有 PCRE2 功能,僅支援 JavaScript 也支援的功能。", + "usePCRE2Deprecated": "已淘汰。當使用僅有 PCRE2 支援的 regex 功能時,會自動使用 PCRE 2。", + "search.actionsPositionAuto": "當搜尋檢視較窄時,將動作列放在右邊,當搜尋檢視較寬時,立即放於內容之後。", + "search.actionsPositionRight": "永遠將動作列放在右邊。", + "search.actionsPosition": "控制動作列在搜尋檢視列上的位置。", + "search.searchOnType": "鍵入的同時搜尋所有檔案。", + "search.seedWithNearestWord": "允許在使用中的編輯器沒有選取項目時,從最接近游標的文字植入搜尋。", + "search.seedOnFocus": "聚焦在搜尋檢視時,將工作區搜尋查詢更新為編輯器的選取文字。按一下或觸發 'workbench.views.search.focus' 命令時,即會發生此動作。", + "search.searchOnTypeDebouncePeriod": "啟用 `#search.searchOnType#` 時,控制字元鍵入和搜尋開始之間的逾時 (毫秒)。當 `search.searchOnType` 停用時無效。", + "search.searchEditor.doubleClickBehaviour.selectWord": "點兩下選擇游標下的單字。", + "search.searchEditor.doubleClickBehaviour.goToLocation": "按兩下將會在正在使用的編輯器群組中開啟結果。", + "search.searchEditor.doubleClickBehaviour.openLocationToSide": "按兩下就會在側邊的編輯器群組中開啟結果,如果不存在就會建立一個。", + "search.searchEditor.doubleClickBehaviour": "設定在搜尋編輯器中按兩下結果的效果。", + "searchSortOrder.default": "結果會根據資料夾和檔案名稱排序,按字母順序排列。", + "searchSortOrder.filesOnly": "結果會忽略資料夾順序並根據檔案名稱排序,按字母順序排列。", + "searchSortOrder.type": "結果會根據副檔名排序,按字母順序排列。", + "searchSortOrder.modified": "結果會根據最後修改日期降冪排序。", + "searchSortOrder.countDescending": "結果會根據每個檔案的計數降冪排序。", + "searchSortOrder.countAscending": "結果會根據每個檔案的計數升冪排序。", + "search.sortOrder": "控制搜尋結果的排列順序。" + }, + "sql/workbench/contrib/notebook/browser/notebookActions": { + "loading": "正在載入核心...", + "changing": "正在變更核心...", + "AttachTo": "連結至 ", + "Kernel": "核心 ", + "loadingContexts": "正在載入內容...", + "changeConnection": "變更連線", + "selectConnection": "選取連線", + "localhost": "localhost", + "noKernel": "沒有核心", + "kernelNotSupported": "由於不支援核心程序,因此此筆記本無法以參數執行。請使用支援的核心程序和格式。[深入了解] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。", + "noParametersCell": "在新增參數儲存格之前,此筆記本無法以參數執行。[深入了解](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。", + "noParametersInCell": "在參數新增至參數儲存格之前,此筆記本無法以參數執行。[深入了解](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。", + "clearResults": "清除結果", + "trustLabel": "受信任", + "untrustLabel": "不受信任", + "collapseAllCells": "摺疊資料格", + "expandAllCells": "展開資料格", + "runParameters": "執行 (設有參數)", + "noContextAvailable": "無", + "newNotebookAction": "新增 Notebook", + "notebook.findNext": "尋找下一個字串", + "notebook.findPrevious": "尋找前一個字串" + }, + "sql/workbench/contrib/notebook/browser/notebookEditor": { + "notebookEditor.name": "Notebook Editor" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookExplorerViewlet": { + "notebookExplorer.searchResults": "搜尋結果", + "searchPathNotFoundError": "找不到搜尋路徑: {0}", + "notebookExplorer.name": "筆記本" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearch": { + "searchWithoutFolder": "您尚未開啟任何包含筆記本/書籍的資料夾。", + "openNotebookFolder": "開啟筆記本", + "searchMaxResultsWarning": "結果集只包含所有符合項的子集。請提供更具體的搜尋條件以縮小結果範圍。", + "searchInProgress": "正在搜尋... - ", + "noResultsIncludesExcludes": "在 '{0}' 中找不到排除 '{1}' 的結果 - ", + "noResultsIncludes": "在 '{0}' 中找不到結果 - ", + "noResultsExcludes": "找不到排除 '{0}' 的結果 - ", + "noResultsFound": "找不到任何結果。請檢閱您所設定排除的設定,並檢查您的 gitignore 檔案 -", + "rerunSearch.message": "再次搜尋", + "rerunSearchInAll.message": "在所有檔案中再次搜尋", + "openSettings.message": "開啟設定", + "ariaSearchResultsStatus": "搜尋傳回 {1} 個檔案中的 {0} 個結果", + "ToggleCollapseAndExpandAction.label": "切換折疊和展開", + "CancelSearchAction.label": "取消搜尋", + "ExpandAllAction.label": "全部展開", + "CollapseDeepestExpandedLevelAction.label": "全部摺疊", + "ClearSearchResultsAction.label": "清除搜尋結果" + }, + "sql/workbench/contrib/notebook/browser/notebookExplorer/notebookSearchWidget": { + "label.Search": "搜尋: 輸入搜尋字詞,然後按 Enter 鍵搜尋或按 Esc 鍵取消", + "search.placeHolder": "搜尋" + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViews.component": { + "cellNotFound": "無法在此模型中找到 URI 為 {0} 的資料格", + "cellRunFailed": "執行資料格失敗 - 如需詳細資訊,請參閱目前所選資料格之輸出中的錯誤。" + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsCodeCell.component": { + "viewsCodeCell.emptyCellText": "請執行此儲存格以檢視輸出。" + }, + "sql/workbench/contrib/notebook/browser/notebookViews/notebookViewsGrid.component": { + "emptyText": "此檢視為空白。請按一下 [插入儲存格] 按鈕,將儲存格新增至此檢視。" + }, + "sql/workbench/contrib/notebook/browser/outputs/gridOutput.component": { + "copyFailed": "複製失敗。錯誤: {0}", + "notebook.showChart": "顯示圖表", + "notebook.showTable": "顯示資料表" + }, + "sql/workbench/contrib/notebook/browser/outputs/mimeRenderer.component": { + "noRendererFound": "找不到輸出的 {0} 轉譯器。其有下列 MIME 類型: {1}", + "safe": "(安全)" + }, + "sql/workbench/contrib/notebook/browser/outputs/plotlyOutput.component": { + "plotlyError": "顯示 Plotly 圖表時發生錯誤: {0}" + }, + "sql/workbench/contrib/objectExplorer/browser/serverTreeView": { + "servers.noConnections": "找不到連線。", + "serverTree.addConnection": "新增連線" + }, + "sql/workbench/contrib/objectExplorer/common/serverGroup.contribution": { + "serverGroup.colors": "在物件總管 Viewlet 中使用的伺服器群組調色盤。", + "serverGroup.autoExpand": "物件總管 Viewlet 中的自動展開伺服器群組。", + "serverTree.useAsyncServerTree": "(預覽) 針對伺服器檢視及連線對話方塊使用新的非同步伺服器樹狀結構,並支援動態節點篩選等新功能。" + }, + "sql/workbench/contrib/preferences/browser/sqlSettingsLayout": { + "data": "資料", + "connection": "連線", + "queryEditor": "查詢編輯器", + "notebook": "Notebook", + "dashboard": "儀表板", + "profiler": "分析工具", + "builtinCharts": "內建圖表" + }, + "sql/workbench/contrib/profiler/browser/profiler.contribution": { + "profiler.settings.viewTemplates": "指定檢視範本", + "profiler.settings.sessionTemplates": "指定工作階段範本", + "profiler.settings.Filters": "分析工具篩選條件" + }, + "sql/workbench/contrib/profiler/browser/profilerActions": { + "profilerAction.connect": "連線", + "profilerAction.disconnect": "中斷連線", + "start": "開始", + "create": "新增工作階段", + "profilerAction.pauseCapture": "暫停", + "profilerAction.resumeCapture": "繼續", + "profilerStop.stop": "停止", + "profiler.clear": "清除資料", + "profiler.clearDataPrompt": "確定要清除資料嗎?", + "profiler.yes": "是", + "profiler.no": "否", + "profilerAction.autoscrollOn": "自動捲動: 開啟", + "profilerAction.autoscrollOff": "自動捲動: 關閉", + "profiler.toggleCollapsePanel": "切換折疊面板", + "profiler.editColumns": "編輯資料行", + "profiler.findNext": "尋找下一個字串", + "profiler.findPrevious": "尋找前一個字串", + "profilerAction.newProfiler": "啟動分析工具", + "profiler.filter": "篩選...", + "profiler.clearFilter": "清除篩選", + "profiler.clearFilterPrompt": "確定要清除篩選嗎?" + }, + "sql/workbench/contrib/profiler/browser/profilerEditor": { + "profiler.viewSelectAccessibleName": "選取檢視", + "profiler.sessionSelectAccessibleName": "選取工作階段", + "profiler.sessionSelectLabel": "選取工作階段:", + "profiler.viewSelectLabel": "選取檢視:", + "text": "文字", + "label": "標籤", + "profilerEditor.value": "值", + "details": "詳細資料" + }, + "sql/workbench/contrib/profiler/browser/profilerFindWidget": { + "label.find": "尋找", + "placeholder.find": "尋找", + "label.previousMatchButton": "上一個符合項目", + "label.nextMatchButton": "下一個符合項目", + "label.closeButton": "關閉", + "title.matchesCountLimit": "您的搜尋傳回了大量結果,只會將前 999 個相符項目醒目提示。", + "label.matchesLocation": "{1} 的 {0}", + "label.noResults": "查無結果" + }, + "sql/workbench/contrib/profiler/browser/profilerResourceEditor": { + "profilerTextEditorAriaLabel": "事件文字的分析工具編輯器。唯讀" + }, + "sql/workbench/contrib/profiler/browser/profilerTableEditor": { + "ProfilerTableEditor.eventCountFiltered": "事件 (已篩選): {0}/{1}", + "ProfilerTableEditor.eventCount": "事件: {0}", + "status.eventCount": "事件計數" + }, + "sql/workbench/contrib/query/browser/actions": { + "saveAsCsv": "另存為 CSV", + "saveAsJson": "另存為 JSON", + "saveAsExcel": "另存為 Excel", + "saveAsXml": "另存為 XML", + "jsonEncoding": "匯出至 JSON 時將不會儲存結果編碼,請務必在建立檔案後儲存所需的編碼。", + "saveToFileNotSupported": "回溯資料來源不支援儲存為檔案", + "copySelection": "複製", + "copyWithHeaders": "隨標題一同複製", + "selectAll": "全選", + "maximize": "最大化", + "restore": "還原", + "chart": "圖表", + "visualizer": "視覺化檢視" + }, + "sql/workbench/contrib/query/browser/flavorStatus": { + "chooseSqlLang": "選擇 SQL 語言 ", + "changeProvider": "變更 SQL 語言提供者", + "status.query.flavor": "SQL 語言的變體", + "changeSqlProvider": "變更 SQL 引擎提供者", + "alreadyConnected": "使用引擎 {0} 的連線已存在。若要變更,請中斷或變更連線", + "noEditor": "目前無使用中的文字編輯器", + "pickSqlProvider": "選擇語言提供者" + }, + "sql/workbench/contrib/query/browser/gridPanel": { + "xmlShowplan": "XML 執行程序表", + "resultsGrid": "結果方格", + "resultsGrid.maxRowCountExceeded": "已超過篩選/排序的資料列計數上限。若要更新,您可以前往使用者設定並變更設定: ' queryEditor. inMemoryDataProcessingThreshold '" + }, + "sql/workbench/contrib/query/browser/keyboardQueryActions": { + "focusOnCurrentQueryKeyboardAction": "聚焦於目前的查詢", + "runQueryKeyboardAction": "執行查詢", + "runCurrentQueryKeyboardAction": "執行目前查詢", + "copyQueryWithResultsKeyboardAction": "與結果一併複製查詢", + "queryActions.queryResultsCopySuccess": "已成功複製查詢與結果。", + "runCurrentQueryWithActualPlanKeyboardAction": "使用實際計畫執行目前的查詢", + "cancelQueryKeyboardAction": "取消查詢", + "refreshIntellisenseKeyboardAction": "重新整理 IntelliSense 快取", + "toggleQueryResultsKeyboardAction": "切換查詢結果", + "ToggleFocusBetweenQueryEditorAndResultsAction": "在查詢與結果之間切換焦點", + "queryShortcutNoEditor": "要執行的捷徑需要編輯器參數", + "parseSyntaxLabel": "剖析查詢", + "queryActions.parseSyntaxSuccess": "已成功完成命令", + "queryActions.parseSyntaxFailure": "命令失敗:", + "queryActions.notConnected": "請連線至伺服器" + }, + "sql/workbench/contrib/query/browser/messagePanel": { + "messagePanel": "訊息面板", + "copy": "複製", + "copyAll": "全部複製" + }, + "sql/workbench/contrib/query/browser/query.contribution": { + "queryResultsEditor.name": "查詢結果", + "newQuery": "新增查詢", + "queryEditorConfigurationTitle": "查詢編輯器", + "queryEditor.results.saveAsCsv.includeHeaders": "若設定為 true,會在將結果另存為 CSV 時包含資料行標題", + "queryEditor.results.saveAsCsv.delimiter": "另存為 CSV 時,用在值之間的自訂分隔符號", + "queryEditor.results.saveAsCsv.lineSeperator": "將結果另存為 CSV 時,用於分隔資料列的字元", + "queryEditor.results.saveAsCsv.textIdentifier": "將結果另存為 CSV 時,用於括住文字欄位的字元", + "queryEditor.results.saveAsCsv.encoding": "將結果另存為 CSV 時,要使用的檔案編碼", + "queryEditor.results.saveAsXml.formatted": "若設定為 true,會在將結果另存為 XML 時將輸出格式化", + "queryEditor.results.saveAsXml.encoding": "將結果另存為 XML 時,要使用的檔案編碼", + "queryEditor.results.streaming": "啟用結果串流;包含些許輕微視覺效果問題", + "queryEditor.results.copyIncludeHeaders": "從結果檢視中複製結果的組態選項", + "queryEditor.results.copyRemoveNewLine": "從結果檢視中複製多行結果的組態選項", + "queryEditor.results.optimizedTable": "(實驗性) 在結果中使用最佳化的資料表。可能會缺少某些功能,這些功能仍在開發中。", + "queryEditor.inMemoryDataProcessingThreshold": "控制允許在記憶體中篩選及排序的資料列數目上限。如果超過此數目,就會停用排序和篩選。警告: 增加此數目可能會影響效能。", + "queryEditor.results.openAfterSave": "是否要在儲存結果後在 Azure Data Studio 中開啟檔案。", + "queryEditor.messages.showBatchTime": "是否顯示個別批次的執行時間", + "queryEditor.messages.wordwrap": "自動換行訊息", + "queryEditor.chart.defaultChartType": "從查詢結果開啟圖表檢視器時要使用的預設圖表類型", + "queryEditor.tabColorMode.off": "將停用索引標籤著色功能", + "queryEditor.tabColorMode.border": "在每個編輯器索引標籤的上邊框著上符合相關伺服器群組的色彩", + "queryEditor.tabColorMode.fill": "每個編輯器索引標籤的背景色彩將與相關的伺服器群組相符", + "queryEditor.tabColorMode": "依據連線的伺服器群組控制索引標籤如何著色", + "queryEditor.showConnectionInfoInTitle": "控制是否要在標題中顯示索引標籤的連線資訊。", + "queryEditor.promptToSaveGeneratedFiles": "提示儲存產生的 SQL 檔案", + "queryShortcutDescription": "設定按鍵繫結關係 workbench.action.query.shortcut{0} 以執行捷徑文字作為程序呼叫或查詢執行。任何選取的文字在查詢編輯器中會於查詢結尾作為參數傳遞,或您可將它以 {arg} 參考" + }, + "sql/workbench/contrib/query/browser/queryActions": { + "newQueryTask.newQuery": "新增查詢", + "runQueryLabel": "執行", + "cancelQueryLabel": "取消", + "estimatedQueryPlan": "說明", + "actualQueryPlan": "實際", + "disconnectDatabaseLabel": "中斷連線", + "changeConnectionDatabaseLabel": "變更連線", + "connectDatabaseLabel": "連線", + "enablesqlcmdLabel": "啟用 SQLCMD", + "disablesqlcmdLabel": "停用 SQLCMD", + "selectDatabase": "選擇資料庫", + "changeDatabase.failed": "變更資料庫失敗", + "changeDatabase.failedWithError": "無法變更資料庫: {0}", + "queryEditor.exportSqlAsNotebook": "匯出為筆記本" + }, + "sql/workbench/contrib/query/browser/queryEditor": { + "queryEditor.name": "Query Editor" + }, + "sql/workbench/contrib/query/browser/queryResultsView": { + "resultsTabTitle": "結果", + "messagesTabTitle": "訊息" + }, + "sql/workbench/contrib/query/browser/statusBarItems": { + "status.query.timeElapsed": "已耗用時間", + "status.query.rowCount": "資料列計數", + "rowCount": "{0} 個資料列", + "query.status.executing": "執行查詢中...", + "status.query.status": "執行狀態", + "status.query.selection-summary": "選取摘要", + "status.query.summaryText": "平均: {0} 計數: {1} 總和: {2}" + }, + "sql/workbench/contrib/query/common/resultsGrid.contribution": { + "resultsGridConfigurationTitle": "結果方格與訊息", + "fontFamily": "控制字型家族。", + "fontWeight": "控制字型粗細。", + "fontSize": "控制字型大小 (像素)。", + "letterSpacing": "控制字母間距 (像素)。", + "rowHeight": "控制列高 (像素)", + "cellPadding": "控制資料格填補值 (像素)", + "autoSizeColumns": "自動調整初始結果的欄寬大小。大量欄位或大型資料格可能會造成效能問題", + "maxColumnWidth": "自動調整大小之欄位的寬度上限 (像素)" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryActions": { + "toggleQueryHistory": "切換查詢歷史記錄", + "queryHistory.delete": "刪除", + "queryHistory.clearLabel": "清除所有歷史記錄", + "queryHistory.openQuery": "開啟查詢", + "queryHistory.runQuery": "執行查詢", + "queryHistory.toggleCaptureLabel": "切換查詢歷史記錄擷取", + "queryHistory.disableCapture": "暫停查詢歷史記錄擷取", + "queryHistory.enableCapture": "開始查詢歷史記錄擷取" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryRenderer": { + "succeeded": "成功", + "failed": "失敗" + }, + "sql/workbench/contrib/queryHistory/browser/queryHistoryView": { + "noQueriesMessage": "沒有查詢可顯示。", + "queryHistory.regTreeAriaLabel": "查詢歷史記錄" + }, + "sql/workbench/contrib/queryHistory/electron-browser/queryHistory": { + "queryHistoryConfigurationTitle": "查詢歷史記錄", + "queryHistoryCaptureEnabled": "是否啟用了查詢歷史記錄擷取。若未啟用,將不會擷取已經執行的查詢。", + "queryHistory.clearLabel": "清除所有歷史記錄", + "queryHistory.disableCapture": "暫停查詢歷史記錄擷取", + "queryHistory.enableCapture": "開始查詢歷史記錄擷取", + "viewCategory": "檢視", + "miViewQueryHistory": "查詢歷史記錄(&&Q)", + "queryHistory": "查詢歷史記錄" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlan": { + "queryPlanTitle": "查詢計劃" + }, + "sql/workbench/contrib/queryPlan/browser/queryPlanEditor": { + "queryPlanEditor": "Query Plan Editor" + }, + "sql/workbench/contrib/queryPlan/browser/topOperations": { + "topOperations.operation": "作業", + "topOperations.object": "物件", + "topOperations.estCost": "估計成本", + "topOperations.estSubtreeCost": "估計的樹狀子目錄成本", + "topOperations.actualRows": "實際資料列數", + "topOperations.estRows": "估計資料列數", + "topOperations.actualExecutions": "實際執行次數", + "topOperations.estCPUCost": "估計 CPU 成本", + "topOperations.estIOCost": "估計 IO 成本", + "topOperations.parallel": "平行作業", + "topOperations.actualRebinds": "實際重新繫結數", + "topOperations.estRebinds": "估計重新繫結數", + "topOperations.actualRewinds": "實際倒轉數", + "topOperations.estRewinds": "估計倒轉數", + "topOperations.partitioned": "已分割", + "topOperationsTitle": "最前幾項操作" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewer.contribution": { + "resourceViewer": "資源檢視器" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerActions": { + "resourceViewer.refresh": "重新整理" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerTable": { + "resourceViewerTable.openError": "開啟連結時發生錯誤: {0}", + "resourceViewerTable.commandError": "執行命令 '{0}' 時發生錯誤: {1}" + }, + "sql/workbench/contrib/resourceViewer/browser/resourceViewerView": { + "resourceViewer.ariaLabel": "資源檢視器樹狀結構" + }, + "sql/workbench/contrib/resourceViewer/common/resourceViewerViewExtensionPoint": { + "extension.contributes.resourceView.resource.id": "資源的識別碼。", + "extension.contributes.resourceView.resource.name": "使用人性化顯示名稱。會顯示", + "extension.contributes.resourceView.resource.icon": "資源圖示的路徑。", + "extension.contributes.resourceViewResources": "將資源提供給資源檢視", + "requirestring": "屬性 '{0}' 為強制項目且必須屬於 `string` 類型", + "optstring": "屬性 `{0}` 可以省略或必須屬於 `string` 類型" + }, + "sql/workbench/contrib/restore/browser/restore.contribution": { + "restore": "還原", + "backup": "還原" + }, + "sql/workbench/contrib/restore/browser/restoreActions": { + "restore.isPreviewFeature": "您必須啟用預覽功能才能使用還原", + "restore.commandNotSupportedOutsideContext": "伺服器內容中不支援還原命令。請選取伺服器或資料庫並再試一次。", + "restore.commandNotSupported": "Azure SQL 資料庫不支援還原命令。", + "restoreAction.restore": "還原" + }, + "sql/workbench/contrib/scripting/browser/scripting.contribution": { + "scriptAsCreate": "建立指令碼", + "scriptAsDelete": "將指令碼編寫為 Drop", + "scriptAsSelect": "選取前 1000", + "scriptAsExecute": "作為指令碼執行", + "scriptAsAlter": "修改指令碼", + "editData": "編輯資料", + "scriptSelect": "選取前 1000", + "scriptKustoSelect": "取用 10 筆", + "scriptCreate": "建立指令碼", + "scriptExecute": "作為指令碼執行", + "scriptAlter": "修改指令碼", + "scriptDelete": "將指令碼編寫為 Drop", + "refreshNode": "重新整理" + }, + "sql/workbench/contrib/scripting/browser/scriptingActions": { + "refreshError": "重新整理節點 '{0}' 時發生錯誤: {1}" + }, + "sql/workbench/contrib/tasks/browser/tasks.contribution": { + "inProgressTasksChangesBadge": "{0} 正在執行的工作", + "viewCategory": "檢視", + "tasks": "工作", + "miViewTasks": "工作(&&T)" + }, + "sql/workbench/contrib/tasks/browser/tasksActions": { + "toggleTasks": "切換工作" + }, + "sql/workbench/contrib/tasks/browser/tasksRenderer": { + "succeeded": "成功", + "failed": "失敗", + "inProgress": "進行中", + "notStarted": "未啟動", + "canceled": "已取消", + "canceling": "取消中" + }, + "sql/workbench/contrib/tasks/browser/tasksView": { + "noTaskMessage": "沒有工作歷程記錄可顯示。", + "taskHistory.regTreeAriaLabel": "工作歷程記錄", + "taskError": "工作錯誤" + }, + "sql/workbench/contrib/tasks/common/tasksAction": { + "cancelTask.cancel": "取消", + "errorMsgFromCancelTask": "工作取消失敗。", + "taskAction.script": "指令碼" + }, + "sql/workbench/contrib/views/browser/treeView": { + "no-dataprovider": "沒有任何已註冊的資料提供者可提供檢視資料。", + "refresh": "重新整理", + "collapseAll": "全部摺疊", + "command-error": "執行命令 {1} 時發生錯誤: {0}。這可能是貢獻 {1} 的延伸模組所引起。" + }, + "sql/workbench/contrib/webview/browser/webViewDialog": { + "webViewDialog.ok": "確定", + "webViewDialog.close": "關閉" + }, + "sql/workbench/contrib/welcome/gettingStarted/browser/abstractEnablePreviewFeatures": { + "enablePreviewFeatures.notice": "預覽功能可讓您完整存取新功能及改善的功能,增強您在 Azure Data Studio 的體驗。您可以參閱[這裡]({0})深入了解預覽功能。是否要啟用預覽功能?", + "enablePreviewFeatures.yes": "是 (建議)", + "enablePreviewFeatures.no": "否", + "enablePreviewFeatures.never": "不,不要再顯示" + }, + "sql/workbench/contrib/welcome/page/browser/az_data_welcome_page": { + "welcomePage.previewBody": "這個功能頁面仍在預覽階段。預覽功能會引進新功能,並逐步成為產品中永久的一部分。這些功能雖然穩定,但在使用上仍需要改善。歡迎您在功能開發期間提供早期的意見反應。", + "welcomePage.preview": "預覽", + "welcomePage.createConnection": "建立連線", + "welcomePage.createConnectionBody": "透過連線對話方塊連線到資料庫執行個體。", + "welcomePage.runQuery": "執行查詢", + "welcomePage.runQueryBody": "透過查詢編輯器與資料互動。", + "welcomePage.createNotebook": "建立筆記本", + "welcomePage.createNotebookBody": "使用原生筆記本編輯器建置新的筆記本。", + "welcomePage.deployServer": "部署伺服器", + "welcomePage.deployServerBody": "在您選擇的平台上建立關聯式資料服務的新執行個體。", + "welcomePage.resources": "資源", + "welcomePage.history": "記錄", + "welcomePage.name": "名稱", + "welcomePage.location": "位置", + "welcomePage.moreRecent": "顯示更多", + "welcomePage.showOnStartup": "啟動時顯示歡迎頁面", + "welcomePage.usefuLinks": "實用的連結", + "welcomePage.gettingStarted": "使用者入門", + "welcomePage.gettingStartedBody": "探索 Azure Data Studio 提供的功能,並了解如何充分利用。", + "welcomePage.documentation": "文件", + "welcomePage.documentationBody": "如需快速入門、操作指南及 PowerShell、API 等參考,請瀏覽文件中心。", + "welcomePage.videos": "影片", + "welcomePage.videoDescriptionOverview": "Azure Data Studio 概觀", + "welcomePage.videoDescriptionIntroduction": "Azure Data Studio Notebooks 簡介 | 公開的資料", + "welcomePage.extensions": "延伸模組", + "welcomePage.showAll": "全部顯示", + "welcomePage.learnMore": "深入了解 " + }, + "sql/workbench/contrib/welcome/page/browser/gettingStartedTour": { + "GuidedTour.connections": "連線", + "GuidedTour.makeConnections": "從 SQL Server、Azure 等處進行連線、查詢及管理您的連線。", + "GuidedTour.one": "1", + "GuidedTour.next": "下一個", + "GuidedTour.notebooks": "筆記本", + "GuidedTour.gettingStartedNotebooks": "開始在單一位置建立您自己的筆記本或筆記本系列。", + "GuidedTour.two": "2", + "GuidedTour.extensions": "延伸模組", + "GuidedTour.addExtensions": "安裝由我們 (Microsoft) 及第三方社群 (您!) 所開發的延伸模組,來擴充 Azure Data Studio 的功能。", + "GuidedTour.three": "3", + "GuidedTour.settings": "設定", + "GuidedTour.makeConnesetSettings": "根據您的喜好自訂 Azure Data Studio。您可以進行自動儲存及索引標籤大小等 [設定]、將 [鍵盤快速鍵] 個人化,以及切換至您喜歡的 [色彩佈景主題]。", + "GuidedTour.four": "4", + "GuidedTour.welcomePage": "歡迎頁面", + "GuidedTour.discoverWelcomePage": "在歡迎頁面中探索常用功能、最近開啟的檔案及建議的延伸模組。如需詳細資訊,以了解如何開始使用 Azure Data Studio,請參閱我們的影片及文件。", + "GuidedTour.five": "5", + "GuidedTour.finish": "完成", + "guidedTour": "使用者歡迎導覽", + "hideGuidedTour": "隱藏歡迎導覽", + "GuidedTour.readMore": "深入了解", + "help": "說明" + }, + "sql/workbench/contrib/welcome/page/browser/welcomePage": { + "welcomePage": "歡迎使用", + "welcomePage.adminPack": "SQL 管理員套件", + "welcomePage.showAdminPack": "SQL 管理員套件", + "welcomePage.adminPackDescription": "SQL Server 的管理員套件是一套熱門的資料庫管理延伸模組,可協助您管理 SQL Server", + "welcomePage.sqlServerAgent": "SQL Server Agent", + "welcomePage.sqlServerProfiler": "SQL Server Profiler", + "welcomePage.sqlServerImport": "SQL Server 匯入", + "welcomePage.sqlServerDacpac": "SQL Server Dacpac", + "welcomePage.powershell": "PowerShell", + "welcomePage.powershellDescription": "使用 Azure Data Studio 的豐富查詢編輯器來寫入及執行 PowerShell 指令碼", + "welcomePage.dataVirtualization": "資料虛擬化", + "welcomePage.dataVirtualizationDescription": "使用 SQL Server 2019 將資料虛擬化,並使用互動式精靈建立外部資料表", + "welcomePage.PostgreSQL": "PostgreSQL", + "welcomePage.PostgreSQLDescription": "使用 Azure Data Studio 進行連線、查詢及管理 Postgres 資料庫", + "welcomePage.extensionPackAlreadyInstalled": "支援功能{0}已被安裝。", + "welcomePage.willReloadAfterInstallingExtensionPack": "{0} 的其他支援安裝完成後,將會重新載入此視窗。", + "welcomePage.installingExtensionPack": "正在安裝 {0} 的其他支援...", + "welcomePage.extensionPackNotFound": "找不到ID為{1}的{0}支援功能.", + "welcomePage.newConnection": "新增連線", + "welcomePage.newQuery": "新增查詢", + "welcomePage.newNotebook": "新增筆記本", + "welcomePage.deployServer": "部署伺服器", + "welcome.title": "歡迎使用", + "welcomePage.new": "新增", + "welcomePage.open": "開啟…", + "welcomePage.openFile": "開啟檔案…", + "welcomePage.openFolder": "開啟資料夾…", + "welcomePage.startTour": "開始導覽", + "closeTourBar": "關閉快速導覽列", + "WelcomePage.TakeATour": "要進行 Azure Data Studio 的快速導覽嗎?", + "WelcomePage.welcome": "歡迎使用!", + "welcomePage.openFolderWithPath": "透過路徑 {1} 開啟資料夾 {0}", + "welcomePage.install": "安裝", + "welcomePage.installKeymap": "安裝 {0} 鍵盤對應", + "welcomePage.installExtensionPack": "安裝 {0} 的其他支援", + "welcomePage.installed": "已安裝", + "welcomePage.installedKeymap": "已安裝 {0} 按鍵對應", + "welcomePage.installedExtensionPack": "已安裝 {0} 支援", + "ok": "確定", + "details": "詳細資料", + "welcomePage.background": "歡迎頁面的背景色彩。" + }, + "sql/workbench/contrib/welcome2/page/browser/az_data_welcome_page": { + "welcomePage.azdata": "Azure Data Studio", + "welcomePage.start": "開始", + "welcomePage.newConnection": "新增連線", + "welcomePage.newQuery": "新增查詢", + "welcomePage.newNotebook": "新增筆記本", + "welcomePage.openFileMac": "開啟檔案", + "welcomePage.openFileLinuxPC": "開啟檔案", + "welcomePage.deploy": "部署", + "welcomePage.newDeployment": "新增部署…", + "welcomePage.recent": "最近使用", + "welcomePage.moreRecent": "更多...", + "welcomePage.noRecentFolders": "沒有最近使用的資料夾", + "welcomePage.help": "說明", + "welcomePage.gettingStarted": "使用者入門", + "welcomePage.productDocumentation": "文件", + "welcomePage.reportIssue": "回報問題或功能要求", + "welcomePage.gitHubRepository": "GitHub 存放庫", + "welcomePage.releaseNotes": "版本資訊", + "welcomePage.showOnStartup": "啟動時顯示歡迎頁面", + "welcomePage.customize": "自訂", + "welcomePage.extensions": "延伸模組", + "welcomePage.extensionDescription": "下載所需延伸模組,包括 SQL Server 系統管理員套件等", + "welcomePage.keyboardShortcut": "鍵盤快速鍵", + "welcomePage.keyboardShortcutDescription": "尋找您最愛的命令並予加自訂", + "welcomePage.colorTheme": "色彩佈景主題", + "welcomePage.colorThemeDescription": "將編輯器和您的程式碼設定成您喜愛的外觀", + "welcomePage.learn": "了解", + "welcomePage.showCommands": "尋找及執行所有命令", + "welcomePage.showCommandsDescription": "從命令選擇區快速存取及搜尋命令 ({0})", + "welcomePage.azdataBlog": "探索最新版本中的新功能", + "welcomePage.azdataBlogDescription": "展示新功能的新每月部落格文章", + "welcomePage.followTwitter": "追蹤我們的 Twitter", + "welcomePage.followTwitterDescription": "掌握社群如何使用 Azure Data Studio 的最新消息,並可直接與工程師對話。" + }, + "sql/workbench/services/accountManagement/browser/accountDialog": { + "accountExplorer.name": "帳戶", + "linkedAccounts": "連結的帳戶", + "accountDialog.close": "關閉", + "accountDialog.noAccountLabel": "沒有任何已連結帳戶。請新增帳戶。", + "accountDialog.addConnection": "新增帳戶", + "accountDialog.noCloudsRegistered": "您未啟用任何雲端。前往 [設定] -> [搜尋 Azure 帳戶組態] -> 啟用至少一個雲端", + "accountDialog.didNotPickAuthProvider": "您未選取任何驗證提供者。請再試一次。" + }, + "sql/workbench/services/accountManagement/browser/accountDialogController": { + "accountDialog.addAccountErrorTitle": "新增帳戶時發生錯誤" + }, + "sql/workbench/services/accountManagement/browser/accountListRenderer": { + "refreshCredentials": "您需要重新整理此帳戶的登入資訊。" + }, + "sql/workbench/services/accountManagement/browser/accountManagementService": { + "accountManagementService.close": "關閉", + "loggingIn": "正在新增帳戶...", + "refreshFailed": "使用者已取消重新整理帳戶" + }, + "sql/workbench/services/accountManagement/browser/accountPickerImpl": { + "azureAccount": "Azure 帳戶", + "azureTenant": "Azure 租用戶" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialog": { + "copyAndOpen": "複製並開啟", + "oauthDialog.cancel": "取消", + "userCode": "使用者代碼", + "website": "網站" + }, + "sql/workbench/services/accountManagement/browser/autoOAuthDialogController": { + "oauthFlyoutIsAlreadyOpen": "無法啟動自動 OAuth。自動 OAuth 已在進行中。" + }, + "sql/workbench/services/admin/common/adminService": { + "adminService.providerIdNotValidError": "必需連線以便與 adminservice 互動", + "adminService.noHandlerRegistered": "未註冊處理常式" + }, + "sql/workbench/services/assessment/common/assessmentService": { + "asmt.providerIdNotValidError": "需要連線才能與評定服務互動", + "asmt.noHandlerRegistered": "未註冊任何處理常式" + }, + "sql/workbench/services/connection/browser/advancedPropertiesController": { + "connectionAdvancedProperties": "進階屬性", + "advancedProperties.discard": "捨棄" + }, + "sql/workbench/services/connection/browser/cmsConnectionWidget": { + "serverDescription": "伺服器描述 (選用)" + }, + "sql/workbench/services/connection/browser/connectionActions": { + "ClearRecentlyUsedLabel": "清除清單", + "ClearedRecentConnections": "最近的連線清單已清除", + "connectionAction.yes": "是", + "connectionAction.no": "否", + "clearRecentConnectionMessage": "您確定要刪除清單中的所有連線嗎?", + "connectionDialog.yes": "是", + "connectionDialog.no": "否", + "delete": "刪除", + "connectionAction.GetCurrentConnectionString": "取得目前的連接字串", + "connectionAction.connectionString": "連接字串無法使用", + "connectionAction.noConnection": "沒有可用的有效連線" + }, + "sql/workbench/services/connection/browser/connectionBrowseTab": { + "connectionDialog.browser": "瀏覽", + "connectionDialog.FilterPlaceHolder": "在此鍵入以篩選清單", + "connectionDialog.FilterInputTitle": "篩選連線", + "connectionDialog.ApplyingFilter": "正在套用篩選", + "connectionDialog.RemovingFilter": "正在移除篩選", + "connectionDialog.FilterApplied": "已套用篩選", + "connectionDialog.FilterRemoved": "已移除篩選", + "savedConnections": "已儲存的連線", + "savedConnection": "已儲存的連線", + "connectionBrowserTree": "連線瀏覽器樹狀結構" + }, + "sql/workbench/services/connection/browser/connectionDialogService": { + "connectionError": "連線錯誤", + "kerberosErrorStart": "因為 Kerberos 錯誤導致連線失敗。", + "kerberosHelpLink": "您可於 {0} 取得設定 Kerberos 的說明", + "kerberosKinit": "如果您之前曾連線,則可能需要重新執行 kinit。" + }, + "sql/workbench/services/connection/browser/connectionDialogWidget": { + "connection": "連線", + "connecting": "正在連線", + "connectType": "連線類型", + "recentConnectionTitle": "最近", + "connectionDetailsTitle": "連線詳細資料", + "connectionDialog.connect": "連線", + "connectionDialog.cancel": "取消", + "connectionDialog.recentConnections": "最近的連線", + "noRecentConnections": "沒有最近使用的連線" + }, + "sql/workbench/services/connection/browser/connectionManagementService": { + "connection.noAzureAccount": "無法取得連線的 Azure 帳戶權杖", + "connectionNotAcceptedError": "連線未被接受", + "connectionService.yes": "是", + "connectionService.no": "否", + "cancelConnectionConfirmation": "您確定要取消此連線嗎?" + }, + "sql/workbench/services/connection/browser/connectionWidget": { + "connectionWidget.AddAzureAccount": "新增帳戶...", + "defaultDatabaseOption": "<預設>", + "loadingDatabaseOption": "正在載入...", + "serverGroup": "伺服器群組", + "defaultServerGroup": "<預設>", + "addNewServerGroup": "新增群組...", + "noneServerGroup": "<不要儲存>", + "connectionWidget.missingRequireField": "{0} 為必要項。", + "connectionWidget.fieldWillBeTrimmed": "{0} 將受到修剪。", + "rememberPassword": "記住密碼", + "connection.azureAccountDropdownLabel": "帳戶", + "connectionWidget.refreshAzureCredentials": "重新整理帳戶登入資訊", + "connection.azureTenantDropdownLabel": "Azure AD 租用戶", + "connectionName": "名稱 (選用)", + "advanced": "進階...", + "connectionWidget.invalidAzureAccount": "您必須選取帳戶" + }, + "sql/workbench/services/connection/browser/localizedConstants": { + "onDidConnectMessage": "已連線到", + "onDidDisconnectMessage": "已中斷連線", + "unsavedGroupLabel": "未儲存的連線" + }, + "sql/workbench/services/dashboard/browser/newDashboardTabDialogImpl": { + "newDashboardTab.openDashboardExtensions": "開啟儀表板延伸模組", + "newDashboardTab.ok": "確定", + "newDashboardTab.cancel": "取消", + "newdashboardTabDialog.noExtensionLabel": "目前沒有安裝任何儀表板延伸模組。請前往延伸模組能管理員探索建議的延伸模組。" + }, + "sql/workbench/services/dialog/browser/dialogPane": { + "wizardPageNumberDisplayText": "步驟 {0}" + }, + "sql/workbench/services/dialog/common/dialogTypes": { + "dialogModalDoneButtonLabel": "完成", + "dialogModalCancelButtonLabel": "取消" + }, + "sql/workbench/services/editData/common/editQueryRunner": { + "query.initEditExecutionFailed": "初始化編輯資料工作階段失敗:" + }, + "sql/workbench/services/errorMessage/browser/errorMessageDialog": { + "errorMessageDialog.ok": "確定", + "errorMessageDialog.close": "關閉", + "errorMessageDialog.action": "動作", + "copyDetails": "複製詳細資訊" + }, + "sql/workbench/services/errorMessage/browser/errorMessageService": { + "error": "錯誤", + "warning": "警告", + "info": "資訊", + "ignore": "忽略" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialog": { + "filebrowser.filepath": "選擇的路徑", + "fileFilter": "檔案類型", + "fileBrowser.ok": "確定", + "fileBrowser.discard": "捨棄" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserDialogController": { + "filebrowser.selectFile": "選擇檔案" + }, + "sql/workbench/services/fileBrowser/browser/fileBrowserTreeView": { + "fileBrowser.regTreeAriaLabel": "樹狀結構檔案瀏覽器" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserService": { + "fileBrowserErrorMessage": "載入檔案瀏覽器時發生錯誤。", + "fileBrowserErrorDialogTitle": "檔案瀏覽器錯誤" + }, + "sql/workbench/services/fileBrowser/common/fileBrowserViewModel": { + "allFiles": "所有檔案" + }, + "sql/workbench/services/insights/browser/insightDialogActions": { + "workbench.action.insights.copySelection": "複製資料格" + }, + "sql/workbench/services/insights/browser/insightsDialogController": { + "insightsInputError": "沒有傳遞給見解彈出式視窗的連線設定", + "insightsError": "見解錯誤", + "insightsFileError": "讀取查詢檔案時發生錯誤:", + "insightsConfigError": "解析見解設定時發生錯誤。找不到查詢陣列/字串或 queryfile" + }, + "sql/workbench/services/insights/browser/insightsDialogView": { + "insights.item": "項目", + "insights.value": "值", + "insightsDetailView.name": "見解詳細資料", + "property": "屬性", + "value": "值", + "InsightsDialogTitle": "見解", + "insights.dialog.items": "項目", + "insights.dialog.itemDetails": "項目詳細資訊" + }, + "sql/workbench/services/insights/common/insightsUtils": { + "insightsDidNotFindResolvedFile": "無法在以下任一路徑找到查詢檔案 :\r\n {0}" + }, + "sql/workbench/services/jobManagement/browser/jobManagementUtilities": { + "agentUtilities.failed": "失敗", + "agentUtilities.succeeded": "已成功", + "agentUtilities.retry": "重試", + "agentUtilities.canceled": "已取消", + "agentUtilities.inProgress": "正在進行", + "agentUtilities.statusUnknown": "狀態未知", + "agentUtilities.executing": "正在執行", + "agentUtilities.waitingForThread": "正在等候執行緒", + "agentUtilities.betweenRetries": "正在重試", + "agentUtilities.idle": "閒置", + "agentUtilities.suspended": "暫止", + "agentUtilities.obsolete": "[已淘汰]", + "agentUtilities.yes": "是", + "agentUtilities.no": "否", + "agentUtilities.notScheduled": "未排程", + "agentUtilities.neverRun": "從未執行" + }, + "sql/workbench/services/jobManagement/common/jobManagementService": { + "providerIdNotValidError": "需要連線才能與 JobManagementService 互動", + "noHandlerRegistered": "未註冊任何處理常式" + }, + "sql/workbench/services/notebook/browser/interfaces": { + "sqlKernel": "SQL" + }, "sql/workbench/services/notebook/browser/models/cell": { "runCellCancelled": "已取消資料格執行", "executionCanceled": "已取消執行查詢", @@ -11325,12 +11224,223 @@ "noDefaultKernel": "沒有任何可供此筆記本使用的核心", "commandSuccessful": "已成功執行命令" }, + "sql/workbench/services/notebook/browser/models/clientSession": { + "clientSession.unknownError": "啟動筆記本工作階段時發生錯誤", + "ServerNotStarted": "伺服器因為不明原因而未啟動", + "kernelRequiresConnection": "找不到核心 {0}。會改用預設核心。" + }, "sql/workbench/services/notebook/browser/models/notebookContexts": { "selectConnection": "選取連線", "localhost": "localhost" }, - "sql/workbench/browser/parts/editor/editorStatusModeSelect": { - "languageChangeUnsupported": "無法變更尚未儲存之檔案的編輯器類型" + "sql/workbench/services/notebook/browser/models/notebookModel": { + "injectedParametersMsg": "# 個插入的參數\r\n", + "kernelRequiresConnection": "請選取要為此核心執行資料格的連線", + "deleteCellFailed": "無法刪除資料格。", + "changeKernelFailedRetry": "無法變更核心。將會使用核心 {0}。錯誤為: {1}", + "changeKernelFailed": "因為錯誤所以無法變更核心: {0}", + "changeContextFailed": "無法變更內容: {0}", + "startSessionFailed": "無法啟動工作階段: {0}", + "shutdownClientSessionError": "關閉筆記本時發生用戶端工作階段錯誤: {0}", + "ProviderNoManager": "找不到提供者 {0} 的筆記本管理員" + }, + "sql/workbench/services/notebook/browser/notebookServiceImpl": { + "notebookUriNotDefined": "建立筆記本管理員時未傳遞任何 URI", + "notebookServiceNoProvider": "Notebook 提供者不存在" + }, + "sql/workbench/services/notebook/browser/notebookViews/notebookViewModel": { + "notebookView.nameTaken": "此筆記本中已有名稱為 {0} 的檢視。" + }, + "sql/workbench/services/notebook/browser/sql/sqlSessionManager": { + "sqlKernelError": "SQL 核心錯誤", + "connectionRequired": "必須選擇連線來執行筆記本資料格", + "sqlMaxRowsDisplayed": "目前顯示前 {0} 列。" + }, + "sql/workbench/services/notebook/common/contracts": { + "notebook.richTextEditMode": "RTF 文字", + "notebook.splitViewEditMode": "分割檢視", + "notebook.markdownEditMode": "Markdown" + }, + "sql/workbench/services/notebook/common/localContentManager": { + "nbformatNotRecognized": "無法識別 nbformat v{0}.{1}", + "nbNotSupported": "檔案不具備有效的筆記本格式", + "unknownCellType": "資料格類型 {0} 不明", + "unrecognizedOutput": "無法識別輸出類型 {0}", + "invalidMimeData": "{0} 的資料應為字串或字串的陣列", + "unrecognizedOutputType": "無法識別輸出類型 {0}" + }, + "sql/workbench/services/notebook/common/notebookRegistry": { + "carbon.extension.contributes.notebook.provider": "筆記本提供者的識別碼。", + "carbon.extension.contributes.notebook.fileExtensions": "應向此筆記本提供者註冊的檔案副檔名", + "carbon.extension.contributes.notebook.standardKernels": "應為此筆記本提供者之標準的核心", + "vscode.extension.contributes.notebook.providers": "提供筆記本提供者。", + "carbon.extension.contributes.notebook.magic": "資料格 magic 的名稱,例如 '%%sql'。", + "carbon.extension.contributes.notebook.language": "資料格中包含此資料格 magic 時,要使用的資料格語言", + "carbon.extension.contributes.notebook.executionTarget": "這個 magic 指示的選擇性執行目標,例如 Spark vs SQL", + "carbon.extension.contributes.notebook.kernels": "適用於像是 python3、pyspark、sql 等等的選擇性核心集", + "vscode.extension.contributes.notebook.languagemagics": "提供筆記本語言。" + }, + "sql/workbench/services/objectExplorer/browser/asyncServerTreeRenderer": { + "loading": "正在載入..." + }, + "sql/workbench/services/objectExplorer/browser/connectionTreeAction": { + "connectionTree.refresh": "重新整理", + "connectionTree.editConnection": "編輯連線", + "DisconnectAction": "中斷連線", + "connectionTree.addConnection": "新增連線", + "connectionTree.addServerGroup": "新增伺服器群組", + "connectionTree.editServerGroup": "編輯伺服器群組", + "activeConnections": "顯示使用中的連線", + "showAllConnections": "顯示所有連線", + "deleteConnection": "刪除連線", + "deleteConnectionGroup": "刪除群組" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerService": { + "OeSessionFailedError": "建立物件總管工作階段失敗", + "nodeExpansionError": "多個錯誤:" + }, + "sql/workbench/services/objectExplorer/browser/objectExplorerViewTreeShim": { + "noProviderFound": "因為找不到必要的連線提供者 ‘{0}’,所以無法展開", + "loginCanceled": "已取消使用者", + "firewallCanceled": "已取消防火牆對話方塊" + }, + "sql/workbench/services/objectExplorer/browser/serverTreeRenderer": { + "loading": "正在載入..." + }, + "sql/workbench/services/objectExplorer/browser/treeCreationUtils": { + "treeAriaLabel": "最近的連線", + "serversAriaLabel": "伺服器", + "treeCreation.regTreeAriaLabel": "伺服器" + }, + "sql/workbench/services/profiler/browser/profilerColumnEditorDialog": { + "eventSort": "依事件排序", + "nameColumn": "依資料行排序", + "profilerColumnDialog.profiler": "分析工具", + "profilerColumnDialog.ok": "確定", + "profilerColumnDialog.cancel": "取消" + }, + "sql/workbench/services/profiler/browser/profilerFilterDialog": { + "profilerFilterDialog.clear": "全部清除", + "profilerFilterDialog.apply": "套用", + "profilerFilterDialog.ok": "確定", + "profilerFilterDialog.cancel": "取消", + "profilerFilterDialog.title": "篩選", + "profilerFilterDialog.remove": "移除此子句", + "profilerFilterDialog.saveFilter": "儲存篩選", + "profilerFilterDialog.loadFilter": "載入篩選", + "profilerFilterDialog.addClauseText": "新增子句", + "profilerFilterDialog.fieldColumn": "欄位", + "profilerFilterDialog.operatorColumn": "運算子", + "profilerFilterDialog.valueColumn": "值", + "profilerFilterDialog.isNullOperator": "為 Null", + "profilerFilterDialog.isNotNullOperator": "非 Null", + "profilerFilterDialog.containsOperator": "包含", + "profilerFilterDialog.notContainsOperator": "不包含", + "profilerFilterDialog.startsWithOperator": "開頭是", + "profilerFilterDialog.notStartsWithOperator": "開頭不是" + }, + "sql/workbench/services/query/common/queryModelService": { + "commitEditFailed": "認可資料列失敗: ", + "runQueryBatchStartMessage": "已開始執行以下查詢:", + "runQueryStringBatchStartMessage": "已開始執行查詢 \"{0}\"", + "runQueryBatchStartLine": "第 {0} 行", + "msgCancelQueryFailed": "取消查詢失敗: {0}", + "updateCellFailed": "更新資料格失敗: " + }, + "sql/workbench/services/query/common/queryRunner": { + "query.ExecutionFailedError": "由於意外錯誤導致執行失敗: {0} {1}", + "query.message.executionTime": "總執行時間: {0}", + "query.message.startQueryWithRange": "已於第 {0} 行開始執行查詢", + "query.message.startQuery": "已開始執行批次 {0}", + "elapsedBatchTime": "批次執行時間: {0}", + "copyFailed": "複製失敗。錯誤: {0}" + }, + "sql/workbench/services/query/common/resultSerializer": { + "msgSaveFailed": "無法儲存結果。", + "resultsSerializer.saveAsFileTitle": "選擇結果檔案", + "resultsSerializer.saveAsFileExtensionCSVTitle": "CSV (以逗號分隔)", + "resultsSerializer.saveAsFileExtensionJSONTitle": "JSON", + "resultsSerializer.saveAsFileExtensionExcelTitle": "Excel 活頁簿", + "resultsSerializer.saveAsFileExtensionXMLTitle": "XML", + "resultsSerializer.saveAsFileExtensionTXTTitle": "純文字", + "savingFile": "正在儲存檔案...", + "msgSaveSucceeded": "已成功將結果儲存至 {0}", + "openFile": "開啟檔案" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialog": { + "from": "從", + "to": "至", + "createNewFirewallRule": "建立新的防火牆規則", + "firewall.ok": "確定", + "firewall.cancel": "取消", + "firewallRuleDialogDescription": "您的用戶端 IP 位址無法存取伺服器。登錄到 Azure 帳戶並建立新的防火牆規則以啟用存取權限。", + "firewallRuleHelpDescription": "深入了解防火牆設定", + "filewallRule": "防火牆規則", + "addIPAddressLabel": "新增我的用戶端 IP", + "addIpRangeLabel": "新增我的子網路 IP 範圍" + }, + "sql/workbench/services/resourceProvider/browser/firewallRuleDialogController": { + "firewallDialog.addAccountErrorTitle": "新增帳戶時發生錯誤", + "firewallRuleError": "防火牆規則錯誤" + }, + "sql/workbench/services/restore/browser/restoreDialog": { + "backupFilePath": "備份檔案路徑", + "targetDatabase": "目標資料庫", + "restoreDialog.restore": "還原", + "restoreDialog.restoreTitle": "還原資料庫", + "restoreDialog.database": "資料庫", + "restoreDialog.backupFile": "備份檔案", + "RestoreDialogTitle": "還原資料庫", + "restoreDialog.cancel": "取消", + "restoreDialog.script": "指令碼", + "source": "來源", + "restoreFrom": "還原自", + "missingBackupFilePathError": "需要備份檔案路徑。", + "multipleBackupFilePath": "請輸入一或多個用逗號分隔的檔案路徑", + "database": "資料庫", + "destination": "目的地", + "restoreTo": "還原到", + "restorePlan": "還原計劃", + "backupSetsToRestore": "要還原的備份組", + "restoreDatabaseFileAs": "將資料庫檔案還原為", + "restoreDatabaseFileDetails": "還原資料庫檔詳細資訊", + "logicalFileName": "邏輯檔案名稱", + "fileType": "檔案類型", + "originalFileName": "原始檔案名稱", + "restoreAs": "還原為", + "restoreOptions": "還原選項", + "taillogBackup": "結尾記錄備份", + "serverConnection": "伺服器連線", + "generalTitle": "一般", + "filesTitle": "檔案", + "optionsTitle": "選項" + }, + "sql/workbench/services/restore/common/constants": { + "backup.filterBackupFiles": "備份檔案", + "backup.allFiles": "所有檔案" + }, + "sql/workbench/services/serverGroup/browser/serverGroupDialog": { + "ServerGroupsDialogTitle": "伺服器群組", + "serverGroup.ok": "確定", + "serverGroup.cancel": "取消", + "connectionGroupName": "伺服器群組名稱", + "MissingGroupNameError": "需要群組名稱。", + "groupDescription": "群組描述", + "groupColor": "群組色彩" + }, + "sql/workbench/services/serverGroup/common/serverGroupViewModel": { + "serverGroup.addServerGroup": "新增伺服器群組", + "serverGroup.editServerGroup": "編輯伺服器群組" + }, + "sql/workbench/services/tasks/common/tasksService": { + "InProgressWarning": "1 個或更多的工作正在進行中。是否確實要退出?", + "taskService.yes": "是", + "taskService.no": "否" + }, + "sql/workbench/update/electron-browser/releaseNotes": { + "gettingStarted": "開始", + "showReleaseNotes": "顯示入門指南", + "miGettingStarted": "開始使用(&&S)" } } } \ No newline at end of file diff --git a/resources/xlf/de/admin-tool-ext-win.de.xlf b/resources/xlf/de/admin-tool-ext-win.de.xlf index 6dede727ff..3cd6489470 100644 --- a/resources/xlf/de/admin-tool-ext-win.de.xlf +++ b/resources/xlf/de/admin-tool-ext-win.de.xlf @@ -20,7 +20,7 @@ - + No ConnectionContext provided for handleLaunchSsmsMinPropertiesDialogCommand diff --git a/resources/xlf/de/agent.de.xlf b/resources/xlf/de/agent.de.xlf index e65de7caff..8a790a98f7 100644 --- a/resources/xlf/de/agent.de.xlf +++ b/resources/xlf/de/agent.de.xlf @@ -1,230 +1,18 @@  - + - - New Schedule - Neuer Zeitplan - - + OK OK - + Cancel Abbrechen - - Schedule Name - Zeitplanname - - - Schedules - Zeitpläne - - - - - Create Proxy - Proxy erstellen - - - Edit Proxy - Proxy bearbeiten - - - General - Allgemein - - - Proxy name - Proxyname - - - Credential name - Name der Anmeldeinformationen - - - Description - Beschreibung - - - Subsystem - Subsystem - - - Operating system (CmdExec) - Betriebssystem (CmdExec) - - - Replication Snapshot - Replikationsmomentaufnahme - - - Replication Transaction-Log Reader - Replikationstransaktionsprotokoll-Leser - - - Replication Distributor - Replikationsverteiler - - - Replication Merge - Replikationsmerge - - - Replication Queue Reader - Replikations-Warteschlangenleser - - - SQL Server Analysis Services Query - SQL Server Analysis Services-Abfrage - - - SQL Server Analysis Services Command - SQL Server Analysis Services-Befehl - - - SQL Server Integration Services Package - SQL Server Integration Services-Paket - - - PowerShell - PowerShell - - - Active to the following subsytems - Folgenden Subsystemen gegenüber aktiv - - - - - - - Job Schedules - Auftragszeitpläne - - - OK - OK - - - Cancel - Abbrechen - - - Available Schedules: - Verfügbare Zeitpläne: - - - Name - Name - - - ID - ID - - - Description - Beschreibung - - - - - - - Create Operator - Operator erstellen - - - Edit Operator - Operator bearbeiten - - - General - Allgemein - - - Notifications - Benachrichtigungen - - - Name - Name - - - Enabled - Aktiviert - - - E-mail Name - E-Mail-Name - - - Pager E-mail Name - E-Mail-Name für Pager - - - Monday - Montag - - - Tuesday - Dienstag - - - Wednesday - Mittwoch - - - Thursday - Donnerstag - - - Friday - Freitag - - - Saturday - Samstag - - - Sunday - Sonntag - - - Workday begin - Beginn des Arbeitstags - - - Workday end - Ende des Arbeitstags - - - Pager on duty schedule - Pager empfangsbereit am - - - Alert list - Liste der Warnungen - - - Alert name - Warnungsname - - - E-mail - E-Mail - - - Pager - Pager - - - - + Locate Database Files - @@ -416,159 +204,39 @@ - + - - General - Allgemein + + Job Schedules + Auftragszeitpläne - - Steps - Schritte + + OK + OK - - Schedules - Zeitpläne + + Cancel + Abbrechen - - Alerts - Warnungen + + Available Schedules: + Verfügbare Zeitpläne: - - Notifications - Benachrichtigungen - - - The name of the job cannot be blank. - Der Auftragsname darf nicht leer sein. - - + Name Name - - Owner - Besitzer + + ID + ID - - Category - Kategorie - - + Description Beschreibung - - Enabled - Aktiviert - - - Job step list - Liste der Auftragsschritte - - - Step - Schritt - - - Type - Typ - - - On Success - Bei Erfolg - - - On Failure - Bei Fehler - - - New Step - Neuer Schritt - - - Edit Step - Schritt bearbeiten - - - Delete Step - Schritt löschen - - - Move Step Up - Schritt nach oben verschieben - - - Move Step Down - Schritt nach unten verschieben - - - Start step - Schritt starten - - - Actions to perform when the job completes - Aktionen, die nach Abschluss des Auftrags ausgeführt werden sollen - - - Email - E-Mail - - - Page - Seite - - - Write to the Windows Application event log - In Ereignisprotokoll für Windows-Anwendungen schreiben - - - Automatically delete job - Auftrag automatisch löschen - - - Schedules list - Zeitplanliste - - - Pick Schedule - Zeitplan auswählen - - - Schedule Name - Zeitplanname - - - Alerts list - Liste der Warnungen - - - New Alert - Neue Warnung - - - Alert Name - Warnungsname - - - Enabled - Aktiviert - - - Type - Typ - - - New Job - Neuer Auftrag - - - Edit Job - Auftrag bearbeiten - - + Create Alert @@ -778,10 +446,6 @@ Additional notification message to send Zusätzlich zu sendende Benachrichtigung - - Delay between responses - Verzögerung zwischen Antworten - Delay Minutes Verzögerung (Minuten) @@ -792,51 +456,251 @@ - + - - OK - OK + + Create Operator + Operator erstellen - - Cancel - Abbrechen + + Edit Operator + Operator bearbeiten + + + General + Allgemein + + + Notifications + Benachrichtigungen + + + Name + Name + + + Enabled + Aktiviert + + + E-mail Name + E-Mail-Name + + + Pager E-mail Name + E-Mail-Name für Pager + + + Monday + Montag + + + Tuesday + Dienstag + + + Wednesday + Mittwoch + + + Thursday + Donnerstag + + + Friday + Freitag + + + Saturday + Samstag + + + Sunday + Sonntag + + + Workday begin + Beginn des Arbeitstags + + + Workday end + Ende des Arbeitstags + + + Pager on duty schedule + Pager empfangsbereit am + + + Alert list + Liste der Warnungen + + + Alert name + Warnungsname + + + E-mail + E-Mail + + + Pager + Pager - + - - Proxy update failed '{0}' - Fehler bei Proxyaktualisierung: "{0}" + + General + Allgemein - - Proxy '{0}' updated successfully - Der Proxy "{0}" wurde erfolgreich aktualisiert. + + Steps + Schritte - - Proxy '{0}' created successfully - Der Proxy "{0}" wurde erfolgreich erstellt. + + Schedules + Zeitpläne + + + Alerts + Warnungen + + + Notifications + Benachrichtigungen + + + The name of the job cannot be blank. + Der Auftragsname darf nicht leer sein. + + + Name + Name + + + Owner + Besitzer + + + Category + Kategorie + + + Description + Beschreibung + + + Enabled + Aktiviert + + + Job step list + Liste der Auftragsschritte + + + Step + Schritt + + + Type + Typ + + + On Success + Bei Erfolg + + + On Failure + Bei Fehler + + + New Step + Neuer Schritt + + + Edit Step + Schritt bearbeiten + + + Delete Step + Schritt löschen + + + Move Step Up + Schritt nach oben verschieben + + + Move Step Down + Schritt nach unten verschieben + + + Start step + Schritt starten + + + Actions to perform when the job completes + Aktionen, die nach Abschluss des Auftrags ausgeführt werden sollen + + + Email + E-Mail + + + Page + Seite + + + Write to the Windows Application event log + In Ereignisprotokoll für Windows-Anwendungen schreiben + + + Automatically delete job + Auftrag automatisch löschen + + + Schedules list + Zeitplanliste + + + Pick Schedule + Zeitplan auswählen + + + Remove Schedule + Zeitplan entfernen + + + Alerts list + Liste der Warnungen + + + New Alert + Neue Warnung + + + Alert Name + Warnungsname + + + Enabled + Aktiviert + + + Type + Typ + + + New Job + Neuer Auftrag + + + Edit Job + Auftrag bearbeiten - - - - Step update failed '{0}' - Fehler beim Aktualisieren des Schritts: "{0}" - - - Job name must be provided - Es muss ein Auftragsname angegeben werden. - - - Step name must be provided - Es muss ein Schrittname angegeben werden. - - - - + When the job completes @@ -872,7 +736,55 @@ - + + + + Step update failed '{0}' + Fehler beim Aktualisieren des Schritts: "{0}" + + + Job name must be provided + Es muss ein Auftragsname angegeben werden. + + + Step name must be provided + Es muss ein Schrittname angegeben werden. + + + + + + + This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! + Dieses Feature befindet sich noch in der Entwicklungsphase. Verwenden Sie den neuesten Insider-Build, wenn Sie die Neuerungen testen möchten. + + + Template updated successfully + Vorlage erfolgreich aktualisiert + + + Template update failure + Fehler beim Aktualisieren der Vorlage + + + The notebook must be saved before being scheduled. Please save and then retry scheduling again. + Das Notizbuch muss gespeichert werden, bevor es in den Terminkalender aufgenommen wird. Bitte speichern Sie und versuchen Sie dann erneut, die Zeitplanung durchzuführen. + + + Add new connection + Neue Verbindung hinzufügen + + + Select a connection + Verbindung auswählen + + + Please select a valid connection + Wählen Sie eine gültige Verbindung aus + + + + Alert update failed '{0}' @@ -892,11 +804,223 @@ - + - - This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! - Dieses Feature befindet sich noch in der Entwicklungsphase. Verwenden Sie den neuesten Insider-Build, wenn Sie die Neuerungen testen möchten. + + Create Proxy + Proxy erstellen + + + Edit Proxy + Proxy bearbeiten + + + General + Allgemein + + + Proxy name + Proxyname + + + Credential name + Name der Anmeldeinformationen + + + Description + Beschreibung + + + Subsystem + Subsystem + + + Operating system (CmdExec) + Betriebssystem (CmdExec) + + + Replication Snapshot + Replikationsmomentaufnahme + + + Replication Transaction-Log Reader + Replikationstransaktionsprotokoll-Leser + + + Replication Distributor + Replikationsverteiler + + + Replication Merge + Replikationsmerge + + + Replication Queue Reader + Replikations-Warteschlangenleser + + + SQL Server Analysis Services Query + SQL Server Analysis Services-Abfrage + + + SQL Server Analysis Services Command + SQL Server Analysis Services-Befehl + + + SQL Server Integration Services Package + SQL Server Integration Services-Paket + + + PowerShell + PowerShell + + + + + + + Proxy update failed '{0}' + Fehler bei Proxyaktualisierung: "{0}" + + + Proxy '{0}' updated successfully + Der Proxy "{0}" wurde erfolgreich aktualisiert. + + + Proxy '{0}' created successfully + Der Proxy "{0}" wurde erfolgreich erstellt. + + + + + + + New Notebook Job + Neuer Notebook-Auftrag + + + Edit Notebook Job + Notebook-Auftrag bearbeiten + + + General + Allgemein + + + Notebook Details + Details zum Notebook + + + Notebook Path + Notebook-Pfad + + + Storage Database + Speicherdatenbank + + + Execution Database + Ausführungsdatenbank + + + Select Database + Datenbank auswählen + + + Job Details + Auftragsdetails + + + Name + Name + + + Owner + Besitzer + + + Schedules list + Zeitplanliste + + + Pick Schedule + Zeitplan auswählen + + + Remove Schedule + Zeitplan entfernen + + + Description + Beschreibung + + + Select a notebook to schedule from PC + Wählen Sie ein Notizbuch aus, das vom PC in den Terminkalender aufgenommen werden soll. + + + Select a database to store all notebook job metadata and results + Wählen Sie eine Datenbank aus, in der alle Notebook-Auftragsmetadaten und -ergebnisse gespeichert werden sollen. + + + Select a database against which notebook queries will run + Wählen Sie eine Datenbank aus, für die Notebook-Abfragen ausgeführt werden. + + + + + + + When the notebook completes + Wenn das Notizbuch abgeschlossen ist + + + When the notebook fails + Wenn das Notizbuch fehlschlägt + + + When the notebook succeeds + Wenn das Notizbuch erfolgreich ist + + + Notebook name must be provided + Es muss ein Name für das Notizbuch angegeben werden + + + Template path must be provided + Der Vorlagenpfad muss angegeben werden + + + Invalid notebook path + Ungültiger Notizbuchpfad + + + Select storage database + Speicherdatenbank auswählen + + + Select execution database + Ausführungsdatenbank auswählen + + + Job with similar name already exists + Ein Auftrag mit einem ähnlichen Namen ist bereits vorhanden + + + Notebook update failed '{0}' + Fehler beim Aktualisieren des Notizbuchs "{0}" + + + Notebook creation failed '{0}' + Fehler beim Erstellen des Notebooks „{0}“ + + + Notebook '{0}' updated successfully + Notizbuch „{0}“ wurde erfolgreich aktualisiert + + + Notebook '{0}' created successfully + Notizbuch „{0}“ erfolgreich erstellt diff --git a/resources/xlf/de/azurecore.de.xlf b/resources/xlf/de/azurecore.de.xlf index ee5c9d2ab5..ce025ee882 100644 --- a/resources/xlf/de/azurecore.de.xlf +++ b/resources/xlf/de/azurecore.de.xlf @@ -126,6 +126,10 @@ Error fetching resource groups for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} Fehler beim Abrufen von Ressourcengruppen für das Konto "{0}" ({1}), Abonnement "{2}" ({3}), Mandant "{4}": {5} + + Error fetching locations for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} + Fehler beim Abrufen von Standorten für das Konto "{0}" ({1}), Abonnement "{2}" ({3}), Mandant "{4}": {5} + Invalid query Ungültige Abfrage @@ -379,8 +383,8 @@ SQL Server – Azure Arc - Azure Arc enabled PostgreSQL Hyperscale - PostgreSQL Hyperscale mit Azure Arc-Aktivierung + Azure Arc-enabled PostgreSQL Hyperscale + PostgreSQL Hyperscale mit Azure Arc-Unterstützung Unable to open link, missing required values @@ -411,7 +415,7 @@ Unbekannter Fehler bei der Azure-Authentifizierung. - Specifed tenant with ID '{0}' not found. + Specified tenant with ID '{0}' not found. Der angegebene Mandant mit der ID "{0}" wurde nicht gefunden. @@ -419,7 +423,7 @@ Bei der Authentifizierung ist ein Fehler aufgetreten, oder Ihre Token wurden aus dem System gelöscht. Versuchen Sie erneut, Ihr Konto in Azure Data Studio hinzuzufügen. - Token retrival failed with an error. Open developer tools to view the error + Token retrieval failed with an error. Open developer tools to view the error Fehler beim Tokenabruf. Öffnen Sie die Entwicklertools, um den Fehler anzuzeigen. @@ -513,6 +517,14 @@ Failed to get credential for account {0}. Please go to the accounts dialog and refresh the account. Fehler beim Abrufen der Anmeldeinformationen für das Konto "{0}". Wechseln Sie zum Dialogfeld "Konten", und aktualisieren Sie das Konto. + + Requests from this account have been throttled. To retry, please select a smaller number of subscriptions. + Anforderungen von diesem Konto wurden gedrosselt. Wählen Sie eine geringere Anzahl von Abonnements aus, um den Vorgang zu wiederholen. + + + An error occured while loading Azure resources: {0} + Fehler beim Laden von Azure-Ressourcen: {0} + @@ -703,6 +715,14 @@ + + + + Azure Monitor Workspace + Azure Monitor Workspace + + + diff --git a/resources/xlf/de/big-data-cluster.de.xlf b/resources/xlf/de/big-data-cluster.de.xlf index 564ef85832..fd3ebac6ba 100644 --- a/resources/xlf/de/big-data-cluster.de.xlf +++ b/resources/xlf/de/big-data-cluster.de.xlf @@ -60,6 +60,126 @@ Ignore SSL verification errors against SQL Server Big Data Cluster endpoints such as HDFS, Spark, and Controller if true Bei Festlegung auf TRUE werden SSL-Überprüfungsfehler für SQL Server-Big Data Cluster-Endpunkte wie HDFS, Spark und Controller ignoriert. + + SQL Server Big Data Cluster + SQL Server-Big Data-Cluster + + + SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes + Mit dem Big Data-Cluster von SQL Server können Sie skalierbare Cluster aus SQL Server-, Spark- und HDFS-Containern bereitstellen, die in Kubernetes ausgeführt werden. + + + Version + Version + + + SQL Server 2019 + SQL Server 2019 + + + Deployment target + Bereitstellungsziel + + + New Azure Kubernetes Service Cluster + Neuer Azure Kubernetes Service-Cluster + + + Existing Azure Kubernetes Service Cluster + Vorhandener Azure Kubernetes Service-Cluster + + + Existing Kubernetes Cluster (kubeadm) + Vorhandener Kubernetes-Cluster (kubeadm) + + + Existing Azure Red Hat OpenShift cluster + Vorhandener Azure Red Hat OpenShift-Cluster + + + Existing OpenShift cluster + Vorhandener OpenShift-Cluster + + + SQL Server Big Data Cluster settings + Einstellungen für SQL Server-Big-Data-Cluster + + + Cluster name + Clustername + + + Controller username + Benutzername für Controller + + + Password + Kennwort + + + Confirm password + Kennwort bestätigen + + + Azure settings + Azure-Einstellungen + + + Subscription id + Abonnement-ID + + + Use my default Azure subscription + Mein Azure-Standardabonnement verwenden + + + Resource group name + Ressourcengruppenname + + + Region + Region + + + AKS cluster name + Name des AKS-Clusters + + + VM size + VM-Größe + + + VM count + VM-Anzahl + + + Storage class name + Name der Speicherklasse + + + Capacity for data (GB) + Kapazität für Daten (GB) + + + Capacity for logs (GB) + Kapazität für Protokolle (GB) + + + I accept {0}, {1} and {2}. + Ich akzeptiere {0}, {1} und {2}. + + + Microsoft Privacy Statement + Microsoft-Datenschutzbestimmungen + + + azdata License Terms + azdata-Lizenzbedingungen + + + SQL Server License Terms + SQL Server-Lizenzbedingungen + diff --git a/resources/xlf/de/cms.de.xlf b/resources/xlf/de/cms.de.xlf index 64defde6f9..4523374bde 100644 --- a/resources/xlf/de/cms.de.xlf +++ b/resources/xlf/de/cms.de.xlf @@ -424,15 +424,7 @@ - - - - Loading ... - Wird geladen... - - - - + No resources found @@ -440,7 +432,7 @@ - + Add Central Management Server... @@ -448,15 +440,27 @@ - + + + + Unexpected error occurred while loading saved servers {0} + Unerwarteter Fehler beim Laden gespeicherter Server: {0} + + + Loading ... + Wird geladen... + + + + Central Management Server Group already has a Registered Server with the name {0} Die Gruppe zentraler Verwaltungsserver enthält bereits einen registrierten Server namens "{0}". - Azure SQL Database Servers cannot be used as Central Management Servers - Azure SQL-Datenbank-Server können nicht als zentraler Verwaltungsserver verwendet werden. + Azure SQL Servers cannot be used as Central Management Servers + Azure SQL Server-Instanzen können nicht als zentrale Verwaltungsserver verwendet werden. Are you sure you want to delete @@ -500,7 +504,7 @@ - + You cannot add a shared registered server with the same name as the Configuration Server diff --git a/resources/xlf/de/dacpac.de.xlf b/resources/xlf/de/dacpac.de.xlf index 94c33dde9d..46fcce0f93 100644 --- a/resources/xlf/de/dacpac.de.xlf +++ b/resources/xlf/de/dacpac.de.xlf @@ -1,16 +1,84 @@  - + + + Dacpac + Dacpac + + + Full path to folder where .DACPAC and .BACPAC files are saved by default + Vollständiger Pfad zu dem Ordner, in dem DACPAC- und BACPAC-Dateien standardmäßig gespeichert werden + + + + + + + Target Server + Zielserver + + + Source Server + Quellserver + + + Source Database + Quelldatenbank + + + Target Database + Zieldatenbank + + + File Location + Dateispeicherort + + + Select file + Datei auswählen + + + Summary of settings + Zusammenfassung der Einstellungen + + + Version + Version + + + Setting + Einstellung + + + Value + Wert + + + Database Name + Datenbankname + + + Open + Öffnen + + + Upgrade Existing Database + Vorhandene Datenbank aktualisieren + + + New Database + Neue Datenbank + {0} of the deploy actions listed may result in data loss. Please ensure you have a backup or snapshot available in the event of an issue with the deployment. {0} der aufgeführten Bereitstellungsaktionen können zu einem Datenverlust führen. Stellen Sie sicher, dass eine Sicherung oder eine Momentaufnahme vorhanden ist, falls Probleme mit der Bereitstellung auftreten. - + Proceed despite possible data loss Vorgang trotz möglicher Datenverluste fortsetzen - + No data loss will occur from the listed deploy actions. Die aufgeführten Bereitstellungsaktionen führen zu keinem Datenverlust. @@ -54,19 +122,11 @@ Save Speichern - - File Location - Dateispeicherort - - + Version (use x.x.x.x where x is a number) Version (Verwenden Sie x.x.x.x, wobei x für eine Zahl steht) - - Open - Öffnen - - + Deploy a data-tier application .dacpac file to an instance of SQL Server [Deploy Dacpac] DACPAC-Datei einer Datenschichtanwendung für eine SQL Server-Instanz bereitstellen [DACPAC bereitstellen] @@ -82,49 +142,9 @@ Export the schema and data from a database to the logical .bacpac file format [Export Bacpac] Schema und Daten aus einer Datenbank in das logische BACPAC-Dateiformat exportieren [BACPAC exportieren] - - Database Name - Datenbankname - - - Upgrade Existing Database - Vorhandene Datenbank aktualisieren - - - New Database - Neue Datenbank - - - Target Database - Zieldatenbank - - - Target Server - Zielserver - - - Source Server - Quellserver - - - Source Database - Quelldatenbank - - - Version - Version - - - Setting - Einstellung - - - Value - Wert - - - default - Standardeinstellung + + Data-tier Application Wizard + Assistent für Datenebenenanwendung Select an Operation @@ -174,18 +194,66 @@ Generate Script Skript generieren + + You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. + Sie können den Status der Skriptgenerierung in der Aufgabenansicht anzeigen, sobald der Assistent geschlossen ist. Das generierte Skript wird nach Abschluss des Vorgangs geöffnet. + + + default + Standardeinstellung + + + Deploy plan operations + Planvorgänge bereitstellen + + + A database with the same name already exists on the instance of SQL Server + Eine Datenbank desselben Namens ist bereits in der SQL Server-Instanz vorhanden. + + + Undefined name + Undefinierter Name. + + + File name cannot end with a period + Der Dateiname darf nicht mit einem Punkt enden. + + + File name cannot be whitespace + Der Dateiname darf nicht aus Leerzeichen bestehen. + + + Invalid file characters + Ungültige Dateizeichen + + + This file name is reserved for use by Windows. Choose another name and try again + Dieser Dateiname ist für Windows reserviert. Wählen Sie einen anderen Namen, und versuchen Sie es noch mal. + + + Reserved file name. Choose another name and try again + Reservierter Dateiname. Wählen Sie einen anderen Namen aus, und versuchen Sie es noch mal. + + + File name cannot end with a whitespace + Der Dateiname darf nicht mit einem Leerzeichen enden. + + + File name is over 255 characters + Der Dateiname umfasst mehr als 255 Zeichen. + Generating deploy plan failed '{0}' Fehler beim Generieren des Bereitstellungsplans "{0}". + + Generating deploy script failed '{0}' + Fehler beim Generieren des Bereitstellungsskripts: {0} + {0} operation failed '{1}' Fehler bei {0}-Vorgang: {1}. - - You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. - Sie können den Status der Skriptgenerierung in der Aufgabenansicht anzeigen, sobald der Assistent geschlossen ist. Das generierte Skript wird nach Abschluss des Vorgangs geöffnet. - \ No newline at end of file diff --git a/resources/xlf/de/import.de.xlf b/resources/xlf/de/import.de.xlf index ac97adce52..8d21086204 100644 --- a/resources/xlf/de/import.de.xlf +++ b/resources/xlf/de/import.de.xlf @@ -1,7 +1,143 @@  - + + + Flat File Import configuration + Flatfile-Importkonfiguration + + + [Optional] Log debug output to the console (View -> Output) and then select appropriate output channel from the dropdown + [Optional] Protokollieren Sie die Debugausgabe in der Konsole (Ansicht > Ausgabe), und wählen Sie dann in der Dropdownliste den geeigneten Ausgabekanal aus. + + + + + + + {0} Started + "{0}" wurde gestartet. + + + Starting {0} + "{0}" wird gestartet. + + + Failed to start {0}: {1} + Fehler beim Starten von {0}: {1} + + + Installing {0} to {1} + "{0}" wird in "{1}" installiert. + + + Installing {0} Service + Der Dienst {0} wird installiert + + + Installed {0} + "{0}" wurde installiert. + + + Downloading {0} + "{0}" wird heruntergeladen. + + + ({0} KB) + ({0} KB) + + + Downloading {0} + "{0}" wird heruntergeladen. + + + Done downloading {0} + Das Herunterladen von {0} wurde abgeschlossen + + + Extracted {0} ({1}/{2}) + {0} extrahiert ({1}/{2}) + + + + + + + Give Feedback + Feedback senden + + + service component could not start + Die Dienstkomponente konnte nicht gestartet werden. + + + Server the database is in + Server, auf dem sich die Datenbank befindet + + + Database the table is created in + Datenbank, in der die Tabelle erstellt wird + + + Invalid file location. Please try a different input file + Ungültiger Dateispeicherort. Versuchen Sie es mit einer anderen Eingabedatei. + + + Browse + Durchsuchen + + + Open + Öffnen + + + Location of the file to be imported + Speicherort der zu importierenden Datei + + + New table name + Name der neuen Tabelle + + + Table schema + Tabellenschema + + + Import Data + Daten importieren + + + Next + Weiter + + + Column Name + Spaltenname + + + Data Type + Datentyp + + + Primary Key + Primärschlüssel + + + Allow Nulls + NULL-Werte zulassen + + + This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. + Mit diesem Vorgang wurde die Struktur der Eingabedatei analysiert, um die nachstehende Vorschau für die ersten 50 Zeilen zu generieren. + + + This operation was unsuccessful. Please try a different input file. + Der Vorgang war nicht erfolgreich. Versuchen Sie es mit einer anderen Eingabedatei. + + + Refresh + Aktualisieren + Import information Informationen importieren @@ -34,90 +170,14 @@ ✔ You have successfully inserted the data into a table. ✔ Sie haben die Daten erfolgreich in eine Tabelle eingefügt. - - - - - - This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. - Mit diesem Vorgang wurde die Struktur der Eingabedatei analysiert, um die nachstehende Vorschau für die ersten 50 Zeilen zu generieren. - - - This operation was unsuccessful. Please try a different input file. - Der Vorgang war nicht erfolgreich. Versuchen Sie es mit einer anderen Eingabedatei. - - - Refresh - Aktualisieren - - - - - - - Import Data - Daten importieren - - - Next - Weiter - - - Column Name - Spaltenname - - - Data Type - Datentyp - - - Primary Key - Primärschlüssel - - - Allow Nulls - NULL-Werte zulassen - - - - - - - Server the database is in - Server, auf dem sich die Datenbank befindet - - - Database the table is created in - Datenbank, in der die Tabelle erstellt wird - - - Browse - Durchsuchen - - - Open - Öffnen - - - Location of the file to be imported - Speicherort der zu importierenden Datei - - - New table name - Name der neuen Tabelle - - - Table schema - Tabellenschema - - - - - Please connect to a server before using this wizard. Stellen Sie eine Verbindung mit einem Server her, bevor Sie diesen Assistenten verwenden. + + SQL Server Import extension does not support this type of connection + Die SQL-Server-Importerweiterung unterstützt diesen Verbindungstyp nicht. + Import flat file wizard Assistent zum Importieren von Flatfiles @@ -144,60 +204,4 @@ - - - - Give Feedback - Feedback senden - - - service component could not start - Die Dienstkomponente konnte nicht gestartet werden. - - - - - - - Service Started - Dienst gestartet - - - Starting service - Dienst wird gestartet - - - Failed to start Import service{0} - Fehler beim Starten des Importdiensts: {0} - - - Installing {0} service to {1} - Der Dienst {0} wird in "{1}" installiert. - - - Installing Service - Dienst wird installiert - - - Installed - Installiert - - - Downloading {0} - "{0}" wird heruntergeladen. - - - ({0} KB) - ({0} KB) - - - Downloading Service - Dienst wird heruntergeladen - - - Done! - Fertig! - - - \ No newline at end of file diff --git a/resources/xlf/de/notebook.de.xlf b/resources/xlf/de/notebook.de.xlf index 7a33f9ac85..fd698bbac1 100644 --- a/resources/xlf/de/notebook.de.xlf +++ b/resources/xlf/de/notebook.de.xlf @@ -22,6 +22,14 @@ Local path to a preexisting python installation used by Notebooks. Lokaler Pfad zu einer bereits vorhandenen Python-Installation, die von Notebooks verwendet wird. + + Do not show prompt to update Python. + Zeigen Sie keine Aufforderungen zum Aktualisieren von Python an. + + + The amount of time (in minutes) to wait before shutting down a server after all notebooks are closed. (Enter 0 to not shutdown) + Die Zeit ( in Minuten), die abgewartet werden soll, bevor ein Server heruntergefahren wird, nachdem alle Notizbücher geschlossen wurden. (Geben Sie 0 ein, um nicht herunterzufahren) + Override editor default settings in the Notebook editor. Settings include background color, current line color and border Hiermit setzen Sie die Editor-Standardeinstellungen im Notebook-Editor außer Kraft. Zu den Einstellungen gehören Hintergrundfarbe, Farbe der aktuellen Zeile und Rahmen. @@ -50,6 +58,10 @@ Notebooks that are pinned by the user for the current workspace Notebooks, die vom Benutzer für den aktuellen Arbeitsbereich angeheftet wurden + + Allow Jupyter server to run as root user + Allow Jupyter server to run as root user + New Notebook Neues Notebook @@ -139,24 +151,24 @@ Jupyter-Books - Save Book - Book speichern + Save Jupyter Book + Jupyter Book speichern - Trust Book - Buch als vertrauenswürdig einstufen + Trust Jupyter Book + Jupyter Book als vertrauenswürdig einstufen - Search Book - Book durchsuchen + Search Jupyter Book + Jupyter Book durchsuchen Notebooks Notebooks - Provided Books - Bereitgestellte Bücher + Provided Jupyter Books + Bereitgestellte Jupyter Books Pinned notebooks @@ -174,17 +186,29 @@ Close Jupyter Book Jupyter-Buch schließen - - Close Jupyter Notebook - Jupyter Notebook schließen + + Close Notebook + Notebook schließen + + + Remove Notebook + Notebook entfernen + + + Add Notebook + Notebook hinzufügen + + + Add Markdown File + Markdowndatei hinzufügen Reveal in Books In Büchern offenlegen - Create Book (Preview) - Buch erstellen (Vorschau) + Create Jupyter Book + Jupyter Book erstellen Open Notebooks in Folder @@ -263,8 +287,8 @@ Ordner auswählen - Select Book - Buch auswählen + Select Jupyter Book + Jupyter Book auswählen Folder already exists. Are you sure you want to delete and replace this folder? @@ -283,40 +307,40 @@ Externen Link öffnen - Book is now trusted in the workspace. - Das Buch gilt im Arbeitsbereich jetzt als vertrauenswürdig. + Jupyter Book is now trusted in the workspace. + Das Jupyter Book gilt jetzt im Arbeitsbereich als vertrauenswürdig. - Book is already trusted in this workspace. - Das Buch gilt in diesem Arbeitsbereich bereits als vertrauenswürdig. + Jupyter Book is already trusted in this workspace. + Dieses Jupyter Book gilt in diesem Arbeitsbereich bereits als vertrauenswürdig. - Book is no longer trusted in this workspace - Das Buch gilt in diesem Arbeitsbereich nicht mehr als vertrauenswürdig. + Jupyter Book is no longer trusted in this workspace + Das Jupyter Book gilt in diesem Arbeitsbereich nicht mehr als vertrauenswürdig. - Book is already untrusted in this workspace. - Das Buch gilt in diesem Arbeitsbereich bereits als nicht vertrauenswürdig. + Jupyter Book is already untrusted in this workspace. + Das Jupyter Book gilt in diesem Arbeitsbereich bereits als nicht vertrauenswürdig. - Book {0} is now pinned in the workspace. - Das Buch "{0}" ist jetzt im Arbeitsbereich angeheftet. + Jupyter Book {0} is now pinned in the workspace. + Das Jupyter Book "{0}" ist jetzt im Arbeitsbereich angeheftet. - Book {0} is no longer pinned in this workspace - Das Buch "{0}" ist in diesem Arbeitsbereich nicht mehr angeheftet. + Jupyter Book {0} is no longer pinned in this workspace + Das Jupyter Book "{0}" ist in diesem Arbeitsbereich nicht mehr angeheftet. - Failed to find a Table of Contents file in the specified book. - Bei der Suche im angegebenen Buch wurde keine Inhaltsverzeichnisdatei gefunden. + Failed to find a Table of Contents file in the specified Jupyter Book. + Bei der Suche im angegebenen Jupyter Book wurde keine Inhaltsverzeichnisdatei gefunden. - No books are currently selected in the viewlet. - Im Viewlet sind zurzeit keine Bücher ausgewählt. + No Jupyter Books are currently selected in the viewlet. + Im Viewlet sind zurzeit keine Jupyter Books ausgewählt. - Select Book Section - Buchabschnitt auswählen + Select Jupyter Book Section + Jupyter Book-Abschnitt auswählen Add to this level @@ -339,12 +363,12 @@ Konfigurationsdatei fehlt. - Open book {0} failed: {1} - Fehler beim Öffnen von Book "{0}": {1} + Open Jupyter Book {0} failed: {1} + Fehler beim Öffnen von Jupyter Book "{0}": {1} - Failed to read book {0}: {1} - Fehler beim Lesen von Book "{0}": {1} + Failed to read Jupyter Book {0}: {1} + Fehler beim Lesen von Jupyter Book "{0}": {1} Open notebook {0} failed: {1} @@ -363,8 +387,8 @@ Fehler beim Öffnen von Link {0}: {1} - Close book {0} failed: {1} - Fehler beim Schließen des Buchs "{0}": {1} + Close Jupyter Book {0} failed: {1} + Fehler beim Schließen von Jupyter Book "{0}": {1} File {0} already exists in the destination folder {1} @@ -373,12 +397,16 @@ Die Datei wurde in "{2}" umbenannt, um Datenverlust zu verhindern. - Error while editing book {0}: {1} - Fehler beim Bearbeiten des Buchs "{0}": {1} + Error while editing Jupyter Book {0}: {1} + Fehler beim Bearbeiten von Jupyter Book "{0}": {1} - Error while selecting a book or a section to edit: {0} - Fehler beim Auswählen eines Buchs oder eines Abschnitts zur Bearbeitung: {0} + Error while selecting a Jupyter Book or a section to edit: {0} + Fehler beim Auswählen eines Jupyter Books oder eines Abschnitts zur Bearbeitung: {0} + + + Failed to find section {0} in {1}. + Der Abschnitt "{0}" wurde in "{1}" nicht gefunden. URL @@ -393,8 +421,8 @@ Speicherort - Add Remote Book - Remotebuch hinzufügen + Add Remote Jupyter Book + Jupyter-Remotebuch hinzufügen GitHub @@ -409,8 +437,8 @@ Releases - Book - Buch + Jupyter Book + Jupyter Book Version @@ -421,8 +449,8 @@ Sprache - No books are currently available on the provided link - Unter dem angegebenen Link sind zurzeit keine Bücher verfügbar. + No Jupyter Books are currently available on the provided link + Unter dem angegebenen Link sind zurzeit keine Jupyter Books verfügbar. The url provided is not a Github release url @@ -445,44 +473,44 @@ - - Remote Book download is in progress - Das Remotebuch wird heruntergeladen. + Remote Jupyter Book download is in progress + Remoteinstanz von Jupyter Book wird heruntergeladen. - Remote Book download is complete - Der Download des Remotebuchs ist abgeschlossen. + Remote Jupyter Book download is complete + Remoteinstanz von Jupyter Book wurde vollständig heruntergeladen. - Error while downloading remote Book - Fehler beim Herunterladen des Remotebuchs. + Error while downloading remote Jupyter Book + Fehler beim Herunterladen der Remoteinstanz von Jupyter Book. - Error while decompressing remote Book - Fehler beim Dekomprimieren des Remotebuchs. + Error while decompressing remote Jupyter Book + Fehler beim Dekomprimieren der Jupyter Book-Remoteinstanz. - Error while creating remote Book directory - Fehler beim Erstellen des Remotebuchverzeichnisses. + Error while creating remote Jupyter Book directory + Fehler beim Erstellen des Jupyter Book-Remoteverzeichnisses. - Downloading Remote Book - Remotebuch wird heruntergeladen. + Downloading Remote Jupyter Book + Remoteinstanz von Jupyter Book wird heruntergeladen. Resource not Found Die Ressource wurde nicht gefunden. - Books not Found - Bücher nicht gefunden. + Jupyter Books not Found + Jupyter Books nicht gefunden. Releases not Found Releases nicht gefunden. - The selected book is not valid - Das ausgewählte Book ist ungültig. + The selected Jupyter Book is not valid + Das ausgewählte Jupyter Book ist ungültig. Http Request failed with error: {0} {1} @@ -492,21 +520,21 @@ Downloading to {0} Download in "{0}" - - New Group - Neue Gruppe + + New Jupyter Book (Preview) + Neue Jupyter Book-Instanz (Vorschau) - - Groups are used to organize Notebooks. - Gruppen werden zum Organisieren von Notebooks verwendet. + + Jupyter Books are used to organize Notebooks. + Jupyter Book-Instanzen werden zum Organisieren von Notebooks verwendet. - - Browse locations... - Speicherorte durchsuchen... + + Learn more. + Weitere Informationen. - - Select content folder - Inhaltsordner auswählen + + Content folder + Inhaltsordner Browse @@ -524,7 +552,7 @@ Save location Speicherort - + Content folder (Optional) Inhaltsordner (optional) @@ -533,9 +561,45 @@ Der Pfad für den Inhaltsordner ist nicht vorhanden. - Save location path does not exist + Save location path does not exist. Der Speicherortpfad ist nicht vorhanden. + + Error while trying to access: {0} + Fehler beim Zugriff auf: {0} + + + New Notebook (Preview) + Neues Notebook (Vorschau) + + + New Markdown (Preview) + Neuer Markdown (Vorschau) + + + File Extension + Dateierweiterung + + + File already exists. Are you sure you want to overwrite this file? + Die Datei ist bereits vorhanden. Möchten Sie diese Datei überschreiben? + + + Title + Titel + + + File Name + Dateiname + + + Save location path is not valid. + Der Pfad zum Speicherort ist ungültig. + + + File {0} already exists in the destination folder + Die Datei "{0}" ist im Zielordner bereits vorhanden. + @@ -588,6 +652,18 @@ Another Python installation is currently in progress. Waiting for it to complete. Aktuell wird eine weitere Python-Installation ausgeführt. Es wird auf den Abschluss des Vorgangs gewartet. + + Active Python notebook sessions will be shutdown in order to update. Would you like to proceed now? + Aktive Python-Notebooksitzungen werden heruntergefahren, um sie zu aktualisieren. Möchten Sie jetzt fortfahren? + + + Python {0} is now available in Azure Data Studio. The current Python version (3.6.6) will be out of support in December 2021. Would you like to update to Python {0} now? + Python {0} ist jetzt in Azure Data Studio verfügbar. Die aktuelle Python-Version (3.6.6) wird ab Dezember 2021 nicht mehr unterstützt. Möchten Sie jetzt auf Python {0} aktualisieren? + + + Python {0} will be installed and will replace Python 3.6.6. Some packages may no longer be compatible with the new version or may need to be reinstalled. A notebook will be created to help you reinstall all pip packages. Would you like to continue with the update now? + Python {0} wird installiert und ersetzt Python 3.6.6. Einige Pakete sind möglicherweise nicht mehr mit der neuen Version kompatibel oder müssen neu installiert werden. Ein Notizbuch wird erstellt, damit Sie alle PIP-Pakete neu installieren können. Möchten Sie das Update jetzt fortsetzen? + Installing Notebook dependencies failed with error: {0} Fehler beim Installieren von Notebook-Abhängigkeiten: {0} @@ -604,6 +680,18 @@ Encountered an error when getting Python user path: {0} Fehler beim Abrufen des Python-Benutzerpfads: {0} + + Yes + Ja + + + No + Nein + + + Don't Ask Again + Nicht mehr fragen + @@ -973,8 +1061,8 @@ Die Aktion "{0}" wird für diesen Handler nicht unterstützt. - Cannot open link {0} as only HTTP and HTTPS links are supported - Der Link "{0}" kann nicht geöffnet werden, weil nur HTTP- und HTTPS-Links unterstützt werden. + Cannot open link {0} as only HTTP, HTTPS, and File links are supported + Der Link "{0}" kann nicht geöffnet werden, weil nur HTTP-, HTTPS und Dateilinks unterstützt werden. Download and open '{0}'? diff --git a/resources/xlf/de/profiler.de.xlf b/resources/xlf/de/profiler.de.xlf index 7f316d2709..b34a133e0d 100644 --- a/resources/xlf/de/profiler.de.xlf +++ b/resources/xlf/de/profiler.de.xlf @@ -1,6 +1,6 @@  - + Cancel diff --git a/resources/xlf/de/resource-deployment.de.xlf b/resources/xlf/de/resource-deployment.de.xlf index 97e7fd695d..9261908f57 100644 --- a/resources/xlf/de/resource-deployment.de.xlf +++ b/resources/xlf/de/resource-deployment.de.xlf @@ -26,14 +26,6 @@ Run SQL Server container image with docker SQL Server-Containerimage mit Docker ausführen - - SQL Server Big Data Cluster - SQL Server-Big Data-Cluster - - - SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes - Mit dem Big Data-Cluster von SQL Server können Sie skalierbare Cluster aus SQL Server-, Spark- und HDFS-Containern bereitstellen, die in Kubernetes ausgeführt werden. - Version Version @@ -46,34 +38,6 @@ SQL Server 2019 SQL Server 2019 - - SQL Server 2019 - SQL Server 2019 - - - Deployment target - Bereitstellungsziel - - - New Azure Kubernetes Service Cluster - Neuer Azure Kubernetes Service-Cluster - - - Existing Azure Kubernetes Service Cluster - Vorhandener Azure Kubernetes Service-Cluster - - - Existing Kubernetes Cluster (kubeadm) - Vorhandener Kubernetes-Cluster (kubeadm) - - - Existing Azure Red Hat OpenShift cluster - Vorhandener Azure Red Hat OpenShift-Cluster - - - Existing OpenShift cluster - Vorhandener OpenShift-Cluster - Deploy SQL Server 2017 container images SQL Server 2017-Containerimages bereitstellen @@ -98,70 +62,6 @@ Port Port - - SQL Server Big Data Cluster settings - Einstellungen für SQL Server-Big-Data-Cluster - - - Cluster name - Clustername - - - Controller username - Benutzername für Controller - - - Password - Kennwort - - - Confirm password - Kennwort bestätigen - - - Azure settings - Azure-Einstellungen - - - Subscription id - Abonnement-ID - - - Use my default Azure subscription - Mein Azure-Standardabonnement verwenden - - - Resource group name - Ressourcengruppenname - - - Region - Region - - - AKS cluster name - Name des AKS-Clusters - - - VM size - VM-Größe - - - VM count - VM-Anzahl - - - Storage class name - Name der Speicherklasse - - - Capacity for data (GB) - Kapazität für Daten (GB) - - - Capacity for logs (GB) - Kapazität für Protokolle (GB) - SQL Server on Windows SQL Server unter Windows @@ -170,22 +70,10 @@ Run SQL Server on Windows, select a version to get started. Führen Sie SQL Server unter Windows aus, und wählen Sie eine Version aus, um loszulegen. - - I accept {0}, {1} and {2}. - Ich akzeptiere {0}, {1} und {2}. - Microsoft Privacy Statement Microsoft-Datenschutzerklärung - - azdata License Terms - azdata-Lizenzbedingungen - - - SQL Server License Terms - SQL Server-Lizenzbedingungen - Deployment configuration Bereitstellungskonfiguration @@ -486,6 +374,22 @@ Accept EULA & Select Lizenzbedingungen akzeptieren und auswählen + + The '{0}' extension is required to deploy this resource, do you want to install it now? + Die Erweiterung "{0}" ist für die Bereitstellung dieser Ressource erforderlich. Möchten Sie sie jetzt installieren? + + + Install + Installieren + + + Installing extension '{0}'... + Die Erweiterung "{0}" wird installiert... + + + Unknown extension '{0}' + Unbekannte Erweiterung "{0}". + Select the deployment options Bereitstellungsoptionen auswählen @@ -1096,10 +1000,6 @@ - - Failed to load extension: {0}, Error detected in the resource type definition in package.json, check debug console for details. - Fehler beim Laden der Erweiterung: {0}. In der Ressourcentypdefinition in "package.json" wurde ein Fehler festgestellt. Details finden Sie in der Debugkonsole. - The resource type: {0} is not defined Der Ressourcentyp "{0}" ist nicht definiert. @@ -2222,14 +2122,14 @@ Wählen Sie ein anderes Abonnement mit mindestens einem Server aus. Deployment pre-requisites Voraussetzungen für die Bereitstellung - - To proceed, you must accept the terms of the End User License Agreement(EULA) - Um fortzufahren, müssen Sie die Lizenzbedingungen akzeptieren. - Some tools were still not discovered. Please make sure that they are installed, running and discoverable Einige Tools wurden noch nicht ermittelt. Stellen Sie sicher, dass sie installiert wurden, ausgeführt werden und ermittelbar sind. + + To proceed, you must accept the terms of the End User License Agreement(EULA) + Um fortzufahren, müssen Sie die Lizenzbedingungen akzeptieren. + Loading required tools information completed Informationen zu erforderlichen Tools wurden vollständig geladen. @@ -2378,6 +2278,10 @@ Wählen Sie ein anderes Abonnement mit mindestens einem Server aus. Azure Data CLI Azure Data CLI + + The Azure Data CLI extension must be installed to deploy this resource. Please install it through the extension gallery and try again. + Die Azure Data CLI-Erweiterung muss installiert sein, damit diese Ressource bereitgestellt werden kann. Installieren Sie sie über den Erweiterungskatalog, und versuchen Sie es noch mal. + Error retrieving version information. See output channel '{0}' for more details Fehler beim Abrufen der Versionsinformationen. Weitere Informationen finden Sie im Ausgabekanal "{0}". @@ -2386,46 +2290,6 @@ Wählen Sie ein anderes Abonnement mit mindestens einem Server aus. Error retrieving version information.{0}Invalid output received, get version command output: '{1}' Fehler beim Abrufen der Versionsinformationen.{0}Ungültige Ausgabe empfangen, Versionsbefehlsausgabe abrufen: {1} - - deleting previously downloaded Azdata.msi if one exists … - Zuvor heruntergeladene Datei "Azdata.msi" wird ggf. gelöscht… - - - downloading Azdata.msi and installing azdata-cli … - "Azdata.msi" wird heruntergeladen, und die azdata-CLI wird installiert… - - - displaying the installation log … - Installationsprotokoll wird angezeigt… - - - tapping into the brew repository for azdata-cli … - Für die azdata-CLI werden Ressourcen aus dem Brew-Repository abgerufen… - - - updating the brew repository for azdata-cli installation … - Das Brew-Repository für die azdata-CLI-Installation wird aktualisiert… - - - installing azdata … - azdata wird installiert… - - - updating repository information … - Repositoryinformationen werden aktualisiert… - - - getting packages needed for azdata installation … - Die für die azdata-Installation erforderlichen Pakete werden abgerufen… - - - downloading and installing the signing key for azdata … - Der Signaturschlüssel für azdata wird heruntergeladen und installiert… - - - adding the azdata repository information … - Die azdata-Repositoryinformationen werden hinzugefügt… - diff --git a/resources/xlf/de/schema-compare.de.xlf b/resources/xlf/de/schema-compare.de.xlf index 84da2e76eb..186e347715 100644 --- a/resources/xlf/de/schema-compare.de.xlf +++ b/resources/xlf/de/schema-compare.de.xlf @@ -16,28 +16,116 @@ - + - - Ok + + OK OK - + Cancel Abbrechen + + Source + Quelle + + + Target + Ziel + + + File + Datei + + + Data-tier Application File (.dacpac) + Datei der Datenschichtanwendung (DACPAC) + + + Database + Datenbank + + + Type + Typ + + + Server + Server + + + Database + Datenbank + + + Schema Compare + Schemavergleich + + + A different source schema has been selected. Compare to see the comparison? + Es wurde ein anderes Quellschema ausgewählt. Möchten Sie einen Vergleich durchführen? + + + A different target schema has been selected. Compare to see the comparison? + Es wurde ein anderes Zielschema ausgewählt. Möchten Sie einen Vergleich durchführen? + + + Different source and target schemas have been selected. Compare to see the comparison? + Es wurden verschiedene Quell- und Zielschemas ausgewählt. Möchten Sie einen Vergleich durchführen? + + + Yes + Ja + + + No + Nein + + + Source file + Quelldatei + + + Target file + Zieldatei + + + Source Database + Quelldatenbank + + + Target Database + Zieldatenbank + + + Source Server + Quellserver + + + Target Server + Zielserver + + + default + Standardeinstellung + + + Open + Öffnen + + + Select source file + Quelldatei auswählen + + + Select target file + Zieldatei auswählen + Reset Zurücksetzen - - Yes - Ja - - - No - Nein - Options have changed. Recompare to see the comparison? Die Optionen wurden geändert. Möchten Sie den Vergleich wiederholen und neu anzeigen? @@ -54,6 +142,174 @@ Include Object Types Objekttypen einschließen + + Compare Details + Details vergleichen + + + Are you sure you want to update the target? + Möchten Sie das Ziel aktualisieren? + + + Press Compare to refresh the comparison. + Klicken Sie auf "Vergleichen", um den Vergleich zu aktualisieren. + + + Generate script to deploy changes to target + Skript zum Bereitstellen von Änderungen am Ziel generieren + + + No changes to script + Keine Änderungen am Skript + + + Apply changes to target + Änderungen auf das Ziel anwenden + + + No changes to apply + Keine Änderungen zur Anwendung vorhanden. + + + Please note that include/exclude operations can take a moment to calculate affected dependencies + Beachten Sie, dass Vorgänge zum Einschließen/Ausschließen einen Moment dauern können, während betroffene Abhängigkeiten berechnet werden. + + + Delete + Löschen + + + Change + Ändern + + + Add + Hinzufügen + + + Comparison between Source and Target + Vergleich zwischen Quelle und Ziel + + + Initializing Comparison. This might take a moment. + Der Vergleich wird gestartet. Dies kann einen Moment dauern. + + + To compare two schemas, first select a source schema and target schema, then press Compare. + Um zwei Schemas zu vergleichen, wählen Sie zunächst ein Quellschema und ein Zielschema aus. Klicken Sie anschließend auf "Vergleichen". + + + No schema differences were found. + Es wurden keine Schemaunterschiede gefunden. + + + Type + Typ + + + Source Name + Quellname + + + Include + Einschließen + + + Action + Aktion + + + Target Name + Zielname + + + Generate script is enabled when the target is a database + "Skript generieren" ist aktiviert, wenn das Ziel eine Datenbank ist. + + + Apply is enabled when the target is a database + "Anwenden" ist aktiviert, wenn das Ziel eine Datenbank ist. + + + Cannot exclude {0}. Included dependents exist, such as {1} + "{0}" kann nicht ausgeschlossen werden. Eingeschlossene abhängige Elemente vorhanden: {1} + + + Cannot include {0}. Excluded dependents exist, such as {1} + "{0}" kann nicht eingeschlossen werden. Ausgeschlossene abhängige Elemente vorhanden: {1} + + + Cannot exclude {0}. Included dependents exist + "{0}" kann nicht ausgeschlossen werden. Eingeschlossene abhängige Elemente vorhanden. + + + Cannot include {0}. Excluded dependents exist + "{0}" kann nicht eingeschlossen werden. Ausgeschlossene abhängige Elemente vorhanden. + + + Compare + Vergleichen + + + Stop + Beenden + + + Generate script + Skript generieren + + + Options + Optionen + + + Apply + Anwenden + + + Switch direction + Richtung wechseln + + + Switch source and target + Quelle und Ziel wechseln + + + Select Source + Quelle auswählen + + + Select Target + Ziel auswählen + + + Open .scmp file + SCMP-Datei öffnen + + + Load source, target, and options saved in an .scmp file + Quelle und Ziel sowie die in einer SCMP-Datei gespeicherten Optionen laden + + + Save .scmp file + SCMP-Datei speichern + + + Save source and target, options, and excluded elements + Quelle und Ziel, Optionen und ausgeschlossene Elemente speichern + + + Save + Speichern + + + Do you want to connect to {0}? + Möchten Sie eine Verbindung mit "{0}" herstellen? + + + Select connection + Verbindung auswählen + Ignore Table Options Tabellenoptionen ignorieren @@ -407,7 +663,7 @@ Datenbankrollen - DatabaseTriggers + Database Triggers Datenbanktrigger @@ -426,6 +682,14 @@ External File Formats Externe Dateiformate + + External Streams + Externe Streams + + + External Streaming Jobs + Externe Streamingaufträge + External Tables Externe Tabellen @@ -434,6 +698,10 @@ Filegroups Dateigruppen + + Files + Dateien + File Tables Dateitabellen @@ -503,12 +771,12 @@ Signaturen - StoredProcedures - StoredProcedures + Stored Procedures + Gespeicherte Prozeduren - SymmetricKeys - SymmetricKeys + Symmetric Keys + Symmetrische Schlüssel Synonyms @@ -926,286 +1194,30 @@ Specifies whether differences in table column order should be ignored or updated when you publish to a database. Gibt an, ob Unterschiede in der Tabellenspaltenreihenfolge beim Veröffentlichen in einer Datenbank ignoriert oder aktualisiert werden sollen. - - - - - - Ok - OK - - - Cancel - Abbrechen - - - Source - Quelle - - - Target - Ziel - - - File - Datei - - - Data-tier Application File (.dacpac) - Datei der Datenschichtanwendung (DACPAC) - - - Database - Datenbank - - - Type - Typ - - - Server - Server - - - Database - Datenbank - - - No active connections - Keine aktiven Verbindungen - - - Schema Compare - Schemavergleich - - - A different source schema has been selected. Compare to see the comparison? - Es wurde ein anderes Quellschema ausgewählt. Möchten Sie einen Vergleich durchführen? - - - A different target schema has been selected. Compare to see the comparison? - Es wurde ein anderes Zielschema ausgewählt. Möchten Sie einen Vergleich durchführen? - - - Different source and target schemas have been selected. Compare to see the comparison? - Es wurden verschiedene Quell- und Zielschemas ausgewählt. Möchten Sie einen Vergleich durchführen? - - - Yes - Ja - - - No - Nein - - - Open - Öffnen - - - default - Standardeinstellung - - - - - - - Compare Details - Details vergleichen - - - Are you sure you want to update the target? - Möchten Sie das Ziel aktualisieren? - - - Press Compare to refresh the comparison. - Klicken Sie auf "Vergleichen", um den Vergleich zu aktualisieren. - - - Generate script to deploy changes to target - Skript zum Bereitstellen von Änderungen am Ziel generieren - - - No changes to script - Keine Änderungen am Skript - - - Apply changes to target - Änderungen auf das Ziel anwenden - - - No changes to apply - Keine Änderungen zur Anwendung vorhanden. - - - Delete - Löschen - - - Change - Ändern - - - Add - Hinzufügen - - - Schema Compare - Schemavergleich - - - Source - Quelle - - - Target - Ziel - - - ➔ - - - - Initializing Comparison. This might take a moment. - Der Vergleich wird gestartet. Dies kann einen Moment dauern. - - - To compare two schemas, first select a source schema and target schema, then press Compare. - Um zwei Schemas zu vergleichen, wählen Sie zunächst ein Quellschema und ein Zielschema aus. Klicken Sie anschließend auf "Vergleichen". - - - No schema differences were found. - Es wurden keine Schemaunterschiede gefunden. - Schema Compare failed: {0} Fehler beim Schemavergleich: {0} - - Type - Typ - - - Source Name - Quellname - - - Include - Einschließen - - - Action - Aktion - - - Target Name - Zielname - - - Generate script is enabled when the target is a database - "Skript generieren" ist aktiviert, wenn das Ziel eine Datenbank ist. - - - Apply is enabled when the target is a database - "Anwenden" ist aktiviert, wenn das Ziel eine Datenbank ist. - - - Compare - Vergleichen - - - Compare - Vergleichen - - - Stop - Beenden - - - Stop - Beenden - - - Cancel schema compare failed: '{0}' - Fehler beim Abbrechen des Schemavergleichs: {0} - - - Generate script - Skript generieren - - - Generate script failed: '{0}' - Fehler beim Generieren des Skripts: {0} - - - Options - Optionen - - - Options - Optionen - - - Apply - Anwenden - - - Yes - Ja - - - Schema Compare Apply failed '{0}' - Fehler beim Anwenden des Schemavergleichs: {0} - - - Switch direction - Richtung wechseln - - - Switch source and target - Quelle und Ziel wechseln - - - Select Source - Quelle auswählen - - - Select Target - Ziel auswählen - - - Open .scmp file - SCMP-Datei öffnen - - - Load source, target, and options saved in an .scmp file - Quelle und Ziel sowie die in einer SCMP-Datei gespeicherten Optionen laden - - - Open - Öffnen - - - Open scmp failed: '{0}' - Fehler beim Öffnen der SCMP-Datei: {0} - - - Save .scmp file - SCMP-Datei speichern - - - Save source and target, options, and excluded elements - Quelle und Ziel, Optionen und ausgeschlossene Elemente speichern - - - Save - Speichern - Save scmp failed: '{0}' Fehler beim Speichern der SCMP-Datei: {0} + + Cancel schema compare failed: '{0}' + Fehler beim Abbrechen des Schemavergleichs: {0} + + + Generate script failed: '{0}' + Fehler beim Generieren des Skripts: {0} + + + Schema Compare Apply failed '{0}' + Fehler beim Anwenden des Schemavergleichs: {0} + + + Open scmp failed: '{0}' + Fehler beim Öffnen der SCMP-Datei: {0} + \ No newline at end of file diff --git a/resources/xlf/de/sql.de.xlf b/resources/xlf/de/sql.de.xlf index cdde9c9170..82d56f164a 100644 --- a/resources/xlf/de/sql.de.xlf +++ b/resources/xlf/de/sql.de.xlf @@ -1,2251 +1,6 @@  - - - - Copying images is not supported - Das Kopieren von Images wird nicht unterstützt. - - - - - - - Get Started - Erste Schritte - - - Show Getting Started - "Erste Schritte" anzeigen - - - Getting &&Started - && denotes a mnemonic - Erste &&Schritte - - - - - - - QueryHistory - Abfrageverlauf - - - Whether Query History capture is enabled. If false queries executed will not be captured. - Gibt an, ob die Erfassung des Abfrageverlaufs aktiviert ist. Bei Festlegung auf FALSE werden ausgeführte Abfragen nicht erfasst. - - - View - Sicht - - - &&Query History - && denotes a mnemonic - &&Abfrageverlauf - - - Query History - Abfrageverlauf - - - - - - - Connecting: {0} - Verbindung wird hergestellt: {0} - - - Running command: {0} - Befehl wird ausgeführt: {0} - - - Opening new query: {0} - Neue Abfrage wird geöffnet: {0} - - - Cannot connect as no server information was provided - Keine Verbindung möglich, weil keine Serverinformationen bereitgestellt wurden. - - - Could not open URL due to error {0} - Die URL konnte aufgrund eines Fehlers nicht geöffnet werden: {0} - - - This will connect to server {0} - Hiermit wird eine Verbindung mit dem Server "{0}" hergestellt. - - - Are you sure you want to connect? - Möchten Sie die Verbindung herstellen? - - - &&Open - &&Öffnen - - - Connecting query file - Abfragedatei wird verbunden - - - - - - - 1 or more tasks are in progress. Are you sure you want to quit? - Mindestens eine Aufgabe wird zurzeit ausgeführt. Möchten Sie den Vorgang abbrechen? - - - Yes - Ja - - - No - Nein - - - - - - - Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? - Vorschaufeatures verbessern die Benutzerfreundlichkeit von Azure Data Studio, indem sie Ihnen Vollzugriff auf neue Features und Verbesserungen ermöglichen. Weitere Informationen zu Vorschaufeatures finden Sie [hier]({0}). Möchten Sie Vorschaufeatures aktivieren? - - - Yes (recommended) - Ja (empfohlen) - - - No - Nein - - - No, don't show again - Nein, nicht mehr anzeigen - - - - - - - Toggle Query History - Abfrageverlauf umschalten - - - Delete - Löschen - - - Clear All History - Gesamten Verlauf löschen - - - Open Query - Abfrage öffnen - - - Run Query - Abfrage ausführen - - - Toggle Query History capture - Erfassung des Abfrageverlaufs umschalten - - - Pause Query History Capture - Erfassung des Abfrageverlaufs anhalten - - - Start Query History Capture - Erfassung des Abfrageverlaufs starten - - - - - - - No queries to display. - Keine Abfragen zur Anzeige vorhanden. - - - Query History - QueryHistory - Abfrageverlauf - - - - - - - Error - Fehler - - - Warning - Warnung - - - Info - Info - - - Ignore - Ignorieren - - - - - - - Saving results into different format disabled for this data provider. - Das Speichern von Ergebnissen in einem anderen Format ist für diesen Datenanbieter deaktiviert. - - - Cannot serialize data as no provider has been registered - Daten können nicht serialisiert werden, weil kein Anbieter registriert wurde. - - - Serialization failed with an unknown error - Unbekannter Fehler bei der Serialisierung. - - - - - - - Connection is required in order to interact with adminservice - Für eine Interaktion mit dem Verwaltungsdienst ist eine Verbindung erforderlich. - - - No Handler Registered - Kein Handler registriert. - - - - - - - Select a file - Datei auswählen - - - - - - - Connection is required in order to interact with Assessment Service - Für die Interaktion mit dem Bewertungsdienst ist eine Verbindung erforderlich. - - - No Handler Registered - Kein Handler registriert. - - - - - - - Results Grid and Messages - Ergebnisraster und Meldungen - - - Controls the font family. - Steuert die Schriftfamilie. - - - Controls the font weight. - Steuert die Schriftbreite. - - - Controls the font size in pixels. - Legt die Schriftgröße in Pixeln fest. - - - Controls the letter spacing in pixels. - Legt den Abstand der Buchstaben in Pixeln fest. - - - Controls the row height in pixels - Legt die Zeilenhöhe in Pixeln fest. - - - Controls the cell padding in pixels - Legt den Zellenabstand in Pixeln fest. - - - Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells - Hiermit wird die Spaltenbreite der ersten Ergebnisse automatisch angepasst. Diese Einstellung kann bei einer großen Anzahl von Spalten oder großen Zellen zu Leistungsproblemen führen. - - - The maximum width in pixels for auto-sized columns - Die maximale Breite in Pixeln für Spalten mit automatischer Größe - - - - - - - View - Sicht - - - Database Connections - Datenbankverbindungen - - - data source connections - Datenquellenverbindungen - - - data source groups - Datenquellengruppen - - - Startup Configuration - Startkonfiguration - - - True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown - Bei Festlegung auf TRUE wird beim Start von Azure Data Studio standardmäßig die Serveransicht angezeigt. Bei Festlegung auf FALSE wird die zuletzt geöffnete Ansicht angezeigt. - - - - - - - Disconnect - Trennen - - - Refresh - Aktualisieren - - - - - - - Preview Features - Vorschaufeatures - - - Enable unreleased preview features - Nicht veröffentlichte Vorschaufeatures aktivieren - - - Show connect dialog on startup - Beim Start Verbindungsdialogfeld anzeigen - - - Obsolete API Notification - Benachrichtigung zu veralteter API - - - Enable/disable obsolete API usage notification - Benachrichtigung bei Verwendung veralteter APIs aktivieren/deaktivieren - - - - - - - Problems - Probleme - - - - - - - {0} in progress tasks - {0} Aufgaben werden ausgeführt - - - View - Sicht - - - Tasks - Aufgaben - - - &&Tasks - && denotes a mnemonic - &&Aufgaben - - - - - - - The maximum number of recently used connections to store in the connection list. - Die maximale Anzahl der zuletzt verwendeten Verbindungen in der Verbindungsliste. - - - Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. - Die zu verwendende Standard-SQL-Engine. Diese Einstellung legt den Standardsprachanbieter in SQL-Dateien und die Standardeinstellungen für neue Verbindungen fest. - - - Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. - Hiermit wird versucht, die Inhalte der Zwischenablage zu analysieren, wenn das Verbindungsdialogfeld geöffnet ist oder ein Element eingefügt wird. - - - - - - - Server Group color palette used in the Object Explorer viewlet. - Farbpalette für die Servergruppe, die im Objekt-Explorer-Viewlet verwendet wird. - - - Auto-expand Server Groups in the Object Explorer viewlet. - Servergruppen im Objekt-Explorer-Viewlet automatisch erweitern - - - (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. - (Vorschau) Verwenden Sie die neue asynchrone Serverstruktur für die Serveransicht und das Verbindungsdialogfeld. Sie bietet Unterstützung für neue Features wie die dynamische Knotenfilterung. - - - - - - - Identifier of the account type - Bezeichner des Kontotyps - - - (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration - (Optional) Symbol zur Darstellung des Kontos in der Benutzeroberfläche. Es handelt sich entweder um einen Dateipfad oder um eine designfähige Konfiguration. - - - Icon path when a light theme is used - Symbolpfad, wenn ein helles Design verwendet wird - - - Icon path when a dark theme is used - Symbolpfad, wenn ein dunkles Design verwendet wird - - - Contributes icons to account provider. - Stellt Symbole für den Kontoanbieter zur Verfügung. - - - - - - - Show Edit Data SQL pane on startup - SQL-Bereich zum Bearbeiten von Daten beim Start anzeigen - - - - - - - Minimum value of the y axis - Minimalwert der Y-Achse - - - Maximum value of the y axis - Maximalwert der Y-Achse - - - Label for the y axis - Bezeichnung für die Y-Achse - - - Minimum value of the x axis - Minimalwert der X-Achse - - - Maximum value of the x axis - Maximalwert der X-Achse - - - Label for the x axis - Bezeichnung für die X-Achse - - - - - - - Resource Viewer - Ressourcen-Viewer - - - - - - - Indicates data property of a data set for a chart. - Zeigt die Dateneigenschaft eines Datensatzes für ein Diagramm an. - - - - - - - For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 - Zeigt für jede Spalte in einem Resultset den Wert in Zeile 0 als Zählwert gefolgt vom Spaltennamen an. Unterstützt beispielsweise "1 Healthy" oder "3 Unhealthy", wobei "Healthy" dem Spaltennamen und 1 dem Wert in Zeile 1/Zelle 1 entspricht. - - - - - - - Displays the results in a simple table - Stellt die Ergebnisse in einer einfachen Tabelle dar. - - - - - - - Displays an image, for example one returned by an R query using ggplot2 - Zeigt ein Bild an, beispielsweise ein Bild, das durch eine R-Abfrage unter Verwendung von ggplot2 zurückgegeben wurde. - - - What format is expected - is this a JPEG, PNG or other format? - Welches Format wird erwartet – JPEG, PNG oder ein anderes Format? - - - Is this encoded as hex, base64 or some other format? - Erfolgt eine Codierung im Hexadezimal-, Base64- oder einem anderen Format? - - - - - - - Manage - Verwalten - - - Dashboard - Dashboard - - - - - - - The webview that will be displayed in this tab. - Die Webansicht, die auf dieser Registerkarte angezeigt wird. - - - - - - - The controlhost that will be displayed in this tab. - Der Steuerelementhost, der auf dieser Registerkarte angezeigt wird. - - - - - - - The list of widgets that will be displayed in this tab. - Die Liste der Widgets, die auf dieser Registerkarte angezeigt werden. - - - The list of widgets is expected inside widgets-container for extension. - Die Liste der Widgets, die im Widgetcontainer für die Erweiterung erwartet werden. - - - - - - - The list of widgets or webviews that will be displayed in this tab. - Die Liste der Widgets oder Webansichten, die auf dieser Registerkarte angezeigt werden. - - - widgets or webviews are expected inside widgets-container for extension. - Widgets oder Webansichten werden im Widgetcontainer für die Erweiterung erwartet. - - - - - - - Unique identifier for this container. - Eindeutiger Bezeichner für diesen Container. - - - The container that will be displayed in the tab. - Der Container, der auf der Registerkarte angezeigt wird. - - - Contributes a single or multiple dashboard containers for users to add to their dashboard. - Stellt einen einzelnen oder mehrere Dashboardcontainer zur Verfügung, die Benutzer zu ihrem Dashboard hinzufügen können. - - - No id in dashboard container specified for extension. - Im Dashboardcontainer für die Erweiterung wurde keine ID angegeben. - - - No container in dashboard container specified for extension. - Für die Erweiterung wurde kein Container im Dashboardcontainer angegeben. - - - Exactly 1 dashboard container must be defined per space. - Es muss genau 1 Dashboardcontainer pro Bereich definiert sein. - - - Unknown container type defines in dashboard container for extension. - Im Dashboardcontainer für die Erweiterung wurde ein unbekannter Containertyp definiert. - - - - - - - Unique identifier for this nav section. Will be passed to the extension for any requests. - Eindeutiger Bezeichner für diesen Navigationsbereich. Wird bei allen Anforderungen an die Erweiterung übergeben. - - - (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration - (Optional) Symbol zur Darstellung dieses Navigationsbereichs in der Benutzeroberfläche. Erfordert einen Dateipfad oder eine Konfiguration, der ein Design zugeordnet werden kann. - - - Icon path when a light theme is used - Symbolpfad, wenn ein helles Design verwendet wird - - - Icon path when a dark theme is used - Symbolpfad, wenn ein dunkles Design verwendet wird - - - Title of the nav section to show the user. - Der Titel des Navigationsbereichs, der dem Benutzer angezeigt werden soll. - - - The container that will be displayed in this nav section. - Der Container, der in diesem Navigationsbereich angezeigt wird. - - - The list of dashboard containers that will be displayed in this navigation section. - Die Liste der Dashboardcontainer, die in diesem Navigationsabschnitt angezeigt wird. - - - No title in nav section specified for extension. - Für die Erweiterung wurde kein Titel im Navigationsbereich angegeben. - - - No container in nav section specified for extension. - Für die Anwendung wurde kein Container im Navigationsbereich angegeben. - - - Exactly 1 dashboard container must be defined per space. - Es muss genau 1 Dashboardcontainer pro Bereich definiert sein. - - - NAV_SECTION within NAV_SECTION is an invalid container for extension. - NAV_SECTION in NAV_SECTION ist ein ungültiger Container für die Erweiterung. - - - - - - - The model-backed view that will be displayed in this tab. - Die modellgestützte Ansicht, die auf dieser Registerkarte angezeigt wird. - - - - - - - Backup - Sicherung - - - - - - - Restore - Wiederherstellen - - - Restore - Wiederherstellen - - - - - - - Open in Azure Portal - In Azure-Portal öffnen - - - - - - - disconnected - Getrennt - - - - - - - Cannot expand as the required connection provider '{0}' was not found - Erweiterung nicht möglich, weil der erforderliche Verbindungsanbieter "{0}" nicht gefunden wurde. - - - User canceled - Vom Benutzer abgebrochen - - - Firewall dialog canceled - Firewalldialogfeld abgebrochen - - - - - - - Connection is required in order to interact with JobManagementService - Für die Interaktion mit "JobManagementService" ist eine Verbindung erforderlich. - - - No Handler Registered - Kein Handler registriert. - - - - - - - An error occured while loading the file browser. - Fehler beim Laden des Dateibrowsers. - - - File browser error - Fehler beim Dateibrowser - - - - - - - Common id for the provider - Allgemeine ID für den Anbieter - - - Display Name for the provider - Anzeigename für den Anbieter - - - Notebook Kernel Alias for the provider - Notebook-Kernelalias für den Anbieter - - - Icon path for the server type - Symbolpfad für den Servertyp - - - Options for connection - Verbindungsoptionen - - - - - - - Unique identifier for this tab. Will be passed to the extension for any requests. - Eindeutiger Bezeichner für diese Registerkarte. Wird bei allen Anforderungen an die Erweiterung übergeben. - - - Title of the tab to show the user. - Titel der Registerkarte, die dem Benutzer angezeigt wird. - - - Description of this tab that will be shown to the user. - Beschreibung dieser Registerkarte, die dem Benutzer angezeigt werden. - - - Condition which must be true to show this item - Eine Bedingung, die TRUE lauten muss, damit dieses Element angezeigt wird. - - - Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set - Definiert die Verbindungstypen, mit denen diese Registerkarte kompatibel ist. Der Standardwert lautet "MSSQL", wenn kein anderer Wert festgelegt wird. - - - The container that will be displayed in this tab. - Der Container, der auf dieser Registerkarte angezeigt wird. - - - Whether or not this tab should always be shown or only when the user adds it. - Legt fest, ob diese Registerkarte immer angezeigt werden soll oder nur dann, wenn der Benutzer sie hinzufügt. - - - Whether or not this tab should be used as the Home tab for a connection type. - Legt fest, ob diese Registerkarte als Startseite für einen Verbindungstyp verwendet werden soll. - - - The unique identifier of the group this tab belongs to, value for home group: home. - Der eindeutige Bezeichner der Gruppe, zu der diese Registerkarte gehört. Wert für Startgruppe: Start. - - - (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration - (Optional) Symbol zur Darstellung dieser Registerkarte in der Benutzeroberfläche. Erfordert einen Dateipfad oder eine Konfiguration, der ein Design zugeordnet werden kann. - - - Icon path when a light theme is used - Symbolpfad, wenn ein helles Design verwendet wird - - - Icon path when a dark theme is used - Symbolpfad, wenn ein dunkles Design verwendet wird - - - Contributes a single or multiple tabs for users to add to their dashboard. - Stellt eine einzelne oder mehrere Registerkarten zur Verfügung, die Benutzer zu ihrem Dashboard hinzufügen können. - - - No title specified for extension. - Für die Erweiterung wurde kein Titel angegeben. - - - No description specified to show. - Es wurde keine Beschreibung zur Anzeige angegeben. - - - No container specified for extension. - Für die Erweiterung wurde kein Container angegeben. - - - Exactly 1 dashboard container must be defined per space - Pro Bereich muss genau 1 Dashboardcontainer definiert werden. - - - Unique identifier for this tab group. - Eindeutiger Bezeichner für diese Registerkartengruppe. - - - Title of the tab group. - Titel der Registerkartengruppe. - - - Contributes a single or multiple tab groups for users to add to their dashboard. - Stellt eine einzelne oder mehrere Registerkartengruppen zur Verfügung, die Benutzer ihrem Dashboard hinzufügen können. - - - No id specified for tab group. - Für die Registerkartengruppe wurde keine ID angegeben. - - - No title specified for tab group. - Für die Registerkartengruppe wurde kein Titel angegeben. - - - Administration - Verwaltung - - - Monitoring - Überwachung - - - Performance - Leistung - - - Security - Sicherheit - - - Troubleshooting - Problembehandlung - - - Settings - Einstellungen - - - databases tab - Registerkarte "Datenbanken" - - - Databases - Datenbanken - - - - - - - succeeded - Erfolgreich - - - failed - Fehlerhaft - - - - - - - Connection error - Verbindungsfehler - - - Connection failed due to Kerberos error. - Fehler bei Verbindung aufgrund eines Kerberos-Fehlers. - - - Help configuring Kerberos is available at {0} - Hilfe zum Konfigurieren von Kerberos finden Sie hier: {0} - - - If you have previously connected you may need to re-run kinit. - Wenn Sie zuvor eine Verbindung hergestellt haben, müssen Sie "kinit" möglicherweise erneut ausführen. - - - - - - - Close - Schließen - - - Adding account... - Konto wird hinzugefügt... - - - Refresh account was canceled by the user - Die Kontoaktualisierung wurde durch den Benutzer abgebrochen. - - - - - - - Query Results - Abfrageergebnisse - - - Query Editor - Abfrage-Editor - - - New Query - Neue Abfrage - - - Query Editor - Abfrage-Editor - - - When true, column headers are included when saving results as CSV - Bei Festlegung auf TRUE werden beim Speichern der Ergebnisse als CSV auch die Spaltenüberschriften einbezogen. - - - The custom delimiter to use between values when saving as CSV - Benutzerdefiniertes Trennzeichen zwischen Werten, das beim Speichern der Ergebnisse als CSV verwendet wird - - - Character(s) used for seperating rows when saving results as CSV - Zeichen für die Trennung von Zeilen, das beim Speichern der Ergebnisse als CSV verwendet wird - - - Character used for enclosing text fields when saving results as CSV - Zeichen für das Umschließen von Textfeldern, das beim Speichern der Ergebnisse als CSV verwendet wird - - - File encoding used when saving results as CSV - Dateicodierung, die beim Speichern der Ergebnisse als CSV verwendet wird - - - When true, XML output will be formatted when saving results as XML - Bei Festlegung auf TRUE wird die XML-Ausgabe formatiert, wenn die Ergebnisse im XML-Format gespeichert werden. - - - File encoding used when saving results as XML - Beim Speichern der Ergebnisse im XML-Format verwendete Dateicodierung - - - Enable results streaming; contains few minor visual issues - Hiermit wird das Streamen der Ergebnisse aktiviert. Diese Option weist einige geringfügige Darstellungsprobleme auf. - - - Configuration options for copying results from the Results View - Konfigurationsoptionen für das Kopieren von Ergebnissen aus der Ergebnisansicht - - - Configuration options for copying multi-line results from the Results View - Konfigurationsoptionen für das Kopieren mehrzeiliger Ergebnisse aus der Ergebnisansicht - - - (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. - (Experimentell) Verwenden Sie eine optimierte Tabelle in der Ergebnisausgabe. Möglicherweise fehlen einige Funktionen oder befinden sich in Bearbeitung. - - - Should execution time be shown for individual batches - Gibt an, ob die Ausführungszeit für einzelne Batches angezeigt werden soll. - - - Word wrap messages - Meldungen zu Zeilenumbrüchen - - - The default chart type to use when opening Chart Viewer from a Query Results - Dieser Diagrammtyp wird standardmäßig verwendet, wenn der Diagramm-Viewer von Abfrageergebnissen aus geöffnet wird. - - - Tab coloring will be disabled - Das Einfärben von Registerkarten wird deaktiviert. - - - The top border of each editor tab will be colored to match the relevant server group - Der obere Rand der einzelnen Editor-Registerkarten wird entsprechend der jeweiligen Servergruppe eingefärbt. - - - Each editor tab's background color will match the relevant server group - Die Hintergrundfarbe der Editor-Registerkarten entspricht der jeweiligen Servergruppe. - - - Controls how to color tabs based on the server group of their active connection - Steuert die Farbe von Registerkarten basierend auf der Servergruppe der aktiven Verbindung. - - - Controls whether to show the connection info for a tab in the title. - Legt fest, ob die Verbindungsinformationen für eine Registerkarte im Titel angezeigt werden. - - - Prompt to save generated SQL files - Aufforderung zum Speichern generierter SQL-Dateien - - - Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call. Any selected text in the query editor will be passed as a parameter - Legen Sie die Tastenzuordnung "workbench.action.query.shortcut{0}" fest, um den Verknüpfungstext als Prozeduraufruf auszuführen. Im Abfrage-Editor ausgewählter Text wird als Parameter übergeben. - - - - - - - Specifies view templates - Gibt Ansichtsvorlagen an. - - - Specifies session templates - Gibt Sitzungsvorlagen an. - - - Profiler Filters - Profilerfilter - - - - - - - Script as Create - Skripterstellung als CREATE - - - Script as Drop - Skripterstellung als DROP - - - Select Top 1000 - Oberste 1000 auswählen - - - Script as Execute - Skripterstellung als EXECUTE - - - Script as Alter - Skripterstellung als ALTER - - - Edit Data - Daten bearbeiten - - - Select Top 1000 - Oberste 1000 auswählen - - - Take 10 - 10 zurückgeben - - - Script as Create - Skripterstellung als CREATE - - - Script as Execute - Skripterstellung als EXECUTE - - - Script as Alter - Skripterstellung als ALTER - - - Script as Drop - Skripterstellung als DROP - - - Refresh - Aktualisieren - - - - - - - Commit row failed: - Fehler bei Zeilencommit: - - - Started executing query at - Ausführung der Abfrage gestartet um - - - Started executing query "{0}" - Die Ausführung der Abfrage "{0}" wurde gestartet. - - - Line {0} - Zeile {0} - - - Canceling the query failed: {0} - Fehler beim Abbrechen der Abfrage: {0} - - - Update cell failed: - Fehler beim Aktualisieren der Zelle: - - - - - - - No URI was passed when creating a notebook manager - Bei der Erstellung eines Notebook-Managers wurde kein URI übergeben. - - - Notebook provider does not exist - Der Notebook-Anbieter ist nicht vorhanden. - - - - - - - Notebook Editor - Notebook-Editor - - - New Notebook - Neues Notebook - - - New Notebook - Neues Notebook - - - Set Workspace And Open - Arbeitsbereich festlegen und öffnen - - - SQL kernel: stop Notebook execution when error occurs in a cell. - SQL-Kernel: Notebook-Ausführung bei Fehler in Zelle beenden - - - (Preview) show all kernels for the current notebook provider. - (Vorschau) Zeigen Sie alle Kernel für den aktuellen Notebook-Anbieter an. - - - Allow notebooks to run Azure Data Studio commands. - Hiermit wird Notebooks das Ausführen von Azure Data Studio-Befehlen ermöglicht. - - - Enable double click to edit for text cells in notebooks - Hiermit wird ein Doppelklick zum Bearbeiten von Textzellen in Notebooks aktiviert. - - - Set Rich Text View mode by default for text cells - Rich-Text-Ansichtsmodus für Textzellen standardmäßig festlegen - - - (Preview) Save connection name in notebook metadata. - (Vorschau) Speichern Sie den Verbindungsnamen in den Notebook-Metadaten. - - - Controls the line height used in the notebook markdown preview. This number is relative to the font size. - Hiermit wird die in der Notebook-Markdownvorschau verwendete Zeilenhöhe gesteuert. Diese Zahl ist relativ zum Schriftgrad. - - - View - Ansicht - - - Search Notebooks - Notebooks suchen - - - Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). - Konfigurieren Sie Globmuster für das Ausschließen von Dateien und Ordnern aus Volltextsuchen und Quick Open. Alle Globmuster werden von der Einstellung #files.exclude# geerbt. Weitere Informationen zu Globmustern finden Sie [hier](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). - - - The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. - Das Globmuster, mit dem Dateipfade verglichen werden sollen. Legen Sie diesen Wert auf "true" oder "false" fest, um das Muster zu aktivieren bzw. zu deaktivieren. - - - Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. - Zusätzliche Überprüfung der gleichgeordneten Elemente einer entsprechenden Datei. Verwenden Sie "$(basename)" als Variable für den entsprechenden Dateinamen. - - - This setting is deprecated and now falls back on "search.usePCRE2". - Diese Einstellung ist veraltet und greift jetzt auf "search.usePCRE2" zurück. - - - Deprecated. Consider "search.usePCRE2" for advanced regex feature support. - Veraltet. Verwenden Sie "search.usePCRE2" für die erweiterte Unterstützung von RegEx-Features. - - - When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. - Wenn diese Option aktiviert ist, bleibt der SearchService-Prozess aktiv, anstatt nach einer Stunde Inaktivität beendet zu werden. Dadurch wird der Cache für Dateisuchen im Arbeitsspeicher beibehalten. - - - Controls whether to use `.gitignore` and `.ignore` files when searching for files. - Steuert, ob bei der Dateisuche GITIGNORE- und IGNORE-Dateien verwendet werden. - - - Controls whether to use global `.gitignore` and `.ignore` files when searching for files. - Steuert, ob bei der Dateisuche globale GITIGNORE- und IGNORE-Dateien verwendet werden. - - - Whether to include results from a global symbol search in the file results for Quick Open. - Konfiguriert, ob Ergebnisse aus einer globalen Symbolsuche in die Dateiergebnisse für Quick Open eingeschlossen werden sollen. - - - Whether to include results from recently opened files in the file results for Quick Open. - Gibt an, ob Ergebnisse aus zuletzt geöffneten Dateien in den Dateiergebnissen für Quick Open aufgeführt werden. - - - History entries are sorted by relevance based on the filter value used. More relevant entries appear first. - Verlaufseinträge werden anhand des verwendeten Filterwerts nach Relevanz sortiert. Relevantere Einträge werden zuerst angezeigt. - - - History entries are sorted by recency. More recently opened entries appear first. - Verlaufseinträge werden absteigend nach Datum sortiert. Zuletzt geöffnete Einträge werden zuerst angezeigt. - - - Controls sorting order of editor history in quick open when filtering. - Legt die Sortierreihenfolge des Editor-Verlaufs beim Filtern in Quick Open fest. - - - Controls whether to follow symlinks while searching. - Steuert, ob Symlinks während der Suche gefolgt werden. - - - Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. - Sucht ohne Berücksichtigung von Groß-/Kleinschreibung, wenn das Muster kleingeschrieben ist, andernfalls wird mit Berücksichtigung von Groß-/Kleinschreibung gesucht. - - - Controls whether the search view should read or modify the shared find clipboard on macOS. - Steuert, ob die Suchansicht die freigegebene Suchzwischenablage unter macOS lesen oder verändern soll. - - - Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. - Steuert, ob die Suche als Ansicht in der Seitenleiste oder als Panel angezeigt wird, damit horizontal mehr Platz verfügbar ist. - - - This setting is deprecated. Please use the search view's context menu instead. - Diese Einstellung ist veraltet. Verwenden Sie stattdessen das Kontextmenü der Suchansicht. - - - Files with less than 10 results are expanded. Others are collapsed. - Dateien mit weniger als 10 Ergebnissen werden erweitert. Andere bleiben reduziert. - - - Controls whether the search results will be collapsed or expanded. - Steuert, ob die Suchergebnisse zu- oder aufgeklappt werden. - - - Controls whether to open Replace Preview when selecting or replacing a match. - Steuert, ob die Vorschau für das Ersetzen geöffnet werden soll, wenn eine Übereinstimmung ausgewählt oder ersetzt wird. - - - Controls whether to show line numbers for search results. - Steuert, ob Zeilennummern für Suchergebnisse angezeigt werden. - - - Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. - Gibt an, ob die PCRE2-RegEx-Engine bei der Textsuche verwendet werden soll. Dadurch wird die Verwendung einiger erweiterter RegEx-Features wie Lookahead und Rückverweise ermöglicht. Allerdings werden nicht alle PCRE2-Features unterstützt, sondern nur solche, die auch von JavaScript unterstützt werden. - - - Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. - Veraltet. PCRE2 wird beim Einsatz von Features für reguläre Ausdrücke, die nur von PCRE2 unterstützt werden, automatisch verwendet. - - - Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. - Hiermit wird die Aktionsleiste auf der rechten Seite positioniert, wenn die Suchansicht schmal ist, und gleich hinter dem Inhalt, wenn die Suchansicht breit ist. - - - Always position the actionbar to the right. - Hiermit wird die Aktionsleiste immer auf der rechten Seite positioniert. - - - Controls the positioning of the actionbar on rows in the search view. - Steuert die Positionierung der Aktionsleiste auf Zeilen in der Suchansicht. - - - Search all files as you type. - Alle Dateien während der Eingabe durchsuchen - - - Enable seeding search from the word nearest the cursor when the active editor has no selection. - Aktivieren Sie das Starten der Suche mit dem Wort, das dem Cursor am nächsten liegt, wenn der aktive Editor keine Auswahl aufweist. - - - Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. - Hiermit wird die Suchabfrage für den Arbeitsbereich auf den ausgewählten Editor-Text aktualisiert, wenn die Suchansicht den Fokus hat. Dies geschieht entweder per Klick oder durch Auslösen des Befehls "workbench.views.search.focus". - - - When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. - Wenn #search.searchOnType aktiviert ist, wird dadurch das Timeout in Millisekunden zwischen einem eingegebenen Zeichen und dem Start der Suche festgelegt. Diese Einstellung keine Auswirkung, wenn search.searchOnType deaktiviert ist. - - - Double clicking selects the word under the cursor. - Durch Doppelklicken wird das Wort unter dem Cursor ausgewählt. - - - Double clicking opens the result in the active editor group. - Durch Doppelklicken wird das Ergebnis in der aktiven Editor-Gruppe geöffnet. - - - Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. - Durch Doppelklicken wird das Ergebnis in der Editorgruppe an der Seite geöffnet, wodurch ein Ergebnis erstellt wird, wenn noch keines vorhanden ist. - - - Configure effect of double clicking a result in a search editor. - Konfiguriert den Effekt des Doppelklickens auf ein Ergebnis in einem Such-Editor. - - - Results are sorted by folder and file names, in alphabetical order. - Ergebnisse werden nach Ordner- und Dateinamen in alphabetischer Reihenfolge sortiert. - - - Results are sorted by file names ignoring folder order, in alphabetical order. - Die Ergebnisse werden nach Dateinamen in alphabetischer Reihenfolge sortiert. Die Ordnerreihenfolge wird ignoriert. - - - Results are sorted by file extensions, in alphabetical order. - Die Ergebnisse werden nach Dateiendungen in alphabetischer Reihenfolge sortiert. - - - Results are sorted by file last modified date, in descending order. - Die Ergebnisse werden nach dem Datum der letzten Dateiänderung in absteigender Reihenfolge sortiert. - - - Results are sorted by count per file, in descending order. - Ergebnisse werden nach Anzahl pro Datei und in absteigender Reihenfolge sortiert. - - - Results are sorted by count per file, in ascending order. - Die Ergebnisse werden nach Anzahl pro Datei in aufsteigender Reihenfolge sortiert. - - - Controls sorting order of search results. - Steuert die Sortierreihenfolge der Suchergebnisse. - - - - - - - New Query - Neue Abfrage - - - Run - Ausführen - - - Cancel - Abbrechen - - - Explain - Erklärung - - - Actual - Tatsächlich - - - Disconnect - Trennen - - - Change Connection - Verbindung ändern - - - Connect - Verbinden - - - Enable SQLCMD - SQLCMD aktivieren - - - Disable SQLCMD - SQLCMD deaktivieren - - - Select Database - Datenbank auswählen - - - Failed to change database - Fehler beim Ändern der Datenbank. - - - Failed to change database {0} - Fehler beim Ändern der Datenbank: {0} - - - Export as Notebook - Als Notebook exportieren - - - - - - - OK - OK - - - Close - Schließen - - - Action - Aktion - - - Copy details - Details kopieren - - - - - - - Add server group - Servergruppe hinzufügen - - - Edit server group - Servergruppe bearbeiten - - - - - - - Extension - Erweiterung - - - - - - - Failed to create Object Explorer session - Fehler beim Erstellen der Objekt-Explorer-Sitzung. - - - Multiple errors: - Mehrere Fehler: - - - - - - - Error adding account - Fehler beim Hinzufügen des Kontos - - - Firewall rule error - Fehler bei Firewallregel - - - - - - - Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window - Einige der geladenen Erweiterungen verwenden veraltete APIs. Ausführliche Informationen finden Sie auf der Registerkarte "Konsole" des Fensters "Entwicklertools". - - - Don't Show Again - Nicht mehr anzeigen - - - - - - - Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. - Bezeichner der Sicht. Hiermit können Sie einen Datenanbieter über die API "vscode.window.registerTreeDataProviderForView" registrieren. Dient auch zum Aktivieren Ihrer Erweiterung, indem Sie das Ereignis "onView:${id}" für "activationEvents" registrieren. - - - The human-readable name of the view. Will be shown - Der lesbare Name der Sicht. Dieser wird angezeigt. - - - Condition which must be true to show this view - Eine Bedingung, die TRUE lauten muss, damit diese Sicht angezeigt wird. - - - Contributes views to the editor - Stellt Sichten für den Editor zur Verfügung. - - - Contributes views to Data Explorer container in the Activity bar - Stellt Sichten für den Data Explorer-Container in der Aktivitätsleiste zur Verfügung. - - - Contributes views to contributed views container - Stellt Sichten für den Container mit bereitgestellten Sichten zur Verfügung. - - - Cannot register multiple views with same id `{0}` in the view container `{1}` - Es können nicht mehrere Sichten mit derselben ID ({0}) im Container "{1}" mit Sichten registriert werden. - - - A view with id `{0}` is already registered in the view container `{1}` - Im Container "{1}" mit Sichten ist bereits eine Sicht mit der ID {0} registriert. - - - views must be an array - Sichten müssen als Array vorliegen. - - - property `{0}` is mandatory and must be of type `string` - Die Eigenschaft "{0}" ist erforderlich und muss vom Typ "string" sein. - - - property `{0}` can be omitted or must be of type `string` - Die Eigenschaft "{0}" kann ausgelassen werden oder muss vom Typ "string" sein. - - - - - - - {0} was replaced with {1} in your user settings. - "{0}" wurde in Ihren Benutzereinstellungen durch "{1}" ersetzt. - - - {0} was replaced with {1} in your workspace settings. - "{0}" wurde in Ihren Arbeitsbereichseinstellungen durch "{1}" ersetzt. - - - - - - - Manage - Verwalten - - - Show Details - Details anzeigen - - - Learn More - Weitere Informationen - - - Clear all saved accounts - Alle gespeicherten Konten löschen - - - - - - - Toggle Tasks - Aufgaben umschalten - - - - - - - Connection Status - Verbindungsstatus - - - - - - - User visible name for the tree provider - Sichtbarer Benutzername für den Strukturanbieter - - - Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` - Die ID für den Anbieter muss mit der ID übereinstimmen, die zur Registrierung des Strukturdatenanbieters verwendet wurde, und mit "connectionDialog/" beginnen. - - - - - - - Displays results of a query as a chart on the dashboard - Zeigt die Ergebnisse einer Abfrage als Diagramm im Dashboard an. - - - Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color - Ordnet den Spaltennamen einer Farbe zu. Fügen Sie z. B. "'column1': red" hinzu, damit in dieser Spalte die Farbe Rot verwendet wird. - - - Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry - Hiermit wird die bevorzugte Position und Sichtbarkeit der Diagrammlegende angegeben. Darin werden die Spaltennamen aus der Abfrage der Bezeichnung der einzelnen Diagrammeinträge zugeordnet. - - - If dataDirection is horizontal, setting this to true uses the first columns value for the legend. - Wenn "dataDirection" auf "horizontal" festgelegt ist, werden die Werte aus der ersten Spalten als Legende verwendet. - - - If dataDirection is vertical, setting this to true will use the columns names for the legend. - Wenn "dataDirection" auf "vertical" festgelegt ist, werden für die Legende die Spaltennamen verwendet. - - - Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. - Legt fest, ob die Daten aus einer Spalte (vertikal) oder eine Zeile (horizontal) gelesen werden. Für Zeitreihen wird diese Einstellung ignoriert, da die Richtung vertikal sein muss. - - - If showTopNData is set, showing only top N data in the chart. - Wenn "showTopNData" festgelegt ist, werden nur die ersten n Daten im Diagramm angezeigt. - - - - - - - Widget used in the dashboards - In den Dashboards verwendetes Widget - - - - - - - Show Actions - Aktionen anzeigen - - - Resource Viewer - Ressourcen-Viewer - - - - - - - Identifier of the resource. - Bezeichner der Ressource. - - - The human-readable name of the view. Will be shown - Der lesbare Name der Sicht. Dieser wird angezeigt. - - - Path to the resource icon. - Pfad zum Ressourcensymbol. - - - Contributes resource to the resource view - Trägt die Ressource zur Ressourcenansicht bei. - - - property `{0}` is mandatory and must be of type `string` - Die Eigenschaft "{0}" ist erforderlich und muss vom Typ "string" sein. - - - property `{0}` can be omitted or must be of type `string` - Die Eigenschaft "{0}" kann ausgelassen werden oder muss vom Typ "string" sein. - - - - - - - Resource Viewer Tree - Ressourcen-Viewer-Struktur - - - - - - - Widget used in the dashboards - In den Dashboards verwendetes Widget - - - Widget used in the dashboards - In den Dashboards verwendetes Widget - - - Widget used in the dashboards - In den Dashboards verwendetes Widget - - - - - - - Condition which must be true to show this item - Eine Bedingung, die TRUE lauten muss, damit dieses Element angezeigt wird. - - - Whether to hide the header of the widget, default value is false - Gibt an, ob die Kopfzeile des Widgets ausgeblendet werden soll. Standardwert: FALSE. - - - The title of the container - Der Titel des Containers - - - The row of the component in the grid - Die Zeile der Komponente im Raster - - - The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. - Die RowSpan-Eigenschaft der Komponente im Raster. Der Standardwert ist 1. Verwenden Sie "*", um die Anzahl von Zeilen im Raster festzulegen. - - - The column of the component in the grid - Die Spalte der Komponente im Raster - - - The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. - Der ColSpan-Wert der Komponente im Raster. Der Standardwert ist 1. Verwenden Sie "*", um die Anzahl von Spalten im Raster festzulegen. - - - Unique identifier for this tab. Will be passed to the extension for any requests. - Eindeutiger Bezeichner für diese Registerkarte. Wird bei allen Anforderungen an die Erweiterung übergeben. - - - Extension tab is unknown or not installed. - Die Registerkarte "Erweiterung" ist unbekannt oder nicht installiert. - - - - - - - Enable or disable the properties widget - Eigenschaftswidget aktivieren oder deaktivieren - - - Property values to show - Anzuzeigende Eigenschaftswerte - - - Display name of the property - Anzeigename der Eigenschaft - - - Value in the Database Info Object - Wert im Objekt mit Datenbankinformationen - - - Specify specific values to ignore - Spezifische zu ignorierende Werte angeben - - - Recovery Model - Wiederherstellungsmodell - - - Last Database Backup - Letzte Datenbanksicherung - - - Last Log Backup - Letzte Protokollsicherung - - - Compatibility Level - Kompatibilitätsgrad - - - Owner - Besitzer - - - Customizes the database dashboard page - Hiermit wird die Dashboardseite für die Datenbank angepasst. - - - Search - Suchen - - - Customizes the database dashboard tabs - Hiermit werden die Dashboardregisterkarten für die Datenbank angepasst. - - - - - - - Enable or disable the properties widget - Eigenschaftswidget aktivieren oder deaktivieren - - - Property values to show - Anzuzeigende Eigenschaftswerte - - - Display name of the property - Anzeigename der Eigenschaft - - - Value in the Server Info Object - Wert im Objekt mit Serverinformationen - - - Version - Version - - - Edition - Edition - - - Computer Name - Computername - - - OS Version - Betriebssystemversion - - - Search - Suchen - - - Customizes the server dashboard page - Hiermit wird die Dashboardseite des Servers angepasst. - - - Customizes the Server dashboard tabs - Hiermit werden die Dashboardregisterkarten des Servers angepasst. - - - - - - - Manage - Verwalten - - - - - - - property `icon` can be omitted or must be either a string or a literal like `{dark, light}` - Die Eigenschaft "icon" kann ausgelassen werden oder muss eine Zeichenfolge oder ein Literal wie "{dark, light}" sein. - - - - - - - Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more - Fügt ein Widget hinzu, das einen Server oder eine Datenbank abfragen und die Ergebnisse in unterschiedlicher Form anzeigen kann – als Diagramm, summierte Anzahl und mehr. - - - Unique Identifier used for caching the results of the insight. - Eindeutiger Bezeichner, der zum Zwischenspeichern der Erkenntnisergebnisse verwendet wird - - - SQL query to run. This should return exactly 1 resultset. - Auszuführende SQL-Abfrage. Es sollte genau 1 Resultset zurückgegeben werden. - - - [Optional] path to a file that contains a query. Use if 'query' is not set - [Optional] Pfad zu einer Datei, die eine Abfrage enthält. Verwenden Sie diese Einstellung, wenn "query" nicht festgelegt ist. - - - [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh - [Optional] Intervall für die automatische Aktualisierung in Minuten. Ist kein Wert festgelegt, wird keine automatische Aktualisierung durchgeführt. - - - Which actions to use - Zu verwendende Aktionen - - - Target database for the action; can use the format '${ columnName }' to use a data driven column name. - Zieldatenbank für die Aktion. Kann das Format "${ columnName }" verwenden, um einen datengesteuerten Spaltennamen zu nutzen. - - - Target server for the action; can use the format '${ columnName }' to use a data driven column name. - Zielserver für die Aktion. Kann das Format "${ columnName }" verwenden, um einen datengesteuerten Spaltennamen zu nutzen. - - - Target user for the action; can use the format '${ columnName }' to use a data driven column name. - Zielbenutzer für die Aktion. Kann das Format "${ columnName }" verwenden, um einen datengesteuerten Spaltennamen zu nutzen. - - - Identifier of the insight - Bezeichner für Erkenntnisse - - - Contributes insights to the dashboard palette. - Stellt Erkenntnisse in der Dashboardpalette zur Verfügung. - - - - - - - Backup - Sicherung - - - You must enable preview features in order to use backup - Sie müssen die Vorschaufeatures aktivieren, um die Sicherung verwenden zu können. - - - Backup command is not supported for Azure SQL databases. - Der Sicherungsbefehl wird für Azure SQL-Datenbank-Instanzen nicht unterstützt. - - - Backup command is not supported in Server Context. Please select a Database and try again. - Der Sicherungsbefehl wird im Serverkontext nicht unterstützt. Wählen Sie eine Datenbank aus, und versuchen Sie es noch mal. - - - - - - - Restore - Wiederherstellen - - - You must enable preview features in order to use restore - Sie müssen die Vorschaufeatures aktivieren, um die Wiederherstellung zu verwenden. - - - Restore command is not supported for Azure SQL databases. - Der Wiederherstellungsbefehl wird für Azure SQL-Datenbank-Instanzen nicht unterstützt. - - - - - - - Show Recommendations - Empfehlungen anzeigen - - - Install Extensions - Erweiterungen installieren - - - Author an Extension... - Erweiterung erstellen... - - - - - - - Edit Data Session Failed To Connect - Fehler beim Verbinden der Datenbearbeitungssitzung. - - - - - - - OK - OK - - - Cancel - Abbrechen - - - - - - - Open dashboard extensions - Dashboarderweiterungen öffnen - - - OK - OK - - - Cancel - Abbrechen - - - No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. - Aktuell sind keine Dashboarderweiterungen installiert. Wechseln Sie zum Erweiterungs-Manager, um die empfohlenen Erweiterungen zu erkunden. - - - - - - - Selected path - Ausgewählter Pfad - - - Files of type - Dateien vom Typ - - - OK - OK - - - Discard - Verwerfen - - - - - - - No Connection Profile was passed to insights flyout - Es wurde kein Verbindungsprofil an das Flyout mit Erkenntnissen übergeben. - - - Insights error - Erkenntnisfehler - - - There was an error reading the query file: - Fehler beim Lesen der Abfragedatei: - - - There was an error parsing the insight config; could not find query array/string or queryfile - Fehler beim Analysieren der Konfiguration für Erkenntnisse. Das Abfragearray/die Abfragezeichenfolge oder die Abfragedatei wurde nicht gefunden. - - - - - - - Azure account - Azure-Konto - - - Azure tenant - Azure-Mandant - - - - - - - Show Connections - Verbindungen anzeigen - - - Servers - Server - - - Connections - Verbindungen - - - - - - - No task history to display. - Kein Aufgabenverlauf zur Anzeige vorhanden. - - - Task history - TaskHistory - Aufgabenverlauf - - - Task error - Aufgabenfehler - - - - - - - Clear List - Liste löschen - - - Recent connections list cleared - Die Liste der zuletzt verwendeten Verbindungen wurde gelöscht. - - - Yes - Ja - - - No - Nein - - - Are you sure you want to delete all the connections from the list? - Möchten Sie alle Verbindungen aus der Liste löschen? - - - Yes - Ja - - - No - Nein - - - Delete - Löschen - - - Get Current Connection String - Aktuelle Verbindungszeichenfolge abrufen - - - Connection string not available - Die Verbindungszeichenfolge ist nicht verfügbar. - - - No active connection available - Keine aktive Verbindung verfügbar. - - - - - - - Refresh - Aktualisieren - - - Edit Connection - Verbindung bearbeiten - - - Disconnect - Trennen - - - New Connection - Neue Verbindung - - - New Server Group - Neue Servergruppe - - - Edit Server Group - Servergruppe bearbeiten - - - Show Active Connections - Aktive Verbindungen anzeigen - - - Show All Connections - Alle Verbindungen anzeigen - - - Recent Connections - Letzte Verbindungen - - - Delete Connection - Verbindung löschen - - - Delete Group - Gruppe löschen - - - - - - - Run - Ausführen - - - Dispose Edit Failed With Error: - Fehler beim Verwerfen der Bearbeitung: - - - Stop - Beenden - - - Show SQL Pane - SQL-Bereich anzeigen - - - Close SQL Pane - SQL-Bereich schließen - - - - - - - Profiler - Profiler - - - Not connected - Nicht verbunden - - - XEvent Profiler Session stopped unexpectedly on the server {0}. - Die XEvent Profiler-Sitzung wurde auf dem Server "{0}" unerwartet beendet. - - - Error while starting new session - Fehler beim Starten der neuen Sitzung. - - - The XEvent Profiler session for {0} has lost events. - Die XEvent Profiler-Sitzung für "{0}" hat Ereignisse verloren. - - - - + Loading @@ -2257,746 +12,26 @@ - + - - Server Groups - Servergruppen + + Hide text labels + Beschriftungen ausblenden - - OK - OK - - - Cancel - Abbrechen - - - Server group name - Name der Servergruppe - - - Group name is required. - Der Gruppenname ist erforderlich. - - - Group description - Gruppenbeschreibung - - - Group color - Gruppenfarbe + + Show text labels + Beschriftungen anzeigen - + - - Error adding account - Fehler beim Hinzufügen des Kontos - - - - - - - Item - Element - - - Value - Wert - - - Insight Details - Details zu Erkenntnissen - - - Property - Eigenschaft - - - Value - Wert - - - Insights - Erkenntnisse - - - Items - Elemente - - - Item Details - Details zum Element - - - - - - - Cannot start auto OAuth. An auto OAuth is already in progress. - Starten einer automatischen OAuth-Authentifizierung nicht möglich. Es wird bereits eine automatische OAuth-Authentifizierung ausgeführt. - - - - - - - Sort by event - Nach Ereignis sortieren - - - Sort by column - Nach Spalte sortieren - - - Profiler - Profiler - - - OK - OK - - - Cancel - Abbrechen - - - - - - - Clear all - Alle löschen - - - Apply - Anwenden - - - OK - OK - - - Cancel - Abbrechen - - - Filters - Filter - - - Remove this clause - Diese Klausel entfernen - - - Save Filter - Filter speichern - - - Load Filter - Filter laden - - - Add a clause - Klausel hinzufügen - - - Field - Feld - - - Operator - Operator - - - Value - Wert - - - Is Null - Ist NULL - - - Is Not Null - Ist nicht NULL - - - Contains - Enthält - - - Not Contains - Enthält nicht - - - Starts With - Beginnt mit - - - Not Starts With - Beginnt nicht mit - - - - - - - Save As CSV - Als CSV speichern - - - Save As JSON - Als JSON speichern - - - Save As Excel - Als Excel speichern - - - Save As XML - Als XML speichern - - - Copy - Kopieren - - - Copy With Headers - Mit Headern kopieren - - - Select All - Alle auswählen - - - - - - - Defines a property to show on the dashboard - Definiert eine Eigenschaft, die im Dashboard angezeigt werden soll - - - What value to use as a label for the property - Gibt an, welcher Wert soll als Beschriftung für die Eigenschaft verwendet werden soll. - - - What value in the object to access for the value - Gibt an, auf welchen Wert im Objekt zugegriffen werden soll, um den Wert zu ermitteln. - - - Specify values to be ignored - Geben Sie Werte an, die ignoriert werden sollen. - - - Default value to show if ignored or no value - Standardwert, der angezeigt werden soll, wenn der Wert ignoriert wird oder kein Wert angegeben ist - - - A flavor for defining dashboard properties - Eine Variante für das Definieren von Dashboardeigenschaften - - - Id of the flavor - ID der Variante - - - Condition to use this flavor - Bedingung für die Verwendung dieser Variante - - - Field to compare to - Feld für Vergleich - - - Which operator to use for comparison - Hiermit wird angegeben, welcher Operator für den Vergleich verwendet werden soll. - - - Value to compare the field to - Wert, mit dem das Feld verglichen werden soll - - - Properties to show for database page - Eigenschaften, die für die Datenbankseite angezeigt werden sollen - - - Properties to show for server page - Eigenschaften, die für die Serverseite angezeigt werden sollen - - - Defines that this provider supports the dashboard - Hiermit wird definiert, dass dieser Anbieter das Dashboard unterstützt. - - - Provider id (ex. MSSQL) - Anbieter-ID (z. B. MSSQL) - - - Property values to show on dashboard - Eigenschaftswerte, die im Dashboard angezeigt werden sollen - - - - - - - Invalid value - Ungültiger Wert. - - - {0}. {1} - {0}. {1} - - - - - - - Loading - Wird geladen - - - Loading completed - Ladevorgang abgeschlossen - - - - - - - blank - Leer - - - check all checkboxes in column: {0} - Alle Kontrollkästchen in folgender Spalte aktivieren: {0} - - - - - - - No tree view with id '{0}' registered. - Es wurde keine Strukturansicht mit der ID "{0}" registriert. - - - - - - - Initialize edit data session failed: - Fehler beim Initialisieren der Datenbearbeitungssitzung: - - - - - - - Identifier of the notebook provider. - Bezeichner des Notebook-Anbieters. - - - What file extensions should be registered to this notebook provider - Gibt an, welche Dateierweiterungen für diesen Notebook-Anbieter registriert werden sollen. - - - What kernels should be standard with this notebook provider - Gibt an, welche Kernel für diesen Notebook-Anbieter als Standard festgelegt werden sollen. - - - Contributes notebook providers. - Stellt Notebook-Anbieter zur Verfügung. - - - Name of the cell magic, such as '%%sql'. - Name des Magic-Befehls für die Zelle, z. B. "%%sql". - - - The cell language to be used if this cell magic is included in the cell - Die zu verwendende Zellensprache, wenn dieser Zellen-Magic-Befehl in der Zelle enthalten ist. - - - Optional execution target this magic indicates, for example Spark vs SQL - Optionales Ausführungsziel, das von diesem Magic-Befehl angegeben wird, z. B. Spark oder SQL - - - Optional set of kernels this is valid for, e.g. python3, pyspark, sql - Optionaler Kernelsatz, auf den dies zutrifft, z. B. python3, pyspark, sql - - - Contributes notebook language. - Stellt die Notebook-Sprache zur Verfügung. - - - - - - - F5 shortcut key requires a code cell to be selected. Please select a code cell to run. - Zur Verwendung der F5-Tastenkombination muss eine Codezelle ausgewählt sein. Wählen Sie eine Codezelle für die Ausführung aus. - - - Clear result requires a code cell to be selected. Please select a code cell to run. - Zum Löschen des Ergebnisses muss eine Zelle ausgewählt sein. Wählen Sie eine Codezelle für die Ausführung aus. - - - - - - - SQL - SQL - - - - - - - Max Rows: - Max. Zeilen: - - - - - - - Select View - Ansicht auswählen - - - Select Session - Sitzung auswählen - - - Select Session: - Sitzung auswählen: - - - Select View: - Ansicht auswählen: - - - Text - Text - - - Label - Beschriftung - - - Value - Wert - - - Details - Details - - - - - - - Time Elapsed - Verstrichene Zeit - - - Row Count - Zeilenanzahl - - - {0} rows - {0} Zeilen - - - Executing query... - Abfrage wird ausgeführt... - - - Execution Status - Ausführungsstatus - - - Selection Summary - Zusammenfassung der Auswahl - - - Average: {0} Count: {1} Sum: {2} - Durchschnitt: {0}, Anzahl: {1}, Summe: {2} - - - - - - - Choose SQL Language - SQL-Sprache auswählen - - - Change SQL language provider - SQL-Sprachanbieter ändern - - - SQL Language Flavor - SQL-Sprachvariante - - - Change SQL Engine Provider - SQL-Engine-Anbieter ändern - - - A connection using engine {0} exists. To change please disconnect or change connection - Es besteht eine Verbindung über die Engine "{0}". Um die Verbindung zu ändern, trennen oder wechseln Sie die Verbindung. - - - No text editor active at this time - Momentan ist kein Text-Editor aktiv. - - - Select Language Provider - Sprachanbieter auswählen - - - - - - - Error displaying Plotly graph: {0} - Fehler beim Anzeigen des Plotly-Graphen: {0} - - - - - - - No {0} renderer could be found for output. It has the following MIME types: {1} - Für die Ausgabe wurde kein {0}-Renderer gefunden. Folgende MIME-Typen sind enthalten: {1} - - - (safe) - (sicher) - - - - - - - Select Top 1000 - Oberste 1000 auswählen - - - Take 10 - 10 zurückgeben - - - Script as Execute - Skripterstellung als EXECUTE - - - Script as Alter - Skripterstellung als ALTER - - - Edit Data - Daten bearbeiten - - - Script as Create - Skripterstellung als CREATE - - - Script as Drop - Skripterstellung als DROP - - - - - - - A NotebookProvider with valid providerId must be passed to this method - An diese Klasse muss ein NotebookProvider mit gültiger providerId übergeben werden. - - - - - - - A NotebookProvider with valid providerId must be passed to this method - An diese Klasse muss ein NotebookProvider mit gültiger providerId übergeben werden. - - - no notebook provider found - Kein Notebook-Anbieter gefunden. - - - No Manager found - Kein Manager gefunden. - - - Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it - Der Notebook-Manager für das Notebook "{0}" umfasst keinen Server-Manager. Es können keine Aktionen ausgeführt werden. - - - Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it - Der Notebook-Manager für das Notebook "{0}" umfasst keinen Inhalts-Manager. Es können keine Aktionen ausgeführt werden. - - - Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it - Der Notebook-Manager für das Notebook "{0}" umfasst keinen Sitzungs-Manager. Es können keine Aktionen ausgeführt werden. - - - - - - - Failed to get Azure account token for connection - Fehler beim Abrufen des Azure-Kontotokens für die Verbindung. - - - Connection Not Accepted - Verbindung nicht akzeptiert. - - - Yes - Ja - - - No - Nein - - - Are you sure you want to cancel this connection? - Möchten Sie diese Verbindung abbrechen? - - - - - - - OK - OK - - + Close Schließen - - - - Loading kernels... - Kernel werden geladen... - - - Changing kernel... - Kernel wird geändert... - - - Attach to - Anfügen an - - - Kernel - Kernel - - - Loading contexts... - Kontexte werden geladen... - - - Change Connection - Verbindung ändern - - - Select Connection - Verbindung auswählen - - - localhost - localhost - - - No Kernel - Kein Kernel - - - Clear Results - Ergebnisse löschen - - - Trusted - Vertrauenswürdig - - - Not Trusted - Nicht vertrauenswürdig - - - Collapse Cells - Zellen reduzieren - - - Expand Cells - Zellen erweitern - - - None - Keine - - - New Notebook - Neues Notebook - - - Find Next String - Nächste Zeichenfolge suchen - - - Find Previous String - Vorhergehende Zeichenfolge suchen - - - - - - - Query Plan - Abfrageplan - - - - - - - Refresh - Aktualisieren - - - - - - - Step {0} - Schritt {0} - - - - - - - Must be an option from the list - Muss eine Option aus der Liste sein - - - Select Box - Auswahlfeld - - - @@ -3013,134 +48,260 @@ - + - - Connection - Verbindung - - - Connecting - Verbindung wird hergestellt - - - Connection type - Verbindungstyp - - - Recent Connections - Letzte Verbindungen - - - Saved Connections - Gespeicherte Verbindungen - - - Connection Details - Verbindungsdetails - - - Connect - Verbinden - - - Cancel - Abbrechen - - - Recent Connections - Letzte Verbindungen - - - No recent connection - Keine aktuelle Verbindung - - - Saved Connections - Gespeicherte Verbindungen - - - No saved connection - Keine gespeicherte Verbindung + + no data available + Keine Daten verfügbar. - + - - File browser tree - FileBrowserTree - Dateibrowserstruktur + + Select/Deselect All + Alles auswählen/Gesamte Auswahl aufheben - + - - From - Von + + Show Filter + Filter anzeigen - - To - An + + Select All + Alle auswählen - - Create new firewall rule - Neue Firewallregel erstellen + + Search + Suchen - + + {0} Results + This tells the user how many items are shown in the list. Currently not visible, but read by screen readers. + {0} Ergebnisse + + + {0} Selected + This tells the user how many items are selected in the list + {0} ausgewählt + + + Sort Ascending + Aufsteigend sortieren + + + Sort Descending + Absteigend sortieren + + OK OK - + + Clear + Löschen + + Cancel Abbrechen - - Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. - Ihre Client-IP-Adresse hat keinen Zugriff auf den Server. Melden Sie sich bei einem Azure-Konto an, und erstellen Sie eine neue Firewallregel für die Aktivierung des Zugriffs. - - - Learn more about firewall settings - Weitere Informationen zu Firewalleinstellungen - - - Firewall rule - Firewallregel - - - Add my client IP - Meine Client-IP-Adresse hinzufügen - - - Add my subnet IP range - Meinen Subnetz-IP-Adressbereich hinzufügen + + Filter Options + Filteroptionen - + - - All files - Alle Dateien + + Loading + Wird geladen - + - - Could not find query file at any of the following paths : - {0} - Die Abfragedatei wurde in keinem der folgenden Pfade gefunden: -{0} + + Loading Error... + Fehler wird geladen... - + - - You need to refresh the credentials for this account. - Die Anmeldeinformationen für dieses Konto müssen aktualisiert werden. + + Toggle More + Weitere ein-/ausblenden + + + + + + + Azure Data Studio + Azure Data Studio + + + Enable automatic update checks. Azure Data Studio will check for updates automatically and periodically. + Automatische Prüfung auf Aktualisierungen aktivieren. Azure Data Studio prüft automatisch und regelmäßig auf Aktualisierungen. + + + Enable to download and install new Azure Data Studio Versions in the background on Windows + Aktivieren Sie diese Option, um neue Azure Data Studio-Versionen im Hintergrund unter Windows herunterzuladen und zu installieren. + + + Show Release Notes after an update. The Release Notes are opened in a new web browser window. + Versionshinweise nach einem Update anzeigen. Die Versionshinweise werden in einem neuen Webbrowserfenster geöffnet. + + + The dashboard toolbar action menu + Das Aktionsmenü für die Dashboard-Symbolleiste + + + The notebook cell title menu + Titelmenü der Notizbuchzelle + + + The notebook title menu + Titelmenü des Notizbuchs + + + The notebook toolbar menu + Symbolleistenmenü des Notizbuchs + + + The dataexplorer view container title action menu + Das Aktionsmenü für den Container-Titel der Dataexplorer-Ansicht + + + The dataexplorer item context menu + Kontextmenü des Dataexplorer-Elements + + + The object explorer item context menu + Kontextmenü des Objekt-Explorer-Elements + + + The connection dialog's browse tree context menu + Kontextmenü zum Durchsuchen der Struktur des Verbindungsdialogfelds + + + The data grid item context menu + Kontextmenü des Datenrasterelements + + + Sets the security policy for downloading extensions. + Legt die Sicherheitsrichtlinie für das Herunterladen von Erweiterungen fest. + + + Your extension policy does not allow installing extensions. Please change your extension policy and try again. + Die Erweiterungsrichtlinie lässt die Installation von Erweiterungen nicht zu. Ändern Sie Ihre Erweiterungsrichtlinie und versuchen Sie es noch mal. + + + Completed installing {0} extension from VSIX. Please reload Azure Data Studio to enable it. + Die Installation der Erweiterung "{0}" aus VSIX wurde abgeschlossen. Laden Sie Azure Data Studio neu, um sie zu aktivieren. + + + Please reload Azure Data Studio to complete the uninstallation of this extension. + Laden Sie Azure Data Studio erneut, um die Deinstallation dieser Erweiterung abzuschließen. + + + Please reload Azure Data Studio to enable the updated extension. + Laden Sie Azure Data Studio erneut, um die Aktualisierung dieser Erweiterung abzuschließen. + + + Please reload Azure Data Studio to enable this extension locally. + Laden Sie Azure Data Studio erneut, um diese Erweiterung lokal zu aktivieren. + + + Please reload Azure Data Studio to enable this extension. + Laden Sie Azure Data Studio erneut, um diese Erweiterung zu aktivieren. + + + Please reload Azure Data Studio to disable this extension. + Laden Sie Azure Data Studio erneut, um diese Erweiterung zu deaktivieren. + + + Please reload Azure Data Studio to complete the uninstallation of the extension {0}. + Laden Sie Azure Data Studio erneut, um die Deinstallation der Erweiterung {0} abzuschließen. + + + Please reload Azure Data Studio to enable this extension in {0}. + Laden Sie Azure Data Studio erneut, um diese Erweiterung in {0} zu aktivieren. + + + Installing extension {0} is completed. Please reload Azure Data Studio to enable it. + Die Installation der Erweiterung "{0}" wurde abgeschlossen. Laden Sie Azure Data Studio neu, um sie zu aktivieren. + + + Please reload Azure Data Studio to complete reinstalling the extension {0}. + Laden Sie Azure Data Studio neu, um die Neuinstallation der Erweiterung {0} abzuschließen. + + + Marketplace + Marketplace + + + The scenario type for extension recommendations must be provided. + Der Szenariotyp für Erweiterungsempfehlungen muss angegeben werden. + + + Unable to install extension '{0}' as it is not compatible with Azure Data Studio '{1}'. + Die Erweiterung '{0}' mit Version '{1}' konnte nicht installiert werden, da sie nicht mit Azure Data Studio kompatibel ist. + + + New Query + Neue Abfrage + + + New &&Query + && denotes a mnemonic + Neue &&Abfrage + + + &&New Notebook + && denotes a mnemonic + &&Neues Notizbuch + + + Controls the memory available to Azure Data Studio after restart when trying to open large files. Same effect as specifying `--max-memory=NEWSIZE` on the command line. + Steuert den für Azure Data Studio verfügbaren Arbeitsspeicher nach einem Neustart bei dem Versuch, große Dateien zu öffnen. Dies hat die gleiche Auswirkung wie das Festlegen von `--max-memory=NEWSIZE` über die Befehlszeile. + + + Would you like to change Azure Data Studio's UI language to {0} and restart? + Möchten Sie die Sprache der Benutzeroberfläche von Azure Data Studio in {0} ändern und einen Neustart durchführen? + + + In order to use Azure Data Studio in {0}, Azure Data Studio needs to restart. + Um Azure Data Studio in {0} zu verwenden, muss Azure Data Studio neu gestartet werden. + + + New SQL File + Neue SQL-Datei + + + New Notebook + Neues Notizbuch + + + Install Extension from VSIX Package + && denotes a mnemonic + Erweiterung aus VSIX-Paket installieren + + + + + + + Must be an option from the list + Muss eine Option aus der Liste sein + + + Select Box + Auswahlfeld @@ -3184,1263 +345,59 @@ - + - - Show Notebooks - Notebooks anzeigen - - - Search Results - Suchergebnisse - - - Search path not found: {0} - Der Suchpfad wurde nicht gefunden: {0}. - - - Notebooks - Notebooks + + Copying images is not supported + Das Kopieren von Images wird nicht unterstützt. - + - - Focus on Current Query - Fokus auf aktuelle Abfrage - - - Run Query - Abfrage ausführen - - - Run Current Query - Aktuelle Abfrage ausführen - - - Copy Query With Results - Abfrage mit Ergebnissen kopieren - - - Successfully copied query and results. - Die Abfrage und die Ergebnisse wurden erfolgreich kopiert. - - - Run Current Query with Actual Plan - Aktuelle Abfrage mit Istplan ausführen - - - Cancel Query - Abfrage abbrechen - - - Refresh IntelliSense Cache - IntelliSense-Cache aktualisieren - - - Toggle Query Results - Abfrageergebnisse umschalten - - - Toggle Focus Between Query And Results - Fokus zwischen Abfrage und Ergebnissen umschalten - - - Editor parameter is required for a shortcut to be executed - Editor-Parameter zum Ausführen einer Tastenkombination erforderlich. - - - Parse Query - Abfrage analysieren - - - Commands completed successfully - Die Befehle wurden erfolgreich ausgeführt. - - - Command failed: - Fehler bei Befehl: - - - Please connect to a server - Stellen Sie eine Verbindung mit einem Server her. + + A server group with the same name already exists. + Es ist bereits eine Servergruppe mit diesem Namen vorhanden. - + - - succeeded - Erfolgreich - - - failed - Fehlerhaft - - - in progress - In Bearbeitung - - - not started - Nicht gestartet - - - canceled - Abgebrochen - - - canceling - Wird abgebrochen + + Widget used in the dashboards + In den Dashboards verwendetes Widget - + - - Chart cannot be displayed with the given data - Das Diagramm kann mit den angegebenen Daten nicht angezeigt werden. + + Widget used in the dashboards + In den Dashboards verwendetes Widget + + + Widget used in the dashboards + In den Dashboards verwendetes Widget + + + Widget used in the dashboards + In den Dashboards verwendetes Widget - + - - Error opening link : {0} - Fehler beim Öffnen des Links: {0} + + Saving results into different format disabled for this data provider. + Das Speichern von Ergebnissen in einem anderen Format ist für diesen Datenanbieter deaktiviert. - - Error executing command '{0}' : {1} - Fehler beim Ausführen des Befehls "{0}": {1} + + Cannot serialize data as no provider has been registered + Daten können nicht serialisiert werden, weil kein Anbieter registriert wurde. - - - - - - Copy failed with error {0} - Fehler beim Kopieren: {0} - - - Show chart - Diagramm anzeigen - - - Show table - Tabelle anzeigen - - - - - - - <i>Double-click to edit</i> - <i>Zum Bearbeiten doppelklicken</i> - - - <i>Add content here...</i> - <i>Hier Inhalte hinzufügen... </i> - - - - - - - An error occurred refreshing node '{0}': {1} - Fehler beim Aktualisieren des Knotens "{0}": {1} - - - - - - - Done - Fertig - - - Cancel - Abbrechen - - - Generate script - Skript generieren - - - Next - Weiter - - - Previous - Zurück - - - Tabs are not initialized - Registerkarten sind nicht initialisiert. - - - - - - - is required. - ist erforderlich. - - - Invalid input. Numeric value expected. - Ungültige Eingabe. Es wird ein numerischer Wert erwartet. - - - - - - - Backup file path - Pfad zur Sicherungsdatei - - - Target database - Zieldatenbank - - - Restore - Wiederherstellen - - - Restore database - Datenbank wiederherstellen - - - Database - Datenbank - - - Backup file - Sicherungsdatei - - - Restore database - Datenbank wiederherstellen - - - Cancel - Abbrechen - - - Script - Skript - - - Source - Quelle - - - Restore from - Wiederherstellen aus - - - Backup file path is required. - Sie müssen einen Pfad für die Sicherungsdatei angeben. - - - Please enter one or more file paths separated by commas - Geben Sie einen oder mehrere Dateipfade (durch Kommas getrennt) ein. - - - Database - Datenbank - - - Destination - Ziel - - - Restore to - Wiederherstellen in - - - Restore plan - Wiederherstellungsplan - - - Backup sets to restore - Wiederherzustellende Sicherungssätze - - - Restore database files as - Datenbankdateien wiederherstellen als - - - Restore database file details - Details zu Datenbankdateien wiederherstellen - - - Logical file Name - Logischer Dateiname - - - File type - Dateityp - - - Original File Name - Ursprünglicher Dateiname - - - Restore as - Wiederherstellen als - - - Restore options - Wiederherstellungsoptionen - - - Tail-Log backup - Sicherung des Protokollfragments - - - Server connections - Serververbindungen - - - General - Allgemein - - - Files - Dateien - - - Options - Optionen - - - - - - - Copy Cell - Zelle kopieren - - - - - - - Done - Fertig - - - Cancel - Abbrechen - - - - - - - Copy & Open - Kopieren und öffnen - - - Cancel - Abbrechen - - - User code - Benutzercode - - - Website - Website - - - - - - - The index {0} is invalid. - Der Index "{0}" ist ungültig. - - - - - - - Server Description (optional) - Serverbeschreibung (optional) - - - - - - - Advanced Properties - Erweiterte Eigenschaften - - - Discard - Verwerfen - - - - - - - nbformat v{0}.{1} not recognized - nbformat v{0}.{1} nicht erkannt. - - - This file does not have a valid notebook format - Diese Datei weist kein gültiges Notebook-Format auf. - - - Cell type {0} unknown - Unbekannter Zellentyp "{0}". - - - Output type {0} not recognized - Der Ausgabetyp "{0}" wurde nicht erkannt. - - - Data for {0} is expected to be a string or an Array of strings - Als Daten für "{0}" wird eine Zeichenfolge oder ein Array aus Zeichenfolgen erwartet. - - - Output type {0} not recognized - Der Ausgabetyp "{0}" wurde nicht erkannt. - - - - - - - Welcome - Willkommen - - - SQL Admin Pack - SQL-Administratorpaket - - - SQL Admin Pack - SQL-Administratorpaket - - - Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server - Das Administratorpaket für SQL Server ist eine Sammlung gängiger Erweiterungen für die Datenbankverwaltung, die Sie beim Verwalten von SQL Server unterstützen. - - - Powershell - PowerShell - - - Write and execute PowerShell scripts using Azure Data Studio's rich query editor - Hiermit werden PowerShell-Skripts mithilfe des umfangreichen Abfrage-Editors von Azure Data Studio geschrieben und ausgeführt. - - - Data Virtualization - Datenvirtualisierung - - - Virtualize data with SQL Server 2019 and create external tables using interactive wizards - Hiermit werden Daten mit SQL Server 2019 virtualisiert und externe Tabellen mithilfe interaktiver Assistenten erstellt. - - - PostgreSQL - PostgreSQL - - - Connect, query, and manage Postgres databases with Azure Data Studio - Mit Azure Data Studio können Sie PostgreSQL-Datenbanken verbinden, abfragen und verwalten. - - - Support for {0} is already installed. - Unterstützung für {0} ist bereits installiert. - - - The window will reload after installing additional support for {0}. - Nach dem Installieren zusätzlicher Unterstützung für {0} wird das Fenster neu geladen. - - - Installing additional support for {0}... - Zusätzliche Unterstützung für {0} wird installiert... - - - Support for {0} with id {1} could not be found. - Unterstützung für {0} mit der ID {1} wurde nicht gefunden. - - - New connection - Neue Verbindung - - - New query - Neue Abfrage - - - New notebook - Neues Notebook - - - Deploy a server - Server bereitstellen - - - Welcome - Willkommen - - - New - Neu - - - Open… - Öffnen… - - - Open file… - Datei öffnen… - - - Open folder… - Ordner öffnen… - - - Start Tour - Tour starten - - - Close quick tour bar - Leiste für Schnelleinführung schließen - - - Would you like to take a quick tour of Azure Data Studio? - Möchten Sie eine kurze Einführung in Azure Data Studio erhalten? - - - Welcome! - Willkommen! - - - Open folder {0} with path {1} - Ordner {0} mit Pfad {1} öffnen - - - Install - Installieren - - - Install {0} keymap - Tastenzuordnung {0} öffnen - - - Install additional support for {0} - Zusätzliche Unterstützung für {0} installieren - - - Installed - Installiert - - - {0} keymap is already installed - Die Tastaturzuordnung {0} ist bereits installiert. - - - {0} support is already installed - Unterstützung für {0} ist bereits installiert. - - - OK - OK - - - Details - Details - - - Background color for the Welcome page. - Hintergrundfarbe für die Startseite. - - - - - - - Profiler editor for event text. Readonly - Profiler-Editor für Ereignistext (schreibgeschützt) - - - - - - - Failed to save results. - Fehler beim Speichern der Ergebnisse. - - - Choose Results File - Ergebnisdatei auswählen - - - CSV (Comma delimited) - CSV (durch Trennzeichen getrennte Datei) - - - JSON - JSON - - - Excel Workbook - Excel-Arbeitsmappe - - - XML - XML - - - Plain Text - Nur-Text - - - Saving file... - Datei wird gespeichert... - - - Successfully saved results to {0} - Ergebnisse wurden erfolgreich in "{0}" gespeichert. - - - Open file - Datei öffnen - - - - - - - Hide text labels - Beschriftungen ausblenden - - - Show text labels - Beschriftungen anzeigen - - - - - - - modelview code editor for view model. - Modellansichts-Code-Editor für Ansichtsmodell. - - - - - - - Information - Information - - - Warning - Warnung - - - Error - Fehler - - - Show Details - Details anzeigen - - - Copy - Kopieren - - - Close - Schließen - - - Back - Zurück - - - Hide Details - Details ausblenden - - - - - - - Accounts - Konten - - - Linked accounts - Verknüpfte Konten - - - Close - Schließen - - - There is no linked account. Please add an account. - Es ist kein verknüpftes Konto vorhanden. Fügen Sie ein Konto hinzu. - - - Add an account - Konto hinzufügen - - - You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud - Es sind keine Clouds aktiviert. Wechseln Sie zu "Einstellungen", durchsuchen Sie die Azure-Kontokonfiguration, und aktivieren Sie mindestens eine Cloud. - - - You didn't select any authentication provider. Please try again. - Sie haben keinen Authentifizierungsanbieter ausgewählt. Versuchen Sie es noch mal. - - - - - - - Execution failed due to an unexpected error: {0} {1} - Die Ausführung war aufgrund eines unerwarteten Fehlers nicht möglich: {0} {1} - - - Total execution time: {0} - Ausführungszeit gesamt: {0} - - - Started executing query at Line {0} - Die Abfrageausführung wurde in Zeile {0} gestartet. - - - Started executing batch {0} - Die Ausführung von Batch "{0}" wurde gestartet. - - - Batch execution time: {0} - Batchausführungszeit: {0} - - - Copy failed with error {0} - Fehler beim Kopieren: {0} - - - - - - - Azure Data Studio - Azure Data Studio - - - Start - Starten - - - New connection - Neue Verbindung - - - New query - Neue Abfrage - - - New notebook - Neues Notebook - - - Open file - Datei öffnen - - - Open file - Datei öffnen - - - Deploy - Bereitstellen - - - New Deployment… - Neue Bereitstellung… - - - Recent - Zuletzt verwendet - - - More... - Mehr... - - - No recent folders - Keine kürzlich verwendeten Ordner - - - Help - Hilfe - - - Getting started - Erste Schritte - - - Documentation - Dokumentation - - - Report issue or feature request - Problem melden oder Feature anfragen - - - GitHub repository - GitHub-Repository - - - Release notes - Versionshinweise - - - Show welcome page on startup - Beim Start Willkommensseite anzeigen - - - Customize - Anpassen - - - Extensions - Erweiterungen - - - Download extensions that you need, including the SQL Server Admin pack and more - Laden Sie die von Ihnen benötigten Erweiterungen herunter, z. B. die SQL Server-Verwaltungsprogramme und mehr. - - - Keyboard Shortcuts - Tastenkombinationen - - - Find your favorite commands and customize them - Bevorzugte Befehle finden und anpassen - - - Color theme - Farbdesign - - - Make the editor and your code look the way you love - Passen Sie das Aussehen von Editor und Code an Ihre Wünsche an. - - - Learn - Informationen - - - Find and run all commands - Alle Befehle suchen und ausführen - - - Rapidly access and search commands from the Command Palette ({0}) - Über die Befehlspalette ({0}) können Sie schnell auf Befehle zugreifen und nach Befehlen suchen. - - - Discover what's new in the latest release - Neuerungen in der aktuellen Version erkunden - - - New monthly blog posts each month showcasing our new features - Monatliche Vorstellung neuer Features in Blogbeiträgen - - - Follow us on Twitter - Folgen Sie uns auf Twitter - - - Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. - Informieren Sie sich darüber, wie die Community Azure Data Studio verwendet, und kommunizieren Sie direkt mit den Technikern. - - - - - - - Connect - Verbinden - - - Disconnect - Trennen - - - Start - Starten - - - New Session - Neue Sitzung - - - Pause - Anhalten - - - Resume - Fortsetzen - - - Stop - Beenden - - - Clear Data - Daten löschen - - - Are you sure you want to clear the data? - Möchten Sie die Daten löschen? - - - Yes - Ja - - - No - Nein - - - Auto Scroll: On - Automatisches Scrollen: Ein - - - Auto Scroll: Off - Automatisches Scrollen: Aus - - - Toggle Collapsed Panel - Ausgeblendeten Bereich umschalten - - - Edit Columns - Spalten bearbeiten - - - Find Next String - Nächste Zeichenfolge suchen - - - Find Previous String - Vorhergehende Zeichenfolge suchen - - - Launch Profiler - Profiler starten - - - Filter… - Filtern... - - - Clear Filter - Filter löschen - - - Are you sure you want to clear the filters? - Möchten Sie die Filter löschen? - - - - - - - Events (Filtered): {0}/{1} - Ereignisse (gefiltert): {0}/{1} - - - Events: {0} - Ereignisse: {0} - - - Event Count - Ereignisanzahl - - - - - - - no data available - Keine Daten verfügbar. - - - - - - - Results - Ergebnisse - - - Messages - Meldungen - - - - - - - No script was returned when calling select script on object - Beim Aufruf des ausgewählten Skripts für das Objekt wurde kein Skript zurückgegeben. - - - Select - Auswählen - - - Create - Erstellen - - - Insert - Einfügen - - - Update - Aktualisieren - - - Delete - Löschen - - - No script was returned when scripting as {0} on object {1} - Bei der Skripterstellung als "{0}" für Objekt "{1}" wurde kein Skript zurückgegeben. - - - Scripting Failed - Fehler bei Skripterstellung. - - - No script was returned when scripting as {0} - Bei der Skripterstellung als "{0}" wurde kein Skript zurückgegeben. - - - - - - - Table header background color - Hintergrundfarbe für Tabellenüberschrift - - - Table header foreground color - Vordergrundfarbe für Tabellenüberschrift - - - List/Table background color for the selected and focus item when the list/table is active - Hintergrundfarbe von Listen/Tabellen für das ausgewählte und fokussierte Element, wenn die Liste/Tabelle aktiv ist - - - Color of the outline of a cell. - Farbe der Kontur einer Zelle. - - - Disabled Input box background. - Hintergrund für deaktiviertes Eingabefeld. - - - Disabled Input box foreground. - Vordergrund für deaktiviertes Eingabefeld. - - - Button outline color when focused. - Konturfarbe der Schaltfläche, wenn diese den Fokus hat. - - - Disabled checkbox foreground. - Vordergrundfarbe für deaktiviertes Kontrollkästchen. - - - SQL Agent Table background color. - Hintergrundfarbe für die SQL-Agent-Tabelle. - - - SQL Agent table cell background color. - Hintergrundfarbe für die SQL-Agent-Tabellenzellen. - - - SQL Agent table hover background color. - Hintergrundfarbe für die SQL-Agent-Tabelle, wenn darauf gezeigt wird. - - - SQL Agent heading background color. - Hintergrundfarbe für SQL-Agent-Überschriften. - - - SQL Agent table cell border color. - Rahmenfarbe für SQL-Agent-Tabellenzellen. - - - Results messages error color. - Farbe für Fehler bei Ergebnismeldungen. - - - - - - - Backup name - Backup-Name - - - Recovery model - Wiederherstellungsmodell - - - Backup type - Sicherungstyp - - - Backup files - Sicherungsdateien - - - Algorithm - Algorithmus - - - Certificate or Asymmetric key - Zertifikat oder asymmetrischer Schlüssel - - - Media - Medien - - - Backup to the existing media set - Sicherung im vorhandenen Mediensatz - - - Backup to a new media set - Sicherung in einem neuen Mediensatz - - - Append to the existing backup set - An vorhandenem Sicherungssatz anhängen - - - Overwrite all existing backup sets - Alle vorhandenen Sicherungssätze überschreiben - - - New media set name - Name des neuen Mediensatzes - - - New media set description - Beschreibung des neuen Mediensatzes - - - Perform checksum before writing to media - Vor dem Schreiben auf Medium Prüfsumme berechnen - - - Verify backup when finished - Sicherung nach Abschluss überprüfen - - - Continue on error - Bei Fehler fortsetzen - - - Expiration - Ablauf - - - Set backup retain days - Aufbewahrungsdauer der Sicherung in Tagen festlegen - - - Copy-only backup - Kopiesicherung - - - Advanced Configuration - Erweiterte Konfiguration - - - Compression - Komprimierung - - - Set backup compression - Sicherungskomprimierung festlegen - - - Encryption - Verschlüsselung - - - Transaction log - Transaktionsprotokoll - - - Truncate the transaction log - Transaktionsprotokoll abschneiden - - - Backup the tail of the log - Sicherung des Protokollfragments - - - Reliability - Zuverlässigkeit - - - Media name is required - Der Name des Mediums muss angegeben werden. - - - No certificate or asymmetric key is available - Es ist kein Zertifikat oder asymmetrischer Schlüssel verfügbar. - - - Add a file - Datei hinzufügen - - - Remove files - Dateien entfernen - - - Invalid input. Value must be greater than or equal 0. - Ungültige Eingabe. Wert muss größer oder gleich 0 sein. - - - Script - Skript - - - Backup - Sicherung - - - Cancel - Abbrechen - - - Only backup to file is supported - Es wird nur das Sichern in einer Datei unterstützt. - - - Backup file path is required - Der Pfad für die Sicherungsdatei muss angegeben werden. + + Serialization failed with an unknown error + Unbekannter Fehler bei der Serialisierung. @@ -4632,407 +589,87 @@ - + - - There is no data provider registered that can provide view data. - Es ist kein Datenanbieter registriert, der Sichtdaten bereitstellen kann. + + Table header background color + Hintergrundfarbe für Tabellenüberschrift - - Refresh - Aktualisieren + + Table header foreground color + Vordergrundfarbe für Tabellenüberschrift - - Collapse All - Alle reduzieren + + List/Table background color for the selected and focus item when the list/table is active + Hintergrundfarbe von Listen/Tabellen für das ausgewählte und fokussierte Element, wenn die Liste/Tabelle aktiv ist - - Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. - Fehler beim Ausführen des Befehls {1}: {0}. Dies wird vermutlich durch die Erweiterung verursacht, die {1} beiträgt. + + Color of the outline of a cell. + Farbe der Kontur einer Zelle. + + + Disabled Input box background. + Hintergrund für deaktiviertes Eingabefeld. + + + Disabled Input box foreground. + Vordergrund für deaktiviertes Eingabefeld. + + + Button outline color when focused. + Konturfarbe der Schaltfläche, wenn diese den Fokus hat. + + + Disabled checkbox foreground. + Vordergrundfarbe für deaktiviertes Kontrollkästchen. + + + SQL Agent Table background color. + Hintergrundfarbe für die SQL-Agent-Tabelle. + + + SQL Agent table cell background color. + Hintergrundfarbe für die SQL-Agent-Tabellenzellen. + + + SQL Agent table hover background color. + Hintergrundfarbe für die SQL-Agent-Tabelle, wenn darauf gezeigt wird. + + + SQL Agent heading background color. + Hintergrundfarbe für SQL-Agent-Überschriften. + + + SQL Agent table cell border color. + Rahmenfarbe für SQL-Agent-Tabellenzellen. + + + Results messages error color. + Farbe für Fehler bei Ergebnismeldungen. - + - - Please select active cell and try again - Wählen Sie eine aktive Zelle aus, und versuchen Sie es noch mal. + + Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window + Einige der geladenen Erweiterungen verwenden veraltete APIs. Ausführliche Informationen finden Sie auf der Registerkarte "Konsole" des Fensters "Entwicklertools". - - Run cell - Zelle ausführen - - - Cancel execution - Ausführung abbrechen - - - Error on last run. Click to run again - Fehler bei der letzten Ausführung. Klicken Sie, um den Vorgang zu wiederholen. + + Don't Show Again + Nicht mehr anzeigen - + - - Cancel - Abbrechen + + F5 shortcut key requires a code cell to be selected. Please select a code cell to run. + Zur Verwendung der F5-Tastenkombination muss eine Codezelle ausgewählt sein. Wählen Sie eine Codezelle für die Ausführung aus. - - The task is failed to cancel. - Die Aufgabe konnte nicht abgebrochen werden. - - - Script - Skript - - - - - - - Toggle More - Weitere ein-/ausblenden - - - - - - - Loading - Wird geladen - - - - - - - Home - Start - - - - - - - The "{0}" section has invalid content. Please contact extension owner. - Der Abschnitt "{0}" umfasst ungültige Inhalte. Kontaktieren Sie den Besitzer der Erweiterung. - - - - - - - Jobs - Aufträge - - - Notebooks - Notebooks - - - Alerts - Warnungen - - - Proxies - Proxys - - - Operators - Operatoren - - - - - - - Server Properties - Servereigenschaften - - - - - - - Database Properties - Datenbankeigenschaften - - - - - - - Select/Deselect All - Alles auswählen/Gesamte Auswahl aufheben - - - - - - - Show Filter - Filter anzeigen - - - OK - OK - - - Clear - Löschen - - - Cancel - Abbrechen - - - - - - - Recent Connections - Letzte Verbindungen - - - Servers - Server - - - Servers - Server - - - - - - - Backup Files - Sicherungsdateien - - - All Files - Alle Dateien - - - - - - - Search: Type Search Term and press Enter to search or Escape to cancel - Suche: Geben Sie den Suchbegriff ein, und drücken Sie die EINGABETASTE, um zu suchen, oder ESC, um den Vorgang abzubrechen. - - - Search - Suchen - - - - - - - Failed to change database - Fehler beim Ändern der Datenbank. - - - - - - - Name - Name - - - Last Occurrence - Letztes Vorkommen - - - Enabled - Aktiviert - - - Delay Between Responses (in secs) - Verzögerung zwischen Antworten (in Sek.) - - - Category Name - Kategoriename - - - - - - - Name - Name - - - Email Address - E-Mail-Adresse - - - Enabled - Aktiviert - - - - - - - Account Name - Kontoname - - - Credential Name - Name der Anmeldeinformationen - - - Description - Beschreibung - - - Enabled - Aktiviert - - - - - - - loading objects - Objekte werden geladen. - - - loading databases - Datenbanken werden geladen. - - - loading objects completed. - Objekte wurden vollständig geladen. - - - loading databases completed. - Datenbanken wurden vollständig geladen. - - - Search by name of type (t:, v:, f:, or sp:) - Suche nach Namen des Typs (t:, v:, f: oder sp:) - - - Search databases - Datenbanken suchen - - - Unable to load objects - Objekte können nicht geladen werden. - - - Unable to load databases - Datenbanken können nicht geladen werden. - - - - - - - Loading properties - Eigenschaften werden geladen. - - - Loading properties completed - Eigenschaften wurden vollständig geladen. - - - Unable to load dashboard properties - Die Dashboardeigenschaften können nicht geladen werden. - - - - - - - Loading {0} - "{0}" wird geladen. - - - Loading {0} completed - "{0}" vollständig geladen. - - - Auto Refresh: OFF - Automatische Aktualisierung: AUS - - - Last Updated: {0} {1} - Letzte Aktualisierung: {0} {1} - - - No results to show - Keine Ergebnisse zur Anzeige vorhanden. - - - - - - - Steps - Schritte - - - - - - - Save As CSV - Als CSV speichern - - - Save As JSON - Als JSON speichern - - - Save As Excel - Als Excel speichern - - - Save As XML - Als XML speichern - - - Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. - Die Ergebniscodierung wird beim Exportieren in JSON nicht gespeichert. Nachdem die Datei erstellt wurde, speichern Sie sie mit der gewünschten Codierung. - - - Save to file is not supported by the backing data source - Das Speichern in einer Datei wird von der zugrunde liegenden Datenquelle nicht unterstützt. - - - Copy - Kopieren - - - Copy With Headers - Mit Headern kopieren - - - Select All - Alle auswählen - - - Maximize - Maximieren - - - Restore - Wiederherstellen - - - Chart - Diagramm - - - Visualizer - Schnellansicht + + Clear result requires a code cell to be selected. Please select a code cell to run. + Zum Löschen des Ergebnisses muss eine Zelle ausgewählt sein. Wählen Sie eine Codezelle für die Ausführung aus. @@ -5052,349 +689,495 @@ - + - - Step ID - Schritt-ID + + Done + Fertig - - Step Name - Schrittname + + Cancel + Abbrechen - - Message - Meldung + + Generate script + Skript generieren + + + Next + Weiter + + + Previous + Zurück + + + Tabs are not initialized + Registerkarten sind nicht initialisiert. - + - - Find - Suchen + + No tree view with id '{0}' registered. + Es wurde keine Strukturansicht mit der ID "{0}" registriert. - - Find - Suchen + + + + + + A NotebookProvider with valid providerId must be passed to this method + An diese Klasse muss ein NotebookProvider mit gültiger providerId übergeben werden. - - Previous match - Vorherige Übereinstimmung + + no notebook provider found + Kein Notebook-Anbieter gefunden. - - Next match - Nächste Übereinstimmung + + No Manager found + Kein Manager gefunden. - + + Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it + Der Notebook-Manager für das Notebook "{0}" umfasst keinen Server-Manager. Es können keine Aktionen ausgeführt werden. + + + Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it + Der Notebook-Manager für das Notebook "{0}" umfasst keinen Inhalts-Manager. Es können keine Aktionen ausgeführt werden. + + + Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it + Der Notebook-Manager für das Notebook "{0}" umfasst keinen Sitzungs-Manager. Es können keine Aktionen ausgeführt werden. + + + + + + + A NotebookProvider with valid providerId must be passed to this method + An diese Klasse muss ein NotebookProvider mit gültiger providerId übergeben werden. + + + + + + + Manage + Verwalten + + + Show Details + Details anzeigen + + + Learn More + Weitere Informationen + + + Clear all saved accounts + Alle gespeicherten Konten löschen + + + + + + + Preview Features + Vorschaufeatures + + + Enable unreleased preview features + Nicht veröffentlichte Vorschaufeatures aktivieren + + + Show connect dialog on startup + Beim Start Verbindungsdialogfeld anzeigen + + + Obsolete API Notification + Benachrichtigung zu veralteter API + + + Enable/disable obsolete API usage notification + Benachrichtigung bei Verwendung veralteter APIs aktivieren/deaktivieren + + + + + + + Edit Data Session Failed To Connect + Fehler beim Verbinden der Datenbearbeitungssitzung. + + + + + + + Profiler + Profiler + + + Not connected + Nicht verbunden + + + XEvent Profiler Session stopped unexpectedly on the server {0}. + Die XEvent Profiler-Sitzung wurde auf dem Server "{0}" unerwartet beendet. + + + Error while starting new session + Fehler beim Starten der neuen Sitzung. + + + The XEvent Profiler session for {0} has lost events. + Die XEvent Profiler-Sitzung für "{0}" hat Ereignisse verloren. + + + + + + + Show Actions + Aktionen anzeigen + + + Resource Viewer + Ressourcen-Viewer + + + + + + + Information + Information + + + Warning + Warnung + + + Error + Fehler + + + Show Details + Details anzeigen + + + Copy + Kopieren + + Close Schließen - - Your search returned a large number of results, only the first 999 matches will be highlighted. - Für Ihre Suche wurden sehr viele Ergebnisse zurückgegeben. Es werden nur die ersten 999 Übereinstimmungen hervorgehoben. + + Back + Zurück - - {0} of {1} - {0} von {1} - - - No Results - Keine Ergebnisse + + Hide Details + Details ausblenden - + - - Horizontal Bar - Horizontale Leiste + + OK + OK - - Bar - Balken - - - Line - Linie - - - Pie - Kreis - - - Scatter - Punkt - - - Time Series - Zeitreihe - - - Image - Bild - - - Count - Anzahl - - - Table - Table - - - Doughnut - Ring - - - Failed to get rows for the dataset to chart. - Fehler beim Einfügen von Zeilen für das Dataset in das Diagramm. - - - Chart type '{0}' is not supported. - Der Diagrammtyp "{0}" wird nicht unterstützt. + + Cancel + Abbrechen - + - - Parameters - Parameter + + is required. + ist erforderlich. + + + Invalid input. Numeric value expected. + Ungültige Eingabe. Es wird ein numerischer Wert erwartet. - + - - Connected to - Verbunden mit + + The index {0} is invalid. + Der Index "{0}" ist ungültig. - - Disconnected + + + + + + blank + Leer + + + check all checkboxes in column: {0} + Alle Kontrollkästchen in folgender Spalte aktivieren: {0} + + + Show Actions + Aktionen anzeigen + + + + + + + Loading + Wird geladen + + + Loading completed + Ladevorgang abgeschlossen + + + + + + + Invalid value + Ungültiger Wert. + + + {0}. {1} + {0}. {1} + + + + + + + Loading + Wird geladen + + + Loading completed + Ladevorgang abgeschlossen + + + + + + + modelview code editor for view model. + Modellansichts-Code-Editor für Ansichtsmodell. + + + + + + + Could not find component for type {0} + Die Komponente für den Typ "{0}" wurde nicht gefunden. + + + + + + + Changing editor types on unsaved files is unsupported + Das Ändern von Editor-Typen für nicht gespeicherte Dateien wird nicht unterstützt. + + + + + + + Select Top 1000 + Oberste 1000 auswählen + + + Take 10 + 10 zurückgeben + + + Script as Execute + Skripterstellung als EXECUTE + + + Script as Alter + Skripterstellung als ALTER + + + Edit Data + Daten bearbeiten + + + Script as Create + Skripterstellung als CREATE + + + Script as Drop + Skripterstellung als DROP + + + + + + + No script was returned when calling select script on object + Beim Aufruf des ausgewählten Skripts für das Objekt wurde kein Skript zurückgegeben. + + + Select + Auswählen + + + Create + Erstellen + + + Insert + Einfügen + + + Update + Aktualisieren + + + Delete + Löschen + + + No script was returned when scripting as {0} on object {1} + Bei der Skripterstellung als "{0}" für Objekt "{1}" wurde kein Skript zurückgegeben. + + + Scripting Failed + Fehler bei Skripterstellung. + + + No script was returned when scripting as {0} + Bei der Skripterstellung als "{0}" wurde kein Skript zurückgegeben. + + + + + + + disconnected Getrennt - - Unsaved Connections - Nicht gespeicherte Verbindungen + + + + + + Extension + Erweiterung - + - - Browse (Preview) - Durchsuchen (Vorschau) + + Active tab background color for vertical tabs + Hintergrundfarbe für aktive Registerkarten für vertikale Tabstopps - - Type here to filter the list - Geben Sie hier Text ein, um die Liste zu filtern + + Color for borders in dashboard + Farbe für Rahmen im Dashboard - - Filter connections - Verbindungen filtern + + Color of dashboard widget title + Farbe des Titels des Dashboardgadgets - - Applying filter - Filter wird angewendet. + + Color for dashboard widget subtext + Farbe für Dashboard-Widget-Subtext - - Removing filter - Filter wird entfernt. + + Color for property values displayed in the properties container component + Farbe für Eigenschaftswerte, die in der Eigenschaftencontainerkomponente angezeigt werden - - Filter applied - Filter angewendet + + Color for property names displayed in the properties container component + Farbe für Eigenschaftennamen, die in der Eigenschaftencontainerkomponente angezeigt werden - - Filter removed - Filter entfernt - - - Saved Connections - Gespeicherte Verbindungen - - - Saved Connections - Gespeicherte Verbindungen - - - Connection Browser Tree - Struktur des Verbindungsbrowsers + + Toolbar overflow shadow color + Schattenfarbe für Symbolleistenüberlauf - + - - This extension is recommended by Azure Data Studio. - Diese Erweiterung wird von Azure Data Studio empfohlen. + + Identifier of the account type + Bezeichner des Kontotyps + + + (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration + (Optional) Symbol zur Darstellung des Kontos in der Benutzeroberfläche. Es handelt sich entweder um einen Dateipfad oder um eine designfähige Konfiguration. + + + Icon path when a light theme is used + Symbolpfad, wenn ein helles Design verwendet wird + + + Icon path when a dark theme is used + Symbolpfad, wenn ein dunkles Design verwendet wird + + + Contributes icons to account provider. + Stellt Symbole für den Kontoanbieter zur Verfügung. - + - - Don't Show Again - Nicht mehr anzeigen + + View applicable rules + Anwendbare Regeln anzeigen - - Azure Data Studio has extension recommendations. - Azure Data Studio enthält Erweiterungsempfehlungen. + + View applicable rules for {0} + Anwendbare Regeln für "{0}" anzeigen - - Azure Data Studio has extension recommendations for data visualization. -Once installed, you can select the Visualizer icon to visualize your query results. - Azure Data Studio enthält Erweiterungsempfehlungen für die Datenvisualisierung. -Nach der Installation können Sie das Schnellansichtssymbol auswählen, um Ihre Abfrageergebnisse zu visualisieren. + + Invoke Assessment + Bewertung aufrufen - - Install All - Alle installieren + + Invoke Assessment for {0} + Bewertung für "{0}" aufrufen - - Show Recommendations - Empfehlungen anzeigen + + Export As Script + Als Skript exportieren - - The scenario type for extension recommendations must be provided. - Der Szenariotyp für Erweiterungsempfehlungen muss angegeben werden. + + View all rules and learn more on GitHub + Alle Regeln anzeigen und weitere Informationen auf GitHub erhalten - - - - - - This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. - Diese Featureseite befindet sich in der Vorschauphase. Durch die Vorschaufeatures werden neue Funktionen eingeführt, die demnächst als dauerhafter Bestandteil in das Produkt integriert werden. Sie sind stabil, erfordern jedoch zusätzliche Verbesserungen im Hinblick auf die Barrierefreiheit. Wir freuen uns über Ihr frühes Feedback, solange die Features noch entwickelt werden. + + Create HTML Report + HTML-Bericht erstellen - - Preview - Vorschau + + Report has been saved. Do you want to open it? + Der Bericht wurde gespeichert. Möchten Sie ihn öffnen? - - Create a connection - Verbindung erstellen + + Open + Öffnen - - Connect to a database instance through the connection dialog. - Stellen Sie über das Verbindungsdialogfeld eine Verbindung mit einer Datenbankinstanz her. - - - Run a query - Abfrage ausführen - - - Interact with data through a query editor. - Interagieren Sie mit Daten über einen Abfrage-Editor. - - - Create a notebook - Notebook erstellen - - - Build a new notebook using a native notebook editor. - Erstellen Sie ein neues Notebook mithilfe eines nativen Notebook-Editors. - - - Deploy a server - Server bereitstellen - - - Create a new instance of a relational data service on the platform of your choice. - Erstellen Sie eine neue Instanz eines relationalen Datendiensts auf der Plattform Ihrer Wahl. - - - Resources - Ressourcen - - - History - Verlauf - - - Name - Name - - - Location - Standort - - - Show more - Mehr anzeigen - - - Show welcome page on startup - Beim Start Willkommensseite anzeigen - - - Useful Links - Nützliche Links - - - Getting Started - Erste Schritte - - - Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. - Lernen Sie die von Azure Data Studio bereitgestellten Funktionen kennen, und erfahren Sie, wie Sie diese optimal nutzen können. - - - Documentation - Dokumentation - - - Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. - Im Dokumentationscenter finden Sie Schnellstarts, Anleitungen und Referenzdokumentation zu PowerShell, APIs usw. - - - Overview of Azure Data Studio - Übersicht über Azure Data Studio - - - Introduction to Azure Data Studio Notebooks | Data Exposed - Einführung in Azure Data Studio-Notebooks | Verfügbare Daten - - - Extensions - Erweiterungen - - - Show All - Alle anzeigen - - - Learn more - Weitere Informationen - - - - - - - Date Created: - Erstellungsdatum: - - - Notebook Error: - Notebook-Fehler: - - - Job Error: - Auftragsfehler: - - - Pinned - Angeheftet - - - Recent Runs - Aktuelle Ausführungen - - - Past Runs - Vergangene Ausführungen + + Cancel + Abbrechen @@ -5426,390 +1209,6 @@ Nach der Installation können Sie das Schnellansichtssymbol auswählen, um Ihre - - - - Chart - Diagramm - - - - - - - Operation - Vorgang - - - Object - Objekt - - - Est Cost - Geschätzte Kosten - - - Est Subtree Cost - Geschätzte Kosten für Unterstruktur - - - Actual Rows - Tatsächliche Zeilen - - - Est Rows - Geschätzte Zeilen - - - Actual Executions - Tatsächliche Ausführungen - - - Est CPU Cost - Geschätzte CPU-Kosten - - - Est IO Cost - Geschätzte E/A-Kosten - - - Parallel - Parallel - - - Actual Rebinds - Tatsächliche erneute Bindungen - - - Est Rebinds - Geschätzte erneute Bindungen - - - Actual Rewinds - Tatsächliche Rückläufe - - - Est Rewinds - Geschätzte Rückläufe - - - Partitioned - Partitioniert - - - Top Operations - Wichtigste Vorgänge - - - - - - - No connections found. - Keine Verbindungen gefunden. - - - Add Connection - Verbindung hinzufügen - - - - - - - Add an account... - Konto hinzufügen... - - - <Default> - <Standard> - - - Loading... - Wird geladen... - - - Server group - Servergruppe - - - <Default> - <Standard> - - - Add new group... - Neue Gruppe hinzufügen... - - - <Do not save> - <Nicht speichern> - - - {0} is required. - "{0}" ist erforderlich. - - - {0} will be trimmed. - "{0}" wird gekürzt. - - - Remember password - Kennwort speichern - - - Account - Konto - - - Refresh account credentials - Kontoanmeldeinformationen aktualisieren - - - Azure AD tenant - Azure AD-Mandant - - - Name (optional) - Name (optional) - - - Advanced... - Erweitert... - - - You must select an account - Sie müssen ein Konto auswählen. - - - - - - - Database - Datenbank - - - Files and filegroups - Dateien und Dateigruppen - - - Full - Vollständig - - - Differential - Differenziell - - - Transaction Log - Transaktionsprotokoll - - - Disk - Datenträger - - - Url - URL - - - Use the default server setting - Standardservereinstellung verwenden - - - Compress backup - Sicherung komprimieren - - - Do not compress backup - Sicherung nicht komprimieren - - - Server Certificate - Serverzertifikat - - - Asymmetric Key - Asymmetrischer Schlüssel - - - - - - - You have not opened any folder that contains notebooks/books. - Sie haben keinen Ordner geöffnet, der Notebooks/Bücher enthält. - - - Open Notebooks - Notebooks öffnen - - - The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. - Das Resultset enthält nur eine Teilmenge aller Übereinstimmungen. Verfeinern Sie Ihre Suche, um die Ergebnisse einzugrenzen. - - - Search in progress... - - Suche wird durchgeführt... – - - - No results found in '{0}' excluding '{1}' - - Keine Ergebnisse in "{0}" unter Ausschluss von "{1}" gefunden – - - - No results found in '{0}' - - Keine Ergebnisse in "{0}" gefunden – - - - No results found excluding '{0}' - - Keine Ergebnisse gefunden, die "{0}" ausschließen – - - - No results found. Review your settings for configured exclusions and check your gitignore files - - Es wurden keine Ergebnisse gefunden. Überprüfen Sie die Einstellungen für konfigurierte Ausschlüsse, und überprüfen Sie Ihre gitignore-Dateien - - - - Search again - Erneut suchen - - - Cancel Search - Suche abbrechen - - - Search again in all files - Erneut in allen Dateien suchen - - - Open Settings - Einstellungen öffnen - - - Search returned {0} results in {1} files - Die Suche hat {0} Ergebnisse in {1} Dateien zurückgegeben. - - - Toggle Collapse and Expand - Zu- und Aufklappen umschalten - - - Cancel Search - Suche abbrechen - - - Expand All - Alle erweitern - - - Collapse All - Alle reduzieren - - - Clear Search Results - Suchergebnisse löschen - - - - - - - Connections - Verbindungen - - - Connect, query, and manage your connections from SQL Server, Azure, and more. - Über SQL Server, Azure und weitere Plattformen können Sie Verbindungen herstellen, abfragen und verwalten. - - - 1 - 1 - - - Next - Weiter - - - Notebooks - Notebooks - - - Get started creating your own notebook or collection of notebooks in a single place. - Beginnen Sie an einer zentralen Stelle mit der Erstellung Ihres eigenen Notebooks oder einer Sammlung von Notebooks. - - - 2 - 2 - - - Extensions - Erweiterungen - - - Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). - Erweitern Sie die Funktionalität von Azure Data Studio durch die Installation von Erweiterungen, die von uns/Microsoft und von der Drittanbietercommunity (von Ihnen!) entwickelt wurden. - - - 3 - 3 - - - Settings - Einstellungen - - - Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. - Passen Sie Azure Data Studio basierend auf Ihren Einstellungen an. Sie können Einstellungen wie automatisches Speichern und Registerkartengröße konfigurieren, Ihre Tastenkombinationen personalisieren und zu einem Farbdesign Ihrer Wahl wechseln. - - - 4 - 4 - - - Welcome Page - Willkommensseite - - - Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. - Entdecken Sie wichtige Features, zuletzt geöffneten Dateien und empfohlene Erweiterungen auf der Willkommensseite. Weitere Informationen zum Einstieg in Azure Data Studio finden Sie in den Videos und in der Dokumentation. - - - 5 - 5 - - - Finish - Fertig stellen - - - User Welcome Tour - Einführungstour für Benutzer - - - Hide Welcome Tour - Einführungstour ausblenden - - - Read more - Weitere Informationen - - - Help - Hilfe - - - - - - - Delete Row - Zeile löschen - - - Revert Current Row - Aktuelle Zeile zurücksetzen - - - @@ -5894,575 +1293,283 @@ Nach der Installation können Sie das Schnellansichtssymbol auswählen, um Ihre - + - - Message Panel - Meldungspanel - - - Copy - Kopieren - - - Copy All - Alle kopieren + + Open in Azure Portal + In Azure-Portal öffnen - + - - Loading - Wird geladen + + Backup name + Backup-Name - - Loading completed - Ladevorgang abgeschlossen + + Recovery model + Wiederherstellungsmodell + + + Backup type + Sicherungstyp + + + Backup files + Sicherungsdateien + + + Algorithm + Algorithmus + + + Certificate or Asymmetric key + Zertifikat oder asymmetrischer Schlüssel + + + Media + Medien + + + Backup to the existing media set + Sicherung im vorhandenen Mediensatz + + + Backup to a new media set + Sicherung in einem neuen Mediensatz + + + Append to the existing backup set + An vorhandenem Sicherungssatz anhängen + + + Overwrite all existing backup sets + Alle vorhandenen Sicherungssätze überschreiben + + + New media set name + Name des neuen Mediensatzes + + + New media set description + Beschreibung des neuen Mediensatzes + + + Perform checksum before writing to media + Vor dem Schreiben auf Medium Prüfsumme berechnen + + + Verify backup when finished + Sicherung nach Abschluss überprüfen + + + Continue on error + Bei Fehler fortsetzen + + + Expiration + Ablauf + + + Set backup retain days + Aufbewahrungsdauer der Sicherung in Tagen festlegen + + + Copy-only backup + Kopiesicherung + + + Advanced Configuration + Erweiterte Konfiguration + + + Compression + Komprimierung + + + Set backup compression + Sicherungskomprimierung festlegen + + + Encryption + Verschlüsselung + + + Transaction log + Transaktionsprotokoll + + + Truncate the transaction log + Transaktionsprotokoll abschneiden + + + Backup the tail of the log + Sicherung des Protokollfragments + + + Reliability + Zuverlässigkeit + + + Media name is required + Der Name des Mediums muss angegeben werden. + + + No certificate or asymmetric key is available + Es ist kein Zertifikat oder asymmetrischer Schlüssel verfügbar. + + + Add a file + Datei hinzufügen + + + Remove files + Dateien entfernen + + + Invalid input. Value must be greater than or equal 0. + Ungültige Eingabe. Wert muss größer oder gleich 0 sein. + + + Script + Skript + + + Backup + Sicherung + + + Cancel + Abbrechen + + + Only backup to file is supported + Es wird nur das Sichern in einer Datei unterstützt. + + + Backup file path is required + Der Pfad für die Sicherungsdatei muss angegeben werden. - + - - Click on - Klicken Sie auf - - - + Code - + Code - - - or - oder - - - + Text - + Text - - - to add a code or text cell - zum Hinzufügen einer Code- oder Textzelle + + Backup + Sicherung - + - - StdIn: - StdIn: + + You must enable preview features in order to use backup + Sie müssen die Vorschaufeatures aktivieren, um die Sicherung verwenden zu können. + + + Backup command is not supported outside of a database context. Please select a database and try again. + Der Sicherungsbefehl wird außerhalb eines Datenbankkontexts nicht unterstützt. Wählen Sie eine Datenbank aus, und versuchen Sie es noch mal. + + + Backup command is not supported for Azure SQL databases. + Der Sicherungsbefehl wird für Azure SQL-Datenbank-Instanzen nicht unterstützt. + + + Backup + Sicherung - + - - Expand code cell contents - Codezelleninhalt erweitern + + Database + Datenbank - - Collapse code cell contents - Codezelleninhalt reduzieren + + Files and filegroups + Dateien und Dateigruppen + + + Full + Vollständig + + + Differential + Differenziell + + + Transaction Log + Transaktionsprotokoll + + + Disk + Datenträger + + + Url + URL + + + Use the default server setting + Standardservereinstellung verwenden + + + Compress backup + Sicherung komprimieren + + + Do not compress backup + Sicherung nicht komprimieren + + + Server Certificate + Serverzertifikat + + + Asymmetric Key + Asymmetrischer Schlüssel - + - - XML Showplan - XML-Showplan + + Create Insight + Erkenntnisse generieren - - Results grid - Ergebnisraster + + Cannot create insight as the active editor is not a SQL Editor + Es können keine Erkenntnisse generiert werden, weil der aktive Editor kein SQL-Editor ist. - - - - - - Add cell - Zelle hinzufügen + + My-Widget + My-Widget - - Code cell - Codezelle + + Configure Chart + Diagramm konfigurieren - - Text cell - Textzelle + + Copy as image + Als Bild kopieren - - Move cell down - Zelle nach unten verschieben + + Could not find chart to save + Das zu speichernde Diagramm wurde nicht gefunden. - - Move cell up - Zelle nach oben verschieben + + Save as image + Als Bild speichern - - Delete - Löschen + + PNG + PNG - - Add cell - Zelle hinzufügen - - - Code cell - Codezelle - - - Text cell - Textzelle - - - - - - - SQL kernel error - SQL-Kernelfehler - - - A connection must be chosen to run notebook cells - Sie müssen eine Verbindung auswählen, um Notebook-Zellen auszuführen. - - - Displaying Top {0} rows. - Die ersten {0} Zeilen werden angezeigt. - - - - - - - Name - Name - - - Last Run - Letzte Ausführung - - - Next Run - Nächste Ausführung - - - Enabled - Aktiviert - - - Status - Status - - - Category - Kategorie - - - Runnable - Ausführbar - - - Schedule - Zeitplan - - - Last Run Outcome - Ergebnis der letzten Ausführung - - - Previous Runs - Vorherigen Ausführungen - - - No Steps available for this job. - Für diesen Auftrag sind keine Schritte verfügbar. - - - Error: - Fehler: - - - - - - - Could not find component for type {0} - Die Komponente für den Typ "{0}" wurde nicht gefunden. - - - - - - - Find - Suchen - - - Find - Suchen - - - Previous match - Vorherige Übereinstimmung - - - Next match - Nächste Übereinstimmung - - - Close - Schließen - - - Your search returned a large number of results, only the first 999 matches will be highlighted. - Für Ihre Suche wurden sehr viele Ergebnisse zurückgegeben. Es werden nur die ersten 999 Übereinstimmungen hervorgehoben. - - - {0} of {1} - {0} von {1} - - - No Results - Keine Ergebnisse - - - - - - - Name - Name - - - Schema - Schema - - - Type - Typ - - - - - - - Run Query - Abfrage ausführen - - - - - - - No {0}renderer could be found for output. It has the following MIME types: {1} - Für die Ausgabe wurde kein {0}-Renderer gefunden. Folgende MIME-Typen sind enthalten: {1} - - - safe - Sicher - - - No component could be found for selector {0} - Für Selektor "{0}" wurde keine Komponente gefunden. - - - Error rendering component: {0} - Fehler beim Rendern der Komponente: {0} - - - - - - - Loading... - Wird geladen... - - - - - - - Loading... - Wird geladen... - - - - - - - Edit - Bearbeiten - - - Exit - Beenden - - - Refresh - Aktualisieren - - - Show Actions - Aktionen anzeigen - - - Delete Widget - Widget löschen - - - Click to unpin - Zum Lösen klicken - - - Click to pin - Zum Anheften klicken - - - Open installed features - Installierte Features öffnen - - - Collapse Widget - Widget reduzieren - - - Expand Widget - Widget erweitern - - - - - - - {0} is an unknown container. - "{0}" ist ein unbekannter Container. - - - - - - - Name - Name - - - Target Database - Zieldatenbank - - - Last Run - Letzte Ausführung - - - Next Run - Nächste Ausführung - - - Status - Status - - - Last Run Outcome - Ergebnis der letzten Ausführung - - - Previous Runs - Vorherigen Ausführungen - - - No Steps available for this job. - Für diesen Auftrag sind keine Schritte verfügbar. - - - Error: - Fehler: - - - Notebook Error: - Notebook-Fehler: - - - - - - - Loading Error... - Fehler wird geladen... - - - - - - - Show Actions - Aktionen anzeigen - - - No matching item found - Kein übereinstimmendes Element gefunden - - - Filtered search list to 1 item - Die Suchliste wurde auf 1 Element gefiltert. - - - Filtered search list to {0} items - Die Suchliste wurde auf {0} Elemente gefiltert. - - - - - - - Failed - Fehlerhaft - - - Succeeded - Erfolgreich - - - Retry - Wiederholen - - - Cancelled - Abgebrochen - - - In Progress - In Bearbeitung - - - Status Unknown - Status unbekannt - - - Executing - Wird ausgeführt - - - Waiting for Thread - Warten auf Thread - - - Between Retries - Zwischen Wiederholungen - - - Idle - Im Leerlauf - - - Suspended - Angehalten - - - [Obsolete] - [Veraltet] - - - Yes - Ja - - - No - Nein - - - Not Scheduled - Nicht geplant - - - Never Run - Nie ausführen - - - - - - - Bold - Fett - - - Italic - Kursiv - - - Underline - Unterstrichen - - - Highlight - Hervorheben - - - Code - Code - - - Link - Link - - - List - Liste - - - Ordered list - Sortierte Liste - - - Image - Bild - - - Markdown preview toggle - off - Markdownvorschau umschalten – aus - - - Heading - Überschrift - - - Heading 1 - Überschrift 1 - - - Heading 2 - Überschrift 2 - - - Heading 3 - Überschrift 3 - - - Paragraph - Absatz - - - Insert link - Link einfügen - - - Insert image - Bild einfügen - - - Rich Text View - Rich-Text-Ansicht - - - Split View - Geteilte Ansicht - - - Markdown View - Markdownansicht + + Saved Chart to path: {0} + Diagramm in Pfad gespeichert: {0} @@ -6550,19 +1657,411 @@ Nach der Installation können Sie das Schnellansichtssymbol auswählen, um Ihre - + - + + Chart + Diagramm + + + + + + + Horizontal Bar + Horizontale Leiste + + + Bar + Balken + + + Line + Linie + + + Pie + Kreis + + + Scatter + Punkt + + + Time Series + Zeitreihe + + + Image + Bild + + + Count + Anzahl + + + Table + Table + + + Doughnut + Ring + + + Failed to get rows for the dataset to chart. + Fehler beim Einfügen von Zeilen für das Dataset in das Diagramm. + + + Chart type '{0}' is not supported. + Der Diagrammtyp "{0}" wird nicht unterstützt. + + + + + + + Built-in Charts + Integrierte Diagramme + + + The maximum number of rows for charts to display. Warning: increasing this may impact performance. + Die maximale Anzahl von Zeilen, die in Diagrammen angezeigt werden sollen. Warnung: Durch Erhöhen dieses Werts kann die Leistung beeinträchtigt werden. + + + + + + Close Schließen - + - - A server group with the same name already exists. - Es ist bereits eine Servergruppe mit diesem Namen vorhanden. + + Series {0} + Reihe "{0}" + + + + + + + Table does not contain a valid image + Die Tabelle enthält kein gültiges Bild. + + + + + + + Maximum row count for built-in charts has been exceeded, only the first {0} rows are used. To configure the value, you can open user settings and search for: 'builtinCharts.maxRowCount'. + Die maximale Zeilenanzahl für integrierte Diagramme wurde überschritten, nur die ersten {0} Zeilen werden verwendet. Um den Wert zu konfigurieren, öffnen Sie die Benutzereinstellungen, und suchen Sie nach "builtinCharts.maxRowCount". + + + Don't Show Again + Nicht mehr anzeigen + + + + + + + Connecting: {0} + Verbindung wird hergestellt: {0} + + + Running command: {0} + Befehl wird ausgeführt: {0} + + + Opening new query: {0} + Neue Abfrage wird geöffnet: {0} + + + Cannot connect as no server information was provided + Keine Verbindung möglich, weil keine Serverinformationen bereitgestellt wurden. + + + Could not open URL due to error {0} + Die URL konnte aufgrund eines Fehlers nicht geöffnet werden: {0} + + + This will connect to server {0} + Hiermit wird eine Verbindung mit dem Server "{0}" hergestellt. + + + Are you sure you want to connect? + Möchten Sie die Verbindung herstellen? + + + &&Open + &&Öffnen + + + Connecting query file + Abfragedatei wird verbunden + + + + + + + {0} was replaced with {1} in your user settings. + "{0}" wurde in Ihren Benutzereinstellungen durch "{1}" ersetzt. + + + {0} was replaced with {1} in your workspace settings. + "{0}" wurde in Ihren Arbeitsbereichseinstellungen durch "{1}" ersetzt. + + + + + + + The maximum number of recently used connections to store in the connection list. + Die maximale Anzahl der zuletzt verwendeten Verbindungen in der Verbindungsliste. + + + Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. + Die zu verwendende Standard-SQL-Engine. Diese Einstellung legt den Standardsprachanbieter in SQL-Dateien und die Standardeinstellungen für neue Verbindungen fest. + + + Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. + Hiermit wird versucht, die Inhalte der Zwischenablage zu analysieren, wenn das Verbindungsdialogfeld geöffnet ist oder ein Element eingefügt wird. + + + + + + + Connection Status + Verbindungsstatus + + + + + + + Common id for the provider + Allgemeine ID für den Anbieter + + + Display Name for the provider + Anzeigename für den Anbieter + + + Notebook Kernel Alias for the provider + Notebook-Kernelalias für den Anbieter + + + Icon path for the server type + Symbolpfad für den Servertyp + + + Options for connection + Verbindungsoptionen + + + + + + + User visible name for the tree provider + Sichtbarer Benutzername für den Strukturanbieter + + + Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` + Die ID für den Anbieter muss mit der ID übereinstimmen, die zur Registrierung des Strukturdatenanbieters verwendet wurde, und mit "connectionDialog/" beginnen. + + + + + + + Unique identifier for this container. + Eindeutiger Bezeichner für diesen Container. + + + The container that will be displayed in the tab. + Der Container, der auf der Registerkarte angezeigt wird. + + + Contributes a single or multiple dashboard containers for users to add to their dashboard. + Stellt einen einzelnen oder mehrere Dashboardcontainer zur Verfügung, die Benutzer zu ihrem Dashboard hinzufügen können. + + + No id in dashboard container specified for extension. + Im Dashboardcontainer für die Erweiterung wurde keine ID angegeben. + + + No container in dashboard container specified for extension. + Für die Erweiterung wurde kein Container im Dashboardcontainer angegeben. + + + Exactly 1 dashboard container must be defined per space. + Es muss genau 1 Dashboardcontainer pro Bereich definiert sein. + + + Unknown container type defines in dashboard container for extension. + Im Dashboardcontainer für die Erweiterung wurde ein unbekannter Containertyp definiert. + + + + + + + The controlhost that will be displayed in this tab. + Der Steuerelementhost, der auf dieser Registerkarte angezeigt wird. + + + + + + + The "{0}" section has invalid content. Please contact extension owner. + Der Abschnitt "{0}" umfasst ungültige Inhalte. Kontaktieren Sie den Besitzer der Erweiterung. + + + + + + + The list of widgets or webviews that will be displayed in this tab. + Die Liste der Widgets oder Webansichten, die auf dieser Registerkarte angezeigt werden. + + + widgets or webviews are expected inside widgets-container for extension. + Widgets oder Webansichten werden im Widgetcontainer für die Erweiterung erwartet. + + + + + + + The model-backed view that will be displayed in this tab. + Die modellgestützte Ansicht, die auf dieser Registerkarte angezeigt wird. + + + + + + + Unique identifier for this nav section. Will be passed to the extension for any requests. + Eindeutiger Bezeichner für diesen Navigationsbereich. Wird bei allen Anforderungen an die Erweiterung übergeben. + + + (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration + (Optional) Symbol zur Darstellung dieses Navigationsbereichs in der Benutzeroberfläche. Erfordert einen Dateipfad oder eine Konfiguration, der ein Design zugeordnet werden kann. + + + Icon path when a light theme is used + Symbolpfad, wenn ein helles Design verwendet wird + + + Icon path when a dark theme is used + Symbolpfad, wenn ein dunkles Design verwendet wird + + + Title of the nav section to show the user. + Der Titel des Navigationsbereichs, der dem Benutzer angezeigt werden soll. + + + The container that will be displayed in this nav section. + Der Container, der in diesem Navigationsbereich angezeigt wird. + + + The list of dashboard containers that will be displayed in this navigation section. + Die Liste der Dashboardcontainer, die in diesem Navigationsabschnitt angezeigt wird. + + + No title in nav section specified for extension. + Für die Erweiterung wurde kein Titel im Navigationsbereich angegeben. + + + No container in nav section specified for extension. + Für die Anwendung wurde kein Container im Navigationsbereich angegeben. + + + Exactly 1 dashboard container must be defined per space. + Es muss genau 1 Dashboardcontainer pro Bereich definiert sein. + + + NAV_SECTION within NAV_SECTION is an invalid container for extension. + NAV_SECTION in NAV_SECTION ist ein ungültiger Container für die Erweiterung. + + + + + + + The webview that will be displayed in this tab. + Die Webansicht, die auf dieser Registerkarte angezeigt wird. + + + + + + + The list of widgets that will be displayed in this tab. + Die Liste der Widgets, die auf dieser Registerkarte angezeigt werden. + + + The list of widgets is expected inside widgets-container for extension. + Die Liste der Widgets, die im Widgetcontainer für die Erweiterung erwartet werden. + + + + + + + Edit + Bearbeiten + + + Exit + Beenden + + + Refresh + Aktualisieren + + + Show Actions + Aktionen anzeigen + + + Delete Widget + Widget löschen + + + Click to unpin + Zum Lösen klicken + + + Click to pin + Zum Anheften klicken + + + Open installed features + Installierte Features öffnen + + + Collapse Widget + Widget reduzieren + + + Expand Widget + Widget erweitern + + + + + + + {0} is an unknown container. + "{0}" ist ein unbekannter Container. @@ -6582,111 +2081,1025 @@ Nach der Installation können Sie das Schnellansichtssymbol auswählen, um Ihre - + - - Create Insight - Erkenntnisse generieren + + Unique identifier for this tab. Will be passed to the extension for any requests. + Eindeutiger Bezeichner für diese Registerkarte. Wird bei allen Anforderungen an die Erweiterung übergeben. - - Cannot create insight as the active editor is not a SQL Editor - Es können keine Erkenntnisse generiert werden, weil der aktive Editor kein SQL-Editor ist. + + Title of the tab to show the user. + Titel der Registerkarte, die dem Benutzer angezeigt wird. - - My-Widget - My-Widget + + Description of this tab that will be shown to the user. + Beschreibung dieser Registerkarte, die dem Benutzer angezeigt werden. - - Configure Chart - Diagramm konfigurieren + + Condition which must be true to show this item + Eine Bedingung, die TRUE lauten muss, damit dieses Element angezeigt wird. - - Copy as image - Als Bild kopieren + + Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set + Definiert die Verbindungstypen, mit denen diese Registerkarte kompatibel ist. Der Standardwert lautet "MSSQL", wenn kein anderer Wert festgelegt wird. - - Could not find chart to save - Das zu speichernde Diagramm wurde nicht gefunden. + + The container that will be displayed in this tab. + Der Container, der auf dieser Registerkarte angezeigt wird. - - Save as image - Als Bild speichern + + Whether or not this tab should always be shown or only when the user adds it. + Legt fest, ob diese Registerkarte immer angezeigt werden soll oder nur dann, wenn der Benutzer sie hinzufügt. - - PNG - PNG + + Whether or not this tab should be used as the Home tab for a connection type. + Legt fest, ob diese Registerkarte als Startseite für einen Verbindungstyp verwendet werden soll. - - Saved Chart to path: {0} - Diagramm in Pfad gespeichert: {0} + + The unique identifier of the group this tab belongs to, value for home group: home. + Der eindeutige Bezeichner der Gruppe, zu der diese Registerkarte gehört. Wert für Startgruppe: Start. + + + (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration + (Optional) Symbol zur Darstellung dieser Registerkarte in der Benutzeroberfläche. Erfordert einen Dateipfad oder eine Konfiguration, der ein Design zugeordnet werden kann. + + + Icon path when a light theme is used + Symbolpfad, wenn ein helles Design verwendet wird + + + Icon path when a dark theme is used + Symbolpfad, wenn ein dunkles Design verwendet wird + + + Contributes a single or multiple tabs for users to add to their dashboard. + Stellt eine einzelne oder mehrere Registerkarten zur Verfügung, die Benutzer zu ihrem Dashboard hinzufügen können. + + + No title specified for extension. + Für die Erweiterung wurde kein Titel angegeben. + + + No description specified to show. + Es wurde keine Beschreibung zur Anzeige angegeben. + + + No container specified for extension. + Für die Erweiterung wurde kein Container angegeben. + + + Exactly 1 dashboard container must be defined per space + Pro Bereich muss genau 1 Dashboardcontainer definiert werden. + + + Unique identifier for this tab group. + Eindeutiger Bezeichner für diese Registerkartengruppe. + + + Title of the tab group. + Titel der Registerkartengruppe. + + + Contributes a single or multiple tab groups for users to add to their dashboard. + Stellt eine einzelne oder mehrere Registerkartengruppen zur Verfügung, die Benutzer ihrem Dashboard hinzufügen können. + + + No id specified for tab group. + Für die Registerkartengruppe wurde keine ID angegeben. + + + No title specified for tab group. + Für die Registerkartengruppe wurde kein Titel angegeben. + + + Administration + Verwaltung + + + Monitoring + Überwachung + + + Performance + Leistung + + + Security + Sicherheit + + + Troubleshooting + Problembehandlung + + + Settings + Einstellungen + + + databases tab + Registerkarte "Datenbanken" + + + Databases + Datenbanken - + - - Add code - Code hinzufügen + + Manage + Verwalten - - Add text - Text hinzufügen + + Dashboard + Dashboard - - Create File - Datei erstellen + + + + + + Manage + Verwalten - - Could not display contents: {0} - Inhalt konnte nicht angezeigt werden: {0} + + + + + + property `icon` can be omitted or must be either a string or a literal like `{dark, light}` + Die Eigenschaft "icon" kann ausgelassen werden oder muss eine Zeichenfolge oder ein Literal wie "{dark, light}" sein. - - Add cell - Zelle hinzufügen + + + + + + Defines a property to show on the dashboard + Definiert eine Eigenschaft, die im Dashboard angezeigt werden soll - - Code cell - Codezelle + + What value to use as a label for the property + Gibt an, welcher Wert soll als Beschriftung für die Eigenschaft verwendet werden soll. - - Text cell - Textzelle + + What value in the object to access for the value + Gibt an, auf welchen Wert im Objekt zugegriffen werden soll, um den Wert zu ermitteln. - - Run all - Alle ausführen + + Specify values to be ignored + Geben Sie Werte an, die ignoriert werden sollen. - - Cell - Zelle + + Default value to show if ignored or no value + Standardwert, der angezeigt werden soll, wenn der Wert ignoriert wird oder kein Wert angegeben ist - - Code - Code + + A flavor for defining dashboard properties + Eine Variante für das Definieren von Dashboardeigenschaften - - Text - Text + + Id of the flavor + ID der Variante - - Run Cells - Zellen ausführen + + Condition to use this flavor + Bedingung für die Verwendung dieser Variante - - < Previous - < Zurück + + Field to compare to + Feld für Vergleich - - Next > - Weiter > + + Which operator to use for comparison + Hiermit wird angegeben, welcher Operator für den Vergleich verwendet werden soll. - - cell with URI {0} was not found in this model - Die Zelle mit dem URI "{0}" wurde in diesem Modell nicht gefunden. + + Value to compare the field to + Wert, mit dem das Feld verglichen werden soll - - Run Cells failed - See error in output of the currently selected cell for more information. - Fehler beim Ausführen von Zellen: Weitere Informationen finden Sie im Fehler in der Ausgabe der aktuell ausgewählten Zelle. + + Properties to show for database page + Eigenschaften, die für die Datenbankseite angezeigt werden sollen + + + Properties to show for server page + Eigenschaften, die für die Serverseite angezeigt werden sollen + + + Defines that this provider supports the dashboard + Hiermit wird definiert, dass dieser Anbieter das Dashboard unterstützt. + + + Provider id (ex. MSSQL) + Anbieter-ID (z. B. MSSQL) + + + Property values to show on dashboard + Eigenschaftswerte, die im Dashboard angezeigt werden sollen + + + + + + + Condition which must be true to show this item + Eine Bedingung, die TRUE lauten muss, damit dieses Element angezeigt wird. + + + Whether to hide the header of the widget, default value is false + Gibt an, ob die Kopfzeile des Widgets ausgeblendet werden soll. Standardwert: FALSE. + + + The title of the container + Der Titel des Containers + + + The row of the component in the grid + Die Zeile der Komponente im Raster + + + The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. + Die RowSpan-Eigenschaft der Komponente im Raster. Der Standardwert ist 1. Verwenden Sie "*", um die Anzahl von Zeilen im Raster festzulegen. + + + The column of the component in the grid + Die Spalte der Komponente im Raster + + + The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. + Der ColSpan-Wert der Komponente im Raster. Der Standardwert ist 1. Verwenden Sie "*", um die Anzahl von Spalten im Raster festzulegen. + + + Unique identifier for this tab. Will be passed to the extension for any requests. + Eindeutiger Bezeichner für diese Registerkarte. Wird bei allen Anforderungen an die Erweiterung übergeben. + + + Extension tab is unknown or not installed. + Die Registerkarte "Erweiterung" ist unbekannt oder nicht installiert. + + + + + + + Database Properties + Datenbankeigenschaften + + + + + + + Enable or disable the properties widget + Eigenschaftswidget aktivieren oder deaktivieren + + + Property values to show + Anzuzeigende Eigenschaftswerte + + + Display name of the property + Anzeigename der Eigenschaft + + + Value in the Database Info Object + Wert im Objekt mit Datenbankinformationen + + + Specify specific values to ignore + Spezifische zu ignorierende Werte angeben + + + Recovery Model + Wiederherstellungsmodell + + + Last Database Backup + Letzte Datenbanksicherung + + + Last Log Backup + Letzte Protokollsicherung + + + Compatibility Level + Kompatibilitätsgrad + + + Owner + Besitzer + + + Customizes the database dashboard page + Hiermit wird die Dashboardseite für die Datenbank angepasst. + + + Search + Suchen + + + Customizes the database dashboard tabs + Hiermit werden die Dashboardregisterkarten für die Datenbank angepasst. + + + + + + + Server Properties + Servereigenschaften + + + + + + + Enable or disable the properties widget + Eigenschaftswidget aktivieren oder deaktivieren + + + Property values to show + Anzuzeigende Eigenschaftswerte + + + Display name of the property + Anzeigename der Eigenschaft + + + Value in the Server Info Object + Wert im Objekt mit Serverinformationen + + + Version + Version + + + Edition + Edition + + + Computer Name + Computername + + + OS Version + Betriebssystemversion + + + Search + Suchen + + + Customizes the server dashboard page + Hiermit wird die Dashboardseite des Servers angepasst. + + + Customizes the Server dashboard tabs + Hiermit werden die Dashboardregisterkarten des Servers angepasst. + + + + + + + Home + Start + + + + + + + Failed to change database + Fehler beim Ändern der Datenbank. + + + + + + + Show Actions + Aktionen anzeigen + + + No matching item found + Kein übereinstimmendes Element gefunden + + + Filtered search list to 1 item + Die Suchliste wurde auf 1 Element gefiltert. + + + Filtered search list to {0} items + Die Suchliste wurde auf {0} Elemente gefiltert. + + + + + + + Name + Name + + + Schema + Schema + + + Type + Typ + + + + + + + loading objects + Objekte werden geladen. + + + loading databases + Datenbanken werden geladen. + + + loading objects completed. + Objekte wurden vollständig geladen. + + + loading databases completed. + Datenbanken wurden vollständig geladen. + + + Search by name of type (t:, v:, f:, or sp:) + Suche nach Namen des Typs (t:, v:, f: oder sp:) + + + Search databases + Datenbanken suchen + + + Unable to load objects + Objekte können nicht geladen werden. + + + Unable to load databases + Datenbanken können nicht geladen werden. + + + + + + + Run Query + Abfrage ausführen + + + + + + + Loading {0} + "{0}" wird geladen. + + + Loading {0} completed + "{0}" vollständig geladen. + + + Auto Refresh: OFF + Automatische Aktualisierung: AUS + + + Last Updated: {0} {1} + Letzte Aktualisierung: {0} {1} + + + No results to show + Keine Ergebnisse zur Anzeige vorhanden. + + + + + + + Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more + Fügt ein Widget hinzu, das einen Server oder eine Datenbank abfragen und die Ergebnisse in unterschiedlicher Form anzeigen kann – als Diagramm, summierte Anzahl und mehr. + + + Unique Identifier used for caching the results of the insight. + Eindeutiger Bezeichner, der zum Zwischenspeichern der Erkenntnisergebnisse verwendet wird + + + SQL query to run. This should return exactly 1 resultset. + Auszuführende SQL-Abfrage. Es sollte genau 1 Resultset zurückgegeben werden. + + + [Optional] path to a file that contains a query. Use if 'query' is not set + [Optional] Pfad zu einer Datei, die eine Abfrage enthält. Verwenden Sie diese Einstellung, wenn "query" nicht festgelegt ist. + + + [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh + [Optional] Intervall für die automatische Aktualisierung in Minuten. Ist kein Wert festgelegt, wird keine automatische Aktualisierung durchgeführt. + + + Which actions to use + Zu verwendende Aktionen + + + Target database for the action; can use the format '${ columnName }' to use a data driven column name. + Zieldatenbank für die Aktion. Kann das Format "${ columnName }" verwenden, um einen datengesteuerten Spaltennamen zu nutzen. + + + Target server for the action; can use the format '${ columnName }' to use a data driven column name. + Zielserver für die Aktion. Kann das Format "${ columnName }" verwenden, um einen datengesteuerten Spaltennamen zu nutzen. + + + Target user for the action; can use the format '${ columnName }' to use a data driven column name. + Zielbenutzer für die Aktion. Kann das Format "${ columnName }" verwenden, um einen datengesteuerten Spaltennamen zu nutzen. + + + Identifier of the insight + Bezeichner für Erkenntnisse + + + Contributes insights to the dashboard palette. + Stellt Erkenntnisse in der Dashboardpalette zur Verfügung. + + + + + + + Chart cannot be displayed with the given data + Das Diagramm kann mit den angegebenen Daten nicht angezeigt werden. + + + + + + + Displays results of a query as a chart on the dashboard + Zeigt die Ergebnisse einer Abfrage als Diagramm im Dashboard an. + + + Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color + Ordnet den Spaltennamen einer Farbe zu. Fügen Sie z. B. "'column1': red" hinzu, damit in dieser Spalte die Farbe Rot verwendet wird. + + + Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry + Hiermit wird die bevorzugte Position und Sichtbarkeit der Diagrammlegende angegeben. Darin werden die Spaltennamen aus der Abfrage der Bezeichnung der einzelnen Diagrammeinträge zugeordnet. + + + If dataDirection is horizontal, setting this to true uses the first columns value for the legend. + Wenn "dataDirection" auf "horizontal" festgelegt ist, werden die Werte aus der ersten Spalten als Legende verwendet. + + + If dataDirection is vertical, setting this to true will use the columns names for the legend. + Wenn "dataDirection" auf "vertical" festgelegt ist, werden für die Legende die Spaltennamen verwendet. + + + Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. + Legt fest, ob die Daten aus einer Spalte (vertikal) oder eine Zeile (horizontal) gelesen werden. Für Zeitreihen wird diese Einstellung ignoriert, da die Richtung vertikal sein muss. + + + If showTopNData is set, showing only top N data in the chart. + Wenn "showTopNData" festgelegt ist, werden nur die ersten n Daten im Diagramm angezeigt. + + + + + + + Minimum value of the y axis + Minimalwert der Y-Achse + + + Maximum value of the y axis + Maximalwert der Y-Achse + + + Label for the y axis + Bezeichnung für die Y-Achse + + + Minimum value of the x axis + Minimalwert der X-Achse + + + Maximum value of the x axis + Maximalwert der X-Achse + + + Label for the x axis + Bezeichnung für die X-Achse + + + + + + + Indicates data property of a data set for a chart. + Zeigt die Dateneigenschaft eines Datensatzes für ein Diagramm an. + + + + + + + For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 + Zeigt für jede Spalte in einem Resultset den Wert in Zeile 0 als Zählwert gefolgt vom Spaltennamen an. Unterstützt beispielsweise "1 Healthy" oder "3 Unhealthy", wobei "Healthy" dem Spaltennamen und 1 dem Wert in Zeile 1/Zelle 1 entspricht. + + + + + + + Displays an image, for example one returned by an R query using ggplot2 + Zeigt ein Bild an, beispielsweise ein Bild, das durch eine R-Abfrage unter Verwendung von ggplot2 zurückgegeben wurde. + + + What format is expected - is this a JPEG, PNG or other format? + Welches Format wird erwartet – JPEG, PNG oder ein anderes Format? + + + Is this encoded as hex, base64 or some other format? + Erfolgt eine Codierung im Hexadezimal-, Base64- oder einem anderen Format? + + + + + + + Displays the results in a simple table + Stellt die Ergebnisse in einer einfachen Tabelle dar. + + + + + + + Loading properties + Eigenschaften werden geladen. + + + Loading properties completed + Eigenschaften wurden vollständig geladen. + + + Unable to load dashboard properties + Die Dashboardeigenschaften können nicht geladen werden. + + + + + + + Database Connections + Datenbankverbindungen + + + data source connections + Datenquellenverbindungen + + + data source groups + Datenquellengruppen + + + Saved connections are sorted by the dates they were added. + Gespeicherte Verbindungen werden nach dem Datum sortiert, an dem sie hinzugefügt wurden. + + + Saved connections are sorted by their display names alphabetically. + Gespeicherte Verbindungen werden alphabetisch nach ihren Anzeigenamen sortiert. + + + Controls sorting order of saved connections and connection groups. + Steuert die Sortierreihenfolge gespeicherter Verbindungen und Verbindungsgruppen. + + + Startup Configuration + Startkonfiguration + + + True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown + Bei Festlegung auf TRUE wird beim Start von Azure Data Studio standardmäßig die Serveransicht angezeigt. Bei Festlegung auf FALSE wird die zuletzt geöffnete Ansicht angezeigt. + + + + + + + Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. + Bezeichner der Sicht. Hiermit können Sie einen Datenanbieter über die API "vscode.window.registerTreeDataProviderForView" registrieren. Dient auch zum Aktivieren Ihrer Erweiterung, indem Sie das Ereignis "onView:${id}" für "activationEvents" registrieren. + + + The human-readable name of the view. Will be shown + Der lesbare Name der Sicht. Dieser wird angezeigt. + + + Condition which must be true to show this view + Eine Bedingung, die TRUE lauten muss, damit diese Sicht angezeigt wird. + + + Contributes views to the editor + Stellt Sichten für den Editor zur Verfügung. + + + Contributes views to Data Explorer container in the Activity bar + Stellt Sichten für den Data Explorer-Container in der Aktivitätsleiste zur Verfügung. + + + Contributes views to contributed views container + Stellt Sichten für den Container mit bereitgestellten Sichten zur Verfügung. + + + Cannot register multiple views with same id `{0}` in the view container `{1}` + Es können nicht mehrere Sichten mit derselben ID ({0}) im Container "{1}" mit Sichten registriert werden. + + + A view with id `{0}` is already registered in the view container `{1}` + Im Container "{1}" mit Sichten ist bereits eine Sicht mit der ID {0} registriert. + + + views must be an array + Sichten müssen als Array vorliegen. + + + property `{0}` is mandatory and must be of type `string` + Die Eigenschaft "{0}" ist erforderlich und muss vom Typ "string" sein. + + + property `{0}` can be omitted or must be of type `string` + Die Eigenschaft "{0}" kann ausgelassen werden oder muss vom Typ "string" sein. + + + + + + + Servers + Server + + + Connections + Verbindungen + + + Show Connections + Verbindungen anzeigen + + + + + + + Disconnect + Trennen + + + Refresh + Aktualisieren + + + + + + + Show Edit Data SQL pane on startup + SQL-Bereich zum Bearbeiten von Daten beim Start anzeigen + + + + + + + Run + Ausführen + + + Dispose Edit Failed With Error: + Fehler beim Verwerfen der Bearbeitung: + + + Stop + Beenden + + + Show SQL Pane + SQL-Bereich anzeigen + + + Close SQL Pane + SQL-Bereich schließen + + + + + + + Max Rows: + Max. Zeilen: + + + + + + + Delete Row + Zeile löschen + + + Revert Current Row + Aktuelle Zeile zurücksetzen + + + + + + + Save As CSV + Als CSV speichern + + + Save As JSON + Als JSON speichern + + + Save As Excel + Als Excel speichern + + + Save As XML + Als XML speichern + + + Copy + Kopieren + + + Copy With Headers + Mit Headern kopieren + + + Select All + Alle auswählen + + + + + + + Dashboard Tabs ({0}) + Dashboardregisterkarten ({0}) + + + Id + ID + + + Title + Titel + + + Description + Beschreibung + + + Dashboard Insights ({0}) + Dashboarderkenntnisse ({0}) + + + Id + ID + + + Name + Name + + + When + Zeitpunkt + + + + + + + Gets extension information from the gallery + Ruft Erweiterungsinformationen aus dem Katalog ab. + + + Extension id + Erweiterungs-ID + + + Extension '{0}' not found. + Die Erweiterung '{0}' wurde nicht gefunden. + + + + + + + Show Recommendations + Empfehlungen anzeigen + + + Install Extensions + Erweiterungen installieren + + + Author an Extension... + Erweiterung erstellen... + + + + + + + Don't Show Again + Nicht mehr anzeigen + + + Azure Data Studio has extension recommendations. + Azure Data Studio enthält Erweiterungsempfehlungen. + + + Azure Data Studio has extension recommendations for data visualization. +Once installed, you can select the Visualizer icon to visualize your query results. + Azure Data Studio enthält Erweiterungsempfehlungen für die Datenvisualisierung. +Nach der Installation können Sie das Schnellansichtssymbol auswählen, um Ihre Abfrageergebnisse zu visualisieren. + + + Install All + Alle installieren + + + Show Recommendations + Empfehlungen anzeigen + + + The scenario type for extension recommendations must be provided. + Der Szenariotyp für Erweiterungsempfehlungen muss angegeben werden. + + + + + + + This extension is recommended by Azure Data Studio. + Diese Erweiterung wird von Azure Data Studio empfohlen. + + + + + + + Jobs + Aufträge + + + Notebooks + Notebooks + + + Alerts + Warnungen + + + Proxies + Proxys + + + Operators + Operatoren + + + + + + + Name + Name + + + Last Occurrence + Letztes Vorkommen + + + Enabled + Aktiviert + + + Delay Between Responses (in secs) + Verzögerung zwischen Antworten (in Sek.) + + + Category Name + Kategoriename @@ -6906,257 +3319,187 @@ Fehler: {1} - + - - View applicable rules - Anwendbare Regeln anzeigen + + Step ID + Schritt-ID - - View applicable rules for {0} - Anwendbare Regeln für "{0}" anzeigen + + Step Name + Schrittname - - Invoke Assessment - Bewertung aufrufen - - - Invoke Assessment for {0} - Bewertung für "{0}" aufrufen - - - Export As Script - Als Skript exportieren - - - View all rules and learn more on GitHub - Alle Regeln anzeigen und weitere Informationen auf GitHub erhalten - - - Create HTML Report - HTML-Bericht erstellen - - - Report has been saved. Do you want to open it? - Der Bericht wurde gespeichert. Möchten Sie ihn öffnen? - - - Open - Öffnen - - - Cancel - Abbrechen + + Message + Meldung - + - - Data - Daten - - - Connection - Verbindung - - - Query Editor - Abfrage-Editor - - - Notebook - Notebook - - - Dashboard - Dashboard - - - Profiler - Profiler + + Steps + Schritte - + - - Dashboard Tabs ({0}) - Dashboardregisterkarten ({0}) - - - Id - ID - - - Title - Titel - - - Description - Beschreibung - - - Dashboard Insights ({0}) - Dashboarderkenntnisse ({0}) - - - Id - ID - - + Name Name - - When - Zeitpunkt + + Last Run + Letzte Ausführung + + + Next Run + Nächste Ausführung + + + Enabled + Aktiviert + + + Status + Status + + + Category + Kategorie + + + Runnable + Ausführbar + + + Schedule + Zeitplan + + + Last Run Outcome + Ergebnis der letzten Ausführung + + + Previous Runs + Vorherigen Ausführungen + + + No Steps available for this job. + Für diesen Auftrag sind keine Schritte verfügbar. + + + Error: + Fehler: - + - - Table does not contain a valid image - Die Tabelle enthält kein gültiges Bild. + + Date Created: + Erstellungsdatum: + + + Notebook Error: + Notebook-Fehler: + + + Job Error: + Auftragsfehler: + + + Pinned + Angeheftet + + + Recent Runs + Aktuelle Ausführungen + + + Past Runs + Vergangene Ausführungen - + - - More - Mehr + + Name + Name - - Edit - Bearbeiten + + Target Database + Zieldatenbank - - Close - Schließen + + Last Run + Letzte Ausführung - - Convert Cell - Zelle konvertieren + + Next Run + Nächste Ausführung - - Run Cells Above - Alle Zellen oberhalb ausführen + + Status + Status - - Run Cells Below - Alle Zellen unterhalb ausführen + + Last Run Outcome + Ergebnis der letzten Ausführung - - Insert Code Above - Code oberhalb einfügen + + Previous Runs + Vorherigen Ausführungen - - Insert Code Below - Code unterhalb einfügen + + No Steps available for this job. + Für diesen Auftrag sind keine Schritte verfügbar. - - Insert Text Above - Text oberhalb einfügen + + Error: + Fehler: - - Insert Text Below - Text unterhalb einfügen - - - Collapse Cell - Zelle reduzieren - - - Expand Cell - Zelle erweitern - - - Make parameter cell - Parameterzelle erstellen - - - Remove parameter cell - Parameterzelle entfernen - - - Clear Result - Ergebnis löschen + + Notebook Error: + Notebook-Fehler: - + - - An error occurred while starting the notebook session - Fehler beim Starten der Notebook-Sitzung. + + Name + Name - - Server did not start for unknown reason - Der Server wurde aus unbekannten Gründen nicht gestartet. + + Email Address + E-Mail-Adresse - - Kernel {0} was not found. The default kernel will be used instead. - Der Kernel "{0}" wurde nicht gefunden. Es wird stattdessen der Standardkernel verwendet. + + Enabled + Aktiviert - + - - Series {0} - Reihe "{0}" + + Account Name + Kontoname - - - - - - Close - Schließen + + Credential Name + Name der Anmeldeinformationen - - - - - - # Injected-Parameters - - # Eingefügte Parameter - + + Description + Beschreibung - - Please select a connection to run cells for this kernel - Wählen Sie eine Verbindung zum Ausführen von Zellen für diesen Kernel aus. - - - Failed to delete cell. - Fehler beim Löschen der Zelle. - - - Failed to change kernel. Kernel {0} will be used. Error was: {1} - Der Kernel konnte nicht geändert werden. Es wird der Kernel "{0}" verwendet. Fehler: {1} - - - Failed to change kernel due to error: {0} - Der Kernel konnte aufgrund des folgenden Fehlers nicht geändert werden: {0} - - - Changing context failed: {0} - Fehler beim Ändern des Kontexts: {0} - - - Could not start session: {0} - Sitzung konnte nicht gestartet werden: {0} - - - A client session error occurred when closing the notebook: {0} - Clientsitzungsfehler beim Schließen des Notebooks "{0}". - - - Can't find notebook manager for provider {0} - Der Notebook-Manager für den Anbieter "{0}" wurde nicht gefunden. + + Enabled + Aktiviert @@ -7228,6 +3571,3317 @@ Fehler: {1} + + + + More + Mehr + + + Edit + Bearbeiten + + + Close + Schließen + + + Convert Cell + Zelle konvertieren + + + Run Cells Above + Alle Zellen oberhalb ausführen + + + Run Cells Below + Alle Zellen unterhalb ausführen + + + Insert Code Above + Code oberhalb einfügen + + + Insert Code Below + Code unterhalb einfügen + + + Insert Text Above + Text oberhalb einfügen + + + Insert Text Below + Text unterhalb einfügen + + + Collapse Cell + Zelle reduzieren + + + Expand Cell + Zelle erweitern + + + Make parameter cell + Parameterzelle erstellen + + + Remove parameter cell + Parameterzelle entfernen + + + Clear Result + Ergebnis löschen + + + + + + + Add cell + Zelle hinzufügen + + + Code cell + Codezelle + + + Text cell + Textzelle + + + Move cell down + Zelle nach unten verschieben + + + Move cell up + Zelle nach oben verschieben + + + Delete + Löschen + + + Add cell + Zelle hinzufügen + + + Code cell + Codezelle + + + Text cell + Textzelle + + + + + + + Parameters + Parameter + + + + + + + Please select active cell and try again + Wählen Sie eine aktive Zelle aus, und versuchen Sie es noch mal. + + + Run cell + Zelle ausführen + + + Cancel execution + Ausführung abbrechen + + + Error on last run. Click to run again + Fehler bei der letzten Ausführung. Klicken Sie, um den Vorgang zu wiederholen. + + + + + + + Expand code cell contents + Codezelleninhalt erweitern + + + Collapse code cell contents + Codezelleninhalt reduzieren + + + + + + + Bold + Fett + + + Italic + Kursiv + + + Underline + Unterstrichen + + + Highlight + Hervorheben + + + Code + Code + + + Link + Link + + + List + Liste + + + Ordered list + Sortierte Liste + + + Image + Bild + + + Markdown preview toggle - off + Markdownvorschau umschalten – aus + + + Heading + Überschrift + + + Heading 1 + Überschrift 1 + + + Heading 2 + Überschrift 2 + + + Heading 3 + Überschrift 3 + + + Paragraph + Absatz + + + Insert link + Link einfügen + + + Insert image + Bild einfügen + + + Rich Text View + Rich-Text-Ansicht + + + Split View + Geteilte Ansicht + + + Markdown View + Markdownansicht + + + + + + + No {0}renderer could be found for output. It has the following MIME types: {1} + Für die Ausgabe wurde kein {0}-Renderer gefunden. Folgende MIME-Typen sind enthalten: {1} + + + safe + Sicher + + + No component could be found for selector {0} + Für Selektor "{0}" wurde keine Komponente gefunden. + + + Error rendering component: {0} + Fehler beim Rendern der Komponente: {0} + + + + + + + Click on + Klicken Sie auf + + + + Code + + Code + + + or + oder + + + + Text + + Text + + + to add a code or text cell + zum Hinzufügen einer Code- oder Textzelle + + + Add a code cell + Eine Codezelle hinzufügen + + + Add a text cell + Eine Textzelle hinzufügen + + + + + + + StdIn: + StdIn: + + + + + + + <i>Double-click to edit</i> + <i>Zum Bearbeiten doppelklicken</i> + + + <i>Add content here...</i> + <i>Hier Inhalte hinzufügen... </i> + + + + + + + Find + Suchen + + + Find + Suchen + + + Previous match + Vorherige Übereinstimmung + + + Next match + Nächste Übereinstimmung + + + Close + Schließen + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + Für Ihre Suche wurden sehr viele Ergebnisse zurückgegeben. Es werden nur die ersten 999 Übereinstimmungen hervorgehoben. + + + {0} of {1} + {0} von {1} + + + No Results + Keine Ergebnisse + + + + + + + Add code + Code hinzufügen + + + Add text + Text hinzufügen + + + Create File + Datei erstellen + + + Could not display contents: {0} + Inhalt konnte nicht angezeigt werden: {0} + + + Add cell + Zelle hinzufügen + + + Code cell + Codezelle + + + Text cell + Textzelle + + + Run all + Alle ausführen + + + Cell + Zelle + + + Code + Code + + + Text + Text + + + Run Cells + Zellen ausführen + + + < Previous + < Zurück + + + Next > + Weiter > + + + cell with URI {0} was not found in this model + Die Zelle mit dem URI "{0}" wurde in diesem Modell nicht gefunden. + + + Run Cells failed - See error in output of the currently selected cell for more information. + Fehler beim Ausführen von Zellen: Weitere Informationen finden Sie im Fehler in der Ausgabe der aktuell ausgewählten Zelle. + + + + + + + New Notebook + Neues Notebook + + + New Notebook + Neues Notebook + + + Set Workspace And Open + Arbeitsbereich festlegen und öffnen + + + SQL kernel: stop Notebook execution when error occurs in a cell. + SQL-Kernel: Notebook-Ausführung bei Fehler in Zelle beenden + + + (Preview) show all kernels for the current notebook provider. + (Vorschau) Zeigen Sie alle Kernel für den aktuellen Notebook-Anbieter an. + + + Allow notebooks to run Azure Data Studio commands. + Hiermit wird Notebooks das Ausführen von Azure Data Studio-Befehlen ermöglicht. + + + Enable double click to edit for text cells in notebooks + Hiermit wird ein Doppelklick zum Bearbeiten von Textzellen in Notebooks aktiviert. + + + Text is displayed as Rich Text (also known as WYSIWYG). + Text wird als Rich-Text (auch bekannt als WSSIWYG) angezeigt. + + + Markdown is displayed on the left, with a preview of the rendered text on the right. + Auf der linken Seite wird ein Markdown mit einer Vorschau des gerenderten Texts auf der rechten Seite angezeigt. + + + Text is displayed as Markdown. + Der Text wird als Markdown angezeigt. + + + The default editing mode used for text cells + Der Standardbearbeitungsmodus, der für Textzellen verwendet wird + + + (Preview) Save connection name in notebook metadata. + (Vorschau) Speichern Sie den Verbindungsnamen in den Notebook-Metadaten. + + + Controls the line height used in the notebook markdown preview. This number is relative to the font size. + Hiermit wird die in der Notebook-Markdownvorschau verwendete Zeilenhöhe gesteuert. Diese Zahl ist relativ zum Schriftgrad. + + + (Preview) Show rendered notebook in diff editor. + (Vorschau) Gerendertes Notebook im Diff-Editor anzeigen. + + + The maximum number of changes stored in the undo history for the notebook Rich Text editor. + Die maximale Anzahl von Änderungen, die im Verlauf des Rücksetzens für den Notizbuch-Rich-Text-Editor gespeichert sind. + + + Search Notebooks + Notebooks suchen + + + Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). + Konfigurieren Sie Globmuster für das Ausschließen von Dateien und Ordnern aus Volltextsuchen und Quick Open. Alle Globmuster werden von der Einstellung #files.exclude# geerbt. Weitere Informationen zu Globmustern finden Sie [hier](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). + + + The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. + Das Globmuster, mit dem Dateipfade verglichen werden sollen. Legen Sie diesen Wert auf "true" oder "false" fest, um das Muster zu aktivieren bzw. zu deaktivieren. + + + Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. + Zusätzliche Überprüfung der gleichgeordneten Elemente einer entsprechenden Datei. Verwenden Sie "$(basename)" als Variable für den entsprechenden Dateinamen. + + + This setting is deprecated and now falls back on "search.usePCRE2". + Diese Einstellung ist veraltet und greift jetzt auf "search.usePCRE2" zurück. + + + Deprecated. Consider "search.usePCRE2" for advanced regex feature support. + Veraltet. Verwenden Sie "search.usePCRE2" für die erweiterte Unterstützung von RegEx-Features. + + + When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. + Wenn diese Option aktiviert ist, bleibt der SearchService-Prozess aktiv, anstatt nach einer Stunde Inaktivität beendet zu werden. Dadurch wird der Cache für Dateisuchen im Arbeitsspeicher beibehalten. + + + Controls whether to use `.gitignore` and `.ignore` files when searching for files. + Steuert, ob bei der Dateisuche GITIGNORE- und IGNORE-Dateien verwendet werden. + + + Controls whether to use global `.gitignore` and `.ignore` files when searching for files. + Steuert, ob bei der Dateisuche globale GITIGNORE- und IGNORE-Dateien verwendet werden. + + + Whether to include results from a global symbol search in the file results for Quick Open. + Konfiguriert, ob Ergebnisse aus einer globalen Symbolsuche in die Dateiergebnisse für Quick Open eingeschlossen werden sollen. + + + Whether to include results from recently opened files in the file results for Quick Open. + Gibt an, ob Ergebnisse aus zuletzt geöffneten Dateien in den Dateiergebnissen für Quick Open aufgeführt werden. + + + History entries are sorted by relevance based on the filter value used. More relevant entries appear first. + Verlaufseinträge werden anhand des verwendeten Filterwerts nach Relevanz sortiert. Relevantere Einträge werden zuerst angezeigt. + + + History entries are sorted by recency. More recently opened entries appear first. + Verlaufseinträge werden absteigend nach Datum sortiert. Zuletzt geöffnete Einträge werden zuerst angezeigt. + + + Controls sorting order of editor history in quick open when filtering. + Legt die Sortierreihenfolge des Editor-Verlaufs beim Filtern in Quick Open fest. + + + Controls whether to follow symlinks while searching. + Steuert, ob Symlinks während der Suche gefolgt werden. + + + Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. + Sucht ohne Berücksichtigung von Groß-/Kleinschreibung, wenn das Muster kleingeschrieben ist, andernfalls wird mit Berücksichtigung von Groß-/Kleinschreibung gesucht. + + + Controls whether the search view should read or modify the shared find clipboard on macOS. + Steuert, ob die Suchansicht die freigegebene Suchzwischenablage unter macOS lesen oder verändern soll. + + + Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. + Steuert, ob die Suche als Ansicht in der Seitenleiste oder als Panel angezeigt wird, damit horizontal mehr Platz verfügbar ist. + + + This setting is deprecated. Please use the search view's context menu instead. + Diese Einstellung ist veraltet. Verwenden Sie stattdessen das Kontextmenü der Suchansicht. + + + Files with less than 10 results are expanded. Others are collapsed. + Dateien mit weniger als 10 Ergebnissen werden erweitert. Andere bleiben reduziert. + + + Controls whether the search results will be collapsed or expanded. + Steuert, ob die Suchergebnisse zu- oder aufgeklappt werden. + + + Controls whether to open Replace Preview when selecting or replacing a match. + Steuert, ob die Vorschau für das Ersetzen geöffnet werden soll, wenn eine Übereinstimmung ausgewählt oder ersetzt wird. + + + Controls whether to show line numbers for search results. + Steuert, ob Zeilennummern für Suchergebnisse angezeigt werden. + + + Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. + Gibt an, ob die PCRE2-RegEx-Engine bei der Textsuche verwendet werden soll. Dadurch wird die Verwendung einiger erweiterter RegEx-Features wie Lookahead und Rückverweise ermöglicht. Allerdings werden nicht alle PCRE2-Features unterstützt, sondern nur solche, die auch von JavaScript unterstützt werden. + + + Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. + Veraltet. PCRE2 wird beim Einsatz von Features für reguläre Ausdrücke, die nur von PCRE2 unterstützt werden, automatisch verwendet. + + + Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. + Hiermit wird die Aktionsleiste auf der rechten Seite positioniert, wenn die Suchansicht schmal ist, und gleich hinter dem Inhalt, wenn die Suchansicht breit ist. + + + Always position the actionbar to the right. + Hiermit wird die Aktionsleiste immer auf der rechten Seite positioniert. + + + Controls the positioning of the actionbar on rows in the search view. + Steuert die Positionierung der Aktionsleiste auf Zeilen in der Suchansicht. + + + Search all files as you type. + Alle Dateien während der Eingabe durchsuchen + + + Enable seeding search from the word nearest the cursor when the active editor has no selection. + Aktivieren Sie das Starten der Suche mit dem Wort, das dem Cursor am nächsten liegt, wenn der aktive Editor keine Auswahl aufweist. + + + Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. + Hiermit wird die Suchabfrage für den Arbeitsbereich auf den ausgewählten Editor-Text aktualisiert, wenn die Suchansicht den Fokus hat. Dies geschieht entweder per Klick oder durch Auslösen des Befehls "workbench.views.search.focus". + + + When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. + Wenn #search.searchOnType aktiviert ist, wird dadurch das Timeout in Millisekunden zwischen einem eingegebenen Zeichen und dem Start der Suche festgelegt. Diese Einstellung keine Auswirkung, wenn search.searchOnType deaktiviert ist. + + + Double clicking selects the word under the cursor. + Durch Doppelklicken wird das Wort unter dem Cursor ausgewählt. + + + Double clicking opens the result in the active editor group. + Durch Doppelklicken wird das Ergebnis in der aktiven Editor-Gruppe geöffnet. + + + Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. + Durch Doppelklicken wird das Ergebnis in der Editorgruppe an der Seite geöffnet, wodurch ein Ergebnis erstellt wird, wenn noch keines vorhanden ist. + + + Configure effect of double clicking a result in a search editor. + Konfiguriert den Effekt des Doppelklickens auf ein Ergebnis in einem Such-Editor. + + + Results are sorted by folder and file names, in alphabetical order. + Ergebnisse werden nach Ordner- und Dateinamen in alphabetischer Reihenfolge sortiert. + + + Results are sorted by file names ignoring folder order, in alphabetical order. + Die Ergebnisse werden nach Dateinamen in alphabetischer Reihenfolge sortiert. Die Ordnerreihenfolge wird ignoriert. + + + Results are sorted by file extensions, in alphabetical order. + Die Ergebnisse werden nach Dateiendungen in alphabetischer Reihenfolge sortiert. + + + Results are sorted by file last modified date, in descending order. + Die Ergebnisse werden nach dem Datum der letzten Dateiänderung in absteigender Reihenfolge sortiert. + + + Results are sorted by count per file, in descending order. + Ergebnisse werden nach Anzahl pro Datei und in absteigender Reihenfolge sortiert. + + + Results are sorted by count per file, in ascending order. + Die Ergebnisse werden nach Anzahl pro Datei in aufsteigender Reihenfolge sortiert. + + + Controls sorting order of search results. + Steuert die Sortierreihenfolge der Suchergebnisse. + + + + + + + Loading kernels... + Kernel werden geladen... + + + Changing kernel... + Kernel wird geändert... + + + Attach to + Anfügen an + + + Kernel + Kernel + + + Loading contexts... + Kontexte werden geladen... + + + Change Connection + Verbindung ändern + + + Select Connection + Verbindung auswählen + + + localhost + localhost + + + No Kernel + Kein Kernel + + + This notebook cannot run with parameters as the kernel is not supported. Please use the supported kernels and format. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Dieses Notizbuch kann nicht mit Parametern ausgeführt werden, da der Kernel nicht unterstützt wird. Verwenden Sie die unterstützten Kernel und das unterstützte Format. [Weitere Informationen] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + This notebook cannot run with parameters until a parameter cell is added. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Dieses Notebook kann erst mit Parametern ausgeführt werden, wenn eine Parameterzelle hinzugefügt wird. [Weitere Informationen](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + This notebook cannot run with parameters until there are parameters added to the parameter cell. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Dieses Notizbuch kann erst mit Parametern ausgeführt werden, wenn der Parameterzelle Parameter hinzugefügt wurden. [Weitere Informationen](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + Clear Results + Ergebnisse löschen + + + Trusted + Vertrauenswürdig + + + Not Trusted + Nicht vertrauenswürdig + + + Collapse Cells + Zellen reduzieren + + + Expand Cells + Zellen erweitern + + + Run with Parameters + Mit Parametern ausführen + + + None + Keine + + + New Notebook + Neues Notebook + + + Find Next String + Nächste Zeichenfolge suchen + + + Find Previous String + Vorhergehende Zeichenfolge suchen + + + + + + + Notebook Editor + Notebook Editor + + + + + + + Search Results + Suchergebnisse + + + Search path not found: {0} + Der Suchpfad wurde nicht gefunden: {0}. + + + Notebooks + Notebooks + + + + + + + You have not opened any folder that contains notebooks/books. + Sie haben keinen Ordner geöffnet, der Notebooks/Bücher enthält. + + + Open Notebooks + Notebooks öffnen + + + The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. + Das Resultset enthält nur eine Teilmenge aller Übereinstimmungen. Verfeinern Sie Ihre Suche, um die Ergebnisse einzugrenzen. + + + Search in progress... - + Suche wird durchgeführt... – + + + No results found in '{0}' excluding '{1}' - + Keine Ergebnisse in "{0}" unter Ausschluss von "{1}" gefunden – + + + No results found in '{0}' - + Keine Ergebnisse in "{0}" gefunden – + + + No results found excluding '{0}' - + Keine Ergebnisse gefunden, die "{0}" ausschließen – + + + No results found. Review your settings for configured exclusions and check your gitignore files - + Es wurden keine Ergebnisse gefunden. Überprüfen Sie die Einstellungen für konfigurierte Ausschlüsse, und überprüfen Sie Ihre gitignore-Dateien - + + + Search again + Erneut suchen + + + Search again in all files + Erneut in allen Dateien suchen + + + Open Settings + Einstellungen öffnen + + + Search returned {0} results in {1} files + Die Suche hat {0} Ergebnisse in {1} Dateien zurückgegeben. + + + Toggle Collapse and Expand + Zu- und Aufklappen umschalten + + + Cancel Search + Suche abbrechen + + + Expand All + Alle erweitern + + + Collapse All + Alle reduzieren + + + Clear Search Results + Suchergebnisse löschen + + + + + + + Search: Type Search Term and press Enter to search or Escape to cancel + Suche: Geben Sie den Suchbegriff ein, und drücken Sie die EINGABETASTE, um zu suchen, oder ESC, um den Vorgang abzubrechen. + + + Search + Suchen + + + + + + + cell with URI {0} was not found in this model + Die Zelle mit dem URI "{0}" wurde in diesem Modell nicht gefunden. + + + Run Cells failed - See error in output of the currently selected cell for more information. + Fehler beim Ausführen von Zellen: Weitere Informationen finden Sie im Fehler in der Ausgabe der aktuell ausgewählten Zelle. + + + + + + + Please run this cell to view outputs. + Führen Sie diese Zelle aus, um Ausgaben anzuzeigen. + + + + + + + This view is empty. Add a cell to this view by clicking the Insert Cells button. + Diese Ansicht ist leer. Fügen Sie dieser Ansicht eine Zelle hinzu, indem Sie auf die Schaltfläche „Zellen einfügen“ klicken. + + + + + + + Copy failed with error {0} + Fehler beim Kopieren: {0} + + + Show chart + Diagramm anzeigen + + + Show table + Tabelle anzeigen + + + + + + + No {0} renderer could be found for output. It has the following MIME types: {1} + Für die Ausgabe wurde kein {0}-Renderer gefunden. Folgende MIME-Typen sind enthalten: {1} + + + (safe) + (sicher) + + + + + + + Error displaying Plotly graph: {0} + Fehler beim Anzeigen des Plotly-Graphen: {0} + + + + + + + No connections found. + Keine Verbindungen gefunden. + + + Add Connection + Verbindung hinzufügen + + + + + + + Server Group color palette used in the Object Explorer viewlet. + Farbpalette für die Servergruppe, die im Objekt-Explorer-Viewlet verwendet wird. + + + Auto-expand Server Groups in the Object Explorer viewlet. + Servergruppen im Objekt-Explorer-Viewlet automatisch erweitern + + + (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. + (Vorschau) Verwenden Sie die neue asynchrone Serverstruktur für die Serveransicht und das Verbindungsdialogfeld. Sie bietet Unterstützung für neue Features wie die dynamische Knotenfilterung. + + + + + + + Data + Daten + + + Connection + Verbindung + + + Query Editor + Abfrage-Editor + + + Notebook + Notebook + + + Dashboard + Dashboard + + + Profiler + Profiler + + + Built-in Charts + Integrierte Diagramme + + + + + + + Specifies view templates + Gibt Ansichtsvorlagen an. + + + Specifies session templates + Gibt Sitzungsvorlagen an. + + + Profiler Filters + Profilerfilter + + + + + + + Connect + Verbinden + + + Disconnect + Trennen + + + Start + Starten + + + New Session + Neue Sitzung + + + Pause + Anhalten + + + Resume + Fortsetzen + + + Stop + Beenden + + + Clear Data + Daten löschen + + + Are you sure you want to clear the data? + Möchten Sie die Daten löschen? + + + Yes + Ja + + + No + Nein + + + Auto Scroll: On + Automatisches Scrollen: Ein + + + Auto Scroll: Off + Automatisches Scrollen: Aus + + + Toggle Collapsed Panel + Ausgeblendeten Bereich umschalten + + + Edit Columns + Spalten bearbeiten + + + Find Next String + Nächste Zeichenfolge suchen + + + Find Previous String + Vorhergehende Zeichenfolge suchen + + + Launch Profiler + Profiler starten + + + Filter… + Filtern... + + + Clear Filter + Filter löschen + + + Are you sure you want to clear the filters? + Möchten Sie die Filter löschen? + + + + + + + Select View + Ansicht auswählen + + + Select Session + Sitzung auswählen + + + Select Session: + Sitzung auswählen: + + + Select View: + Ansicht auswählen: + + + Text + Text + + + Label + Beschriftung + + + Value + Wert + + + Details + Details + + + + + + + Find + Suchen + + + Find + Suchen + + + Previous match + Vorherige Übereinstimmung + + + Next match + Nächste Übereinstimmung + + + Close + Schließen + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + Für Ihre Suche wurden sehr viele Ergebnisse zurückgegeben. Es werden nur die ersten 999 Übereinstimmungen hervorgehoben. + + + {0} of {1} + {0} von {1} + + + No Results + Keine Ergebnisse + + + + + + + Profiler editor for event text. Readonly + Profiler-Editor für Ereignistext (schreibgeschützt) + + + + + + + Events (Filtered): {0}/{1} + Ereignisse (gefiltert): {0}/{1} + + + Events: {0} + Ereignisse: {0} + + + Event Count + Ereignisanzahl + + + + + + + Save As CSV + Als CSV speichern + + + Save As JSON + Als JSON speichern + + + Save As Excel + Als Excel speichern + + + Save As XML + Als XML speichern + + + Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. + Die Ergebniscodierung wird beim Exportieren in JSON nicht gespeichert. Nachdem die Datei erstellt wurde, speichern Sie sie mit der gewünschten Codierung. + + + Save to file is not supported by the backing data source + Das Speichern in einer Datei wird von der zugrunde liegenden Datenquelle nicht unterstützt. + + + Copy + Kopieren + + + Copy With Headers + Mit Headern kopieren + + + Select All + Alle auswählen + + + Maximize + Maximieren + + + Restore + Wiederherstellen + + + Chart + Diagramm + + + Visualizer + Schnellansicht + + + + + + + Choose SQL Language + SQL-Sprache auswählen + + + Change SQL language provider + SQL-Sprachanbieter ändern + + + SQL Language Flavor + SQL-Sprachvariante + + + Change SQL Engine Provider + SQL-Engine-Anbieter ändern + + + A connection using engine {0} exists. To change please disconnect or change connection + Es besteht eine Verbindung über die Engine "{0}". Um die Verbindung zu ändern, trennen oder wechseln Sie die Verbindung. + + + No text editor active at this time + Momentan ist kein Text-Editor aktiv. + + + Select Language Provider + Sprachanbieter auswählen + + + + + + + XML Showplan + XML-Showplan + + + Results grid + Ergebnisraster + + + Max row count for filtering/sorting has been exceeded. To update it, you can go to User Settings and change the setting: 'queryEditor.results.inMemoryDataProcessingThreshold' + Die maximale Zeilenanzahl für das Filtern/ Sortieren wurde überschritten. Um sie zu aktualisieren, können Sie zu "Benutzereinstellungen" wechseln und die Einstellung "queryEditor.results.inMemoryDataProcessingThreshold" ändern. + + + + + + + Focus on Current Query + Fokus auf aktuelle Abfrage + + + Run Query + Abfrage ausführen + + + Run Current Query + Aktuelle Abfrage ausführen + + + Copy Query With Results + Abfrage mit Ergebnissen kopieren + + + Successfully copied query and results. + Die Abfrage und die Ergebnisse wurden erfolgreich kopiert. + + + Run Current Query with Actual Plan + Aktuelle Abfrage mit Istplan ausführen + + + Cancel Query + Abfrage abbrechen + + + Refresh IntelliSense Cache + IntelliSense-Cache aktualisieren + + + Toggle Query Results + Abfrageergebnisse umschalten + + + Toggle Focus Between Query And Results + Fokus zwischen Abfrage und Ergebnissen umschalten + + + Editor parameter is required for a shortcut to be executed + Editor-Parameter zum Ausführen einer Tastenkombination erforderlich. + + + Parse Query + Abfrage analysieren + + + Commands completed successfully + Die Befehle wurden erfolgreich ausgeführt. + + + Command failed: + Fehler bei Befehl: + + + Please connect to a server + Stellen Sie eine Verbindung mit einem Server her. + + + + + + + Message Panel + Meldungspanel + + + Copy + Kopieren + + + Copy All + Alle kopieren + + + + + + + Query Results + Abfrageergebnisse + + + New Query + Neue Abfrage + + + Query Editor + Abfrage-Editor + + + When true, column headers are included when saving results as CSV + Bei Festlegung auf TRUE werden beim Speichern der Ergebnisse als CSV auch die Spaltenüberschriften einbezogen. + + + The custom delimiter to use between values when saving as CSV + Benutzerdefiniertes Trennzeichen zwischen Werten, das beim Speichern der Ergebnisse als CSV verwendet wird + + + Character(s) used for seperating rows when saving results as CSV + Zeichen für die Trennung von Zeilen, das beim Speichern der Ergebnisse als CSV verwendet wird + + + Character used for enclosing text fields when saving results as CSV + Zeichen für das Umschließen von Textfeldern, das beim Speichern der Ergebnisse als CSV verwendet wird + + + File encoding used when saving results as CSV + Dateicodierung, die beim Speichern der Ergebnisse als CSV verwendet wird + + + When true, XML output will be formatted when saving results as XML + Bei Festlegung auf TRUE wird die XML-Ausgabe formatiert, wenn die Ergebnisse im XML-Format gespeichert werden. + + + File encoding used when saving results as XML + Beim Speichern der Ergebnisse im XML-Format verwendete Dateicodierung + + + Enable results streaming; contains few minor visual issues + Hiermit wird das Streamen der Ergebnisse aktiviert. Diese Option weist einige geringfügige Darstellungsprobleme auf. + + + Configuration options for copying results from the Results View + Konfigurationsoptionen für das Kopieren von Ergebnissen aus der Ergebnisansicht + + + Configuration options for copying multi-line results from the Results View + Konfigurationsoptionen für das Kopieren mehrzeiliger Ergebnisse aus der Ergebnisansicht + + + (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. + (Experimentell) Verwenden Sie eine optimierte Tabelle in der Ergebnisausgabe. Möglicherweise fehlen einige Funktionen oder befinden sich in Bearbeitung. + + + Controls the max number of rows allowed to do filtering and sorting in memory. If the number is exceeded, sorting and filtering will be disabled. Warning: Increasing this may impact performance. + Steuert die maximale Anzahl von Zeilen, die im Arbeitsspeicher gefiltert und sortiert werden dürfen. Wenn die Zahl überschritten wird, werden die Sortier- und Filterfunktionen deaktiviert. Warnung: die Erhöhung dieser Anzahl kann sich auf die Leistung auswirken. + + + Whether to open the file in Azure Data Studio after the result is saved. + Gibt an, ob die Datei in Azure Data Studio geöffnet werden soll, nachdem das Ergebnis gespeichert wurde. + + + Should execution time be shown for individual batches + Gibt an, ob die Ausführungszeit für einzelne Batches angezeigt werden soll. + + + Word wrap messages + Meldungen zu Zeilenumbrüchen + + + The default chart type to use when opening Chart Viewer from a Query Results + Dieser Diagrammtyp wird standardmäßig verwendet, wenn der Diagramm-Viewer von Abfrageergebnissen aus geöffnet wird. + + + Tab coloring will be disabled + Das Einfärben von Registerkarten wird deaktiviert. + + + The top border of each editor tab will be colored to match the relevant server group + Der obere Rand der einzelnen Editor-Registerkarten wird entsprechend der jeweiligen Servergruppe eingefärbt. + + + Each editor tab's background color will match the relevant server group + Die Hintergrundfarbe der Editor-Registerkarten entspricht der jeweiligen Servergruppe. + + + Controls how to color tabs based on the server group of their active connection + Steuert die Farbe von Registerkarten basierend auf der Servergruppe der aktiven Verbindung. + + + Controls whether to show the connection info for a tab in the title. + Legt fest, ob die Verbindungsinformationen für eine Registerkarte im Titel angezeigt werden. + + + Prompt to save generated SQL files + Aufforderung zum Speichern generierter SQL-Dateien + + + Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call or query execution. Any selected text in the query editor will be passed as a parameter at the end of your query, or you can reference it with {arg} + Legen Sie "workbench.action.query.shortcut{0}" für die Tastenzuordnung fest, um den Verknüpfungstext als Prozeduraufruf oder Abfrageausführung auszuführen. Der ausgewählte Text im Abfrage-Editor wird am Ende der Abfrage als Parameter übergeben, oder Sie können mit "{arg}" darauf verweisen. + + + + + + + New Query + Neue Abfrage + + + Run + Ausführen + + + Cancel + Abbrechen + + + Explain + Erklärung + + + Actual + Tatsächlich + + + Disconnect + Trennen + + + Change Connection + Verbindung ändern + + + Connect + Verbinden + + + Enable SQLCMD + SQLCMD aktivieren + + + Disable SQLCMD + SQLCMD deaktivieren + + + Select Database + Datenbank auswählen + + + Failed to change database + Fehler beim Ändern der Datenbank. + + + Failed to change database: {0} + Fehler beim Ändern der Datenbank: {0} + + + Export as Notebook + Als Notebook exportieren + + + + + + + Query Editor + Query Editor + + + + + + + Results + Ergebnisse + + + Messages + Meldungen + + + + + + + Time Elapsed + Verstrichene Zeit + + + Row Count + Zeilenanzahl + + + {0} rows + {0} Zeilen + + + Executing query... + Abfrage wird ausgeführt... + + + Execution Status + Ausführungsstatus + + + Selection Summary + Zusammenfassung der Auswahl + + + Average: {0} Count: {1} Sum: {2} + Durchschnitt: {0}, Anzahl: {1}, Summe: {2} + + + + + + + Results Grid and Messages + Ergebnisraster und Meldungen + + + Controls the font family. + Steuert die Schriftfamilie. + + + Controls the font weight. + Steuert die Schriftbreite. + + + Controls the font size in pixels. + Legt die Schriftgröße in Pixeln fest. + + + Controls the letter spacing in pixels. + Legt den Abstand der Buchstaben in Pixeln fest. + + + Controls the row height in pixels + Legt die Zeilenhöhe in Pixeln fest. + + + Controls the cell padding in pixels + Legt den Zellenabstand in Pixeln fest. + + + Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells + Hiermit wird die Spaltenbreite der ersten Ergebnisse automatisch angepasst. Diese Einstellung kann bei einer großen Anzahl von Spalten oder großen Zellen zu Leistungsproblemen führen. + + + The maximum width in pixels for auto-sized columns + Die maximale Breite in Pixeln für Spalten mit automatischer Größe + + + + + + + Toggle Query History + Abfrageverlauf umschalten + + + Delete + Löschen + + + Clear All History + Gesamten Verlauf löschen + + + Open Query + Abfrage öffnen + + + Run Query + Abfrage ausführen + + + Toggle Query History capture + Erfassung des Abfrageverlaufs umschalten + + + Pause Query History Capture + Erfassung des Abfrageverlaufs anhalten + + + Start Query History Capture + Erfassung des Abfrageverlaufs starten + + + + + + + succeeded + Erfolgreich + + + failed + Fehlerhaft + + + + + + + No queries to display. + Keine Abfragen zur Anzeige vorhanden. + + + Query History + QueryHistory + Abfrageverlauf + + + + + + + QueryHistory + Abfrageverlauf + + + Whether Query History capture is enabled. If false queries executed will not be captured. + Gibt an, ob die Erfassung des Abfrageverlaufs aktiviert ist. Bei Festlegung auf FALSE werden ausgeführte Abfragen nicht erfasst. + + + Clear All History + Gesamten Verlauf löschen + + + Pause Query History Capture + Erfassung des Abfrageverlaufs anhalten + + + Start Query History Capture + Erfassung des Abfrageverlaufs starten + + + View + Sicht + + + &&Query History + && denotes a mnemonic + &&Abfrageverlauf + + + Query History + Abfrageverlauf + + + + + + + Query Plan + Abfrageplan + + + + + + + Query Plan Editor + Query Plan Editor + + + + + + + Operation + Vorgang + + + Object + Objekt + + + Est Cost + Geschätzte Kosten + + + Est Subtree Cost + Geschätzte Kosten für Unterstruktur + + + Actual Rows + Tatsächliche Zeilen + + + Est Rows + Geschätzte Zeilen + + + Actual Executions + Tatsächliche Ausführungen + + + Est CPU Cost + Geschätzte CPU-Kosten + + + Est IO Cost + Geschätzte E/A-Kosten + + + Parallel + Parallel + + + Actual Rebinds + Tatsächliche erneute Bindungen + + + Est Rebinds + Geschätzte erneute Bindungen + + + Actual Rewinds + Tatsächliche Rückläufe + + + Est Rewinds + Geschätzte Rückläufe + + + Partitioned + Partitioniert + + + Top Operations + Wichtigste Vorgänge + + + + + + + Resource Viewer + Ressourcen-Viewer + + + + + + + Refresh + Aktualisieren + + + + + + + Error opening link : {0} + Fehler beim Öffnen des Links: {0} + + + Error executing command '{0}' : {1} + Fehler beim Ausführen des Befehls "{0}": {1} + + + + + + + Resource Viewer Tree + Ressourcen-Viewer-Struktur + + + + + + + Identifier of the resource. + Bezeichner der Ressource. + + + The human-readable name of the view. Will be shown + Der lesbare Name der Sicht. Dieser wird angezeigt. + + + Path to the resource icon. + Pfad zum Ressourcensymbol. + + + Contributes resource to the resource view + Trägt die Ressource zur Ressourcenansicht bei. + + + property `{0}` is mandatory and must be of type `string` + Die Eigenschaft "{0}" ist erforderlich und muss vom Typ "string" sein. + + + property `{0}` can be omitted or must be of type `string` + Die Eigenschaft "{0}" kann ausgelassen werden oder muss vom Typ "string" sein. + + + + + + + Restore + Wiederherstellen + + + Restore + Wiederherstellen + + + + + + + You must enable preview features in order to use restore + Sie müssen die Vorschaufeatures aktivieren, um die Wiederherstellung zu verwenden. + + + Restore command is not supported outside of a server context. Please select a server or database and try again. + Der Wiederherstellungsbefehl wird außerhalb eines Serverkontexts nicht unterstützt. Wählen Sie einen Server oder eine Datenbank aus, und versuchen Sie es noch mal. + + + Restore command is not supported for Azure SQL databases. + Der Wiederherstellungsbefehl wird für Azure SQL-Datenbank-Instanzen nicht unterstützt. + + + Restore + Wiederherstellen + + + + + + + Script as Create + Skripterstellung als CREATE + + + Script as Drop + Skripterstellung als DROP + + + Select Top 1000 + Oberste 1000 auswählen + + + Script as Execute + Skripterstellung als EXECUTE + + + Script as Alter + Skripterstellung als ALTER + + + Edit Data + Daten bearbeiten + + + Select Top 1000 + Oberste 1000 auswählen + + + Take 10 + 10 zurückgeben + + + Script as Create + Skripterstellung als CREATE + + + Script as Execute + Skripterstellung als EXECUTE + + + Script as Alter + Skripterstellung als ALTER + + + Script as Drop + Skripterstellung als DROP + + + Refresh + Aktualisieren + + + + + + + An error occurred refreshing node '{0}': {1} + Fehler beim Aktualisieren des Knotens "{0}": {1} + + + + + + + {0} in progress tasks + {0} Aufgaben werden ausgeführt + + + View + Sicht + + + Tasks + Aufgaben + + + &&Tasks + && denotes a mnemonic + &&Aufgaben + + + + + + + Toggle Tasks + Aufgaben umschalten + + + + + + + succeeded + Erfolgreich + + + failed + Fehlerhaft + + + in progress + In Bearbeitung + + + not started + Nicht gestartet + + + canceled + Abgebrochen + + + canceling + Wird abgebrochen + + + + + + + No task history to display. + Kein Aufgabenverlauf zur Anzeige vorhanden. + + + Task history + TaskHistory + Aufgabenverlauf + + + Task error + Aufgabenfehler + + + + + + + Cancel + Abbrechen + + + The task failed to cancel. + Der Task konnte nicht abgebrochen werden. + + + Script + Skript + + + + + + + There is no data provider registered that can provide view data. + Es ist kein Datenanbieter registriert, der Sichtdaten bereitstellen kann. + + + Refresh + Aktualisieren + + + Collapse All + Alle reduzieren + + + Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. + Fehler beim Ausführen des Befehls {1}: {0}. Dies wird vermutlich durch die Erweiterung verursacht, die {1} beiträgt. + + + + + + + OK + OK + + + Close + Schließen + + + + + + + Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? + Vorschaufeatures verbessern die Benutzerfreundlichkeit von Azure Data Studio, indem sie Ihnen Vollzugriff auf neue Features und Verbesserungen ermöglichen. Weitere Informationen zu Vorschaufeatures finden Sie [hier]({0}). Möchten Sie Vorschaufeatures aktivieren? + + + Yes (recommended) + Ja (empfohlen) + + + No + Nein + + + No, don't show again + Nein, nicht mehr anzeigen + + + + + + + This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. + Diese Featureseite befindet sich in der Vorschauphase. Durch die Vorschaufeatures werden neue Funktionen eingeführt, die demnächst als dauerhafter Bestandteil in das Produkt integriert werden. Sie sind stabil, erfordern jedoch zusätzliche Verbesserungen im Hinblick auf die Barrierefreiheit. Wir freuen uns über Ihr frühes Feedback, solange die Features noch entwickelt werden. + + + Preview + Vorschau + + + Create a connection + Verbindung erstellen + + + Connect to a database instance through the connection dialog. + Stellen Sie über das Verbindungsdialogfeld eine Verbindung mit einer Datenbankinstanz her. + + + Run a query + Abfrage ausführen + + + Interact with data through a query editor. + Interagieren Sie mit Daten über einen Abfrage-Editor. + + + Create a notebook + Notebook erstellen + + + Build a new notebook using a native notebook editor. + Erstellen Sie ein neues Notebook mithilfe eines nativen Notebook-Editors. + + + Deploy a server + Server bereitstellen + + + Create a new instance of a relational data service on the platform of your choice. + Erstellen Sie eine neue Instanz eines relationalen Datendiensts auf der Plattform Ihrer Wahl. + + + Resources + Ressourcen + + + History + Verlauf + + + Name + Name + + + Location + Standort + + + Show more + Mehr anzeigen + + + Show welcome page on startup + Beim Start Willkommensseite anzeigen + + + Useful Links + Nützliche Links + + + Getting Started + Erste Schritte + + + Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. + Lernen Sie die von Azure Data Studio bereitgestellten Funktionen kennen, und erfahren Sie, wie Sie diese optimal nutzen können. + + + Documentation + Dokumentation + + + Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. + Im Dokumentationscenter finden Sie Schnellstarts, Anleitungen und Referenzdokumentation zu PowerShell, APIs usw. + + + Videos + Videos + + + Overview of Azure Data Studio + Übersicht über Azure Data Studio + + + Introduction to Azure Data Studio Notebooks | Data Exposed + Einführung in Azure Data Studio-Notebooks | Verfügbare Daten + + + Extensions + Erweiterungen + + + Show All + Alle anzeigen + + + Learn more + Weitere Informationen + + + + + + + Connections + Verbindungen + + + Connect, query, and manage your connections from SQL Server, Azure, and more. + Über SQL Server, Azure und weitere Plattformen können Sie Verbindungen herstellen, abfragen und verwalten. + + + 1 + 1 + + + Next + Weiter + + + Notebooks + Notebooks + + + Get started creating your own notebook or collection of notebooks in a single place. + Beginnen Sie an einer zentralen Stelle mit der Erstellung Ihres eigenen Notebooks oder einer Sammlung von Notebooks. + + + 2 + 2 + + + Extensions + Erweiterungen + + + Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). + Erweitern Sie die Funktionalität von Azure Data Studio durch die Installation von Erweiterungen, die von uns/Microsoft und von der Drittanbietercommunity (von Ihnen!) entwickelt wurden. + + + 3 + 3 + + + Settings + Einstellungen + + + Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. + Passen Sie Azure Data Studio basierend auf Ihren Einstellungen an. Sie können Einstellungen wie automatisches Speichern und Registerkartengröße konfigurieren, Ihre Tastenkombinationen personalisieren und zu einem Farbdesign Ihrer Wahl wechseln. + + + 4 + 4 + + + Welcome Page + Willkommensseite + + + Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. + Entdecken Sie wichtige Features, zuletzt geöffneten Dateien und empfohlene Erweiterungen auf der Willkommensseite. Weitere Informationen zum Einstieg in Azure Data Studio finden Sie in den Videos und in der Dokumentation. + + + 5 + 5 + + + Finish + Fertig stellen + + + User Welcome Tour + Einführungstour für Benutzer + + + Hide Welcome Tour + Einführungstour ausblenden + + + Read more + Weitere Informationen + + + Help + Hilfe + + + + + + + Welcome + Willkommen + + + SQL Admin Pack + SQL-Administratorpaket + + + SQL Admin Pack + SQL-Administratorpaket + + + Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server + Das Administratorpaket für SQL Server ist eine Sammlung gängiger Erweiterungen für die Datenbankverwaltung, die Sie beim Verwalten von SQL Server unterstützen. + + + SQL Server Agent + SQL Server-Agent + + + SQL Server Profiler + SQL Server Profiler + + + SQL Server Import + SQL Server-Import + + + SQL Server Dacpac + SQL Server-DACPAC + + + Powershell + PowerShell + + + Write and execute PowerShell scripts using Azure Data Studio's rich query editor + Hiermit werden PowerShell-Skripts mithilfe des umfangreichen Abfrage-Editors von Azure Data Studio geschrieben und ausgeführt. + + + Data Virtualization + Datenvirtualisierung + + + Virtualize data with SQL Server 2019 and create external tables using interactive wizards + Hiermit werden Daten mit SQL Server 2019 virtualisiert und externe Tabellen mithilfe interaktiver Assistenten erstellt. + + + PostgreSQL + PostgreSQL + + + Connect, query, and manage Postgres databases with Azure Data Studio + Mit Azure Data Studio können Sie PostgreSQL-Datenbanken verbinden, abfragen und verwalten. + + + Support for {0} is already installed. + Unterstützung für {0} ist bereits installiert. + + + The window will reload after installing additional support for {0}. + Nach dem Installieren zusätzlicher Unterstützung für {0} wird das Fenster neu geladen. + + + Installing additional support for {0}... + Zusätzliche Unterstützung für {0} wird installiert... + + + Support for {0} with id {1} could not be found. + Unterstützung für {0} mit der ID {1} wurde nicht gefunden. + + + New connection + Neue Verbindung + + + New query + Neue Abfrage + + + New notebook + Neues Notebook + + + Deploy a server + Server bereitstellen + + + Welcome + Willkommen + + + New + Neu + + + Open… + Öffnen… + + + Open file… + Datei öffnen… + + + Open folder… + Ordner öffnen… + + + Start Tour + Tour starten + + + Close quick tour bar + Leiste für Schnelleinführung schließen + + + Would you like to take a quick tour of Azure Data Studio? + Möchten Sie eine kurze Einführung in Azure Data Studio erhalten? + + + Welcome! + Willkommen! + + + Open folder {0} with path {1} + Ordner {0} mit Pfad {1} öffnen + + + Install + Installieren + + + Install {0} keymap + Tastenzuordnung {0} öffnen + + + Install additional support for {0} + Zusätzliche Unterstützung für {0} installieren + + + Installed + Installiert + + + {0} keymap is already installed + Die Tastaturzuordnung {0} ist bereits installiert. + + + {0} support is already installed + Unterstützung für {0} ist bereits installiert. + + + OK + OK + + + Details + Details + + + Background color for the Welcome page. + Hintergrundfarbe für die Startseite. + + + + + + + Azure Data Studio + Azure Data Studio + + + Start + Starten + + + New connection + Neue Verbindung + + + New query + Neue Abfrage + + + New notebook + Neues Notebook + + + Open file + Datei öffnen + + + Open file + Datei öffnen + + + Deploy + Bereitstellen + + + New Deployment… + Neue Bereitstellung… + + + Recent + Zuletzt verwendet + + + More... + Mehr... + + + No recent folders + Keine kürzlich verwendeten Ordner + + + Help + Hilfe + + + Getting started + Erste Schritte + + + Documentation + Dokumentation + + + Report issue or feature request + Problem melden oder Feature anfragen + + + GitHub repository + GitHub-Repository + + + Release notes + Versionshinweise + + + Show welcome page on startup + Beim Start Willkommensseite anzeigen + + + Customize + Anpassen + + + Extensions + Erweiterungen + + + Download extensions that you need, including the SQL Server Admin pack and more + Laden Sie die von Ihnen benötigten Erweiterungen herunter, z. B. die SQL Server-Verwaltungsprogramme und mehr. + + + Keyboard Shortcuts + Tastenkombinationen + + + Find your favorite commands and customize them + Bevorzugte Befehle finden und anpassen + + + Color theme + Farbdesign + + + Make the editor and your code look the way you love + Passen Sie das Aussehen von Editor und Code an Ihre Wünsche an. + + + Learn + Informationen + + + Find and run all commands + Alle Befehle suchen und ausführen + + + Rapidly access and search commands from the Command Palette ({0}) + Über die Befehlspalette ({0}) können Sie schnell auf Befehle zugreifen und nach Befehlen suchen. + + + Discover what's new in the latest release + Neuerungen in der aktuellen Version erkunden + + + New monthly blog posts each month showcasing our new features + Monatliche Vorstellung neuer Features in Blogbeiträgen + + + Follow us on Twitter + Folgen Sie uns auf Twitter + + + Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. + Informieren Sie sich darüber, wie die Community Azure Data Studio verwendet, und kommunizieren Sie direkt mit den Technikern. + + + + + + + Accounts + Konten + + + Linked accounts + Verknüpfte Konten + + + Close + Schließen + + + There is no linked account. Please add an account. + Es ist kein verknüpftes Konto vorhanden. Fügen Sie ein Konto hinzu. + + + Add an account + Konto hinzufügen + + + You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud + Es sind keine Clouds aktiviert. Wechseln Sie zu "Einstellungen", durchsuchen Sie die Azure-Kontokonfiguration, und aktivieren Sie mindestens eine Cloud. + + + You didn't select any authentication provider. Please try again. + Sie haben keinen Authentifizierungsanbieter ausgewählt. Versuchen Sie es noch mal. + + + + + + + Error adding account + Fehler beim Hinzufügen des Kontos + + + + + + + You need to refresh the credentials for this account. + Die Anmeldeinformationen für dieses Konto müssen aktualisiert werden. + + + + + + + Close + Schließen + + + Adding account... + Konto wird hinzugefügt... + + + Refresh account was canceled by the user + Die Kontoaktualisierung wurde durch den Benutzer abgebrochen. + + + + + + + Azure account + Azure-Konto + + + Azure tenant + Azure-Mandant + + + + + + + Copy & Open + Kopieren und öffnen + + + Cancel + Abbrechen + + + User code + Benutzercode + + + Website + Website + + + + + + + Cannot start auto OAuth. An auto OAuth is already in progress. + Starten einer automatischen OAuth-Authentifizierung nicht möglich. Es wird bereits eine automatische OAuth-Authentifizierung ausgeführt. + + + + + + + Connection is required in order to interact with adminservice + Für eine Interaktion mit dem Verwaltungsdienst ist eine Verbindung erforderlich. + + + No Handler Registered + Kein Handler registriert. + + + + + + + Connection is required in order to interact with Assessment Service + Für die Interaktion mit dem Bewertungsdienst ist eine Verbindung erforderlich. + + + No Handler Registered + Kein Handler registriert. + + + + + + + Advanced Properties + Erweiterte Eigenschaften + + + Discard + Verwerfen + + + + + + + Server Description (optional) + Serverbeschreibung (optional) + + + + + + + Clear List + Liste löschen + + + Recent connections list cleared + Die Liste der zuletzt verwendeten Verbindungen wurde gelöscht. + + + Yes + Ja + + + No + Nein + + + Are you sure you want to delete all the connections from the list? + Möchten Sie alle Verbindungen aus der Liste löschen? + + + Yes + Ja + + + No + Nein + + + Delete + Löschen + + + Get Current Connection String + Aktuelle Verbindungszeichenfolge abrufen + + + Connection string not available + Die Verbindungszeichenfolge ist nicht verfügbar. + + + No active connection available + Keine aktive Verbindung verfügbar. + + + + + + + Browse + Durchsuchen + + + Type here to filter the list + Geben Sie hier Text ein, um die Liste zu filtern + + + Filter connections + Verbindungen filtern + + + Applying filter + Filter wird angewendet. + + + Removing filter + Filter wird entfernt. + + + Filter applied + Filter angewendet + + + Filter removed + Filter entfernt + + + Saved Connections + Gespeicherte Verbindungen + + + Saved Connections + Gespeicherte Verbindungen + + + Connection Browser Tree + Struktur des Verbindungsbrowsers + + + + + + + Connection error + Verbindungsfehler + + + Connection failed due to Kerberos error. + Fehler bei Verbindung aufgrund eines Kerberos-Fehlers. + + + Help configuring Kerberos is available at {0} + Hilfe zum Konfigurieren von Kerberos finden Sie hier: {0} + + + If you have previously connected you may need to re-run kinit. + Wenn Sie zuvor eine Verbindung hergestellt haben, müssen Sie "kinit" möglicherweise erneut ausführen. + + + + + + + Connection + Verbindung + + + Connecting + Verbindung wird hergestellt + + + Connection type + Verbindungstyp + + + Recent + Zuletzt verwendet + + + Connection Details + Verbindungsdetails + + + Connect + Verbinden + + + Cancel + Abbrechen + + + Recent Connections + Letzte Verbindungen + + + No recent connection + Keine aktuelle Verbindung + + + + + + + Failed to get Azure account token for connection + Fehler beim Abrufen des Azure-Kontotokens für die Verbindung. + + + Connection Not Accepted + Verbindung nicht akzeptiert. + + + Yes + Ja + + + No + Nein + + + Are you sure you want to cancel this connection? + Möchten Sie diese Verbindung abbrechen? + + + + + + + Add an account... + Konto hinzufügen... + + + <Default> + <Standard> + + + Loading... + Wird geladen... + + + Server group + Servergruppe + + + <Default> + <Standard> + + + Add new group... + Neue Gruppe hinzufügen... + + + <Do not save> + <Nicht speichern> + + + {0} is required. + "{0}" ist erforderlich. + + + {0} will be trimmed. + "{0}" wird gekürzt. + + + Remember password + Kennwort speichern + + + Account + Konto + + + Refresh account credentials + Kontoanmeldeinformationen aktualisieren + + + Azure AD tenant + Azure AD-Mandant + + + Name (optional) + Name (optional) + + + Advanced... + Erweitert... + + + You must select an account + Sie müssen ein Konto auswählen. + + + + + + + Connected to + Verbunden mit + + + Disconnected + Getrennt + + + Unsaved Connections + Nicht gespeicherte Verbindungen + + + + + + + Open dashboard extensions + Dashboarderweiterungen öffnen + + + OK + OK + + + Cancel + Abbrechen + + + No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. + Aktuell sind keine Dashboarderweiterungen installiert. Wechseln Sie zum Erweiterungs-Manager, um die empfohlenen Erweiterungen zu erkunden. + + + + + + + Step {0} + Schritt {0} + + + + + + + Done + Fertig + + + Cancel + Abbrechen + + + + + + + Initialize edit data session failed: + Fehler beim Initialisieren der Datenbearbeitungssitzung: + + + + + + + OK + OK + + + Close + Schließen + + + Action + Aktion + + + Copy details + Details kopieren + + + + + + + Error + Fehler + + + Warning + Warnung + + + Info + Info + + + Ignore + Ignorieren + + + + + + + Selected path + Ausgewählter Pfad + + + Files of type + Dateien vom Typ + + + OK + OK + + + Discard + Verwerfen + + + + + + + Select a file + Datei auswählen + + + + + + + File browser tree + FileBrowserTree + Dateibrowserstruktur + + + + + + + An error occured while loading the file browser. + Fehler beim Laden des Dateibrowsers. + + + File browser error + Fehler beim Dateibrowser + + + + + + + All files + Alle Dateien + + + + + + + Copy Cell + Zelle kopieren + + + + + + + No Connection Profile was passed to insights flyout + Es wurde kein Verbindungsprofil an das Flyout mit Erkenntnissen übergeben. + + + Insights error + Erkenntnisfehler + + + There was an error reading the query file: + Fehler beim Lesen der Abfragedatei: + + + There was an error parsing the insight config; could not find query array/string or queryfile + Fehler beim Analysieren der Konfiguration für Erkenntnisse. Das Abfragearray/die Abfragezeichenfolge oder die Abfragedatei wurde nicht gefunden. + + + + + + + Item + Element + + + Value + Wert + + + Insight Details + Details zu Erkenntnissen + + + Property + Eigenschaft + + + Value + Wert + + + Insights + Erkenntnisse + + + Items + Elemente + + + Item Details + Details zum Element + + + + + + + Could not find query file at any of the following paths : + {0} + Die Abfragedatei wurde in keinem der folgenden Pfade gefunden: +{0} + + + + + + + Failed + Fehlerhaft + + + Succeeded + Erfolgreich + + + Retry + Wiederholen + + + Cancelled + Abgebrochen + + + In Progress + In Bearbeitung + + + Status Unknown + Status unbekannt + + + Executing + Wird ausgeführt + + + Waiting for Thread + Warten auf Thread + + + Between Retries + Zwischen Wiederholungen + + + Idle + Im Leerlauf + + + Suspended + Angehalten + + + [Obsolete] + [Veraltet] + + + Yes + Ja + + + No + Nein + + + Not Scheduled + Nicht geplant + + + Never Run + Nie ausführen + + + + + + + Connection is required in order to interact with JobManagementService + Für die Interaktion mit "JobManagementService" ist eine Verbindung erforderlich. + + + No Handler Registered + Kein Handler registriert. + + + + + + + SQL + SQL + + + @@ -7256,6 +6910,22 @@ Fehler: {1} + + + + An error occurred while starting the notebook session + Fehler beim Starten der Notebook-Sitzung. + + + Server did not start for unknown reason + Der Server wurde aus unbekannten Gründen nicht gestartet. + + + Kernel {0} was not found. The default kernel will be used instead. + Der Kernel "{0}" wurde nicht gefunden. Es wird stattdessen der Standardkernel verwendet. + + + @@ -7268,11 +6938,738 @@ Fehler: {1} - + - - Changing editor types on unsaved files is unsupported - Das Ändern von Editor-Typen für nicht gespeicherte Dateien wird nicht unterstützt. + + # Injected-Parameters + + # Eingefügte Parameter + + + + Please select a connection to run cells for this kernel + Wählen Sie eine Verbindung zum Ausführen von Zellen für diesen Kernel aus. + + + Failed to delete cell. + Fehler beim Löschen der Zelle. + + + Failed to change kernel. Kernel {0} will be used. Error was: {1} + Der Kernel konnte nicht geändert werden. Es wird der Kernel "{0}" verwendet. Fehler: {1} + + + Failed to change kernel due to error: {0} + Der Kernel konnte aufgrund des folgenden Fehlers nicht geändert werden: {0} + + + Changing context failed: {0} + Fehler beim Ändern des Kontexts: {0} + + + Could not start session: {0} + Sitzung konnte nicht gestartet werden: {0} + + + A client session error occurred when closing the notebook: {0} + Clientsitzungsfehler beim Schließen des Notebooks "{0}". + + + Can't find notebook manager for provider {0} + Der Notebook-Manager für den Anbieter "{0}" wurde nicht gefunden. + + + + + + + No URI was passed when creating a notebook manager + Bei der Erstellung eines Notebook-Managers wurde kein URI übergeben. + + + Notebook provider does not exist + Der Notebook-Anbieter ist nicht vorhanden. + + + + + + + A view with the name {0} already exists in this notebook. + Eine Ansicht mit dem Namen {0} ist in diesem Notizbuch bereits vorhanden. + + + + + + + SQL kernel error + SQL-Kernelfehler + + + A connection must be chosen to run notebook cells + Sie müssen eine Verbindung auswählen, um Notebook-Zellen auszuführen. + + + Displaying Top {0} rows. + Die ersten {0} Zeilen werden angezeigt. + + + + + + + Rich Text + Rich Text + + + Split View + Geteilte Ansicht + + + Markdown + Markdown + + + + + + + nbformat v{0}.{1} not recognized + nbformat v{0}.{1} nicht erkannt. + + + This file does not have a valid notebook format + Diese Datei weist kein gültiges Notebook-Format auf. + + + Cell type {0} unknown + Unbekannter Zellentyp "{0}". + + + Output type {0} not recognized + Der Ausgabetyp "{0}" wurde nicht erkannt. + + + Data for {0} is expected to be a string or an Array of strings + Als Daten für "{0}" wird eine Zeichenfolge oder ein Array aus Zeichenfolgen erwartet. + + + Output type {0} not recognized + Der Ausgabetyp "{0}" wurde nicht erkannt. + + + + + + + Identifier of the notebook provider. + Bezeichner des Notebook-Anbieters. + + + What file extensions should be registered to this notebook provider + Gibt an, welche Dateierweiterungen für diesen Notebook-Anbieter registriert werden sollen. + + + What kernels should be standard with this notebook provider + Gibt an, welche Kernel für diesen Notebook-Anbieter als Standard festgelegt werden sollen. + + + Contributes notebook providers. + Stellt Notebook-Anbieter zur Verfügung. + + + Name of the cell magic, such as '%%sql'. + Name des Magic-Befehls für die Zelle, z. B. "%%sql". + + + The cell language to be used if this cell magic is included in the cell + Die zu verwendende Zellensprache, wenn dieser Zellen-Magic-Befehl in der Zelle enthalten ist. + + + Optional execution target this magic indicates, for example Spark vs SQL + Optionales Ausführungsziel, das von diesem Magic-Befehl angegeben wird, z. B. Spark oder SQL + + + Optional set of kernels this is valid for, e.g. python3, pyspark, sql + Optionaler Kernelsatz, auf den dies zutrifft, z. B. python3, pyspark, sql + + + Contributes notebook language. + Stellt die Notebook-Sprache zur Verfügung. + + + + + + + Loading... + Wird geladen... + + + + + + + Refresh + Aktualisieren + + + Edit Connection + Verbindung bearbeiten + + + Disconnect + Trennen + + + New Connection + Neue Verbindung + + + New Server Group + Neue Servergruppe + + + Edit Server Group + Servergruppe bearbeiten + + + Show Active Connections + Aktive Verbindungen anzeigen + + + Show All Connections + Alle Verbindungen anzeigen + + + Delete Connection + Verbindung löschen + + + Delete Group + Gruppe löschen + + + + + + + Failed to create Object Explorer session + Fehler beim Erstellen der Objekt-Explorer-Sitzung. + + + Multiple errors: + Mehrere Fehler: + + + + + + + Cannot expand as the required connection provider '{0}' was not found + Erweiterung nicht möglich, weil der erforderliche Verbindungsanbieter "{0}" nicht gefunden wurde. + + + User canceled + Vom Benutzer abgebrochen + + + Firewall dialog canceled + Firewalldialogfeld abgebrochen + + + + + + + Loading... + Wird geladen... + + + + + + + Recent Connections + Letzte Verbindungen + + + Servers + Server + + + Servers + Server + + + + + + + Sort by event + Nach Ereignis sortieren + + + Sort by column + Nach Spalte sortieren + + + Profiler + Profiler + + + OK + OK + + + Cancel + Abbrechen + + + + + + + Clear all + Alle löschen + + + Apply + Anwenden + + + OK + OK + + + Cancel + Abbrechen + + + Filters + Filter + + + Remove this clause + Diese Klausel entfernen + + + Save Filter + Filter speichern + + + Load Filter + Filter laden + + + Add a clause + Klausel hinzufügen + + + Field + Feld + + + Operator + Operator + + + Value + Wert + + + Is Null + Ist NULL + + + Is Not Null + Ist nicht NULL + + + Contains + Enthält + + + Not Contains + Enthält nicht + + + Starts With + Beginnt mit + + + Not Starts With + Beginnt nicht mit + + + + + + + Commit row failed: + Fehler bei Zeilencommit: + + + Started executing query at + Ausführung der Abfrage gestartet um + + + Started executing query "{0}" + Die Ausführung der Abfrage "{0}" wurde gestartet. + + + Line {0} + Zeile {0} + + + Canceling the query failed: {0} + Fehler beim Abbrechen der Abfrage: {0} + + + Update cell failed: + Fehler beim Aktualisieren der Zelle: + + + + + + + Execution failed due to an unexpected error: {0} {1} + Die Ausführung war aufgrund eines unerwarteten Fehlers nicht möglich: {0} {1} + + + Total execution time: {0} + Ausführungszeit gesamt: {0} + + + Started executing query at Line {0} + Die Abfrageausführung wurde in Zeile {0} gestartet. + + + Started executing batch {0} + Die Ausführung von Batch "{0}" wurde gestartet. + + + Batch execution time: {0} + Batchausführungszeit: {0} + + + Copy failed with error {0} + Fehler beim Kopieren: {0} + + + + + + + Failed to save results. + Fehler beim Speichern der Ergebnisse. + + + Choose Results File + Ergebnisdatei auswählen + + + CSV (Comma delimited) + CSV (durch Trennzeichen getrennte Datei) + + + JSON + JSON + + + Excel Workbook + Excel-Arbeitsmappe + + + XML + XML + + + Plain Text + Nur-Text + + + Saving file... + Datei wird gespeichert... + + + Successfully saved results to {0} + Ergebnisse wurden erfolgreich in "{0}" gespeichert. + + + Open file + Datei öffnen + + + + + + + From + Von + + + To + An + + + Create new firewall rule + Neue Firewallregel erstellen + + + OK + OK + + + Cancel + Abbrechen + + + Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. + Ihre Client-IP-Adresse hat keinen Zugriff auf den Server. Melden Sie sich bei einem Azure-Konto an, und erstellen Sie eine neue Firewallregel für die Aktivierung des Zugriffs. + + + Learn more about firewall settings + Weitere Informationen zu Firewalleinstellungen + + + Firewall rule + Firewallregel + + + Add my client IP + Meine Client-IP-Adresse hinzufügen + + + Add my subnet IP range + Meinen Subnetz-IP-Adressbereich hinzufügen + + + + + + + Error adding account + Fehler beim Hinzufügen des Kontos + + + Firewall rule error + Fehler bei Firewallregel + + + + + + + Backup file path + Pfad zur Sicherungsdatei + + + Target database + Zieldatenbank + + + Restore + Wiederherstellen + + + Restore database + Datenbank wiederherstellen + + + Database + Datenbank + + + Backup file + Sicherungsdatei + + + Restore database + Datenbank wiederherstellen + + + Cancel + Abbrechen + + + Script + Skript + + + Source + Quelle + + + Restore from + Wiederherstellen aus + + + Backup file path is required. + Sie müssen einen Pfad für die Sicherungsdatei angeben. + + + Please enter one or more file paths separated by commas + Geben Sie einen oder mehrere Dateipfade (durch Kommas getrennt) ein. + + + Database + Datenbank + + + Destination + Ziel + + + Restore to + Wiederherstellen in + + + Restore plan + Wiederherstellungsplan + + + Backup sets to restore + Wiederherzustellende Sicherungssätze + + + Restore database files as + Datenbankdateien wiederherstellen als + + + Restore database file details + Details zu Datenbankdateien wiederherstellen + + + Logical file Name + Logischer Dateiname + + + File type + Dateityp + + + Original File Name + Ursprünglicher Dateiname + + + Restore as + Wiederherstellen als + + + Restore options + Wiederherstellungsoptionen + + + Tail-Log backup + Sicherung des Protokollfragments + + + Server connections + Serververbindungen + + + General + Allgemein + + + Files + Dateien + + + Options + Optionen + + + + + + + Backup Files + Sicherungsdateien + + + All Files + Alle Dateien + + + + + + + Server Groups + Servergruppen + + + OK + OK + + + Cancel + Abbrechen + + + Server group name + Name der Servergruppe + + + Group name is required. + Der Gruppenname ist erforderlich. + + + Group description + Gruppenbeschreibung + + + Group color + Gruppenfarbe + + + + + + + Add server group + Servergruppe hinzufügen + + + Edit server group + Servergruppe bearbeiten + + + + + + + 1 or more tasks are in progress. Are you sure you want to quit? + Mindestens eine Aufgabe wird zurzeit ausgeführt. Möchten Sie den Vorgang abbrechen? + + + Yes + Ja + + + No + Nein + + + + + + + Get Started + Erste Schritte + + + Show Getting Started + "Erste Schritte" anzeigen + + + Getting &&Started + && denotes a mnemonic + Erste &&Schritte diff --git a/resources/xlf/es/admin-tool-ext-win.es.xlf b/resources/xlf/es/admin-tool-ext-win.es.xlf index 9cbaf54769..8e5074d720 100644 --- a/resources/xlf/es/admin-tool-ext-win.es.xlf +++ b/resources/xlf/es/admin-tool-ext-win.es.xlf @@ -20,7 +20,7 @@ - + No ConnectionContext provided for handleLaunchSsmsMinPropertiesDialogCommand diff --git a/resources/xlf/es/agent.es.xlf b/resources/xlf/es/agent.es.xlf index 1307b4f78a..bc8793c4c8 100644 --- a/resources/xlf/es/agent.es.xlf +++ b/resources/xlf/es/agent.es.xlf @@ -1,230 +1,18 @@  - + - - New Schedule - Nueva programación - - + OK Aceptar - + Cancel Cancelar - - Schedule Name - Nombre de la programación - - - Schedules - Programaciones - - - - - Create Proxy - Crear proxy - - - Edit Proxy - Editar Proxy - - - General - General - - - Proxy name - Nombre del proxy - - - Credential name - Nombre de credencial - - - Description - Descripción - - - Subsystem - Subsistema - - - Operating system (CmdExec) - Sistema operativo (CmdExec) - - - Replication Snapshot - Instantánea de replicación - - - Replication Transaction-Log Reader - Lector del registro de transacciones de replicación - - - Replication Distributor - Distribuidor de replicación - - - Replication Merge - Fusión de replicación - - - Replication Queue Reader - Lector de cola de replicación - - - SQL Server Analysis Services Query - Consulta de SQL Server Analysis Services - - - SQL Server Analysis Services Command - Comando de SQL Server Analysis Services - - - SQL Server Integration Services Package - Paquete de SQL Server Integration Services - - - PowerShell - PowerShell - - - Active to the following subsytems - Activo en los subsistemas siguientes - - - - - - - Job Schedules - Programas de trabajos - - - OK - Aceptar - - - Cancel - Cancelar - - - Available Schedules: - Programaciones disponibles: - - - Name - Nombre - - - ID - Id. - - - Description - Descripción - - - - - - - Create Operator - Crear operador - - - Edit Operator - Editar operador - - - General - General - - - Notifications - Notificaciones - - - Name - Nombre - - - Enabled - Habilitado - - - E-mail Name - Nombre de correo electrónico - - - Pager E-mail Name - Nombre de correo electrónico del buscapersonas - - - Monday - Lunes - - - Tuesday - Martes - - - Wednesday - Miércoles - - - Thursday - Jueves - - - Friday - Viernes - - - Saturday - Sábado - - - Sunday - Domingo - - - Workday begin - Inicio del día laborable - - - Workday end - Final del día laborable - - - Pager on duty schedule - Buscapersonas en horario de trabajo - - - Alert list - Lista de alerta - - - Alert name - Nombre de alerta - - - E-mail - Correo electrónico - - - Pager - Buscapersonas - - - - + Locate Database Files - @@ -416,159 +204,39 @@ - + - - General - General + + Job Schedules + Programas de trabajos - - Steps - Pasos + + OK + Aceptar - - Schedules - Programaciones + + Cancel + Cancelar - - Alerts - Alertas + + Available Schedules: + Programaciones disponibles: - - Notifications - Notificaciones - - - The name of the job cannot be blank. - El nombre del trabajo no puede estar en blanco. - - + Name Nombre - - Owner - Propietario + + ID + Id. - - Category - Categoría - - + Description Descripción - - Enabled - Habilitado - - - Job step list - Lista de paso de trabajo - - - Step - Paso - - - Type - Tipo - - - On Success - En caso de éxito - - - On Failure - En caso de error - - - New Step - Nuevo paso - - - Edit Step - Editar paso - - - Delete Step - Eliminar paso - - - Move Step Up - Subir un paso - - - Move Step Down - Bajar un paso - - - Start step - Iniciar paso - - - Actions to perform when the job completes - Acciones para realizar cuando se completa el trabajo - - - Email - Correo electrónico - - - Page - Página - - - Write to the Windows Application event log - Escribir en el registro de eventos de la aplicación de Windows - - - Automatically delete job - Eliminar automáticamente el trabajo - - - Schedules list - Lista de programaciones - - - Pick Schedule - Elegir programación - - - Schedule Name - Nombre de la programación - - - Alerts list - Lista de alertas - - - New Alert - Nueva alerta - - - Alert Name - Nombre de alerta - - - Enabled - Habilitado - - - Type - Tipo - - - New Job - Nuevo trabajo - - - Edit Job - Editar trabajo - - + Create Alert @@ -778,10 +446,6 @@ Additional notification message to send Mensaje de notificación adicional para enviar - - Delay between responses - Retardo entre las respuestas - Delay Minutes Minutos de retardo @@ -792,51 +456,251 @@ - + - - OK - Aceptar + + Create Operator + Crear operador - - Cancel - Cancelar + + Edit Operator + Editar operador + + + General + General + + + Notifications + Notificaciones + + + Name + Nombre + + + Enabled + Habilitado + + + E-mail Name + Nombre de correo electrónico + + + Pager E-mail Name + Nombre de correo electrónico del buscapersonas + + + Monday + Lunes + + + Tuesday + Martes + + + Wednesday + Miércoles + + + Thursday + Jueves + + + Friday + Viernes + + + Saturday + Sábado + + + Sunday + Domingo + + + Workday begin + Inicio del día laborable + + + Workday end + Final del día laborable + + + Pager on duty schedule + Buscapersonas en horario de trabajo + + + Alert list + Lista de alerta + + + Alert name + Nombre de alerta + + + E-mail + Correo electrónico + + + Pager + Buscapersonas - + - - Proxy update failed '{0}' - Error de la actualización de proxy "{0}" + + General + General - - Proxy '{0}' updated successfully - El proxy "{0}" se actualizó correctamente + + Steps + Pasos - - Proxy '{0}' created successfully - Proxy "{0}" creado correctamente + + Schedules + Programaciones + + + Alerts + Alertas + + + Notifications + Notificaciones + + + The name of the job cannot be blank. + El nombre del trabajo no puede estar en blanco. + + + Name + Nombre + + + Owner + Propietario + + + Category + Categoría + + + Description + Descripción + + + Enabled + Habilitado + + + Job step list + Lista de paso de trabajo + + + Step + Paso + + + Type + Tipo + + + On Success + En caso de éxito + + + On Failure + En caso de error + + + New Step + Nuevo paso + + + Edit Step + Editar paso + + + Delete Step + Eliminar paso + + + Move Step Up + Subir un paso + + + Move Step Down + Bajar un paso + + + Start step + Iniciar paso + + + Actions to perform when the job completes + Acciones para realizar cuando se completa el trabajo + + + Email + Correo electrónico + + + Page + Página + + + Write to the Windows Application event log + Escribir en el registro de eventos de la aplicación de Windows + + + Automatically delete job + Eliminar automáticamente el trabajo + + + Schedules list + Lista de programaciones + + + Pick Schedule + Elegir programación + + + Remove Schedule + Quitar programación + + + Alerts list + Lista de alertas + + + New Alert + Nueva alerta + + + Alert Name + Nombre de alerta + + + Enabled + Habilitado + + + Type + Tipo + + + New Job + Nuevo trabajo + + + Edit Job + Editar trabajo - - - - Step update failed '{0}' - Error de actualización en el paso "{0}" - - - Job name must be provided - Debe proporcionarse el nombre del trabajo - - - Step name must be provided - Debe proporcionarse el nombre del paso - - - - + When the job completes @@ -872,7 +736,55 @@ - + + + + Step update failed '{0}' + Error de actualización en el paso "{0}" + + + Job name must be provided + Debe proporcionarse el nombre del trabajo + + + Step name must be provided + Debe proporcionarse el nombre del paso + + + + + + + This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! + Esta característica está en desarrollo. ¡Obtenga la última versión para Insiders si desea probar los cambios más recientes! + + + Template updated successfully + Plantilla actualizada correctamente + + + Template update failure + Error de actualización de plantilla + + + The notebook must be saved before being scheduled. Please save and then retry scheduling again. + Debe guardar el cuaderno antes de programarlo. Guarde y vuelva a intentar programar de nuevo. + + + Add new connection + Agregar nueva conexión + + + Select a connection + Seleccionar una conexión + + + Please select a valid connection + Seleccione una conexión válida + + + + Alert update failed '{0}' @@ -892,11 +804,223 @@ - + - - This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! - Esta característica está en desarrollo. ¡Obtenga la última versión para Insiders si desea probar los cambios más recientes! + + Create Proxy + Crear proxy + + + Edit Proxy + Editar Proxy + + + General + General + + + Proxy name + Nombre del proxy + + + Credential name + Nombre de credencial + + + Description + Descripción + + + Subsystem + Subsistema + + + Operating system (CmdExec) + Sistema operativo (CmdExec) + + + Replication Snapshot + Instantánea de replicación + + + Replication Transaction-Log Reader + Lector del registro de transacciones de replicación + + + Replication Distributor + Distribuidor de replicación + + + Replication Merge + Fusión de replicación + + + Replication Queue Reader + Lector de cola de replicación + + + SQL Server Analysis Services Query + Consulta de SQL Server Analysis Services + + + SQL Server Analysis Services Command + Comando de SQL Server Analysis Services + + + SQL Server Integration Services Package + Paquete de SQL Server Integration Services + + + PowerShell + PowerShell + + + + + + + Proxy update failed '{0}' + Error de la actualización de proxy "{0}" + + + Proxy '{0}' updated successfully + El proxy "{0}" se actualizó correctamente + + + Proxy '{0}' created successfully + Proxy "{0}" creado correctamente + + + + + + + New Notebook Job + Nuevo trabajo de cuaderno + + + Edit Notebook Job + Editar trabajo del cuaderno + + + General + General + + + Notebook Details + Detalles del cuaderno + + + Notebook Path + Ruta de acceso del cuaderno + + + Storage Database + Base de datos del almacenamiento + + + Execution Database + Base de datos de ejecución + + + Select Database + Seleccionar la base de datos + + + Job Details + Detalles del trabajo + + + Name + Nombre + + + Owner + Propietario + + + Schedules list + Lista de programaciones + + + Pick Schedule + Elegir programación + + + Remove Schedule + Quitar programación + + + Description + Descripción + + + Select a notebook to schedule from PC + Seleccione un cuaderno para programar desde el equipo. + + + Select a database to store all notebook job metadata and results + Seleccione una base de datos para almacenar todos los cuadernos y resultados del trabajo del cuaderno + + + Select a database against which notebook queries will run + Seleccione una base de datos en la que se ejecutarán las consultas de cuaderno + + + + + + + When the notebook completes + Cuando se complete el cuaderno + + + When the notebook fails + Cuando se produzca un error en el cuaderno + + + When the notebook succeeds + Cuando el cuaderno se ejecute correctamente + + + Notebook name must be provided + Se debe proporcionar el nombre del cuaderno + + + Template path must be provided + Se debe proporcionar la ruta de acceso de la plantilla + + + Invalid notebook path + Ruta de acceso del cuaderno no válida + + + Select storage database + Seleccionar base de datos de almacenamiento + + + Select execution database + Seleccionar base de datos de ejecución + + + Job with similar name already exists + Un trabajo con un nombre similar ya existe + + + Notebook update failed '{0}' + Error al actualizar el cuaderno "{0}" + + + Notebook creation failed '{0}' + Error al crear el cuaderno "{0}" + + + Notebook '{0}' updated successfully + El cuaderno "{0}" se actualizó correctamente + + + Notebook '{0}' created successfully + El cuaderno "{0}" se ha creado correctamente diff --git a/resources/xlf/es/azurecore.es.xlf b/resources/xlf/es/azurecore.es.xlf index 6c237e7a04..b118266e9a 100644 --- a/resources/xlf/es/azurecore.es.xlf +++ b/resources/xlf/es/azurecore.es.xlf @@ -126,6 +126,10 @@ Error fetching resource groups for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} Error al obtener los grupos de recursos para la cuenta {0} ({1}), suscripción {2} ({3}), inquilino {4}: {5}. + + Error fetching locations for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} + Error al capturar ubicaciones para la cuenta {0} ({1}), suscripción {2} ({3}), inquilino {4}: {5}. + Invalid query Consulta no válida @@ -379,7 +383,7 @@ SQL Server: Azure Arc - Azure Arc enabled PostgreSQL Hyperscale + Azure Arc-enabled PostgreSQL Hyperscale Hiperescala de PostgreSQL habilitada para Azure Arc @@ -411,7 +415,7 @@ Error no identificado con la autenticación de Azure. - Specifed tenant with ID '{0}' not found. + Specified tenant with ID '{0}' not found. No se encuentra el inquilino especificado con el id. "{0}". @@ -419,7 +423,7 @@ Ha habido algún error problema con la autenticación, o bien los tokens se han eliminado del sistema. Pruebe a volver a agregar la cuenta de Azure Data Studio. - Token retrival failed with an error. Open developer tools to view the error + Token retrieval failed with an error. Open developer tools to view the error Error al recuperar el token. Abra las herramientas de desarrollo para ver el error. @@ -513,6 +517,14 @@ Failed to get credential for account {0}. Please go to the accounts dialog and refresh the account. No se pudieron obtener las credenciales de la cuenta {0}. Vaya al cuadro de diálogo de las cuentas y actualice la cuenta. + + Requests from this account have been throttled. To retry, please select a smaller number of subscriptions. + Las solicitudes de esta cuenta se han acelerado Para volver a intentarlo, seleccione un número menor de suscripciones. + + + An error occured while loading Azure resources: {0} + Se ha producido un error al cargar los recursos de Azure: {0} + @@ -703,6 +715,14 @@ + + + + Azure Monitor Workspace + Azure Monitor Workspace + + + diff --git a/resources/xlf/es/big-data-cluster.es.xlf b/resources/xlf/es/big-data-cluster.es.xlf index 070d4d3eb4..cffe0a56bc 100644 --- a/resources/xlf/es/big-data-cluster.es.xlf +++ b/resources/xlf/es/big-data-cluster.es.xlf @@ -60,6 +60,126 @@ Ignore SSL verification errors against SQL Server Big Data Cluster endpoints such as HDFS, Spark, and Controller if true Ignorar los errores de verificación SSL en los puntos de conexión del clúster de macrodatos de SQL Server, como HDFS, Spark y Controller, si es true + + SQL Server Big Data Cluster + Clúster de macrodatos de SQL Server + + + SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes + El clúster de macrodatos de SQL Server le permite implementar clústeres escalables de contenedores de SQL Server, Spark y HDFS que se ejecutan en Kubernetes + + + Version + Versión + + + SQL Server 2019 + SQL Server 2019 + + + Deployment target + Destino de implementación + + + New Azure Kubernetes Service Cluster + Nuevo clúster de Azure Kubernetes Service + + + Existing Azure Kubernetes Service Cluster + Clúster de Azure Kubernetes Service existente + + + Existing Kubernetes Cluster (kubeadm) + Clúster Kubernetes existente (kubeadm) + + + Existing Azure Red Hat OpenShift cluster + Clúster de Red Hat OpenShift en Azure existente + + + Existing OpenShift cluster + Clúster de OpenShift existente + + + SQL Server Big Data Cluster settings + Configuración del clúster de macrodatos de SQL Server + + + Cluster name + Nombre del clúster + + + Controller username + Nombre de usuario del controlador + + + Password + Contraseña + + + Confirm password + Confirmar contraseña + + + Azure settings + Configuración de Azure + + + Subscription id + Identificador de suscripción + + + Use my default Azure subscription + Usar mi suscripción predeterminada de Azure + + + Resource group name + Nombre del grupo de recursos + + + Region + Región + + + AKS cluster name + Nombre del clúster de AKS + + + VM size + Tamaño de la máquina virtual + + + VM count + Recuento de máquinas virtuales + + + Storage class name + Nombre de la clase de almacenamiento + + + Capacity for data (GB) + Capacidad para datos (GB) + + + Capacity for logs (GB) + Capacidad para registros (GB) + + + I accept {0}, {1} and {2}. + Acepto {0}, {1} y {2}. + + + Microsoft Privacy Statement + Declaración de privacidad de Microsoft + + + azdata License Terms + Términos de licencia de azdata + + + SQL Server License Terms + Términos de licencia de SQL Server + diff --git a/resources/xlf/es/cms.es.xlf b/resources/xlf/es/cms.es.xlf index fcdef547f9..4d751a3b61 100644 --- a/resources/xlf/es/cms.es.xlf +++ b/resources/xlf/es/cms.es.xlf @@ -424,15 +424,7 @@ - - - - Loading ... - Cargando... - - - - + No resources found @@ -440,7 +432,7 @@ - + Add Central Management Server... @@ -448,15 +440,27 @@ - + + + + Unexpected error occurred while loading saved servers {0} + Error inesperado al cargar los servidores guardados {0} + + + Loading ... + Cargando... + + + + Central Management Server Group already has a Registered Server with the name {0} El grupo de servidores de administración central ya tiene un servidor registrado con el nombre {0} - Azure SQL Database Servers cannot be used as Central Management Servers - Los servidores de Azure SQL Database no se pueden usar como servidores de administración central. + Azure SQL Servers cannot be used as Central Management Servers + Los servidores de Azure SQL no se pueden usar como servidores de administración central. Are you sure you want to delete @@ -500,7 +504,7 @@ - + You cannot add a shared registered server with the same name as the Configuration Server diff --git a/resources/xlf/es/dacpac.es.xlf b/resources/xlf/es/dacpac.es.xlf index 9a0e019458..59f79b62cf 100644 --- a/resources/xlf/es/dacpac.es.xlf +++ b/resources/xlf/es/dacpac.es.xlf @@ -1,16 +1,84 @@  - + + + Dacpac + Dacpac + + + Full path to folder where .DACPAC and .BACPAC files are saved by default + Ruta de acceso completa a la carpeta donde. DACPAC y. Los archivos BACPAC se guardan de forma predeterminada + + + + + + + Target Server + Servidor de destino + + + Source Server + Servidor de origen + + + Source Database + Base de datos de origen + + + Target Database + Base de datos de destino + + + File Location + Ubicación del archivo + + + Select file + Seleccionar archivo + + + Summary of settings + Resumen de la configuración + + + Version + Versión + + + Setting + Valor de configuración + + + Value + Valor + + + Database Name + Nombre de la base de datos + + + Open + Abrir + + + Upgrade Existing Database + Actualizar base de datos existente + + + New Database + Nueva base de datos + {0} of the deploy actions listed may result in data loss. Please ensure you have a backup or snapshot available in the event of an issue with the deployment. {0} de las acciones de implementación enumeradas pueden dar lugar a la pérdida de datos. Asegúrese de que tiene una copia de seguridad o una instantánea por si hay algún problema con la implementación. - + Proceed despite possible data loss Continuar a pesar de la posible pérdida de datos - + No data loss will occur from the listed deploy actions. Las acciones de implementación enumeradas no darán lugar a la pérdida de datos. @@ -54,19 +122,11 @@ Save Guardar - - File Location - Ubicación del archivo - - + Version (use x.x.x.x where x is a number) Versión (use x.x.x.x, donde x es un número) - - Open - Abrir - - + Deploy a data-tier application .dacpac file to an instance of SQL Server [Deploy Dacpac] Implementar un archivo .dacpac de una aplicación de la capa de datos en una instancia de SQL Server [Implementar Dacpac] @@ -82,49 +142,9 @@ Export the schema and data from a database to the logical .bacpac file format [Export Bacpac] Exportar el esquema y los datos de una base de datos al formato de archivo lógico .bacpac [Exportar Bacpac] - - Database Name - Nombre de la base de datos - - - Upgrade Existing Database - Actualizar base de datos existente - - - New Database - Nueva base de datos - - - Target Database - Base de datos de destino - - - Target Server - Servidor de destino - - - Source Server - Servidor de origen - - - Source Database - Base de datos de origen - - - Version - Versión - - - Setting - Valor de configuración - - - Value - Valor - - - default - predeterminado + + Data-tier Application Wizard + Asistente para importar aplicaciones de capa de datos Select an Operation @@ -174,18 +194,66 @@ Generate Script Generar script + + You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. + Puede ver el estado de la generación de scripts en la vista de tareas una vez que se cierra el asistente. El script generado se abrirá cuando se complete. + + + default + predeterminado + + + Deploy plan operations + Implementar operaciones de plan + + + A database with the same name already exists on the instance of SQL Server + Ya existe una base de datos con el mismo nombre en la instancia del servidor SQL + + + Undefined name + Nombre sin definir + + + File name cannot end with a period + El nombre del archivo no puede terminar con un punto. + + + File name cannot be whitespace + El nombre de archivo no puede ser un espacio en blanco. + + + Invalid file characters + Caracteres de archivo no válidos + + + This file name is reserved for use by Windows. Choose another name and try again + El nombre de este archivo está reservado para Windows. Elija otro nombre e inténtelo de nuevo. + + + Reserved file name. Choose another name and try again + Nombre de archivo reservado. Elija otro nombre y vuelva a intentarlo + + + File name cannot end with a whitespace + El nombre del archivo no puede terminar con un espacio en blanco + + + File name is over 255 characters + El nombre de archivo tiene más de 255 caracteres + Generating deploy plan failed '{0}' No se pudo generar el plan de implementación, "{0}" + + Generating deploy script failed '{0}' + No se pudo generar el plan de implementación, "{0}" + {0} operation failed '{1}' Error en la operación ({0}, "{1}") - - You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. - Puede ver el estado de la generación de scripts en la vista de tareas una vez que se cierra el asistente. El script generado se abrirá cuando se complete. - \ No newline at end of file diff --git a/resources/xlf/es/import.es.xlf b/resources/xlf/es/import.es.xlf index 9cbd1618c6..ea2aa125ff 100644 --- a/resources/xlf/es/import.es.xlf +++ b/resources/xlf/es/import.es.xlf @@ -1,7 +1,143 @@  - + + + Flat File Import configuration + Configuración de importación de archivos planos + + + [Optional] Log debug output to the console (View -> Output) and then select appropriate output channel from the dropdown + [Opcional] Registre la salida de depuración en a la consola (Ver -> Salida) y después seleccione el canal de salida apropiado del menú desplegable + + + + + + + {0} Started + {0} iniciado + + + Starting {0} + Iniciando {0} + + + Failed to start {0}: {1} + No se pudo iniciar {0}: {1} + + + Installing {0} to {1} + Instalando {0} en {1} + + + Installing {0} Service + Instalando servicio {0} + + + Installed {0} + {0} instalado + + + Downloading {0} + Descargando {0} + + + ({0} KB) + ({0} KB) + + + Downloading {0} + Descargando {0} + + + Done downloading {0} + Descarga finalizada de {0} + + + Extracted {0} ({1}/{2}) + Elementos extraídos {0} ({1} de {2}) + + + + + + + Give Feedback + Ofrecer comentarios + + + service component could not start + el componente de servicio no se pudo iniciar + + + Server the database is in + El servidor de la base de datos está en + + + Database the table is created in + Base de datos en la que se crea la tabla + + + Invalid file location. Please try a different input file + Ubicación de archivo no válida. Inténtelo con otro archivo de entrada + + + Browse + Examinar + + + Open + Abrir + + + Location of the file to be imported + Ubicación del archivo para importar + + + New table name + Nuevo nombre de la tabla + + + Table schema + Esquema de tabla + + + Import Data + Importar datos + + + Next + Siguiente + + + Column Name + Nombre de columna + + + Data Type + Tipo de datos + + + Primary Key + Clave principal + + + Allow Nulls + Permitir valores NULL + + + This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. + Esta operación analizó la estructura del archivo de entrada para generar la vista previa siguiente para las primeras 50 filas. + + + This operation was unsuccessful. Please try a different input file. + Esta operación no se completó correctamente. Pruebe con un archivo de entrada diferente. + + + Refresh + Actualizar + Import information Información de la importación @@ -34,90 +170,14 @@ ✔ You have successfully inserted the data into a table. ✔ Ha insertado correctamente los datos en una tabla. - - - - - - This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. - Esta operación analizó la estructura del archivo de entrada para generar la vista previa siguiente para las primeras 50 filas. - - - This operation was unsuccessful. Please try a different input file. - Esta operación no se completó correctamente. Pruebe con un archivo de entrada diferente. - - - Refresh - Actualizar - - - - - - - Import Data - Importar datos - - - Next - Siguiente - - - Column Name - Nombre de columna - - - Data Type - Tipo de datos - - - Primary Key - Clave principal - - - Allow Nulls - Permitir valores NULL - - - - - - - Server the database is in - El servidor de la base de datos está en - - - Database the table is created in - Base de datos en la que se crea la tabla - - - Browse - Examinar - - - Open - Abrir - - - Location of the file to be imported - Ubicación del archivo para importar - - - New table name - Nuevo nombre de la tabla - - - Table schema - Esquema de tabla - - - - - Please connect to a server before using this wizard. Por favor, conéctese a un servidor antes de utilizar a este asistente. + + SQL Server Import extension does not support this type of connection + La extensión de importación de SQL Server no admite este tipo de conexión + Import flat file wizard Asistente de importación de archivo plano @@ -144,60 +204,4 @@ - - - - Give Feedback - Ofrecer comentarios - - - service component could not start - el componente de servicio no se pudo iniciar - - - - - - - Service Started - Servicio iniciado - - - Starting service - Iniciando servicio - - - Failed to start Import service{0} - No se pudo iniciar el servicio de importación {0} - - - Installing {0} service to {1} - Instalando servicio {0} en {1} - - - Installing Service - Instalando servicio - - - Installed - Instalado - - - Downloading {0} - Descargando {0} - - - ({0} KB) - ({0} KB) - - - Downloading Service - Descargando servicio - - - Done! - ¡Listo! - - - \ No newline at end of file diff --git a/resources/xlf/es/notebook.es.xlf b/resources/xlf/es/notebook.es.xlf index 205b56c43c..eca0ae6387 100644 --- a/resources/xlf/es/notebook.es.xlf +++ b/resources/xlf/es/notebook.es.xlf @@ -22,6 +22,14 @@ Local path to a preexisting python installation used by Notebooks. Ruta de acceso local a una instalación de Python preexistente utilizada por Notebooks. + + Do not show prompt to update Python. + No mostrar el mensaje para actualizar Python. + + + The amount of time (in minutes) to wait before shutting down a server after all notebooks are closed. (Enter 0 to not shutdown) + La cantidad de tiempo (en minutos) que se debe esperar antes de apagar un servidor después de cerrar todos los cuadernos. (Escriba 0 para no apagar) + Override editor default settings in the Notebook editor. Settings include background color, current line color and border Invalide la configuración predeterminada del editor en el editor de Notebook. Los ajustes incluyen el color de fondo, el color de la línea actual y el borde @@ -50,6 +58,10 @@ Notebooks that are pinned by the user for the current workspace Cuadernos anclados por el usuario para el área de trabajo actual + + Allow Jupyter server to run as root user + Allow Jupyter server to run as root user + New Notebook Nuevo Notebook @@ -139,24 +151,24 @@ Jupyter Books - Save Book - Guardar libro + Save Jupyter Book + Guardar el libro de Jupyter - Trust Book - Libro de confianza + Trust Jupyter Book + Confiar en el libro de Jupyter - Search Book - Buscar libro + Search Jupyter Book + Buscar libro de Jupyter Notebooks Cuadernos - Provided Books - Libros proporcionados + Provided Jupyter Books + Libros de Jupyter proporcionados Pinned notebooks @@ -174,17 +186,29 @@ Close Jupyter Book Cierre del libro de Jupyter - - Close Jupyter Notebook - Cierre del cuaderno de Jupyter + + Close Notebook + Cerrar bloc de notas + + + Remove Notebook + Quitar el bloc de notas + + + Add Notebook + Agregar el Bloc de notas + + + Add Markdown File + Agregar un archivo de Markdown Reveal in Books Visualización en libros - Create Book (Preview) - Creación de un libro (versión preliminar) + Create Jupyter Book + Crear el libro de Jupyter Open Notebooks in Folder @@ -263,8 +287,8 @@ Seleccionar carpeta - Select Book - Seleccionar libro + Select Jupyter Book + Seleccionar libro de Jupyter Folder already exists. Are you sure you want to delete and replace this folder? @@ -283,40 +307,40 @@ Abrir vínculo externo - Book is now trusted in the workspace. - El libro ahora es de confianza en el área de trabajo. + Jupyter Book is now trusted in the workspace. + El libro de Jupyter ahora es de confianza en el área de trabajo. - Book is already trusted in this workspace. - El libro ya se ha marcado como que es de confianza en esta área de trabajo. + Jupyter Book is already trusted in this workspace. + El libro Jupyter ya está marcado como de confianza en esta área de trabajo. - Book is no longer trusted in this workspace - El libro ya no es de confianza en esta área de trabajo. + Jupyter Book is no longer trusted in this workspace + El libro de Jupyter ya no es de confianza en esta área de trabajo - Book is already untrusted in this workspace. - El libro ya se ha marcado como que no es de confianza en esta área de trabajo. + Jupyter Book is already untrusted in this workspace. + El libro de Jupyter ya se ha marcado como que no es de confianza en esta área de trabajo. - Book {0} is now pinned in the workspace. - El libro {0} está ahora anclado en el área de trabajo. + Jupyter Book {0} is now pinned in the workspace. + El libro de Jupyter {0} está ahora anclado en el área de trabajo. - Book {0} is no longer pinned in this workspace - El libro {0} ya no está anclado en esta área de trabajo. + Jupyter Book {0} is no longer pinned in this workspace + El libro de Jupyter {0} ya no está anclado en esta área de trabajo. - Failed to find a Table of Contents file in the specified book. - No se pudo encontrar un archivo de tabla de contenido en el libro especificado. + Failed to find a Table of Contents file in the specified Jupyter Book. + No se pudo encontrar un archivo de tabla de contenido en el libro de Jupyter especificado. - No books are currently selected in the viewlet. - Actualmente no hay ningún libro seleccionado en viewlet. + No Jupyter Books are currently selected in the viewlet. + Actualmente no hay ningún libro de Jupyter seleccionado en viewlet. - Select Book Section - Seleccionar sección de libro + Select Jupyter Book Section + Seleccionar sección del libro de Jupyter Add to this level @@ -339,12 +363,12 @@ Falta el archivo de configuración. - Open book {0} failed: {1} - Error al abrir el libro {0}: {1} + Open Jupyter Book {0} failed: {1} + No se pudo abrir {0} el libro de Jupyter: {1} - Failed to read book {0}: {1} - No se pudo leer el libro {0}: {1}. + Failed to read Jupyter Book {0}: {1} + No se pudo leer el libro de {0}: {1} Open notebook {0} failed: {1} @@ -363,8 +387,8 @@ Error al abrir el vínculo {0}: {1} - Close book {0} failed: {1} - Error al cerrar el libro {0}: {1} + Close Jupyter Book {0} failed: {1} + No se pudo cerrar {0} el libro de Jupyter: {1} File {0} already exists in the destination folder {1} @@ -373,12 +397,16 @@ Se ha cambiado el nombre del archivo a {2} para evitar la pérdida de datos. - Error while editing book {0}: {1} - Error al editar el libro {0}: {1}. + Error while editing Jupyter Book {0}: {1} + Error al editar el libro de Jupyter {0}: {1} - Error while selecting a book or a section to edit: {0} - Error al seleccionar un libro o una sección para editarlo: {0}. + Error while selecting a Jupyter Book or a section to edit: {0} + Error al seleccionar un libro de Jupyter o una sección para editarlo: {0}. + + + Failed to find section {0} in {1}. + No se pudo encontrar la sección {0} en {1}. URL @@ -393,8 +421,8 @@ Ubicación - Add Remote Book - Agregar libro remoto + Add Remote Jupyter Book + Adición de libro de Jupyter remoto GitHub @@ -409,8 +437,8 @@ Versiones - Book - Libro + Jupyter Book + Jupyter Book Version @@ -421,8 +449,8 @@ Idioma - No books are currently available on the provided link - Actualmente no hay ningún libro disponible en el vínculo proporcionado. + No Jupyter Books are currently available on the provided link + Actualmente no hay ningún libro de Juypyter disponible en el vínculo proporcionado The url provided is not a Github release url @@ -445,44 +473,44 @@ - - Remote Book download is in progress - La descarga del libro remoto está en curso. + Remote Jupyter Book download is in progress + La descarga del libro remoto de Jupyter está en progreso - Remote Book download is complete - La descarga del libro remoto se ha completado. + Remote Jupyter Book download is complete + La descarga del libro remoto de Jupyter se ha completado - Error while downloading remote Book - Error al descargar el libro remoto. + Error while downloading remote Jupyter Book + Error al descargar el libro de Jupyter remoto - Error while decompressing remote Book - Error al descomprimir el libro remoto. + Error while decompressing remote Jupyter Book + Error al descomprimir el libro de Jupyter remoto - Error while creating remote Book directory - Error al crear el directorio de libros remotos. + Error while creating remote Jupyter Book directory + Error al crear el directorio de libros de Jupyter remotos - Downloading Remote Book - Descarga de libro remoto en curso + Downloading Remote Jupyter Book + Descargar libro de Jupyter remoto Resource not Found No se encuentra el recurso. - Books not Found - No se ha encontrado ningún libro. + Jupyter Books not Found + No se ha encontrado ningún libro de Jupyter Releases not Found Versiones no encontradas - The selected book is not valid - El libro seleccionado no es válido. + The selected Jupyter Book is not valid + El libro de Jupyter seleccionado no es válido Http Request failed with error: {0} {1} @@ -492,21 +520,21 @@ Downloading to {0} Descarga en {0} en curso - - New Group - Nuevo grupo + + New Jupyter Book (Preview) + Nuevo libro de Jupyter (versión preliminar) - - Groups are used to organize Notebooks. - Los grupos se usan para organizar los cuadernos. + + Jupyter Books are used to organize Notebooks. + Los libros Jupyter se utilizan para organizar los bloc de notas. - - Browse locations... - Examinar ubicaciones... + + Learn more. + Más información. - - Select content folder - Seleccionar carpeta de contenido + + Content folder + Carpeta de contenido Browse @@ -524,7 +552,7 @@ Save location Guardar ubicación - + Content folder (Optional) Carpeta de contenido (opcional) @@ -533,8 +561,44 @@ La ruta de acceso a la carpeta de contenido no existe. - Save location path does not exist - La ruta de acceso a la ubicación de guardado no existe. + Save location path does not exist. + La ruta de acceso a la ubicación no existe. + + + Error while trying to access: {0} + Error al intentar obtener acceso a: {0} + + + New Notebook (Preview) + Nuevo bloc de notas (versión preliminar) + + + New Markdown (Preview) + Nuevo Markdown (versión preliminar) + + + File Extension + Extensión de archivo + + + File already exists. Are you sure you want to overwrite this file? + El archivo ya existe. ¿Está seguro de que desea sobrescribirlo? + + + Title + Título + + + File Name + Nombre de archivo + + + Save location path is not valid. + La ruta de acceso a la ubicación no es válida. + + + File {0} already exists in the destination folder + El archivo {0} ya existe en la carpeta de destino @@ -588,6 +652,18 @@ Another Python installation is currently in progress. Waiting for it to complete. Otra instalación de Python está actualmente en curso. Esperando a que se complete. + + Active Python notebook sessions will be shutdown in order to update. Would you like to proceed now? + Las sesiones del cuaderno de Python activas se cerrarán para poder actualizarse. ¿Desea continuar ahora? + + + Python {0} is now available in Azure Data Studio. The current Python version (3.6.6) will be out of support in December 2021. Would you like to update to Python {0} now? + Python {0} ya está disponible en Azure Data Studio. La versión actual de Python (3.6.6) dejará de recibir soporte en diciembre de 2021. ¿Le gustaría actualizar a Python {0} ahora? + + + Python {0} will be installed and will replace Python 3.6.6. Some packages may no longer be compatible with the new version or may need to be reinstalled. A notebook will be created to help you reinstall all pip packages. Would you like to continue with the update now? + Se instalará Python {0} y reemplazará a Python 3.6.6. Es posible que algunos paquetes ya no sean compatibles con la nueva versión o que sea necesario volver a instalarlos. Se creará un cuaderno para ayudarle a reinstalar todos los paquetes de PIP. ¿Desea continuar con la actualización ahora? + Installing Notebook dependencies failed with error: {0} Error al instalar las dependencias de Notebook: {0} @@ -604,6 +680,18 @@ Encountered an error when getting Python user path: {0} Se ha encontrado un error al obtener la ruta de acceso del usuario de Python: {0} + + Yes + + + + No + No + + + Don't Ask Again + No volver a preguntar + @@ -973,8 +1061,8 @@ No se admite la acción {0} para este controlador - Cannot open link {0} as only HTTP and HTTPS links are supported - No se puede abrir el vínculo {0} porque solo se admiten los vínculos HTTP y HTTPS + Cannot open link {0} as only HTTP, HTTPS, and File links are supported + No se puede abrir el vínculo {0} porque solo se admiten vínculos HTTP, HTTPS y File. Download and open '{0}'? diff --git a/resources/xlf/es/profiler.es.xlf b/resources/xlf/es/profiler.es.xlf index 1ee8618c5f..2e5d7b47fe 100644 --- a/resources/xlf/es/profiler.es.xlf +++ b/resources/xlf/es/profiler.es.xlf @@ -1,6 +1,6 @@  - + Cancel diff --git a/resources/xlf/es/resource-deployment.es.xlf b/resources/xlf/es/resource-deployment.es.xlf index f05fd718b2..813c9a8d50 100644 --- a/resources/xlf/es/resource-deployment.es.xlf +++ b/resources/xlf/es/resource-deployment.es.xlf @@ -26,14 +26,6 @@ Run SQL Server container image with docker Ejecutar la imagen de contenedor de SQL Server con Docker - - SQL Server Big Data Cluster - Clúster de macrodatos de SQL Server - - - SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes - El clúster de macrodatos de SQL Server le permite implementar clústeres escalables de contenedores de SQL Server, Spark y HDFS que se ejecutan en Kubernetes - Version Versión @@ -46,34 +38,6 @@ SQL Server 2019 SQL Server 2019 - - SQL Server 2019 - SQL Server 2019 - - - Deployment target - Destino de implementación - - - New Azure Kubernetes Service Cluster - Nuevo clúster de Azure Kubernetes Service - - - Existing Azure Kubernetes Service Cluster - Clúster de Azure Kubernetes Service existente - - - Existing Kubernetes Cluster (kubeadm) - Clúster Kubernetes existente (kubeadm) - - - Existing Azure Red Hat OpenShift cluster - Clúster de Red Hat OpenShift en Azure existente - - - Existing OpenShift cluster - Clúster de OpenShift existente - Deploy SQL Server 2017 container images Implementación de imágenes de contenedor de SQL Server 2017 @@ -98,70 +62,6 @@ Port Puerto - - SQL Server Big Data Cluster settings - Configuración del clúster de macrodatos de SQL Server - - - Cluster name - Nombre del clúster - - - Controller username - Nombre de usuario del controlador - - - Password - Contraseña - - - Confirm password - Confirmar contraseña - - - Azure settings - Configuración de Azure - - - Subscription id - Identificador de suscripción - - - Use my default Azure subscription - Usar mi suscripción predeterminada de Azure - - - Resource group name - Nombre del grupo de recursos - - - Region - Región - - - AKS cluster name - Nombre del clúster de AKS - - - VM size - Tamaño de la máquina virtual - - - VM count - Recuento de máquinas virtuales - - - Storage class name - Nombre de la clase de almacenamiento - - - Capacity for data (GB) - Capacidad para datos (GB) - - - Capacity for logs (GB) - Capacidad para registros (GB) - SQL Server on Windows SQL Server en Windows @@ -170,22 +70,10 @@ Run SQL Server on Windows, select a version to get started. Ejecute SQL Server en Windows y seleccione una versión para comenzar. - - I accept {0}, {1} and {2}. - Acepto {0}, {1} y {2}. - Microsoft Privacy Statement Declaración de privacidad de Microsoft - - azdata License Terms - Términos de licencia de azdata - - - SQL Server License Terms - Términos de licencia de SQL Server - Deployment configuration Configuración de la implementación @@ -486,6 +374,22 @@ Accept EULA & Select Aceptar CLUF y seleccionar + + The '{0}' extension is required to deploy this resource, do you want to install it now? + Se requiere la extensión "{0}" para implementar este recurso, ¿desea instalarla ahora? + + + Install + Instalar + + + Installing extension '{0}'... + Instalando la extensión "{0}"... + + + Unknown extension '{0}' + Extensión "{0}" desconocida + Select the deployment options Seleccione las opciones de implementación @@ -1096,10 +1000,6 @@ - - Failed to load extension: {0}, Error detected in the resource type definition in package.json, check debug console for details. - No se ha podido cargar la extensión {0}. Error detectado en la definición de tipo de recurso en package.json, compruebe la consola de depuración para obtener más información. - The resource type: {0} is not defined El tipo de recurso {0} no está definido @@ -2222,14 +2122,14 @@ Seleccione otra suscripción que contenga al menos un servidor. Deployment pre-requisites Requisitos previos de la implementación - - To proceed, you must accept the terms of the End User License Agreement(EULA) - Para continuar, debe aceptar los términos del Contrato de licencia para el usuario final (CLUF). - Some tools were still not discovered. Please make sure that they are installed, running and discoverable Hay algunas herramientas que no se han detectado. Asegúrese de que estén instaladas, se estén ejecutando y se puedan detectar. + + To proceed, you must accept the terms of the End User License Agreement(EULA) + Para continuar, debe aceptar los términos del Contrato de licencia para el usuario final (CLUF). + Loading required tools information completed La carga de la información de las herramientas necesarias se ha completado. @@ -2378,6 +2278,10 @@ Seleccione otra suscripción que contenga al menos un servidor. Azure Data CLI CLI de datos de Azure + + The Azure Data CLI extension must be installed to deploy this resource. Please install it through the extension gallery and try again. + La extensión CLI de datos de Azure debe estar instalada para implementar este recurso. Instálela a través de la galería de extensiones y vuelva a intentarlo. + Error retrieving version information. See output channel '{0}' for more details Error al recuperar la información de la versión. Consulte el canal de salida "{0}" para obtener más detalles. @@ -2386,46 +2290,6 @@ Seleccione otra suscripción que contenga al menos un servidor. Error retrieving version information.{0}Invalid output received, get version command output: '{1}' Error al recuperar la información de la versión. {0}Se ha recibido una salida no válida; salida del comando GET de la versión: "{1}". - - deleting previously downloaded Azdata.msi if one exists … - Se está eliminando el archivo Azdata.msi descargado anteriormente, si existe... - - - downloading Azdata.msi and installing azdata-cli … - Se está descargando Azdata.msi e instalando azdata-cli... - - - displaying the installation log … - Se muestra el registro de la instalación... - - - tapping into the brew repository for azdata-cli … - Se está accediendo al repositorio de brew para azdata-cli... - - - updating the brew repository for azdata-cli installation … - Se está actualizando el repositorio de brew para la instalación de azdata-cli... - - - installing azdata … - Se está instalando azdata... - - - updating repository information … - Se está actualizando la información del repositorio... - - - getting packages needed for azdata installation … - Se están obteniendo los paquetes necesarios para la instalación de azdata... - - - downloading and installing the signing key for azdata … - Se está descargando e instalando la clave de firma para azdata... - - - adding the azdata repository information … - Se está agregando la información del repositorio de azdata... - diff --git a/resources/xlf/es/schema-compare.es.xlf b/resources/xlf/es/schema-compare.es.xlf index e81d65bf38..8c68488c77 100644 --- a/resources/xlf/es/schema-compare.es.xlf +++ b/resources/xlf/es/schema-compare.es.xlf @@ -16,28 +16,116 @@ - + - - Ok + + OK Aceptar - + Cancel Cancelar + + Source + Origen + + + Target + Destino + + + File + Archivo + + + Data-tier Application File (.dacpac) + Archivo de aplicación de capa de datos (.dacpac) + + + Database + Base de datos + + + Type + Tipo + + + Server + Servidor + + + Database + Base de datos + + + Schema Compare + Comparación de esquemas + + + A different source schema has been selected. Compare to see the comparison? + Se ha seleccionado un esquema de origen diferente. ¿Comparar para ver la comparación? + + + A different target schema has been selected. Compare to see the comparison? + Se ha seleccionado un esquema de destino diferente. ¿Comparar para ver la comparación? + + + Different source and target schemas have been selected. Compare to see the comparison? + Se han seleccionado diferentes esquemas de origen y destino. ¿Comparar para ver la comparación? + + + Yes + + + + No + No + + + Source file + Archivo de código fuente + + + Target file + Archivo de destino + + + Source Database + Base de datos de origen + + + Target Database + Base de datos de destino + + + Source Server + Servidor de origen + + + Target Server + Servidor de destino + + + default + predeterminado + + + Open + Abrir + + + Select source file + Seleccionar archivo de origen + + + Select target file + Selección del archivo de destino + Reset Restablecer - - Yes - - - - No - No - Options have changed. Recompare to see the comparison? Las opciones han cambiado. ¿Volver a comparar para ver la comparación? @@ -54,6 +142,174 @@ Include Object Types Incluir tipos de objeto + + Compare Details + Comparar detalles + + + Are you sure you want to update the target? + ¿Seguro de que desea actualizar el destino? + + + Press Compare to refresh the comparison. + Presione Comparar para actualizar la comparación. + + + Generate script to deploy changes to target + Generar script para implementar cambios en el destino + + + No changes to script + No hay cambios en el script + + + Apply changes to target + Aplicar cambios al objetivo + + + No changes to apply + No hay cambios que aplicar + + + Please note that include/exclude operations can take a moment to calculate affected dependencies + Tenga en cuenta que las operaciones de inclusión o exclusión pueden tardar unos instantes en calcular las dependencias afectadas + + + Delete + Eliminar + + + Change + Cambiar + + + Add + Agregar + + + Comparison between Source and Target + Comparación entre el origen y el destino + + + Initializing Comparison. This might take a moment. + Iniciando comparación. Esto podría tardar un momento. + + + To compare two schemas, first select a source schema and target schema, then press Compare. + Para comparar dos esquemas, seleccione primero un esquema de origen y un esquema de destino y, a continuación, presione Comparar. + + + No schema differences were found. + No se encontraron diferencias de esquema. + + + Type + Tipo + + + Source Name + Nombre de origen + + + Include + Incluir + + + Action + Acción + + + Target Name + Nombre de destino + + + Generate script is enabled when the target is a database + La generación de script se habilita cuando el destino es una base de datos + + + Apply is enabled when the target is a database + Aplicar está habilitado cuando el objetivo es una base de datos + + + Cannot exclude {0}. Included dependents exist, such as {1} + No se puede excluir {0}. Existen dependientes incluidos, como {1} + + + Cannot include {0}. Excluded dependents exist, such as {1} + No se puede incluir {0}. Existen dependientes excluidos, como {1} + + + Cannot exclude {0}. Included dependents exist + No se pueden excluir {0}. Existen dependientes incluidos + + + Cannot include {0}. Excluded dependents exist + No se puede incluir {0}. Existen dependientes excluidos + + + Compare + Comparar + + + Stop + Detener + + + Generate script + Generar script + + + Options + Opciones + + + Apply + Aplicar + + + Switch direction + Intercambiar dirección + + + Switch source and target + Intercambiar origen y destino + + + Select Source + Seleccionar origen + + + Select Target + Seleccionar destino + + + Open .scmp file + Abrir el archivo .scmp + + + Load source, target, and options saved in an .scmp file + Cargue el origen, el destino y las opciones guardadas en un archivo .scmp + + + Save .scmp file + Guardar archivo .scmp + + + Save source and target, options, and excluded elements + Guardar origen y destino, opciones y elementos excluidos + + + Save + Guardar + + + Do you want to connect to {0}? + ¿Quiere conectar con {0}? + + + Select connection + Seleccionar conexión + Ignore Table Options Ignorar opciones de tabla @@ -407,8 +663,8 @@ Roles de base de datos - DatabaseTriggers - Desencadenadores de base de datos + Database Triggers + Desencadenadores de bases de datos Defaults @@ -426,6 +682,14 @@ External File Formats Formatos de archivo externos + + External Streams + Flujos externos + + + External Streaming Jobs + Trabajos de streaming externos + External Tables Tablas externas @@ -434,6 +698,10 @@ Filegroups Grupos de archivos + + Files + Archivos + File Tables Tablas de archivos @@ -503,12 +771,12 @@ Firmas - StoredProcedures - StoredProcedures + Stored Procedures + Procedimientos almacenados - SymmetricKeys - SymmetricKeys + Symmetric Keys + Claves simétricas Synonyms @@ -926,286 +1194,30 @@ Specifies whether differences in table column order should be ignored or updated when you publish to a database. Especifica si hay que ignorar las diferencias en el orden de columnas de una tabla o bien hay que actualizarlas al publicar en una base de datos. - - - - - - Ok - Aceptar - - - Cancel - Cancelar - - - Source - Origen - - - Target - Destino - - - File - Archivo - - - Data-tier Application File (.dacpac) - Archivo de aplicación de capa de datos (.dacpac) - - - Database - Base de datos - - - Type - Tipo - - - Server - Servidor - - - Database - Base de datos - - - No active connections - Sin conexiones activas - - - Schema Compare - Comparación de esquemas - - - A different source schema has been selected. Compare to see the comparison? - Se ha seleccionado un esquema de origen diferente. ¿Comparar para ver la comparación? - - - A different target schema has been selected. Compare to see the comparison? - Se ha seleccionado un esquema de destino diferente. ¿Comparar para ver la comparación? - - - Different source and target schemas have been selected. Compare to see the comparison? - Se han seleccionado diferentes esquemas de origen y destino. ¿Comparar para ver la comparación? - - - Yes - - - - No - No - - - Open - Abrir - - - default - predeterminado - - - - - - - Compare Details - Comparar detalles - - - Are you sure you want to update the target? - ¿Seguro de que desea actualizar el destino? - - - Press Compare to refresh the comparison. - Presione Comparar para actualizar la comparación. - - - Generate script to deploy changes to target - Generar script para implementar cambios en el destino - - - No changes to script - No hay cambios en el script - - - Apply changes to target - Aplicar cambios al objetivo - - - No changes to apply - No hay cambios que aplicar - - - Delete - Eliminar - - - Change - Cambiar - - - Add - Agregar - - - Schema Compare - Comparación de esquemas - - - Source - Origen - - - Target - Destino - - - ➔ - - - - Initializing Comparison. This might take a moment. - Iniciando comparación. Esto podría tardar un momento. - - - To compare two schemas, first select a source schema and target schema, then press Compare. - Para comparar dos esquemas, seleccione primero un esquema de origen y un esquema de destino y, a continuación, presione Comparar. - - - No schema differences were found. - No se encontraron diferencias de esquema. - Schema Compare failed: {0} Error en la comparación de esquemas: {0} - - Type - Tipo - - - Source Name - Nombre de origen - - - Include - Incluir - - - Action - Acción - - - Target Name - Nombre de destino - - - Generate script is enabled when the target is a database - La generación de script se habilita cuando el destino es una base de datos - - - Apply is enabled when the target is a database - Aplicar está habilitado cuando el objetivo es una base de datos - - - Compare - Comparar - - - Compare - Comparar - - - Stop - Detener - - - Stop - Detener - - - Cancel schema compare failed: '{0}' - Error al cancelar la comparación de esquemas: "{0}" - - - Generate script - Generar script - - - Generate script failed: '{0}' - Error al generar el script "{0}" - - - Options - Opciones - - - Options - Opciones - - - Apply - Aplicar - - - Yes - - - - Schema Compare Apply failed '{0}' - Error en la aplicación de comparación de esquemas "0" - - - Switch direction - Intercambiar dirección - - - Switch source and target - Intercambiar origen y destino - - - Select Source - Seleccionar origen - - - Select Target - Seleccionar destino - - - Open .scmp file - Abrir el archivo .scmp - - - Load source, target, and options saved in an .scmp file - Cargue el origen, el destino y las opciones guardadas en un archivo .scmp - - - Open - Abrir - - - Open scmp failed: '{0}' - Error al abrir el scmp "{0}" - - - Save .scmp file - Guardar archivo .scmp - - - Save source and target, options, and excluded elements - Guardar origen y destino, opciones y elementos excluidos - - - Save - Guardar - Save scmp failed: '{0}' Error al guardar scmp: "{0}" + + Cancel schema compare failed: '{0}' + Error al cancelar la comparación de esquemas: "{0}" + + + Generate script failed: '{0}' + Error al generar el script "{0}" + + + Schema Compare Apply failed '{0}' + Error en la aplicación de comparación de esquemas "0" + + + Open scmp failed: '{0}' + Error al abrir el scmp "{0}" + \ No newline at end of file diff --git a/resources/xlf/es/sql.es.xlf b/resources/xlf/es/sql.es.xlf index d20f96af71..acb1fcc734 100644 --- a/resources/xlf/es/sql.es.xlf +++ b/resources/xlf/es/sql.es.xlf @@ -1,2559 +1,6 @@  - - - - Copying images is not supported - No se admite la copia de imágenes - - - - - - - Get Started - Introducción - - - Show Getting Started - Ver introducción - - - Getting &&Started - && denotes a mnemonic - I&&ntroducción - - - - - - - QueryHistory - Historial de consultas - - - Whether Query History capture is enabled. If false queries executed will not be captured. - Si la captura del historial de consultas está habilitada. De no ser así, las consultas ejecutadas no se capturarán. - - - View - Vista - - - &&Query History - && denotes a mnemonic - &&Historial de consultas - - - Query History - Historial de consultas - - - - - - - Connecting: {0} - Conectando: {0} - - - Running command: {0} - Ejecutando comando: {0} - - - Opening new query: {0} - Abriendo nueva consulta: {0} - - - Cannot connect as no server information was provided - No se puede conectar ya que no se proporcionó información del servidor - - - Could not open URL due to error {0} - No se pudo abrir la dirección URL debido a un error {0} - - - This will connect to server {0} - Esto se conectará al servidor {0} - - - Are you sure you want to connect? - ¿Seguro que desea conectarse? - - - &&Open - &&Abrir - - - Connecting query file - Conectando con el archivo de consulta - - - - - - - 1 or more tasks are in progress. Are you sure you want to quit? - 1 o más tareas están en curso. ¿Seguro que desea salir? - - - Yes - - - - No - No - - - - - - - Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? - Las características en versión preliminar mejoran la experiencia en Azure Data Studio, ya que ofrecen acceso completo a nuevas funciones y mejoras. Puede obtener más información sobre las características en versión preliminar [aquí]({0}). ¿Quiere habilitar las características en versión preliminar? - - - Yes (recommended) - Sí (opción recomendada) - - - No - No - - - No, don't show again - No, no volver a mostrar - - - - - - - Toggle Query History - Alternar el historial de consultas - - - Delete - Eliminar - - - Clear All History - Borrar todo el historial - - - Open Query - Abrir consulta - - - Run Query - Ejecutar consulta - - - Toggle Query History capture - Alternar la captura del historial de consultas - - - Pause Query History Capture - Pausar la captura del historial de consultas - - - Start Query History Capture - Iniciar la captura del historial de consultas - - - - - - - No queries to display. - No hay consultas que mostrar. - - - Query History - QueryHistory - Historial de consultas - - - - - - - Error - Error - - - Warning - Advertencia - - - Info - Información - - - Ignore - Omitir - - - - - - - Saving results into different format disabled for this data provider. - El guardado de resultados en diferentes formatos se ha deshabilitado para este proveedor de datos. - - - Cannot serialize data as no provider has been registered - No se pueden serializar datos ya que no se ha registrado ningún proveedor - - - Serialization failed with an unknown error - Error desconocido en la serialización - - - - - - - Connection is required in order to interact with adminservice - Se necesita la conexión para interactuar con el servicio de administración - - - No Handler Registered - Ningún controlador registrado - - - - - - - Select a file - Seleccione un archivo - - - - - - - Connection is required in order to interact with Assessment Service - Para interactuar con el servicio de evaluación, se necesita una conexión. - - - No Handler Registered - No hay ningún controlador registrado. - - - - - - - Results Grid and Messages - Cuadrícula y mensajes de resultados - - - Controls the font family. - Controla la familia de fuentes. - - - Controls the font weight. - Controla el grosor de la fuente. - - - Controls the font size in pixels. - Controla el tamaño de fuente en píxeles. - - - Controls the letter spacing in pixels. - Controla el espacio entre letras en píxeles. - - - Controls the row height in pixels - Controla la altura de la fila en píxeles - - - Controls the cell padding in pixels - Controla el relleno de la celda en píxeles - - - Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells - Redimensione automáticamente el ancho de las columnas en los resultados iniciales. Podría tener problemas de rendimiento si hay muchas columnas o las celdas son grandes. - - - The maximum width in pixels for auto-sized columns - El máximo ancho en píxeles de las columnas de tamaño automático - - - - - - - View - Vista - - - Database Connections - Conexiones de base de datos - - - data source connections - Conexiones de fuentes de datos - - - data source groups - grupos de origen de datos - - - Startup Configuration - Configuración de inicio - - - True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown - True para que la vista de servidores aparezca en la apertura predeterminada de Azure Data Studio; false si quiere aparezca la última vista abierta - - - - - - - Disconnect - Desconectar - - - Refresh - Actualizar - - - - - - - Preview Features - Características en versión preliminar - - - Enable unreleased preview features - Habilitar las características de la versión preliminar sin publicar - - - Show connect dialog on startup - Mostrar diálogo de conexión al inicio - - - Obsolete API Notification - Notificación de API obsoleta - - - Enable/disable obsolete API usage notification - Activar/desactivar la notificación de uso de API obsoleta - - - - - - - Problems - Problemas - - - - - - - {0} in progress tasks - {0} tareas en curso - - - View - Vista - - - Tasks - Tareas - - - &&Tasks - && denotes a mnemonic - &&Tareas - - - - - - - The maximum number of recently used connections to store in the connection list. - Número máximo de conexiones usadas recientemente que se van a almacenar en la lista de conexiones. - - - Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. - Motor de SQL predeterminado para usar. Esto indica el proveedor de lenguaje predeterminado en los archivos .sql y los valores por defecto que se usarán al crear una nueva conexión. - - - Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. - Intente analizar el contenido del portapapeles cuando se abre el cuadro de diálogo de conexión o se realiza un pegado. - - - - - - - Server Group color palette used in the Object Explorer viewlet. - Paleta de colores del grupo de servidores utilizada en el viewlet del Explorador de objetos. - - - Auto-expand Server Groups in the Object Explorer viewlet. - Expanda automáticamente los grupos de servidores en el viewlet del Explorador de Objetos. - - - (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. - (Versión preliminar) Use el nuevo árbol de servidores asincrónicos para la vista Servidores y el cuadro de diálogo Conexión, con compatibilidad con nuevas características como el filtrado de nodos dinámicos. - - - - - - - Identifier of the account type - Identificador del tipo de cuenta - - - (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration - (Opcional) El icono que se usa para representar la cuenta en la IU. Una ruta de acceso al archivo o una configuración con temas - - - Icon path when a light theme is used - Ruta del icono cuando se usa un tema ligero - - - Icon path when a dark theme is used - Ruta de icono cuando se usa un tema oscuro - - - Contributes icons to account provider. - Aporta iconos al proveedor de la cuenta. - - - - - - - Show Edit Data SQL pane on startup - Mostrar panel de edición de datos de SQL al iniciar - - - - - - - Minimum value of the y axis - Valor mínimo del eje y - - - Maximum value of the y axis - Valor máximo del eje y - - - Label for the y axis - Etiqueta para el eje y - - - Minimum value of the x axis - Valor mínimo del eje x - - - Maximum value of the x axis - Valor máximo del eje x - - - Label for the x axis - Etiqueta para el eje x - - - - - - - Resource Viewer - Visor de recursos - - - - - - - Indicates data property of a data set for a chart. - Indica la propiedad de datos de un conjunto de datos para un gráfico. - - - - - - - For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 - Para cada columna de un conjunto de resultados, muestra el valor de la fila 0 como un recuento seguido del nombre de la columna. Admite "1 Healthy", "3 Unhealthy", por ejemplo, donde "Healthy" es el nombre de la columna y 1 es el valor de la fila 1, celda 1 - - - - - - - Displays the results in a simple table - Muestra los resultados en una tabla simple - - - - - - - Displays an image, for example one returned by an R query using ggplot2 - Muestra una imagen, por ejemplo uno devuelta por una consulta R con ggplot2 - - - What format is expected - is this a JPEG, PNG or other format? - ¿Qué formato se espera: es un archivo JPEG, PNG u otro formato? - - - Is this encoded as hex, base64 or some other format? - ¿Está codificado como hexadecimal, base64 o algún otro formato? - - - - - - - Manage - Administrar - - - Dashboard - Panel - - - - - - - The webview that will be displayed in this tab. - La vista web que se mostrará en esta pestaña. - - - - - - - The controlhost that will be displayed in this tab. - El control host que se mostrará en esta pestaña. - - - - - - - The list of widgets that will be displayed in this tab. - La lista de widgets que se muestra en esta pestaña. - - - The list of widgets is expected inside widgets-container for extension. - La lista de widgets que se espera dentro del contenedor de widgets para la extensión. - - - - - - - The list of widgets or webviews that will be displayed in this tab. - La lista de widgets o vistas web que se muestran en esta pestaña. - - - widgets or webviews are expected inside widgets-container for extension. - Se esperan widgets o vistas web en el contenedor de widgets para la extensión. - - - - - - - Unique identifier for this container. - Identificador único para este contenedor. - - - The container that will be displayed in the tab. - El contenedor que se mostrará en la pestaña. - - - Contributes a single or multiple dashboard containers for users to add to their dashboard. - Contribuye con uno o varios contenedores de paneles para que los usuarios los agreguen a su propio panel. - - - No id in dashboard container specified for extension. - No se ha especificado ningún identificador en el contenedor de paneles para la extensión. - - - No container in dashboard container specified for extension. - No se ha especificado ningún contenedor en el contenedor de paneles para la extensión. - - - Exactly 1 dashboard container must be defined per space. - Debe definirse exactamente 1 contenedor de paneles por espacio. - - - Unknown container type defines in dashboard container for extension. - Tipo de contenedor desconocido definido en el contenedor de paneles para la extensión. - - - - - - - Unique identifier for this nav section. Will be passed to the extension for any requests. - Identificador único para esta sección de navegación. Se pasará a la extensión de las solicitudes. - - - (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration - (opcional) Icono que se utiliza para representar esta sección de navegación en la IU. Una ruta de acceso al archivo o una configuración con temas - - - Icon path when a light theme is used - Ruta del icono cuando se usa un tema ligero - - - Icon path when a dark theme is used - Ruta de icono cuando se usa un tema oscuro - - - Title of the nav section to show the user. - Título de la sección de navegación para mostrar al usuario. - - - The container that will be displayed in this nav section. - El contenedor que se mostrará en esta sección de navegación. - - - The list of dashboard containers that will be displayed in this navigation section. - La lista de contenedores de paneles que se mostrará en esta sección de navegación. - - - No title in nav section specified for extension. - No hay título en la sección de navegación especificada para la extensión. - - - No container in nav section specified for extension. - No hay contenedor en la sección de navegación especificada para la extensión. - - - Exactly 1 dashboard container must be defined per space. - Debe definirse exactamente 1 contenedor de paneles por espacio. - - - NAV_SECTION within NAV_SECTION is an invalid container for extension. - NAV_SECTION en NAV_SECTION es un contenedor no válido para la extensión. - - - - - - - The model-backed view that will be displayed in this tab. - La vista respaldada por el modelo que se visualiza en esta pestaña. - - - - - - - Backup - Copia de seguridad - - - - - - - Restore - Restaurar - - - Restore - Restaurar - - - - - - - Open in Azure Portal - Abrir en Azure Portal - - - - - - - disconnected - desconectado - - - - - - - Cannot expand as the required connection provider '{0}' was not found - No se puede expandir porque no se encontró el proveedor de conexiones necesario "{0}" - - - User canceled - Cancelado por el usuario - - - Firewall dialog canceled - Diálogo de firewall cancelado - - - - - - - Connection is required in order to interact with JobManagementService - Se necesita conexión para interactuar con JobManagementService - - - No Handler Registered - No hay ningún controlador registrado. - - - - - - - An error occured while loading the file browser. - Se ha producido un error al cargar el explorador de archivos. - - - File browser error - Error del explorador de archivos - - - - - - - Common id for the provider - Identificador común para el proveedor - - - Display Name for the provider - Nombre para mostrar del proveedor - - - Notebook Kernel Alias for the provider - Alias de kernel del cuaderno para el proveedor - - - Icon path for the server type - Ruta de acceso al icono para el tipo de servidor - - - Options for connection - Opciones para la conexión - - - - - - - Unique identifier for this tab. Will be passed to the extension for any requests. - Identificador único para esta pestaña. Se pasará a la extensión para cualquier solicitud. - - - Title of the tab to show the user. - Título de la pestaña para mostrar al usuario. - - - Description of this tab that will be shown to the user. - Descripción de esta pestaña que se mostrará al usuario. - - - Condition which must be true to show this item - Condición que se debe cumplir para mostrar este elemento - - - Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set - Define los tipos de conexión con los que esta pestaña es compatible. El valor predeterminado es "MSSQL" si no se establece - - - The container that will be displayed in this tab. - El contenedor que se mostrará en esta pestaña. - - - Whether or not this tab should always be shown or only when the user adds it. - Si esta pestaña se debe mostrar siempre, o sólo cuando el usuario la agrega. - - - Whether or not this tab should be used as the Home tab for a connection type. - Si esta pestaña se debe usar o no como la pestaña Inicio para un tipo de conexión. - - - The unique identifier of the group this tab belongs to, value for home group: home. - Id. único del grupo al que pertenece esta pestaña; valor para el grupo de inicio: Inicio. - - - (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration - (Opcional) Icono que se utiliza para representar esta pestaña en la interfaz de usuario; puede ser una ruta de acceso al archivo o una configuración con temas. - - - Icon path when a light theme is used - Ruta del icono cuando se usa un tema ligero - - - Icon path when a dark theme is used - Ruta de icono cuando se usa un tema oscuro - - - Contributes a single or multiple tabs for users to add to their dashboard. - Aporta una o varias pestañas que los usuarios pueden agregar a su panel. - - - No title specified for extension. - No se ha especificado ningún título para la extensión. - - - No description specified to show. - No se ha especificado ninguna descripción para mostrar. - - - No container specified for extension. - No se ha especificado ningún contenedor para la extensión. - - - Exactly 1 dashboard container must be defined per space - Debe definirse exactamente 1 contenedor de paneles por espacio - - - Unique identifier for this tab group. - Identificador único para este grupo de pestañas. - - - Title of the tab group. - Título del grupo de pestañas. - - - Contributes a single or multiple tab groups for users to add to their dashboard. - Aporta uno o varios grupos de pestañas que los usuarios pueden agregar a su panel. - - - No id specified for tab group. - No se ha especificado ningún id. para el grupo de pestañas. - - - No title specified for tab group. - No se ha especificado ningún título para el grupo de pestañas. - - - Administration - Administración - - - Monitoring - Supervisión - - - Performance - Rendimiento - - - Security - Seguridad - - - Troubleshooting - Solución de problemas - - - Settings - Configuración - - - databases tab - pestaña de bases de datos - - - Databases - Bases de datos - - - - - - - succeeded - se realizó correctamente - - - failed - error - - - - - - - Connection error - Error de conexión - - - Connection failed due to Kerberos error. - Error en la conexión debido a un error de Kerberos. - - - Help configuring Kerberos is available at {0} - La ayuda para configurar Kerberos está disponible en {0} - - - If you have previously connected you may need to re-run kinit. - Si se ha conectado anteriormente puede que necesite volver a ejecutar kinit. - - - - - - - Close - Cerrar - - - Adding account... - Adición de cuenta en curso... - - - Refresh account was canceled by the user - El usuario canceló la actualización de la cuenta - - - - - - - Query Results - Resultados de consultas - - - Query Editor - Editor de consultas - - - New Query - Nueva consulta - - - Query Editor - Editor de Power Query - - - When true, column headers are included when saving results as CSV - Si es "true", los encabezados de columna se incluirán al guardar los resultados como CSV. - - - The custom delimiter to use between values when saving as CSV - Delimitador personalizado para usar entre los valores al guardar como CSV - - - Character(s) used for seperating rows when saving results as CSV - Caracteres que se usan para separar las filas al guardar los resultados como CSV. - - - Character used for enclosing text fields when saving results as CSV - Carácter que se usa para delimitar los campos de texto al guardar los resultados como CSV. - - - File encoding used when saving results as CSV - Codificación de archivo empleada al guardar los resultados como CSV - - - When true, XML output will be formatted when saving results as XML - Si es "true", se dará formato a la salida XML al guardar los resultados como XML. - - - File encoding used when saving results as XML - Codificación de archivo empleada al guardar los resultados como XML - - - Enable results streaming; contains few minor visual issues - Permitir streaming de resultados; contiene algunos defectos visuales menores - - - Configuration options for copying results from the Results View - Opciones de configuración para copiar los resultados de la vista de resultados. - - - Configuration options for copying multi-line results from the Results View - Opciones de configuración para copiar los resultados de varias líneas de la vista de resultados. - - - (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. - (Experimental) Use una tabla optimizada en los resultados. Es posible que falten algunas funciones porque todavía estén en desarrollo. - - - Should execution time be shown for individual batches - Indica si debe mostrarse el tiempo de ejecución para los lotes individuales. - - - Word wrap messages - Mensajes de ajuste automático de línea - - - The default chart type to use when opening Chart Viewer from a Query Results - Tipo de gráfico predeterminado para usar al abrir el visor de gráficos a partir de los resultados de una consulta - - - Tab coloring will be disabled - Se deshabilitará el coloreado de las pestañas - - - The top border of each editor tab will be colored to match the relevant server group - El borde superior de cada pestaña del editor se coloreará para que coincida con el grupo de servidores correspondiente - - - Each editor tab's background color will match the relevant server group - El color de fondo de la pestaña del editor coincidirá con el grupo de servidores pertinente - - - Controls how to color tabs based on the server group of their active connection - Controla cómo colorear las pestañas basadas en el grupo de servidores de la conexión activa - - - Controls whether to show the connection info for a tab in the title. - Controla si se muestra la información de conexión para una pestaña en el título. - - - Prompt to save generated SQL files - Solicitud para guardar los archivos SQL generados - - - Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call. Any selected text in the query editor will be passed as a parameter - Establece el enlace de teclado workbench.action.query.shortcut{0} para ejecutar el texto del acceso directo como un procedimiento almacenado. Cualquier texto seleccionado en el editor de consultas se pasará como un parámetro. - - - - - - - Specifies view templates - Especifica plantillas de vista - - - Specifies session templates - Especifica plantillas de sesión - - - Profiler Filters - Filtros de Profiler - - - - - - - Script as Create - Script como crear - - - Script as Drop - Script como borrar - - - Select Top 1000 - Seleccionar el top 1000 - - - Script as Execute - Script como ejecutar - - - Script as Alter - Script como modificar - - - Edit Data - Editar datos - - - Select Top 1000 - Seleccionar el top 1000 - - - Take 10 - Take 10 - - - Script as Create - Script como crear - - - Script as Execute - Script como ejecutar - - - Script as Alter - Script como modificar - - - Script as Drop - Script como borrar - - - Refresh - Actualizar - - - - - - - Commit row failed: - Error al confirmar una fila: - - - Started executing query at - La consulta comenzó a ejecutarse a las - - - Started executing query "{0}" - Comenzó a ejecutar la consulta "{0}" - - - Line {0} - Línea {0} - - - Canceling the query failed: {0} - Error al cancelar la consulta: {0} - - - Update cell failed: - Error en la actualización de la celda: - - - - - - - No URI was passed when creating a notebook manager - No se pasó ninguna URI al crear el administrador de cuadernos - - - Notebook provider does not exist - El proveedor de cuadernos no existe - - - - - - - Notebook Editor - Editor de Notebook - - - New Notebook - Nuevo Notebook - - - New Notebook - Nuevo Notebook - - - Set Workspace And Open - Establecer área de trabajo y abrir - - - SQL kernel: stop Notebook execution when error occurs in a cell. - Kernel SQL: detenga la ejecución del Notebook cuando se produzca un error en una celda. - - - (Preview) show all kernels for the current notebook provider. - (Versión preliminar) Consulte todos los kernel del proveedor del cuaderno actual. - - - Allow notebooks to run Azure Data Studio commands. - Permita a los cuadernos ejecutar comandos de Azure Data Studio. - - - Enable double click to edit for text cells in notebooks - Habilitar doble clic para editar las celdas de texto en los cuadernos - - - Set Rich Text View mode by default for text cells - Establecer modo de vista texto enriquecido de forma predeterminada para las celdas de texto - - - (Preview) Save connection name in notebook metadata. - (Versión preliminar) Guarde el nombre de la conexión en los metadatos del cuaderno. - - - Controls the line height used in the notebook markdown preview. This number is relative to the font size. - Controla la altura de línea utilizada en la vista previa de Markdown del cuaderno. Este número es relativo al tamaño de la fuente. - - - View - Ver - - - Search Notebooks - Búsqueda de cuadernos - - - Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). - Configure patrones globales para excluir archivos y carpetas en búsquedas de texto completo y abrir los patrones de uso rápido. Hereda todos los patrones globales de la configuración "#files.exclude". Lea más acerca de los patrones globales [aquí](https://code.visualstudio.com/docs/editor/codebasics-_advanced-search-options). - - - The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. - El patrón global con el que se harán coincidir las rutas de acceso de los archivos. Establézcalo en true o false para habilitarlo o deshabilitarlo. - - - Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. - Comprobación adicional de los elementos del mismo nivel de un archivo coincidente. Use $(nombreBase) como variable para el nombre de archivo que coincide. - - - This setting is deprecated and now falls back on "search.usePCRE2". - Esta opción están en desuso y ahora se utiliza "search.usePCRE2". - - - Deprecated. Consider "search.usePCRE2" for advanced regex feature support. - En desuso. Considere la utilización de "search.usePCRE2" para admitir la característica de expresiones regulares avanzadas. - - - When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. - Cuando está habilitado, el proceso de servicio de búsqueda se mantendrá habilitado en lugar de cerrarse después de una hora de inactividad. Esto mantendrá la caché de búsqueda de archivos en la memoria. - - - Controls whether to use `.gitignore` and `.ignore` files when searching for files. - Controla si se deben usar los archivos ".gitignore" e ".ignore" al buscar archivos. - - - Controls whether to use global `.gitignore` and `.ignore` files when searching for files. - Controla si deben usarse archivos ".ignore" y ".gitignore" globables cuando se buscan archivos. - - - Whether to include results from a global symbol search in the file results for Quick Open. - Indica si se incluyen resultados de una búsqueda global de símbolos en los resultados de archivos de Quick Open. - - - Whether to include results from recently opened files in the file results for Quick Open. - Indica si se incluyen resultados de archivos abiertos recientemente en los resultados de archivos de Quick Open. - - - History entries are sorted by relevance based on the filter value used. More relevant entries appear first. - Las entradas de historial se ordenan por pertinencia en función del valor de filtro utilizado. Las entradas más pertinentes aparecen primero. - - - History entries are sorted by recency. More recently opened entries appear first. - Las entradas de historial se ordenan por uso reciente. Las entradas abiertas más recientemente aparecen primero. - - - Controls sorting order of editor history in quick open when filtering. - Controla el orden de clasificación del historial del editor en apertura rápida al filtrar. - - - Controls whether to follow symlinks while searching. - Controla si debe seguir enlaces simbólicos durante la búsqueda. - - - Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. - Buscar sin distinción de mayúsculas y minúsculas si el patrón es todo en minúsculas; de lo contrario, buscar con distinción de mayúsculas y minúsculas. - - - Controls whether the search view should read or modify the shared find clipboard on macOS. - Controla si la vista de búsqueda debe leer o modificar el portapapeles de búsqueda compartido en macOS. - - - Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. - Controla si la búsqueda se muestra como una vista en la barra lateral o como un panel en el área de paneles para disponer de más espacio horizontal. - - - This setting is deprecated. Please use the search view's context menu instead. - Esta configuración está en desuso. Utilice el menú contextual de la vista de búsqueda en su lugar. - - - Files with less than 10 results are expanded. Others are collapsed. - Los archivos con menos de 10 resultados se expanden. El resto están colapsados. - - - Controls whether the search results will be collapsed or expanded. - Controla si los resultados de la búsqueda estarán contraídos o expandidos. - - - Controls whether to open Replace Preview when selecting or replacing a match. - Controla si debe abrirse la vista previa de reemplazo cuando se selecciona o reemplaza una coincidencia. - - - Controls whether to show line numbers for search results. - Controla si deben mostrarse los números de línea en los resultados de la búsqueda. - - - Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. - Si se utiliza el motor de expresión regular PCRE2 en la búsqueda de texto. Esto permite utilizar algunas características avanzadas de regex como la búsqueda anticipada y las referencias inversas. Sin embargo, no todas las características de PCRE2 son compatibles: solo las características que también admite JavaScript. - - - Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. - En desuso. Se usará PCRE2 automáticamente al utilizar características de regex que solo se admiten en PCRE2. - - - Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. - Posicione el actionbar a la derecha cuando la vista de búsqueda es estrecha, e inmediatamente después del contenido cuando la vista de búsqueda es amplia. - - - Always position the actionbar to the right. - Posicionar siempre el actionbar a la derecha. - - - Controls the positioning of the actionbar on rows in the search view. - Controla el posicionamiento de la actionbar en las filas en la vista de búsqueda. - - - Search all files as you type. - Busque todos los archivos a medida que escribe. - - - Enable seeding search from the word nearest the cursor when the active editor has no selection. - Habilite la búsqueda de propagación a partir de la palabra más cercana al cursor cuando el editor activo no tiene ninguna selección. - - - Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. - Actualiza la consulta de búsqueda del área de trabajo al texto seleccionado del editor al enfocar la vista de búsqueda. Esto ocurre al hacer clic o al desencadenar el comando "workbench.views.search.focus". - - - When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. - Cuando '#search.searchOnType' está habilitado, controla el tiempo de espera en milisegundos entre un carácter que se escribe y el inicio de la búsqueda. No tiene ningún efecto cuando 'search.searchOnType' está deshabilitado. - - - Double clicking selects the word under the cursor. - Al hacer doble clic, se selecciona la palabra bajo el cursor. - - - Double clicking opens the result in the active editor group. - Al hacer doble clic, se abre el resultado en el grupo de editor activo. - - - Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. - Al hacer doble clic se abre el resultado en el grupo del editor a un lado, creando uno si aún no existe. - - - Configure effect of double clicking a result in a search editor. - Configure el efecto de hacer doble clic en un resultado en un editor de búsqueda. - - - Results are sorted by folder and file names, in alphabetical order. - Los resultados se ordenan por nombre de carpeta y archivo, en orden alfabético. - - - Results are sorted by file names ignoring folder order, in alphabetical order. - Los resultados estan ordenados alfabéticamente por nombres de archivo, ignorando el orden de las carpetas. - - - Results are sorted by file extensions, in alphabetical order. - Los resultados se ordenan por extensiones de archivo, en orden alfabético. - - - Results are sorted by file last modified date, in descending order. - Los resultados se ordenan por la última fecha de modificación del archivo, en orden descendente. - - - Results are sorted by count per file, in descending order. - Los resultados se ordenan de forma descendente por conteo de archivos. - - - Results are sorted by count per file, in ascending order. - Los resultados se ordenan por recuento por archivo, en orden ascendente. - - - Controls sorting order of search results. - Controla el orden de los resultados de búsqueda. - - - - - - - New Query - Nueva consulta - - - Run - Ejecutar - - - Cancel - Cancelar - - - Explain - Explicar - - - Actual - Real - - - Disconnect - Desconectar - - - Change Connection - Cambiar conexión - - - Connect - Conectar - - - Enable SQLCMD - Habilitar SQLCMD - - - Disable SQLCMD - Desactivar SQLCMD - - - Select Database - Seleccionar la base de datos - - - Failed to change database - No se pudo cambiar la base de datos - - - Failed to change database {0} - No se pudo cambiar de base de datos {0} - - - Export as Notebook - Exportación como cuaderno - - - - - - - OK - Aceptar - - - Close - Cerrar - - - Action - Acción - - - Copy details - Copiar detalles - - - - - - - Add server group - Agregar grupo de servidores - - - Edit server group - Editar grupo de servidores - - - - - - - Extension - Extensión - - - - - - - Failed to create Object Explorer session - Error al crear la sesión del Explorador de objetos - - - Multiple errors: - Varios errores: - - - - - - - Error adding account - Error al agregar la cuenta - - - Firewall rule error - Error de la regla de firewall - - - - - - - Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window - Algunas de las extensiones cargadas utilizan API obsoletas, consulte la información detallada en la pestaña Consola de la ventana Herramientas de desarrollo - - - Don't Show Again - No mostrar de nuevo - - - - - - - Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. - Identificador de la vista. Úselo para registrar un proveedor de datos mediante la API "vscode.window.registerTreeDataProviderForView". También para desencadenar la activación de su extensión al registrar el evento "onView:${id}" en "activationEvents". - - - The human-readable name of the view. Will be shown - Nombre de la vista en lenguaje natural. Se mostrará - - - Condition which must be true to show this view - Condición que se debe cumplir para mostrar esta vista - - - Contributes views to the editor - Aporta vistas al editor - - - Contributes views to Data Explorer container in the Activity bar - Aporta vistas al contenedor del Explorador de datos en la barra de la actividad - - - Contributes views to contributed views container - Contribuye vistas al contenedor de vistas aportadas - - - Cannot register multiple views with same id `{0}` in the view container `{1}` - No pueden registrar múltiples vistas con el mismo identificador "{0}" en el contenedor de vistas "{1}" - - - A view with id `{0}` is already registered in the view container `{1}` - Una vista con el identificador "{0}" ya está registrada en el contenedor de vista "{1}" - - - views must be an array - Las vistas deben ser una matriz - - - property `{0}` is mandatory and must be of type `string` - la propiedad "{0}" es obligatoria y debe ser de tipo "string" - - - property `{0}` can be omitted or must be of type `string` - la propiedad "{0}" se puede omitir o debe ser de tipo "string" - - - - - - - {0} was replaced with {1} in your user settings. - {0} se ha reemplazado por {1} en la configuración de usuario. - - - {0} was replaced with {1} in your workspace settings. - {0} se ha reemplazado por {1} en la configuración del área de trabajo. - - - - - - - Manage - Administrar - - - Show Details - Mostrar detalles - - - Learn More - Más información - - - Clear all saved accounts - Borrar todas las cuentas guardadas - - - - - - - Toggle Tasks - Alternar tareas - - - - - - - Connection Status - Estado de conexión - - - - - - - User visible name for the tree provider - Nombre de usuario visible para el proveedor de árbol - - - Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` - Id. del proveedor; debe ser el mismo que al registrar el proveedor de datos del árbol y debe empezar por "connectionDialog/". - - - - - - - Displays results of a query as a chart on the dashboard - Muestra los resultados de una consulta como un gráfico en el panel de información - - - Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color - Asigne "nombre de columna" -> color. Por ejemplo, agregue "column1": red para asegurarse de que esta utilice un color rojo - - - Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry - Indica la posición y visibilidad preferidas de la leyenda del gráfico. Estos son los nombres de columna de la consulta y se asignan a la etiqueta de cada entrada de gráfico - - - If dataDirection is horizontal, setting this to true uses the first columns value for the legend. - Si dataDirection es horizontal, al establecerlo como verdadero se utilizarán los valores de las primeras columnas para la leyenda. - - - If dataDirection is vertical, setting this to true will use the columns names for the legend. - Si dataDirection es vertical, al configurarlo como verdadero se utilizarán los nombres de columna para la leyenda. - - - Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. - Define si los datos se leen desde una columna (vertical) o una fila (horizontal). Para series de tiempo esto se omite, ya que la dirección debe ser vertical. - - - If showTopNData is set, showing only top N data in the chart. - Si se establece showTopNData, se mostrarán solo los primeros N datos en la tabla. - - - - - - - Widget used in the dashboards - Widget utilizado en los paneles - - - - - - - Show Actions - Mostrar acciones - - - Resource Viewer - Visor de recursos - - - - - - - Identifier of the resource. - Identificador del recurso. - - - The human-readable name of the view. Will be shown - Nombre de la vista en lenguaje natural. Se mostrará - - - Path to the resource icon. - Ruta de acceso al icono del recurso. - - - Contributes resource to the resource view - Aporta recursos a la vista de recursos. - - - property `{0}` is mandatory and must be of type `string` - la propiedad "{0}" es obligatoria y debe ser de tipo "string" - - - property `{0}` can be omitted or must be of type `string` - la propiedad "{0}" se puede omitir o debe ser de tipo "string" - - - - - - - Resource Viewer Tree - Árbol del visor de recursos - - - - - - - Widget used in the dashboards - Widget utilizado en los paneles - - - Widget used in the dashboards - Widget utilizado en los paneles - - - Widget used in the dashboards - Widget utilizado en los paneles - - - - - - - Condition which must be true to show this item - Condición que se debe cumplir para mostrar este elemento - - - Whether to hide the header of the widget, default value is false - Indica se oculta el encabezado del widget; el valor predeterminado es "false". - - - The title of the container - El título del contenedor - - - The row of the component in the grid - La fila del componente en la cuadrícula - - - The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. - El intervalo de fila del componente en la cuadrícula. El valor predeterminado es 1. Use "*" para establecer el número de filas en la cuadrícula. - - - The column of the component in the grid - La columna del componente en la cuadrícula - - - The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. - El colspan del componente en la cuadrícula. El valor predeterminado es 1. Use "*" para definir el número de columnas en la cuadrícula. - - - Unique identifier for this tab. Will be passed to the extension for any requests. - Identificador único para esta pestaña. Se pasará a la extensión para cualquier solicitud. - - - Extension tab is unknown or not installed. - La pestaña de extensión es desconocida o no está instalada. - - - - - - - Enable or disable the properties widget - Activar o desactivar el widget de propiedades - - - Property values to show - Valores de la propiedad para mostrar - - - Display name of the property - Nombre para mostrar de la propiedad - - - Value in the Database Info Object - Valor en el objeto de la información de la base de datos - - - Specify specific values to ignore - Especificar valores específicos para ignorar - - - Recovery Model - Modelo de recuperación - - - Last Database Backup - Última copia de seguridad de la base de datos - - - Last Log Backup - Última copia de seguridad de registros - - - Compatibility Level - Nivel de compatibilidad - - - Owner - Propietario - - - Customizes the database dashboard page - Personaliza la página del panel de base de datos - - - Search - Búsqueda - - - Customizes the database dashboard tabs - Personaliza las pestañas de consola de base de datos - - - - - - - Enable or disable the properties widget - Activar o desactivar el widget de propiedades - - - Property values to show - Valores de la propiedad para mostrar - - - Display name of the property - Nombre para mostrar de la propiedad - - - Value in the Server Info Object - Valor en el objeto de información de servidor - - - Version - Versión - - - Edition - Edición - - - Computer Name - Nombre del equipo - - - OS Version - Versión del sistema operativo - - - Search - Búsqueda - - - Customizes the server dashboard page - Personaliza la página del panel de servidor - - - Customizes the Server dashboard tabs - Personaliza las pestañas del panel de servidor - - - - - - - Manage - Administrar - - - - - - - property `icon` can be omitted or must be either a string or a literal like `{dark, light}` - la propiedad "icon" puede omitirse o debe ser una cadena o un literal como "{dark, light}" - - - - - - - Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more - Añade un widget que puede consultar un servidor o base de datos y mostrar los resultados de múltiples maneras, como un gráfico o una cuenta de resumen, entre otras. - - - Unique Identifier used for caching the results of the insight. - Identificador único utilizado para almacenar en caché los resultados de la información. - - - SQL query to run. This should return exactly 1 resultset. - Consulta SQL para ejecutar. Esto debería devolver exactamente un conjunto de resultados. - - - [Optional] path to a file that contains a query. Use if 'query' is not set - [Opcional] Ruta de acceso a un archivo que contiene una consulta. Utilícelo si "query" no está establecido - - - [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh - [Opcional] Intervalo de actualización automática en minutos, si no se establece, no habrá actualización automática - - - Which actions to use - Acciones para utilizar - - - Target database for the action; can use the format '${ columnName }' to use a data driven column name. - Base de datos de destino para la acción; puede usar el formato "${ columnName }" para usar un nombre de columna controlado por datos. - - - Target server for the action; can use the format '${ columnName }' to use a data driven column name. - Servidor de destino para la acción; puede usar el formato "${ columnName }" para usar un nombre de columna controlado por datos. - - - Target user for the action; can use the format '${ columnName }' to use a data driven column name. - Usuario de destino para la acción; puede usar el formato "${ columnName }" para usar un nombre de columna controlado por datos. - - - Identifier of the insight - Identificador de la información - - - Contributes insights to the dashboard palette. - Aporta conocimientos a la paleta del panel. - - - - - - - Backup - Copia de seguridad - - - You must enable preview features in order to use backup - Debe habilitar las características en versión preliminar para utilizar la copia de seguridad - - - Backup command is not supported for Azure SQL databases. - No se admite el comando de copia de seguridad para bases de datos de Azure SQL. - - - Backup command is not supported in Server Context. Please select a Database and try again. - No se admite el comando de copia de seguridad en el contexto del servidor. Seleccione una base de datos y vuelva a intentarlo. - - - - - - - Restore - Restaurar - - - You must enable preview features in order to use restore - Debe habilitar las características en versión preliminar para utilizar la restauración - - - Restore command is not supported for Azure SQL databases. - No se admite el comando de restauración para bases de datos de Azure SQL. - - - - - - - Show Recommendations - Mostrar recomendaciones - - - Install Extensions - Instalar extensiones - - - Author an Extension... - Crear una extensión... - - - - - - - Edit Data Session Failed To Connect - Error al conectar la sesión de edición de datos - - - - - - - OK - Aceptar - - - Cancel - Cancelar - - - - - - - Open dashboard extensions - Abrir extensiones de panel - - - OK - Aceptar - - - Cancel - Cancelar - - - No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. - No hay extensiones de panel instaladas en este momento. Vaya al Administrador de extensiones para explorar las extensiones recomendadas. - - - - - - - Selected path - Ruta seleccionada - - - Files of type - Archivos de tipo - - - OK - Aceptar - - - Discard - Descartar - - - - - - - No Connection Profile was passed to insights flyout - No se pasó ningún perfil de conexión al control flotante de información - - - Insights error - Error de Insights - - - There was an error reading the query file: - Error al leer el archivo de consulta: - - - There was an error parsing the insight config; could not find query array/string or queryfile - Error al analizar la configuración de la conclusión; no se pudo encontrar la matriz/cadena de consulta o el archivo de consulta - - - - - - - Azure account - Cuenta de Azure - - - Azure tenant - Inquilino de Azure - - - - - - - Show Connections - Mostrar conexiones - - - Servers - Servidores - - - Connections - Conexiones - - - - - - - No task history to display. - No hay un historial de tareas para mostrar. - - - Task history - TaskHistory - Historial de tareas - - - Task error - Error de la tarea - - - - - - - Clear List - Borrar lista - - - Recent connections list cleared - Lista de conexiones recientes borrada - - - Yes - - - - No - No - - - Are you sure you want to delete all the connections from the list? - ¿Está seguro que desea eliminar todas las conexiones de la lista? - - - Yes - - - - No - No - - - Delete - Eliminar - - - Get Current Connection String - Obtener la cadena de conexión actual - - - Connection string not available - La cadena de conexión no está disponible - - - No active connection available - Ninguna conexión activa disponible - - - - - - - Refresh - Actualizar - - - Edit Connection - Editar conexión - - - Disconnect - Desconectar - - - New Connection - Nueva conexión - - - New Server Group - Nuevo grupo de servidores - - - Edit Server Group - Editar grupo de servidores - - - Show Active Connections - Mostrar conexiones activas - - - Show All Connections - Mostrar todas las conexiones - - - Recent Connections - Conexiones recientes - - - Delete Connection - Eliminar conexión - - - Delete Group - Eliminar grupo - - - - - - - Run - Ejecutar - - - Dispose Edit Failed With Error: - Eliminar edición con error: - - - Stop - Detener - - - Show SQL Pane - Mostrar el panel de SQL - - - Close SQL Pane - Cerrar el panel de SQL - - - - - - - Profiler - Profiler - - - Not connected - No conectado - - - XEvent Profiler Session stopped unexpectedly on the server {0}. - La sesión de XEvent Profiler se detuvo inesperadamente en el servidor {0}. - - - Error while starting new session - Error al iniciar nueva sesión - - - The XEvent Profiler session for {0} has lost events. - La sesión de XEvent Profiler para {0} tiene eventos perdidos. - - - - - - - Loading - Cargando - - - Loading completed - Carga completada - - - - - - - Server Groups - Grupos de servidores - - - OK - Aceptar - - - Cancel - Cancelar - - - Server group name - Nombre del grupo de servidores - - - Group name is required. - Se requiere el nombre del grupo. - - - Group description - Descripción del grupo - - - Group color - Color del grupo - - - - - - - Error adding account - Error al agregar la cuenta - - - - - - - Item - Artículo - - - Value - Valor - - - Insight Details - Detalles de la conclusión - - - Property - Propiedad - - - Value - Valor - - - Insights - Conclusiones - - - Items - Artículos - - - Item Details - Detalles del artículo - - - - - - - Cannot start auto OAuth. An auto OAuth is already in progress. - No se puede iniciar OAuth automático. Ya hay un OAuth automático en curso. - - - - - - - Sort by event - Ordenar por evento - - - Sort by column - Ordenar por columna - - - Profiler - Profiler - - - OK - Aceptar - - - Cancel - Cancelar - - - - - - - Clear all - Borrar todo - - - Apply - Aplicar - - - OK - Aceptar - - - Cancel - Cancelar - - - Filters - Filtros - - - Remove this clause - Quitar esta cláusula - - - Save Filter - Guardar filtro - - - Load Filter - Cargar filtro - - - Add a clause - Agregar una cláusula - - - Field - Campo - - - Operator - Operador - - - Value - Valor - - - Is Null - Es NULL - - - Is Not Null - No es NULL - - - Contains - Contiene - - - Not Contains - No contiene - - - Starts With - Comienza por - - - Not Starts With - No comienza por - - - - - - - Save As CSV - Guardar como CSV - - - Save As JSON - Guardar como JSON - - - Save As Excel - Guardar como Excel - - - Save As XML - Guardar como XML - - - Copy - Copiar - - - Copy With Headers - Copiar con encabezados - - - Select All - Seleccionar todo - - - - - - - Defines a property to show on the dashboard - Define una propiedad para mostrar en el panel - - - What value to use as a label for the property - Qué valor utilizar como etiqueta de la propiedad - - - What value in the object to access for the value - Valor en el objeto al que acceder para el valor - - - Specify values to be ignored - Especificar los valores que se ignorarán - - - Default value to show if ignored or no value - Valor predeterminado para mostrar si se omite o no hay valor - - - A flavor for defining dashboard properties - Estilo para definir propiedades en un panel - - - Id of the flavor - Id. del estilo - - - Condition to use this flavor - Condición para utilizar este tipo - - - Field to compare to - Campo con el que comparar - - - Which operator to use for comparison - Operador para utilizar en la comparación - - - Value to compare the field to - Valor con el que comparar el campo - - - Properties to show for database page - Propiedades para mostrar por página de base de datos - - - Properties to show for server page - Propiedades para mostrar por página de servidor - - - Defines that this provider supports the dashboard - Define que este proveedor admite el panel de información - - - Provider id (ex. MSSQL) - Id. de proveedor (por ejemplo MSSQL) - - - Property values to show on dashboard - Valores de las propiedades para mostrar en el panel - - - - - - - Invalid value - Valor no válido - - - {0}. {1} - {0}. {1} - - - - + Loading @@ -2565,438 +12,26 @@ - + - - blank - vacío + + Hide text labels + Ocultar etiquetas de texto - - check all checkboxes in column: {0} - Marque todas las casillas de la columna: {0} + + Show text labels + Mostrar etiquetas de texto - + - - No tree view with id '{0}' registered. - No se ha registrado ninguna vista del árbol con el id. "{0}". - - - - - - - Initialize edit data session failed: - Error al inicializar la sesión de edición de datos: - - - - - - - Identifier of the notebook provider. - Identificador del proveedor del cuaderno. - - - What file extensions should be registered to this notebook provider - Extensiones de archivo que deben estar registradas en este proveedor de cuadernos - - - What kernels should be standard with this notebook provider - Núcleos que deben ser estándar con este proveedor de cuadernos - - - Contributes notebook providers. - Aporta proveedores de cuadernos. - - - Name of the cell magic, such as '%%sql'. - Nombre del magic de celda, como "%%sql". - - - The cell language to be used if this cell magic is included in the cell - El lenguaje de celda que se usará si este magic de celda se incluye en la celda - - - Optional execution target this magic indicates, for example Spark vs SQL - Objetivo de ejecución opcional indicado por este magic, por ejemplo Spark vs SQL - - - Optional set of kernels this is valid for, e.g. python3, pyspark, sql - Conjunto opcional de kernels para los que esto es válido, por ejemplo python3, pyspark, sql - - - Contributes notebook language. - Aporta el lenguaje del cuaderno. - - - - - - - F5 shortcut key requires a code cell to be selected. Please select a code cell to run. - La tecla de método abreviado F5 requiere que se seleccione una celda de código. Seleccione una para ejecutar. - - - Clear result requires a code cell to be selected. Please select a code cell to run. - Para borrar el resultado es necesario seleccionar una celda de código. Seleccione una para ejecutar. - - - - - - - SQL - SQL - - - - - - - Max Rows: - Máximo de filas: - - - - - - - Select View - Seleccionar vista - - - Select Session - Seleccionar sesión - - - Select Session: - Seleccionar sesión: - - - Select View: - Seleccionar vista: - - - Text - Texto - - - Label - Etiqueta - - - Value - Valor - - - Details - Detalles - - - - - - - Time Elapsed - Tiempo transcurrido - - - Row Count - Recuento de filas - - - {0} rows - {0} filas - - - Executing query... - Ejecutando consulta... - - - Execution Status - Estado de ejecución - - - Selection Summary - Resumen de la selección - - - Average: {0} Count: {1} Sum: {2} - Promedio: {0}; recuento: {1}; suma: {2} - - - - - - - Choose SQL Language - Elegir lenguaje SQL - - - Change SQL language provider - Cambiar proveedor de lenguaje SQL - - - SQL Language Flavor - Tipo de lenguaje SQL - - - Change SQL Engine Provider - Cambiar el proveedor del motor SQL - - - A connection using engine {0} exists. To change please disconnect or change connection - Existe una conexión mediante el motor {0}. Para cambiar, por favor desconecte o cambie la conexión - - - No text editor active at this time - Ningún editor de texto activo en este momento - - - Select Language Provider - Seleccionar proveedor de lenguaje - - - - - - - Error displaying Plotly graph: {0} - Error al mostrar el gráfico de Plotly: {0} - - - - - - - No {0} renderer could be found for output. It has the following MIME types: {1} - No se ha encontrado ningún representador de {0} para la salida. Tiene los siguientes tipos MIME: {1} - - - (safe) - (seguro) - - - - - - - Select Top 1000 - Seleccionar el top 1000 - - - Take 10 - Take 10 - - - Script as Execute - Script como ejecutar - - - Script as Alter - Script como modificar - - - Edit Data - Editar datos - - - Script as Create - Script como crear - - - Script as Drop - Script como borrar - - - - - - - A NotebookProvider with valid providerId must be passed to this method - Un NotebookProvider con providerId válido se debe pasar a este método - - - - - - - A NotebookProvider with valid providerId must be passed to this method - Un NotebookProvider con providerId válido se debe pasar a este método - - - no notebook provider found - no se encontró ningún proveedor de cuadernos - - - No Manager found - No se encontró ningún administrador - - - Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it - La instancia de Notebook Manager para el cuaderno {0} no tiene un administrador de servidores. No se pueden realizar operaciones en él - - - Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it - La instancia de Notebook Manager para el cuaderno {0} no tiene un administrador de contenido. No se pueden realizar operaciones en él - - - Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it - La instancia de Notebook Manager para el cuaderno {0} no tiene un administrador de sesiones. No se pueden realizar operaciones en él. - - - - - - - Failed to get Azure account token for connection - Error al obtener el token de cuenta de Azure para conexión - - - Connection Not Accepted - Conexión no aceptada - - - Yes - - - - No - No - - - Are you sure you want to cancel this connection? - ¿Seguro que desea cancelar esta conexión? - - - - - - - OK - Aceptar - - + Close Cerrar - - - - Loading kernels... - Cargando kernels... - - - Changing kernel... - Cambiando kernel... - - - Attach to - Adjuntar a - - - Kernel - Kernel - - - Loading contexts... - Cargando contextos... - - - Change Connection - Cambiar conexión - - - Select Connection - Seleccionar conexión - - - localhost - localhost - - - No Kernel - Sin kernel - - - Clear Results - Borrar resultados - - - Trusted - De confianza - - - Not Trusted - No de confianza - - - Collapse Cells - Contraer celdas - - - Expand Cells - Expandir celdas - - - None - Ninguno - - - New Notebook - Nuevo Notebook - - - Find Next String - Buscar cadena siguiente - - - Find Previous String - Buscar cadena anterior - - - - - - - Query Plan - Plan de consulta - - - - - - - Refresh - Actualizar - - - - - - - Step {0} - Paso {0} - - - - - - - Must be an option from the list - Debe ser una opción de la lista - - - Select Box - Seleccionar cuadro - - - @@ -3013,134 +48,260 @@ - + - - Connection - Conexión - - - Connecting - Conexión en curso - - - Connection type - Tipo de conexión - - - Recent Connections - Conexiones recientes - - - Saved Connections - Conexiones guardadas - - - Connection Details - Detalles de conexión - - - Connect - Conectar - - - Cancel - Cancelar - - - Recent Connections - Conexiones recientes - - - No recent connection - Ninguna conexión reciente - - - Saved Connections - Conexiones guardadas - - - No saved connection - Ninguna conexión guardada + + no data available + no hay datos disponibles - + - - File browser tree - FileBrowserTree - Árbol explorador de archivos + + Select/Deselect All + Seleccionar o deseleccionar todos - + - - From - De + + Show Filter + Mostrar filtro - - To - A + + Select All + Seleccionar todo - - Create new firewall rule - Crear nueva regla de firewall + + Search + Buscar - + + {0} Results + This tells the user how many items are shown in the list. Currently not visible, but read by screen readers. + {0} resultados + + + {0} Selected + This tells the user how many items are selected in the list + {0} seleccionado + + + Sort Ascending + Orden ascendente + + + Sort Descending + Orden descendente + + OK Aceptar - + + Clear + Borrar + + Cancel Cancelar - - Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. - La dirección IP del cliente no tiene acceso al servidor. Inicie sesión en una cuenta de Azure y cree una regla de firewall para habilitar el acceso. - - - Learn more about firewall settings - Más información sobre configuración de firewall - - - Firewall rule - Regla de firewall - - - Add my client IP - Agregar mi IP de cliente - - - Add my subnet IP range - Agregar mi rango IP de subred + + Filter Options + Opciones de filtro - + - - All files - Todos los archivos + + Loading + Carga en curso - + - - Could not find query file at any of the following paths : - {0} - No se pudo encontrar el archivo de consulta en ninguna de las siguientes rutas: - {0} + + Loading Error... + Error de carga... - + - - You need to refresh the credentials for this account. - Debe actualizar las credenciales para esta cuenta. + + Toggle More + Alternar más + + + + + + + Azure Data Studio + Azure Data Studio + + + Enable automatic update checks. Azure Data Studio will check for updates automatically and periodically. + Habilitar la comprobación automática de actualizaciones. Azure Data Studio comprobará las actualizaciones de manera automática y periódica. + + + Enable to download and install new Azure Data Studio Versions in the background on Windows + Habilitar para descargar e instalar nuevas versiones de Azure Data Studio en segundo plano en Windows + + + Show Release Notes after an update. The Release Notes are opened in a new web browser window. + Mostrar notas de la versión después de una actualización. Las notas de la versión se abren en una nueva ventana del explorador web. + + + The dashboard toolbar action menu + Menú de acción de la barra de herramientas del panel + + + The notebook cell title menu + El menú de título de la celda del cuaderno + + + The notebook title menu + El menú de título del cuaderno + + + The notebook toolbar menu + Menú de la barra de herramientas del cuaderno + + + The dataexplorer view container title action menu + Menú de acción del título del contenedor de la vista dataexplorer + + + The dataexplorer item context menu + Menú contextual del elemento dataexplorer + + + The object explorer item context menu + Menú contextual del elemento del explorador de objetos + + + The connection dialog's browse tree context menu + Menú contextual del árbol de búsqueda del cuadro de diálogo de conexión + + + The data grid item context menu + Menú contextual del elemento de cuadrícula de datos + + + Sets the security policy for downloading extensions. + Establece la directiva de seguridad para descargar extensiones. + + + Your extension policy does not allow installing extensions. Please change your extension policy and try again. + La directiva de extensión no permite instalar extensiones. Cambie la directiva de extensión e inténtelo de nuevo. + + + Completed installing {0} extension from VSIX. Please reload Azure Data Studio to enable it. + Se ha completado la instalación de la extensión {0} de VSIX. Recargue Azure Data Studio para habilitarla. + + + Please reload Azure Data Studio to complete the uninstallation of this extension. + Vuelva a cargar Azure Data Studio para completar la desinstalación de esta extensión. + + + Please reload Azure Data Studio to enable the updated extension. + Vuelva a cargar Azure Data Studio para habilitar la extensión actualizada. + + + Please reload Azure Data Studio to enable this extension locally. + Vuelva a cargar Azure Data Studio para habilitar esta extensión localmente. + + + Please reload Azure Data Studio to enable this extension. + Vuelva a cargar Azure Data Studio para habilitar esta extensión. + + + Please reload Azure Data Studio to disable this extension. + Vuelva a cargar Azure Data Studio para deshabilitar esta extensión. + + + Please reload Azure Data Studio to complete the uninstallation of the extension {0}. + Vuelva a cargar Azure Data Studio para completar la desinstalación de la extensión {0}. + + + Please reload Azure Data Studio to enable this extension in {0}. + Vuelva a cargar Azure Data Studio para habilitar esta extensión en {0}. + + + Installing extension {0} is completed. Please reload Azure Data Studio to enable it. + Se ha completado la instalación de la extensión {0}. Vuelva a cargar Azure Data Studio para habilitarlo. + + + Please reload Azure Data Studio to complete reinstalling the extension {0}. + Vuelva a cargar Azure Data Studio para completar la reinstalación de la extensión {0}. + + + Marketplace + Marketplace + + + The scenario type for extension recommendations must be provided. + Es necesario proporcionar el tipo de escenario para recibir recomendaciones de extensiones. + + + Unable to install extension '{0}' as it is not compatible with Azure Data Studio '{1}'. + No se puede instalar la extensión "{0}" debido a que no es compatible con Azure Data Studio "{1}". + + + New Query + Nueva consulta + + + New &&Query + && denotes a mnemonic + Nueva &&consulta + + + &&New Notebook + && denotes a mnemonic + &&Nuevo cuaderno + + + Controls the memory available to Azure Data Studio after restart when trying to open large files. Same effect as specifying `--max-memory=NEWSIZE` on the command line. + Controla la memoria disponible para Azure Data Studio después de reiniciar cuando se intentan abrir archivos grandes. Tiene el mismo efecto que si se especifica "--max-memory=NEWSIZE" en la línea de comandos. + + + Would you like to change Azure Data Studio's UI language to {0} and restart? + ¿Desea cambiar el idioma de la interfaz de usuario de Azure Data Studio a {0} y reiniciar? + + + In order to use Azure Data Studio in {0}, Azure Data Studio needs to restart. + Para poder usar Azure Data Studio en {0}, Azure Data Studio debe reiniciarse. + + + New SQL File + Nuevo archivo SQL + + + New Notebook + Nuevo cuaderno + + + Install Extension from VSIX Package + && denotes a mnemonic + Instalar extensión desde el paquete VSIX + + + + + + + Must be an option from the list + Debe ser una opción de la lista + + + Select Box + Seleccionar cuadro @@ -3184,1263 +345,59 @@ - + - - Show Notebooks - Mostrar cuadernos - - - Search Results - Resultados de la búsqueda - - - Search path not found: {0} - No se encuentra la ruta de búsqueda: {0} - - - Notebooks - Cuadernos + + Copying images is not supported + No se admite la copia de imágenes - + - - Focus on Current Query - Centrarse en la consulta actual - - - Run Query - Ejecutar consulta - - - Run Current Query - Ejecutar la consulta actual - - - Copy Query With Results - Copiar consulta con resultados - - - Successfully copied query and results. - La consulta y los resultados se han copiado correctamente. - - - Run Current Query with Actual Plan - Ejecutar la consulta actual con el plan real - - - Cancel Query - Cancelar consulta - - - Refresh IntelliSense Cache - Actualizar caché de IntelliSense - - - Toggle Query Results - Alternar resultados de la consulta - - - Toggle Focus Between Query And Results - Alternar enfoque entre consulta y resultados - - - Editor parameter is required for a shortcut to be executed - El parámetro de editor es necesario para la ejecución de un acceso directo - - - Parse Query - Analizar consulta - - - Commands completed successfully - Comandos completados correctamente - - - Command failed: - Error del comando: - - - Please connect to a server - Conéctese a un servidor + + A server group with the same name already exists. + Ya existe un grupo de servidores con el mismo nombre. - + - - succeeded - se realizó correctamente - - - failed - error - - - in progress - en curso - - - not started - no iniciado - - - canceled - cancelado - - - canceling - cancelando + + Widget used in the dashboards + Widget utilizado en los paneles - + - - Chart cannot be displayed with the given data - No se puede mostrar el gráfico con los datos proporcionados + + Widget used in the dashboards + Widget utilizado en los paneles + + + Widget used in the dashboards + Widget utilizado en los paneles + + + Widget used in the dashboards + Widget utilizado en los paneles - + - - Error opening link : {0} - Error al abrir el vínculo: {0}. + + Saving results into different format disabled for this data provider. + El guardado de resultados en diferentes formatos se ha deshabilitado para este proveedor de datos. - - Error executing command '{0}' : {1} - Error al ejecutar el comando "{0}": {1}. + + Cannot serialize data as no provider has been registered + No se pueden serializar datos ya que no se ha registrado ningún proveedor - - - - - - Copy failed with error {0} - Error de copia {0} - - - Show chart - Mostrar gráfico - - - Show table - Mostrar tabla - - - - - - - <i>Double-click to edit</i> - <i>Haga doble clic para editar.</i> - - - <i>Add content here...</i> - <i>Agregue contenido aquí...</i> - - - - - - - An error occurred refreshing node '{0}': {1} - Error al actualizar el nodo "{0}"; {1}. - - - - - - - Done - Listo - - - Cancel - Cancelar - - - Generate script - Generar script - - - Next - Siguiente - - - Previous - Anterior - - - Tabs are not initialized - Las pestañas no se han inicializado. - - - - - - - is required. - se requiere. - - - Invalid input. Numeric value expected. - Entrada no válida. Se espera un valor numérico. - - - - - - - Backup file path - Ruta del archivo de copia de seguridad - - - Target database - Base de datos de destino - - - Restore - Restaurar - - - Restore database - Restauración de una base de datos - - - Database - Base de datos - - - Backup file - Archivo de copia de seguridad - - - Restore database - Restauración de una base de datos - - - Cancel - Cancelar - - - Script - Script - - - Source - Origen - - - Restore from - Restaurar de - - - Backup file path is required. - Se requiere la ruta de acceso del archivo de copia de seguridad. - - - Please enter one or more file paths separated by commas - Especifique una o más rutas de archivo separadas por comas - - - Database - Base de datos - - - Destination - Destino - - - Restore to - Restaurar en - - - Restore plan - Plan de restauración - - - Backup sets to restore - Grupos de copias de seguridad para restaurar - - - Restore database files as - Restaurar archivos de base de datos como - - - Restore database file details - Restaurar detalles del archivo de base de datos - - - Logical file Name - Nombre lógico del archivo - - - File type - Tipo de archivo - - - Original File Name - Nombre del archivo original - - - Restore as - Restaurar como - - - Restore options - Opciones de restauración - - - Tail-Log backup - Copia del final del registro - - - Server connections - Conexiones del servidor - - - General - General - - - Files - Archivos - - - Options - Opciones - - - - - - - Copy Cell - Copiar celda - - - - - - - Done - Listo - - - Cancel - Cancelar - - - - - - - Copy & Open - Copiar y abrir - - - Cancel - Cancelar - - - User code - Código de usuario - - - Website - Sitio web - - - - - - - The index {0} is invalid. - El índice {0} no es válido. - - - - - - - Server Description (optional) - Descripción del servidor (opcional) - - - - - - - Advanced Properties - Propiedades avanzadas - - - Discard - Descartar - - - - - - - nbformat v{0}.{1} not recognized - nbformat v{0}. {1} no reconocido - - - This file does not have a valid notebook format - Este archivo no tiene un formato válido de cuaderno - - - Cell type {0} unknown - Celda de tipo {0} desconocido - - - Output type {0} not recognized - Tipo de salida {0} no reconocido - - - Data for {0} is expected to be a string or an Array of strings - Se espera que los datos para {0} sean una cadena o una matriz de cadenas - - - Output type {0} not recognized - Tipo de salida {0} no reconocido - - - - - - - Welcome - Bienvenida - - - SQL Admin Pack - Paquete de administración de SQL - - - SQL Admin Pack - Paquete de administración de SQL - - - Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server - El paquete de administración para SQL Server es una colección de populares extensiones de administración de bases de datos para ayudarle a administrar SQL Server. - - - Powershell - PowerShell - - - Write and execute PowerShell scripts using Azure Data Studio's rich query editor - Escriba y ejecute scripts de PowerShell con el editor de consultas enriquecidas de Azure Data Studio. - - - Data Virtualization - Virtualización de datos - - - Virtualize data with SQL Server 2019 and create external tables using interactive wizards - Virtualice datos con SQL Server 2019 y cree tablas externas por medio de asistentes interactivos. - - - PostgreSQL - PostgreSQL - - - Connect, query, and manage Postgres databases with Azure Data Studio - Conéctese a bases de datos Postgre, adminístrelas y realice consultas en ellas con Azure Data Studio. - - - Support for {0} is already installed. - El soporte para '{0}' ya está instalado. - - - The window will reload after installing additional support for {0}. - La ventana se volverá a cargar después de instalar compatibilidad adicional con {0}. - - - Installing additional support for {0}... - Instalando compatibilidad adicional con {0}... - - - Support for {0} with id {1} could not be found. - No se pudo encontrar el soporte para {0} con id {1}. - - - New connection - Nueva conexión - - - New query - Nueva consulta - - - New notebook - Nuevo cuaderno - - - Deploy a server - Implementar un servidor - - - Welcome - Bienvenida - - - New - Nuevo - - - Open… - Abrir... - - - Open file… - Abrir archivo... - - - Open folder… - Abrir carpeta... - - - Start Tour - Iniciar paseo - - - Close quick tour bar - Cerrar barra del paseo introductorio - - - Would you like to take a quick tour of Azure Data Studio? - ¿Le gustaría dar un paseo introductorio por Azure Data Studio? - - - Welcome! - ¡Le damos la bienvenida! - - - Open folder {0} with path {1} - Abrir la carpeta {0} con la ruta de acceso {1} - - - Install - Instalar - - - Install {0} keymap - Instalar asignación de teclas de {0} - - - Install additional support for {0} - Instalar compatibilidad adicional con {0} - - - Installed - Instalado - - - {0} keymap is already installed - El mapa de teclas de {0} ya está instalado - - - {0} support is already installed - La compatibilidad con {0} ya está instalada - - - OK - Aceptar - - - Details - Detalles - - - Background color for the Welcome page. - Color de fondo para la página de bienvenida. - - - - - - - Profiler editor for event text. Readonly - Editor de Profiler para el texto del evento. Solo lectura - - - - - - - Failed to save results. - Error al guardar los resultados. - - - Choose Results File - Selección del archivo de resultados - - - CSV (Comma delimited) - CSV (delimitado por comas) - - - JSON - JSON - - - Excel Workbook - Libro de Excel - - - XML - XML - - - Plain Text - Texto sin formato - - - Saving file... - Se está guardando el archivo... - - - Successfully saved results to {0} - Los resultados se han guardado correctamente en {0}. - - - Open file - Abrir archivo - - - - - - - Hide text labels - Ocultar etiquetas de texto - - - Show text labels - Mostrar etiquetas de texto - - - - - - - modelview code editor for view model. - Editor de código de modelview para modelo de vista. - - - - - - - Information - Información - - - Warning - Advertencia - - - Error - Error - - - Show Details - Mostrar detalles - - - Copy - Copiar - - - Close - Cerrar - - - Back - Atrás - - - Hide Details - Ocultar detalles - - - - - - - Accounts - Cuentas - - - Linked accounts - Cuentas vinculadas - - - Close - Cerrar - - - There is no linked account. Please add an account. - No hay ninguna cuenta vinculada. Agregue una cuenta. - - - Add an account - Agregar una cuenta - - - You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud - No tiene ninguna nube habilitada. Vaya a la configuración, busque la configuración de la cuenta de Azure y habilite por lo menos una nube. - - - You didn't select any authentication provider. Please try again. - No ha seleccionado ningún proveedor de autenticación. Vuelva a intentarlo. - - - - - - - Execution failed due to an unexpected error: {0} {1} - La ejecución no se completó debido a un error inesperado: {0} {1} - - - Total execution time: {0} - Tiempo total de ejecución: {0} - - - Started executing query at Line {0} - Comenzó a ejecutar la consulta en la línea {0} - - - Started executing batch {0} - Se ha iniciado la ejecución del proceso por lotes ({0}). - - - Batch execution time: {0} - Tiempo de ejecución por lotes: {0} - - - Copy failed with error {0} - Error de copia {0} - - - - - - - Azure Data Studio - Azure Data Studio - - - Start - Inicio - - - New connection - Nueva conexión - - - New query - Nueva consulta - - - New notebook - Nuevo cuaderno - - - Open file - Abrir archivo - - - Open file - Abrir archivo - - - Deploy - Implementar - - - New Deployment… - Nueva implementación... - - - Recent - Reciente - - - More... - Más... - - - No recent folders - No hay ninguna carpeta reciente. - - - Help - Ayuda - - - Getting started - Introducción - - - Documentation - Documentación - - - Report issue or feature request - Notificar problema o solicitud de características - - - GitHub repository - Repositorio de GitHub - - - Release notes - Notas de la versión - - - Show welcome page on startup - Mostrar página principal al inicio - - - Customize - Personalizar - - - Extensions - Extensiones - - - Download extensions that you need, including the SQL Server Admin pack and more - Descargue las extensiones que necesite, incluido el paquete de administración de SQL Server y mucho más - - - Keyboard Shortcuts - Métodos abreviados de teclado - - - Find your favorite commands and customize them - Encuentre sus comandos favoritos y personalícelos - - - Color theme - Tema de color - - - Make the editor and your code look the way you love - Modifique a su gusto la apariencia del editor y el código - - - Learn - Información - - - Find and run all commands - Encontrar y ejecutar todos los comandos - - - Rapidly access and search commands from the Command Palette ({0}) - Acceda rápidamente a los comandos y búsquelos desde la paleta de comandos ({0}) - - - Discover what's new in the latest release - Descubra las novedades de esta última versión - - - New monthly blog posts each month showcasing our new features - Nuevas entradas del blog mensuales que muestran nuestras nuevas características - - - Follow us on Twitter - Síganos en Twitter - - - Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. - Manténgase al día sobre cómo la comunidad usa Azure Data Studio y hable directamente con los ingenieros. - - - - - - - Connect - Conectar - - - Disconnect - Desconectar - - - Start - Inicio - - - New Session - Nueva sesión - - - Pause - Pausar - - - Resume - Reanudar - - - Stop - Detener - - - Clear Data - Borrar los datos - - - Are you sure you want to clear the data? - ¿Está seguro de que quiere borrar los datos? - - - Yes - - - - No - No - - - Auto Scroll: On - Desplazamiento automático: activado - - - Auto Scroll: Off - Desplazamiento automático: desactivado - - - Toggle Collapsed Panel - Alternar el panel contraído - - - Edit Columns - Editar columnas - - - Find Next String - Buscar la cadena siguiente - - - Find Previous String - Buscar la cadena anterior - - - Launch Profiler - Iniciar Profiler - - - Filter… - Filtrar... - - - Clear Filter - Borrar filtro - - - Are you sure you want to clear the filters? - ¿Está seguro de que quiere borrar los filtros? - - - - - - - Events (Filtered): {0}/{1} - Eventos (filtrados): {0}/{1} - - - Events: {0} - Eventos: {0} - - - Event Count - Recuento de eventos - - - - - - - no data available - no hay datos disponibles - - - - - - - Results - Resultados - - - Messages - Mensajes - - - - - - - No script was returned when calling select script on object - No se devolvió ningún script al llamar al script de selección en el objeto - - - Select - Seleccionar - - - Create - Crear - - - Insert - Insertar - - - Update - Actualizar - - - Delete - Eliminar - - - No script was returned when scripting as {0} on object {1} - No se devolvió ningún script al escribir como {0} en el objeto {1} - - - Scripting Failed - Error de scripting - - - No script was returned when scripting as {0} - No se devolvió ningún script al ejecutar el script como {0} - - - - - - - Table header background color - Color de fondo de encabezado de tabla - - - Table header foreground color - Color de primer plano de encabezado de tabla - - - List/Table background color for the selected and focus item when the list/table is active - Color de fondo de lista/tabla para el elemento seleccionado y elemento de enfoque cuando la lista/tabla está activa - - - Color of the outline of a cell. - Color del contorno de una celda. - - - Disabled Input box background. - Se ha deshabilitado el fondo del cuadro de entrada. - - - Disabled Input box foreground. - Se ha deshabilitado el primer plano del cuadro de entrada. - - - Button outline color when focused. - Contorno del botón resaltado cuando se enfoca - - - Disabled checkbox foreground. - Se ha deshabilitado el primer plano de la casilla. - - - SQL Agent Table background color. - Color de fondo de la tabla del Agente SQL. - - - SQL Agent table cell background color. - Color de fondo de celda de la tabla del Agente SQL. - - - SQL Agent table hover background color. - Color de fondo al mantener el mouse de la tabla del Agente SQL. - - - SQL Agent heading background color. - Color de fondo del encabezado del Agente SQL. - - - SQL Agent table cell border color. - Color del borde de la celda de la tabla del Agente SQL. - - - Results messages error color. - Color de error de mensajes de resultados. - - - - - - - Backup name - Nombre de copia de seguridad - - - Recovery model - Modelo de recuperación - - - Backup type - Tipo de copia de seguridad - - - Backup files - Archivos de copia de seguridad - - - Algorithm - Algoritmo - - - Certificate or Asymmetric key - Certificado o clave asimétrica - - - Media - Multimedia - - - Backup to the existing media set - Realizar la copia de seguridad sobre el conjunto de medios existente - - - Backup to a new media set - Realizar copia de seguridad en un nuevo conjunto de medios - - - Append to the existing backup set - Añadir al conjunto de copia de seguridad existente - - - Overwrite all existing backup sets - Sobrescribir todos los conjuntos de copia de seguridad existentes - - - New media set name - Nuevo nombre de conjunto de medios - - - New media set description - Nueva descripción del conjunto de medios - - - Perform checksum before writing to media - Realizar la suma de comprobación antes de escribir en los medios - - - Verify backup when finished - Comprobar copia de seguridad cuando haya terminado - - - Continue on error - Seguir en caso de error - - - Expiration - Expiración - - - Set backup retain days - Configure los días de conservación de la copia de seguridad - - - Copy-only backup - Copia de seguridad de solo copia - - - Advanced Configuration - Configuración avanzada - - - Compression - Compresión - - - Set backup compression - Establecer la compresión de copia de seguridad - - - Encryption - Cifrado - - - Transaction log - Registro de transacciones - - - Truncate the transaction log - Truncar el registro de transacciones - - - Backup the tail of the log - Hacer copia de seguridad de la cola del registro - - - Reliability - Fiabilidad - - - Media name is required - El nombre del medio es obligatorio - - - No certificate or asymmetric key is available - No hay certificado o clave asimétrica disponible - - - Add a file - Agregar un archivo - - - Remove files - Eliminar archivos - - - Invalid input. Value must be greater than or equal 0. - Entrada no válida. El valor debe ser igual o mayor que 0. - - - Script - Script - - - Backup - Copia de seguridad - - - Cancel - Cancelar - - - Only backup to file is supported - Solo se admite la copia de seguridad en un archivo - - - Backup file path is required - La ruta del archivo de copia de seguridad es obligatoria + + Serialization failed with an unknown error + Error desconocido en la serialización @@ -4632,407 +589,87 @@ - + - - There is no data provider registered that can provide view data. - No hay ningún proveedor de datos registrado que pueda proporcionar datos de la vista. + + Table header background color + Color de fondo de encabezado de tabla - - Refresh - Actualizar + + Table header foreground color + Color de primer plano de encabezado de tabla - - Collapse All - Contraer todo + + List/Table background color for the selected and focus item when the list/table is active + Color de fondo de lista/tabla para el elemento seleccionado y elemento de enfoque cuando la lista/tabla está activa - - Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. - Error al ejecutar el comando {1}: {0}. Probablemente esté provocado por la extensión que contribuye a {1}. + + Color of the outline of a cell. + Color del contorno de una celda. + + + Disabled Input box background. + Se ha deshabilitado el fondo del cuadro de entrada. + + + Disabled Input box foreground. + Se ha deshabilitado el primer plano del cuadro de entrada. + + + Button outline color when focused. + Contorno del botón resaltado cuando se enfoca + + + Disabled checkbox foreground. + Se ha deshabilitado el primer plano de la casilla. + + + SQL Agent Table background color. + Color de fondo de la tabla del Agente SQL. + + + SQL Agent table cell background color. + Color de fondo de celda de la tabla del Agente SQL. + + + SQL Agent table hover background color. + Color de fondo al mantener el mouse de la tabla del Agente SQL. + + + SQL Agent heading background color. + Color de fondo del encabezado del Agente SQL. + + + SQL Agent table cell border color. + Color del borde de la celda de la tabla del Agente SQL. + + + Results messages error color. + Color de error de mensajes de resultados. - + - - Please select active cell and try again - Seleccione la celda activa y vuelva a intentarlo + + Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window + Algunas de las extensiones cargadas utilizan API obsoletas, consulte la información detallada en la pestaña Consola de la ventana Herramientas de desarrollo - - Run cell - Ejecutar celda - - - Cancel execution - Cancelar ejecución - - - Error on last run. Click to run again - Error en la última ejecución. Haga clic para volver a ejecutar + + Don't Show Again + No mostrar de nuevo - + - - Cancel - Cancelar + + F5 shortcut key requires a code cell to be selected. Please select a code cell to run. + La tecla de método abreviado F5 requiere que se seleccione una celda de código. Seleccione una para ejecutar. - - The task is failed to cancel. - La tarea no se pudo cancelar. - - - Script - Script - - - - - - - Toggle More - Alternar más - - - - - - - Loading - Carga en curso - - - - - - - Home - Inicio - - - - - - - The "{0}" section has invalid content. Please contact extension owner. - La sección "{0}" tiene contenido no válido. Póngase en contacto con el propietario de la extensión. - - - - - - - Jobs - Trabajos - - - Notebooks - Notebooks - - - Alerts - Alertas - - - Proxies - Servidores proxy - - - Operators - Operadores - - - - - - - Server Properties - Propiedades del servidor - - - - - - - Database Properties - Propiedades de la base de datos - - - - - - - Select/Deselect All - Seleccionar o deseleccionar todos - - - - - - - Show Filter - Mostrar filtro - - - OK - Aceptar - - - Clear - Borrar - - - Cancel - Cancelar - - - - - - - Recent Connections - Conexiones recientes - - - Servers - Servidores - - - Servers - Servidores - - - - - - - Backup Files - Archivos de copia de seguridad - - - All Files - Todos los archivos - - - - - - - Search: Type Search Term and press Enter to search or Escape to cancel - Búsqueda: Escriba el término de búsqueda y presione Entrar para buscar o Esc para cancelar - - - Search - Buscar - - - - - - - Failed to change database - No se pudo cambiar la base de datos - - - - - - - Name - Nombre - - - Last Occurrence - Última aparición - - - Enabled - Habilitado - - - Delay Between Responses (in secs) - Retraso entre las respuestas (en segundos) - - - Category Name - Nombre de la categoría - - - - - - - Name - Nombre - - - Email Address - Dirección de correo electrónico - - - Enabled - Habilitado - - - - - - - Account Name - Nombre de la cuenta - - - Credential Name - Nombre de credencial - - - Description - Descripción - - - Enabled - Habilitado - - - - - - - loading objects - Cargando de los objetos en curso - - - loading databases - Carga de las bases de datos en curso - - - loading objects completed. - La carga de los objetos se ha completado. - - - loading databases completed. - La carga de las bases de datos se ha completado. - - - Search by name of type (t:, v:, f:, or sp:) - Buscar por nombre de tipo (t:, v:, f: o sp:) - - - Search databases - Buscar en las bases de datos - - - Unable to load objects - No se pueden cargar objetos - - - Unable to load databases - No se pueden cargar las bases de datos - - - - - - - Loading properties - Carga de las propiedades en curso - - - Loading properties completed - La carga de las propiedades se ha completado. - - - Unable to load dashboard properties - No se pueden cargar las propiedades del panel - - - - - - - Loading {0} - Carga de {0} en curso - - - Loading {0} completed - Carga de {0} completada - - - Auto Refresh: OFF - Actualización automática: DESACTIVADA - - - Last Updated: {0} {1} - Última actualización: {0} {1} - - - No results to show - No hay resultados para mostrar - - - - - - - Steps - Pasos - - - - - - - Save As CSV - Guardar como CSV - - - Save As JSON - Guardar como JSON - - - Save As Excel - Guardar como Excel - - - Save As XML - Guardar como XML - - - Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. - La codificación de los resultados no se guardará al realizar la exportación en JSON. Recuerde guardarlos con la codificación deseada una vez que se cree el archivo. - - - Save to file is not supported by the backing data source - El origen de datos de respaldo no admite la opción Guardar en archivo - - - Copy - Copiar - - - Copy With Headers - Copiar con encabezados - - - Select All - Seleccionar todo - - - Maximize - Maximizar - - - Restore - Restaurar - - - Chart - Gráfico - - - Visualizer - Visualizador + + Clear result requires a code cell to be selected. Please select a code cell to run. + Para borrar el resultado es necesario seleccionar una celda de código. Seleccione una para ejecutar. @@ -5052,349 +689,495 @@ - + - - Step ID - Id. de paso + + Done + Listo - - Step Name - Nombre del paso + + Cancel + Cancelar - - Message - Mensaje + + Generate script + Generar script + + + Next + Siguiente + + + Previous + Anterior + + + Tabs are not initialized + Las pestañas no se han inicializado. - + - - Find - Buscar + + No tree view with id '{0}' registered. + No se ha registrado ninguna vista del árbol con el id. "{0}". - - Find - Buscar + + + + + + A NotebookProvider with valid providerId must be passed to this method + Un NotebookProvider con providerId válido se debe pasar a este método - - Previous match - Coincidencia anterior + + no notebook provider found + no se encontró ningún proveedor de cuadernos - - Next match - Coincidencia siguiente + + No Manager found + No se encontró ningún administrador - + + Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it + La instancia de Notebook Manager para el cuaderno {0} no tiene un administrador de servidores. No se pueden realizar operaciones en él + + + Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it + La instancia de Notebook Manager para el cuaderno {0} no tiene un administrador de contenido. No se pueden realizar operaciones en él + + + Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it + La instancia de Notebook Manager para el cuaderno {0} no tiene un administrador de sesiones. No se pueden realizar operaciones en él. + + + + + + + A NotebookProvider with valid providerId must be passed to this method + Un NotebookProvider con providerId válido se debe pasar a este método + + + + + + + Manage + Administrar + + + Show Details + Mostrar detalles + + + Learn More + Más información + + + Clear all saved accounts + Borrar todas las cuentas guardadas + + + + + + + Preview Features + Características en versión preliminar + + + Enable unreleased preview features + Habilitar las características de la versión preliminar sin publicar + + + Show connect dialog on startup + Mostrar diálogo de conexión al inicio + + + Obsolete API Notification + Notificación de API obsoleta + + + Enable/disable obsolete API usage notification + Activar/desactivar la notificación de uso de API obsoleta + + + + + + + Edit Data Session Failed To Connect + Error al conectar la sesión de edición de datos + + + + + + + Profiler + Profiler + + + Not connected + No conectado + + + XEvent Profiler Session stopped unexpectedly on the server {0}. + La sesión de XEvent Profiler se detuvo inesperadamente en el servidor {0}. + + + Error while starting new session + Error al iniciar nueva sesión + + + The XEvent Profiler session for {0} has lost events. + La sesión de XEvent Profiler para {0} tiene eventos perdidos. + + + + + + + Show Actions + Mostrar acciones + + + Resource Viewer + Visor de recursos + + + + + + + Information + Información + + + Warning + Advertencia + + + Error + Error + + + Show Details + Mostrar detalles + + + Copy + Copiar + + Close Cerrar - - Your search returned a large number of results, only the first 999 matches will be highlighted. - La búsqueda ha devuelto un gran número de resultados, se resaltarán solo las primeras 999 coincidencias. + + Back + Atrás - - {0} of {1} - {0} de {1} - - - No Results - No hay ningún resultado. + + Hide Details + Ocultar detalles - + - - Horizontal Bar - Barra horizontal + + OK + Aceptar - - Bar - Barras - - - Line - Línea - - - Pie - Circular - - - Scatter - Dispersión - - - Time Series - Serie temporal - - - Image - Imagen - - - Count - Recuento - - - Table - Tabla - - - Doughnut - Anillo - - - Failed to get rows for the dataset to chart. - No se pudieron obtener las filas para el conjunto de datos en el gráfico. - - - Chart type '{0}' is not supported. - No se admite el tipo de gráfico "{0}". + + Cancel + Cancelar - + - - Parameters - Parámetros + + is required. + se requiere. + + + Invalid input. Numeric value expected. + Entrada no válida. Se espera un valor numérico. - + - - Connected to - Se ha conectado a - - - Disconnected - Desconectado - - - Unsaved Connections - Conexiones sin guardar + + The index {0} is invalid. + El índice {0} no es válido. - + - - Browse (Preview) - Examinar (versión preliminar) + + blank + vacío - - Type here to filter the list - Escriba aquí para filtrar la lista + + check all checkboxes in column: {0} + Marque todas las casillas de la columna: {0} - - Filter connections - Filtrado de conexiones - - - Applying filter - Aplicación de filtro en curso - - - Removing filter - Eliminación del filtro en curso - - - Filter applied - Filtro aplicado - - - Filter removed - Filtro quitado - - - Saved Connections - Conexiones guardadas - - - Saved Connections - Conexiones guardadas - - - Connection Browser Tree - Árbol del explorador de conexiones + + Show Actions + Mostrar acciones - + - - This extension is recommended by Azure Data Studio. - Azure Data Studio recomienda esta extensión. + + Loading + Carga en curso + + + Loading completed + Carga completada - + - - Don't Show Again - No volver a mostrar + + Invalid value + Valor no válido - - Azure Data Studio has extension recommendations. - Azure Data Studio cuenta con extensiones recomendadas. - - - Azure Data Studio has extension recommendations for data visualization. -Once installed, you can select the Visualizer icon to visualize your query results. - Azure Data Studio cuenta con extensiones recomendadas para la visualización de datos. -Una vez instaladas, podrá seleccionar el icono Visualizador para ver los resultados de las consultas. - - - Install All - Instalar todo - - - Show Recommendations - Mostrar recomendaciones - - - The scenario type for extension recommendations must be provided. - Es necesario proporcionar el tipo de escenario para recibir recomendaciones de extensiones. + + {0}. {1} + {0}. {1} - + - - This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. - Esta página de características está en versión preliminar. Las características en versión preliminar presentan nuevas funcionalidades que están en proceso de convertirse en parte permanente del producto. Son estables, pero necesitan mejoras de accesibilidad adicionales. Agradeceremos sus comentarios iniciales mientras están en desarrollo. + + Loading + Cargando - - Preview - Versión preliminar - - - Create a connection - Crear una conexión - - - Connect to a database instance through the connection dialog. - Conéctese a una instancia de una base de datos por medio del cuadro de diálogo de conexión. - - - Run a query - Ejecutar una consulta - - - Interact with data through a query editor. - Interactúe con los datos por medio de un editor de consultas. - - - Create a notebook - Crear un cuaderno - - - Build a new notebook using a native notebook editor. - Cree un nuevo cuaderno con un editor de cuadernos nativo. - - - Deploy a server - Implementar un servidor - - - Create a new instance of a relational data service on the platform of your choice. - Cree una nueva instancia de un servicio de datos relacionales en la plataforma de su elección. - - - Resources - Recursos - - - History - Historial - - - Name - Nombre - - - Location - Ubicación - - - Show more - Mostrar más - - - Show welcome page on startup - Mostrar página principal al inicio - - - Useful Links - Vínculos útiles - - - Getting Started - Introducción - - - Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. - Descubra las funcionalidades que ofrece Azure Data Studio y aprenda a sacarles el máximo partido. - - - Documentation - Documentación - - - Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. - Visite el centro de documentación para acceder a guías de inicio rápido y paso a paso, así como consultar referencias para PowerShell, API, etc. - - - Overview of Azure Data Studio - Información general de Azure Data Studio - - - Introduction to Azure Data Studio Notebooks | Data Exposed - Introducción a los cuadernos de Azure Data Studio | Datos expuestos - - - Extensions - Extensiones - - - Show All - Mostrar todo - - - Learn more - Más información + + Loading completed + Carga completada - + - - Date Created: - Fecha de creación: + + modelview code editor for view model. + Editor de código de modelview para modelo de vista. - - Notebook Error: - Error del Notebook: + + + + + + Could not find component for type {0} + No pudo encontrar el componente para el tipo {0} - - Job Error: - Error de trabajo: + + + + + + Changing editor types on unsaved files is unsupported + No se admite el cambio de tipos de editor en archivos no guardados - - Pinned - Anclado + + + + + + Select Top 1000 + Seleccionar el top 1000 - - Recent Runs - Ejecuciones recientes + + Take 10 + Take 10 - - Past Runs - Ejecuciones pasadas + + Script as Execute + Script como ejecutar + + + Script as Alter + Script como modificar + + + Edit Data + Editar datos + + + Script as Create + Script como crear + + + Script as Drop + Script como borrar + + + + + + + No script was returned when calling select script on object + No se devolvió ningún script al llamar al script de selección en el objeto + + + Select + Seleccionar + + + Create + Crear + + + Insert + Insertar + + + Update + Actualizar + + + Delete + Eliminar + + + No script was returned when scripting as {0} on object {1} + No se devolvió ningún script al escribir como {0} en el objeto {1} + + + Scripting Failed + Error de scripting + + + No script was returned when scripting as {0} + No se devolvió ningún script al ejecutar el script como {0} + + + + + + + disconnected + desconectado + + + + + + + Extension + Extensión + + + + + + + Active tab background color for vertical tabs + Color de fondo de la pestaña activa para pestañas verticales + + + Color for borders in dashboard + Color de los bordes en el panel + + + Color of dashboard widget title + Color del título del widget de panel + + + Color for dashboard widget subtext + Color del subtexto del widget de panel + + + Color for property values displayed in the properties container component + Color de los valores de propiedad que se muestran en el componente de contenedor de propiedades + + + Color for property names displayed in the properties container component + Color de los nombres de la propiedad que se muestran en el componente del contenedor de propiedades + + + Toolbar overflow shadow color + Color de sombra del texto de desbordamiento de la barra de herramientas + + + + + + + Identifier of the account type + Identificador del tipo de cuenta + + + (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration + (Opcional) El icono que se usa para representar la cuenta en la IU. Una ruta de acceso al archivo o una configuración con temas + + + Icon path when a light theme is used + Ruta del icono cuando se usa un tema ligero + + + Icon path when a dark theme is used + Ruta de icono cuando se usa un tema oscuro + + + Contributes icons to account provider. + Aporta iconos al proveedor de la cuenta. + + + + + + + View applicable rules + Ver reglas aplicables + + + View applicable rules for {0} + Ver reglas aplicables para {0} + + + Invoke Assessment + Invocar evaluación + + + Invoke Assessment for {0} + Invocar evaluación para {0} + + + Export As Script + Exportar como script + + + View all rules and learn more on GitHub + Ver todas las reglas y obtener más información en GitHub + + + Create HTML Report + Crear informe en HTML + + + Report has been saved. Do you want to open it? + El informe se ha guardado. ¿Quiere abrirlo? + + + Open + Abrir + + + Cancel + Cancelar @@ -5426,390 +1209,6 @@ Una vez instaladas, podrá seleccionar el icono Visualizador para ver los result - - - - Chart - Gráfico - - - - - - - Operation - Operación - - - Object - Objeto - - - Est Cost - Costo estimado - - - Est Subtree Cost - Coste del subárbol estimado - - - Actual Rows - Filas reales - - - Est Rows - Filas estimadas - - - Actual Executions - Ejecuciones reales - - - Est CPU Cost - Costo de CPU estimado - - - Est IO Cost - Costo de E/S estimado - - - Parallel - Paralelo - - - Actual Rebinds - Reenlaces reales - - - Est Rebinds - Reenlaces estimados - - - Actual Rewinds - Rebobinados reales - - - Est Rewinds - Rebobinados estimados - - - Partitioned - Particionado - - - Top Operations - Operaciones principales - - - - - - - No connections found. - No se ha encontrado una conexión. - - - Add Connection - Agregar conexión - - - - - - - Add an account... - Agregar una cuenta... - - - <Default> - <Predeterminado> - - - Loading... - Cargando... - - - Server group - Grupo de servidores - - - <Default> - <Predeterminado> - - - Add new group... - Agregar nuevo grupo... - - - <Do not save> - <No guardar> - - - {0} is required. - {0} es necesario. - - - {0} will be trimmed. - {0} se recortará. - - - Remember password - Recordar contraseña - - - Account - Cuenta - - - Refresh account credentials - Actualizar credenciales de la cuenta - - - Azure AD tenant - Inquilino de Azure AD - - - Name (optional) - Nombre (opcional) - - - Advanced... - Avanzado... - - - You must select an account - Debe seleccionar una cuenta - - - - - - - Database - Base de datos - - - Files and filegroups - Archivos y grupos de archivos - - - Full - Completa - - - Differential - Diferencial - - - Transaction Log - Registro de transacciones - - - Disk - Disco - - - Url - URL - - - Use the default server setting - Utilizar la configuración del servidor predeterminada - - - Compress backup - Comprimir copia de seguridad - - - Do not compress backup - No comprimir copia de seguridad - - - Server Certificate - Certificado de servidor - - - Asymmetric Key - Clave asimétrica - - - - - - - You have not opened any folder that contains notebooks/books. - No ha abierto ninguna carpeta que contenga cuadernos o libros. - - - Open Notebooks - Abrir cuaderno - - - The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. - El conjunto de resultados solo contiene un subconjunto de todas las coincidencias. Sea más específico en la búsqueda para acotar los resultados. - - - Search in progress... - - Búsqueda en curso... - - - No results found in '{0}' excluding '{1}' - - No se encontraron resultados en '{0}' con exclusión de '{1}' - - - - No results found in '{0}' - - No se encontraron resultados en '{0}' - - - - No results found excluding '{0}' - - No se encontraron resultados con exclusión de '{0}' - - - - No results found. Review your settings for configured exclusions and check your gitignore files - - No se encontraron resultados. Revise la configuración para configurar exclusiones y verificar sus archivos gitignore - - - - Search again - Vuelva a realizar la búsqueda. - - - Cancel Search - Cancele la búsqueda. - - - Search again in all files - Buscar de nuevo en todos los archivos - - - Open Settings - Abrir configuración - - - Search returned {0} results in {1} files - La búsqueda devolvió {0} resultados en {1} archivos - - - Toggle Collapse and Expand - Alternar Contraer y expandir - - - Cancel Search - Cancelar búsqueda - - - Expand All - Expandir todo - - - Collapse All - Contraer todo - - - Clear Search Results - Borrar resultados de la búsqueda - - - - - - - Connections - Conexiones - - - Connect, query, and manage your connections from SQL Server, Azure, and more. - Conéctese a SQL Server y Azure, realice consultas, administre las conexiones y mucho más. - - - 1 - 1 - - - Next - Siguiente - - - Notebooks - Cuadernos - - - Get started creating your own notebook or collection of notebooks in a single place. - Empiece a crear su propio cuaderno o colección de cuadernos en un solo lugar. - - - 2 - 2 - - - Extensions - Extensiones - - - Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). - Amplíe la funcionalidad de Azure Data Studio mediante la instalación de extensiones desarrolladas por nosotros y Microsoft, así como por la comunidad de terceros (es decir, ¡usted!). - - - 3 - 3 - - - Settings - Configuración - - - Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. - Personalice Azure Data Studio según sus preferencias. Puede configurar opciones como el autoguardado y el tamaño de las pestañas, personalizar los métodos abreviados de teclado y cambiar a un tema de color de su gusto. - - - 4 - 4 - - - Welcome Page - Página de bienvenida - - - Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. - Descubra las principales características, los archivos abiertos recientemente y las extensiones recomendadas en la página de bienvenida. Para obtener más información sobre cómo empezar a trabajar con Azure Data Studio, consulte los vídeos y la documentación. - - - 5 - 5 - - - Finish - Finalizar - - - User Welcome Tour - Paseo de bienvenida para el usuario - - - Hide Welcome Tour - Ocultar paseo de presentación - - - Read more - Más información - - - Help - Ayuda - - - - - - - Delete Row - Eliminar fila - - - Revert Current Row - Revertir la fila actual - - - @@ -5894,575 +1293,283 @@ Una vez instaladas, podrá seleccionar el icono Visualizador para ver los result - + - - Message Panel - Panel de mensajes - - - Copy - Copiar - - - Copy All - Copiar todo + + Open in Azure Portal + Abrir en Azure Portal - + - - Loading - Carga en curso + + Backup name + Nombre de copia de seguridad - - Loading completed - Carga completada + + Recovery model + Modelo de recuperación + + + Backup type + Tipo de copia de seguridad + + + Backup files + Archivos de copia de seguridad + + + Algorithm + Algoritmo + + + Certificate or Asymmetric key + Certificado o clave asimétrica + + + Media + Multimedia + + + Backup to the existing media set + Realizar la copia de seguridad sobre el conjunto de medios existente + + + Backup to a new media set + Realizar copia de seguridad en un nuevo conjunto de medios + + + Append to the existing backup set + Añadir al conjunto de copia de seguridad existente + + + Overwrite all existing backup sets + Sobrescribir todos los conjuntos de copia de seguridad existentes + + + New media set name + Nuevo nombre de conjunto de medios + + + New media set description + Nueva descripción del conjunto de medios + + + Perform checksum before writing to media + Realizar la suma de comprobación antes de escribir en los medios + + + Verify backup when finished + Comprobar copia de seguridad cuando haya terminado + + + Continue on error + Seguir en caso de error + + + Expiration + Expiración + + + Set backup retain days + Configure los días de conservación de la copia de seguridad + + + Copy-only backup + Copia de seguridad de solo copia + + + Advanced Configuration + Configuración avanzada + + + Compression + Compresión + + + Set backup compression + Establecer la compresión de copia de seguridad + + + Encryption + Cifrado + + + Transaction log + Registro de transacciones + + + Truncate the transaction log + Truncar el registro de transacciones + + + Backup the tail of the log + Hacer copia de seguridad de la cola del registro + + + Reliability + Fiabilidad + + + Media name is required + El nombre del medio es obligatorio + + + No certificate or asymmetric key is available + No hay certificado o clave asimétrica disponible + + + Add a file + Agregar un archivo + + + Remove files + Eliminar archivos + + + Invalid input. Value must be greater than or equal 0. + Entrada no válida. El valor debe ser igual o mayor que 0. + + + Script + Script + + + Backup + Copia de seguridad + + + Cancel + Cancelar + + + Only backup to file is supported + Solo se admite la copia de seguridad en un archivo + + + Backup file path is required + La ruta del archivo de copia de seguridad es obligatoria - + - - Click on - Haga clic en - - - + Code - + Código - - - or - o - - - + Text - + Texto - - - to add a code or text cell - para agregar una celda de código o texto + + Backup + Copia de seguridad - + - - StdIn: - StdIn: + + You must enable preview features in order to use backup + Debe habilitar las características en versión preliminar para utilizar la copia de seguridad + + + Backup command is not supported outside of a database context. Please select a database and try again. + No se admite el comando de copia de seguridad en el contexto del servidor. Seleccione una base de datos y vuelva a intentarlo. + + + Backup command is not supported for Azure SQL databases. + No se admite el comando de copia de seguridad para bases de datos de Azure SQL. + + + Backup + Copia de seguridad - + - - Expand code cell contents - Expandir contenido de la celda de código + + Database + Base de datos - - Collapse code cell contents - Contraer contenido de la celda de código + + Files and filegroups + Archivos y grupos de archivos + + + Full + Completa + + + Differential + Diferencial + + + Transaction Log + Registro de transacciones + + + Disk + Disco + + + Url + URL + + + Use the default server setting + Utilizar la configuración del servidor predeterminada + + + Compress backup + Comprimir copia de seguridad + + + Do not compress backup + No comprimir copia de seguridad + + + Server Certificate + Certificado de servidor + + + Asymmetric Key + Clave asimétrica - + - - XML Showplan - Plan de presentación XML + + Create Insight + Crear conclusión - - Results grid - Cuadrícula de resultados + + Cannot create insight as the active editor is not a SQL Editor + No se puede crear la conclusión porque el editor activo no es un Editor de SQL - - - - - - Add cell - Agregar celda + + My-Widget + Mi Widget - - Code cell - Celda de código + + Configure Chart + Configurar gráfico - - Text cell - Celda de texto + + Copy as image + Copiar como imagen - - Move cell down - Bajar celda + + Could not find chart to save + No se pudo encontrar el gráfico a guardar - - Move cell up - Subir celda + + Save as image + Guardar como imagen - - Delete - Eliminar + + PNG + Png - - Add cell - Agregar celda - - - Code cell - Celda de código - - - Text cell - Celda de texto - - - - - - - SQL kernel error - Error del kernel SQL - - - A connection must be chosen to run notebook cells - Se debe elegir una conexión para ejecutar celdas de cuaderno - - - Displaying Top {0} rows. - Mostrando las primeras {0} filas. - - - - - - - Name - Nombre - - - Last Run - Última ejecución - - - Next Run - Próxima ejecución - - - Enabled - Habilitado - - - Status - Estado - - - Category - Categoría - - - Runnable - Se puede ejecutar - - - Schedule - Programación - - - Last Run Outcome - Último resultado ejecutado - - - Previous Runs - Ejecuciones anteriores - - - No Steps available for this job. - No hay pasos disponibles para este trabajo. - - - Error: - Error: - - - - - - - Could not find component for type {0} - No pudo encontrar el componente para el tipo {0} - - - - - - - Find - Buscar - - - Find - Buscar - - - Previous match - Coincidencia anterior - - - Next match - Coincidencia siguiente - - - Close - Cerrar - - - Your search returned a large number of results, only the first 999 matches will be highlighted. - La búsqueda ha devuelto un gran número de resultados, se resaltarán solo las primeras 999 coincidencias. - - - {0} of {1} - {0} de {1} - - - No Results - No hay resultados - - - - - - - Name - Nombre - - - Schema - Esquema - - - Type - Tipo - - - - - - - Run Query - Ejecutar consulta - - - - - - - No {0}renderer could be found for output. It has the following MIME types: {1} - No se ha encontrado ningún representador {0} para la salida. Tiene los siguientes tipos MIME: {1} - - - safe - seguro - - - No component could be found for selector {0} - No se encontró un componente para el selector {0} - - - Error rendering component: {0} - Error al representar el componente: {0} - - - - - - - Loading... - Carga en curso... - - - - - - - Loading... - Carga en curso... - - - - - - - Edit - Editar - - - Exit - Salir - - - Refresh - Actualizar - - - Show Actions - Mostrar acciones - - - Delete Widget - Eliminar widget - - - Click to unpin - Haga clic para desanclar - - - Click to pin - Haga clic para anclar - - - Open installed features - Abrir características instaladas - - - Collapse Widget - Contraer widget - - - Expand Widget - Expandir widget - - - - - - - {0} is an unknown container. - {0} es un contenedor desconocido. - - - - - - - Name - Nombre - - - Target Database - Base de datos de destino - - - Last Run - Última ejecución - - - Next Run - Próxima ejecución - - - Status - Estado - - - Last Run Outcome - Último resultado ejecutado - - - Previous Runs - Ejecuciones anteriores - - - No Steps available for this job. - No hay pasos disponibles para este trabajo. - - - Error: - Error: - - - Notebook Error: - Error del Notebook: - - - - - - - Loading Error... - Error de carga... - - - - - - - Show Actions - Mostrar acciones - - - No matching item found - No se encontraron elementos coincidentes - - - Filtered search list to 1 item - La lista de la búsqueda se ha filtrado en un elemento. - - - Filtered search list to {0} items - La lista de la búsqueda se ha filtrado en {0} elementos. - - - - - - - Failed - Error - - - Succeeded - Correcto - - - Retry - Reintentar - - - Cancelled - Cancelado - - - In Progress - En curso - - - Status Unknown - Estado desconocido - - - Executing - En ejecución - - - Waiting for Thread - A la espera de un subproceso - - - Between Retries - Entre reintentos - - - Idle - Inactivo - - - Suspended - Suspendido - - - [Obsolete] - [Obsoleto] - - - Yes - - - - No - No - - - Not Scheduled - No programado - - - Never Run - No ejecutar nunca - - - - - - - Bold - Negrita - - - Italic - Cursiva - - - Underline - Subrayado - - - Highlight - Resaltar - - - Code - Código - - - Link - Vínculo - - - List - Lista - - - Ordered list - Lista ordenada - - - Image - Imagen - - - Markdown preview toggle - off - Alternancia de la vista previa de Markdown: desactivada - - - Heading - Encabezado - - - Heading 1 - Encabezado 1 - - - Heading 2 - Encabezado 2 - - - Heading 3 - Encabezado 3 - - - Paragraph - Párrafo - - - Insert link - Inserción de un vínculo - - - Insert image - Inserción de una imagen - - - Rich Text View - Vista de texto enriquecido - - - Split View - Vista En dos paneles - - - Markdown View - Vista de Markdown + + Saved Chart to path: {0} + Gráfico guardado en la ruta: {0} @@ -6550,19 +1657,411 @@ Una vez instaladas, podrá seleccionar el icono Visualizador para ver los result - + - + + Chart + Gráfico + + + + + + + Horizontal Bar + Barra horizontal + + + Bar + Barras + + + Line + Línea + + + Pie + Circular + + + Scatter + Dispersión + + + Time Series + Serie temporal + + + Image + Imagen + + + Count + Recuento + + + Table + Tabla + + + Doughnut + Anillo + + + Failed to get rows for the dataset to chart. + No se pudieron obtener las filas para el conjunto de datos en el gráfico. + + + Chart type '{0}' is not supported. + No se admite el tipo de gráfico "{0}". + + + + + + + Built-in Charts + Gráficos integrados + + + The maximum number of rows for charts to display. Warning: increasing this may impact performance. + El número máximo de filas para gráficos que se mostrarán. Advertencia: incrementar esto podría afectar al rendimiento. + + + + + + Close Cerrar - + - - A server group with the same name already exists. - Ya existe un grupo de servidores con el mismo nombre. + + Series {0} + Serie {0} + + + + + + + Table does not contain a valid image + La tabla no contiene una imagen válida + + + + + + + Maximum row count for built-in charts has been exceeded, only the first {0} rows are used. To configure the value, you can open user settings and search for: 'builtinCharts.maxRowCount'. + Se ha superado el número máximo de filas para gráficos integrados, solo se usan las primeras {0} filas. Para configurar el valor, puede abrir la configuración de usuario y buscar: "builtinCharts. maxRowCount". + + + Don't Show Again + No volver a mostrar + + + + + + + Connecting: {0} + Conectando: {0} + + + Running command: {0} + Ejecutando comando: {0} + + + Opening new query: {0} + Abriendo nueva consulta: {0} + + + Cannot connect as no server information was provided + No se puede conectar ya que no se proporcionó información del servidor + + + Could not open URL due to error {0} + No se pudo abrir la dirección URL debido a un error {0} + + + This will connect to server {0} + Esto se conectará al servidor {0} + + + Are you sure you want to connect? + ¿Seguro que desea conectarse? + + + &&Open + &&Abrir + + + Connecting query file + Conectando con el archivo de consulta + + + + + + + {0} was replaced with {1} in your user settings. + {0} se ha reemplazado por {1} en la configuración de usuario. + + + {0} was replaced with {1} in your workspace settings. + {0} se ha reemplazado por {1} en la configuración del área de trabajo. + + + + + + + The maximum number of recently used connections to store in the connection list. + Número máximo de conexiones usadas recientemente que se van a almacenar en la lista de conexiones. + + + Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. + Motor de SQL predeterminado para usar. Esto indica el proveedor de lenguaje predeterminado en los archivos .sql y los valores por defecto que se usarán al crear una nueva conexión. + + + Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. + Intente analizar el contenido del portapapeles cuando se abre el cuadro de diálogo de conexión o se realiza un pegado. + + + + + + + Connection Status + Estado de conexión + + + + + + + Common id for the provider + Identificador común para el proveedor + + + Display Name for the provider + Nombre para mostrar del proveedor + + + Notebook Kernel Alias for the provider + Alias de kernel del cuaderno para el proveedor + + + Icon path for the server type + Ruta de acceso al icono para el tipo de servidor + + + Options for connection + Opciones para la conexión + + + + + + + User visible name for the tree provider + Nombre de usuario visible para el proveedor de árbol + + + Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` + Id. del proveedor; debe ser el mismo que al registrar el proveedor de datos del árbol y debe empezar por "connectionDialog/". + + + + + + + Unique identifier for this container. + Identificador único para este contenedor. + + + The container that will be displayed in the tab. + El contenedor que se mostrará en la pestaña. + + + Contributes a single or multiple dashboard containers for users to add to their dashboard. + Contribuye con uno o varios contenedores de paneles para que los usuarios los agreguen a su propio panel. + + + No id in dashboard container specified for extension. + No se ha especificado ningún identificador en el contenedor de paneles para la extensión. + + + No container in dashboard container specified for extension. + No se ha especificado ningún contenedor en el contenedor de paneles para la extensión. + + + Exactly 1 dashboard container must be defined per space. + Debe definirse exactamente 1 contenedor de paneles por espacio. + + + Unknown container type defines in dashboard container for extension. + Tipo de contenedor desconocido definido en el contenedor de paneles para la extensión. + + + + + + + The controlhost that will be displayed in this tab. + El control host que se mostrará en esta pestaña. + + + + + + + The "{0}" section has invalid content. Please contact extension owner. + La sección "{0}" tiene contenido no válido. Póngase en contacto con el propietario de la extensión. + + + + + + + The list of widgets or webviews that will be displayed in this tab. + La lista de widgets o vistas web que se muestran en esta pestaña. + + + widgets or webviews are expected inside widgets-container for extension. + Se esperan widgets o vistas web en el contenedor de widgets para la extensión. + + + + + + + The model-backed view that will be displayed in this tab. + La vista respaldada por el modelo que se visualiza en esta pestaña. + + + + + + + Unique identifier for this nav section. Will be passed to the extension for any requests. + Identificador único para esta sección de navegación. Se pasará a la extensión de las solicitudes. + + + (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration + (opcional) Icono que se utiliza para representar esta sección de navegación en la IU. Una ruta de acceso al archivo o una configuración con temas + + + Icon path when a light theme is used + Ruta del icono cuando se usa un tema ligero + + + Icon path when a dark theme is used + Ruta de icono cuando se usa un tema oscuro + + + Title of the nav section to show the user. + Título de la sección de navegación para mostrar al usuario. + + + The container that will be displayed in this nav section. + El contenedor que se mostrará en esta sección de navegación. + + + The list of dashboard containers that will be displayed in this navigation section. + La lista de contenedores de paneles que se mostrará en esta sección de navegación. + + + No title in nav section specified for extension. + No hay título en la sección de navegación especificada para la extensión. + + + No container in nav section specified for extension. + No hay contenedor en la sección de navegación especificada para la extensión. + + + Exactly 1 dashboard container must be defined per space. + Debe definirse exactamente 1 contenedor de paneles por espacio. + + + NAV_SECTION within NAV_SECTION is an invalid container for extension. + NAV_SECTION en NAV_SECTION es un contenedor no válido para la extensión. + + + + + + + The webview that will be displayed in this tab. + La vista web que se mostrará en esta pestaña. + + + + + + + The list of widgets that will be displayed in this tab. + La lista de widgets que se muestra en esta pestaña. + + + The list of widgets is expected inside widgets-container for extension. + La lista de widgets que se espera dentro del contenedor de widgets para la extensión. + + + + + + + Edit + Editar + + + Exit + Salir + + + Refresh + Actualizar + + + Show Actions + Mostrar acciones + + + Delete Widget + Eliminar widget + + + Click to unpin + Haga clic para desanclar + + + Click to pin + Haga clic para anclar + + + Open installed features + Abrir características instaladas + + + Collapse Widget + Contraer widget + + + Expand Widget + Expandir widget + + + + + + + {0} is an unknown container. + {0} es un contenedor desconocido. @@ -6582,111 +2081,1025 @@ Una vez instaladas, podrá seleccionar el icono Visualizador para ver los result - + - - Create Insight - Crear conclusión + + Unique identifier for this tab. Will be passed to the extension for any requests. + Identificador único para esta pestaña. Se pasará a la extensión para cualquier solicitud. - - Cannot create insight as the active editor is not a SQL Editor - No se puede crear la conclusión porque el editor activo no es un Editor de SQL + + Title of the tab to show the user. + Título de la pestaña para mostrar al usuario. - - My-Widget - Mi Widget + + Description of this tab that will be shown to the user. + Descripción de esta pestaña que se mostrará al usuario. - - Configure Chart - Configurar gráfico + + Condition which must be true to show this item + Condición que se debe cumplir para mostrar este elemento - - Copy as image - Copiar como imagen + + Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set + Define los tipos de conexión con los que esta pestaña es compatible. El valor predeterminado es "MSSQL" si no se establece - - Could not find chart to save - No se pudo encontrar el gráfico a guardar + + The container that will be displayed in this tab. + El contenedor que se mostrará en esta pestaña. - - Save as image - Guardar como imagen + + Whether or not this tab should always be shown or only when the user adds it. + Si esta pestaña se debe mostrar siempre, o sólo cuando el usuario la agrega. - - PNG - Png + + Whether or not this tab should be used as the Home tab for a connection type. + Si esta pestaña se debe usar o no como la pestaña Inicio para un tipo de conexión. - - Saved Chart to path: {0} - Gráfico guardado en la ruta: {0} + + The unique identifier of the group this tab belongs to, value for home group: home. + Id. único del grupo al que pertenece esta pestaña; valor para el grupo de inicio: Inicio. + + + (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration + (Opcional) Icono que se utiliza para representar esta pestaña en la interfaz de usuario; puede ser una ruta de acceso al archivo o una configuración con temas. + + + Icon path when a light theme is used + Ruta del icono cuando se usa un tema ligero + + + Icon path when a dark theme is used + Ruta de icono cuando se usa un tema oscuro + + + Contributes a single or multiple tabs for users to add to their dashboard. + Aporta una o varias pestañas que los usuarios pueden agregar a su panel. + + + No title specified for extension. + No se ha especificado ningún título para la extensión. + + + No description specified to show. + No se ha especificado ninguna descripción para mostrar. + + + No container specified for extension. + No se ha especificado ningún contenedor para la extensión. + + + Exactly 1 dashboard container must be defined per space + Debe definirse exactamente 1 contenedor de paneles por espacio + + + Unique identifier for this tab group. + Identificador único para este grupo de pestañas. + + + Title of the tab group. + Título del grupo de pestañas. + + + Contributes a single or multiple tab groups for users to add to their dashboard. + Aporta uno o varios grupos de pestañas que los usuarios pueden agregar a su panel. + + + No id specified for tab group. + No se ha especificado ningún id. para el grupo de pestañas. + + + No title specified for tab group. + No se ha especificado ningún título para el grupo de pestañas. + + + Administration + Administración + + + Monitoring + Supervisión + + + Performance + Rendimiento + + + Security + Seguridad + + + Troubleshooting + Solución de problemas + + + Settings + Configuración + + + databases tab + pestaña de bases de datos + + + Databases + Bases de datos - + - - Add code - Agregar código + + Manage + Administrar - - Add text - Agregar texto + + Dashboard + Panel - - Create File - Crear archivo + + + + + + Manage + Administrar - - Could not display contents: {0} - No se pudo mostrar contenido: {0} + + + + + + property `icon` can be omitted or must be either a string or a literal like `{dark, light}` + la propiedad "icon" puede omitirse o debe ser una cadena o un literal como "{dark, light}" - - Add cell - Agregar celda + + + + + + Defines a property to show on the dashboard + Define una propiedad para mostrar en el panel - - Code cell - Celda de código + + What value to use as a label for the property + Qué valor utilizar como etiqueta de la propiedad - - Text cell - Celda de texto + + What value in the object to access for the value + Valor en el objeto al que acceder para el valor - - Run all - Ejecutar todo + + Specify values to be ignored + Especificar los valores que se ignorarán - - Cell - Celda + + Default value to show if ignored or no value + Valor predeterminado para mostrar si se omite o no hay valor - - Code - Código + + A flavor for defining dashboard properties + Estilo para definir propiedades en un panel - - Text - Texto + + Id of the flavor + Id. del estilo - - Run Cells - Ejecutar celdas + + Condition to use this flavor + Condición para utilizar este tipo - - < Previous - < Anterior + + Field to compare to + Campo con el que comparar - - Next > - Siguiente > + + Which operator to use for comparison + Operador para utilizar en la comparación - - cell with URI {0} was not found in this model - no se encontró la celda con URI {0} en este modelo + + Value to compare the field to + Valor con el que comparar el campo - - Run Cells failed - See error in output of the currently selected cell for more information. - Error al ejecutar las celdas. Para más información, vea el error en la salida de la celda seleccionada actualmente. + + Properties to show for database page + Propiedades para mostrar por página de base de datos + + + Properties to show for server page + Propiedades para mostrar por página de servidor + + + Defines that this provider supports the dashboard + Define que este proveedor admite el panel de información + + + Provider id (ex. MSSQL) + Id. de proveedor (por ejemplo MSSQL) + + + Property values to show on dashboard + Valores de las propiedades para mostrar en el panel + + + + + + + Condition which must be true to show this item + Condición que se debe cumplir para mostrar este elemento + + + Whether to hide the header of the widget, default value is false + Indica se oculta el encabezado del widget; el valor predeterminado es "false". + + + The title of the container + El título del contenedor + + + The row of the component in the grid + La fila del componente en la cuadrícula + + + The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. + El intervalo de fila del componente en la cuadrícula. El valor predeterminado es 1. Use "*" para establecer el número de filas en la cuadrícula. + + + The column of the component in the grid + La columna del componente en la cuadrícula + + + The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. + El colspan del componente en la cuadrícula. El valor predeterminado es 1. Use "*" para definir el número de columnas en la cuadrícula. + + + Unique identifier for this tab. Will be passed to the extension for any requests. + Identificador único para esta pestaña. Se pasará a la extensión para cualquier solicitud. + + + Extension tab is unknown or not installed. + La pestaña de extensión es desconocida o no está instalada. + + + + + + + Database Properties + Propiedades de la base de datos + + + + + + + Enable or disable the properties widget + Activar o desactivar el widget de propiedades + + + Property values to show + Valores de la propiedad para mostrar + + + Display name of the property + Nombre para mostrar de la propiedad + + + Value in the Database Info Object + Valor en el objeto de la información de la base de datos + + + Specify specific values to ignore + Especificar valores específicos para ignorar + + + Recovery Model + Modelo de recuperación + + + Last Database Backup + Última copia de seguridad de la base de datos + + + Last Log Backup + Última copia de seguridad de registros + + + Compatibility Level + Nivel de compatibilidad + + + Owner + Propietario + + + Customizes the database dashboard page + Personaliza la página del panel de base de datos + + + Search + Búsqueda + + + Customizes the database dashboard tabs + Personaliza las pestañas de consola de base de datos + + + + + + + Server Properties + Propiedades del servidor + + + + + + + Enable or disable the properties widget + Activar o desactivar el widget de propiedades + + + Property values to show + Valores de la propiedad para mostrar + + + Display name of the property + Nombre para mostrar de la propiedad + + + Value in the Server Info Object + Valor en el objeto de información de servidor + + + Version + Versión + + + Edition + Edición + + + Computer Name + Nombre del equipo + + + OS Version + Versión del sistema operativo + + + Search + Búsqueda + + + Customizes the server dashboard page + Personaliza la página del panel de servidor + + + Customizes the Server dashboard tabs + Personaliza las pestañas del panel de servidor + + + + + + + Home + Inicio + + + + + + + Failed to change database + No se pudo cambiar la base de datos + + + + + + + Show Actions + Mostrar acciones + + + No matching item found + No se encontraron elementos coincidentes + + + Filtered search list to 1 item + La lista de la búsqueda se ha filtrado en un elemento. + + + Filtered search list to {0} items + La lista de la búsqueda se ha filtrado en {0} elementos. + + + + + + + Name + Nombre + + + Schema + Esquema + + + Type + Tipo + + + + + + + loading objects + Cargando de los objetos en curso + + + loading databases + Carga de las bases de datos en curso + + + loading objects completed. + La carga de los objetos se ha completado. + + + loading databases completed. + La carga de las bases de datos se ha completado. + + + Search by name of type (t:, v:, f:, or sp:) + Buscar por nombre de tipo (t:, v:, f: o sp:) + + + Search databases + Buscar en las bases de datos + + + Unable to load objects + No se pueden cargar objetos + + + Unable to load databases + No se pueden cargar las bases de datos + + + + + + + Run Query + Ejecutar consulta + + + + + + + Loading {0} + Carga de {0} en curso + + + Loading {0} completed + Carga de {0} completada + + + Auto Refresh: OFF + Actualización automática: DESACTIVADA + + + Last Updated: {0} {1} + Última actualización: {0} {1} + + + No results to show + No hay resultados para mostrar + + + + + + + Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more + Añade un widget que puede consultar un servidor o base de datos y mostrar los resultados de múltiples maneras, como un gráfico o una cuenta de resumen, entre otras. + + + Unique Identifier used for caching the results of the insight. + Identificador único utilizado para almacenar en caché los resultados de la información. + + + SQL query to run. This should return exactly 1 resultset. + Consulta SQL para ejecutar. Esto debería devolver exactamente un conjunto de resultados. + + + [Optional] path to a file that contains a query. Use if 'query' is not set + [Opcional] Ruta de acceso a un archivo que contiene una consulta. Utilícelo si "query" no está establecido + + + [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh + [Opcional] Intervalo de actualización automática en minutos, si no se establece, no habrá actualización automática + + + Which actions to use + Acciones para utilizar + + + Target database for the action; can use the format '${ columnName }' to use a data driven column name. + Base de datos de destino para la acción; puede usar el formato "${ columnName }" para usar un nombre de columna controlado por datos. + + + Target server for the action; can use the format '${ columnName }' to use a data driven column name. + Servidor de destino para la acción; puede usar el formato "${ columnName }" para usar un nombre de columna controlado por datos. + + + Target user for the action; can use the format '${ columnName }' to use a data driven column name. + Usuario de destino para la acción; puede usar el formato "${ columnName }" para usar un nombre de columna controlado por datos. + + + Identifier of the insight + Identificador de la información + + + Contributes insights to the dashboard palette. + Aporta conocimientos a la paleta del panel. + + + + + + + Chart cannot be displayed with the given data + No se puede mostrar el gráfico con los datos proporcionados + + + + + + + Displays results of a query as a chart on the dashboard + Muestra los resultados de una consulta como un gráfico en el panel de información + + + Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color + Asigne "nombre de columna" -> color. Por ejemplo, agregue "column1": red para asegurarse de que esta utilice un color rojo + + + Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry + Indica la posición y visibilidad preferidas de la leyenda del gráfico. Estos son los nombres de columna de la consulta y se asignan a la etiqueta de cada entrada de gráfico + + + If dataDirection is horizontal, setting this to true uses the first columns value for the legend. + Si dataDirection es horizontal, al establecerlo como verdadero se utilizarán los valores de las primeras columnas para la leyenda. + + + If dataDirection is vertical, setting this to true will use the columns names for the legend. + Si dataDirection es vertical, al configurarlo como verdadero se utilizarán los nombres de columna para la leyenda. + + + Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. + Define si los datos se leen desde una columna (vertical) o una fila (horizontal). Para series de tiempo esto se omite, ya que la dirección debe ser vertical. + + + If showTopNData is set, showing only top N data in the chart. + Si se establece showTopNData, se mostrarán solo los primeros N datos en la tabla. + + + + + + + Minimum value of the y axis + Valor mínimo del eje y + + + Maximum value of the y axis + Valor máximo del eje y + + + Label for the y axis + Etiqueta para el eje y + + + Minimum value of the x axis + Valor mínimo del eje x + + + Maximum value of the x axis + Valor máximo del eje x + + + Label for the x axis + Etiqueta para el eje x + + + + + + + Indicates data property of a data set for a chart. + Indica la propiedad de datos de un conjunto de datos para un gráfico. + + + + + + + For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 + Para cada columna de un conjunto de resultados, muestra el valor de la fila 0 como un recuento seguido del nombre de la columna. Admite "1 Healthy", "3 Unhealthy", por ejemplo, donde "Healthy" es el nombre de la columna y 1 es el valor de la fila 1, celda 1 + + + + + + + Displays an image, for example one returned by an R query using ggplot2 + Muestra una imagen, por ejemplo uno devuelta por una consulta R con ggplot2 + + + What format is expected - is this a JPEG, PNG or other format? + ¿Qué formato se espera: es un archivo JPEG, PNG u otro formato? + + + Is this encoded as hex, base64 or some other format? + ¿Está codificado como hexadecimal, base64 o algún otro formato? + + + + + + + Displays the results in a simple table + Muestra los resultados en una tabla simple + + + + + + + Loading properties + Carga de las propiedades en curso + + + Loading properties completed + La carga de las propiedades se ha completado. + + + Unable to load dashboard properties + No se pueden cargar las propiedades del panel + + + + + + + Database Connections + Conexiones de base de datos + + + data source connections + Conexiones de fuentes de datos + + + data source groups + grupos de origen de datos + + + Saved connections are sorted by the dates they were added. + Las conexiones guardadas se ordenan por las fechas en que se agregaron. + + + Saved connections are sorted by their display names alphabetically. + Las conexiones guardadas se ordenan alfabéticamente por sus nombres para mostrar. + + + Controls sorting order of saved connections and connection groups. + Controla el criterio de ordenación de las conexiones guardadas y los grupos de conexiones. + + + Startup Configuration + Configuración de inicio + + + True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown + True para que la vista de servidores aparezca en la apertura predeterminada de Azure Data Studio; false si quiere aparezca la última vista abierta + + + + + + + Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. + Identificador de la vista. Úselo para registrar un proveedor de datos mediante la API "vscode.window.registerTreeDataProviderForView". También para desencadenar la activación de su extensión al registrar el evento "onView:${id}" en "activationEvents". + + + The human-readable name of the view. Will be shown + Nombre de la vista en lenguaje natural. Se mostrará + + + Condition which must be true to show this view + Condición que se debe cumplir para mostrar esta vista + + + Contributes views to the editor + Aporta vistas al editor + + + Contributes views to Data Explorer container in the Activity bar + Aporta vistas al contenedor del Explorador de datos en la barra de la actividad + + + Contributes views to contributed views container + Contribuye vistas al contenedor de vistas aportadas + + + Cannot register multiple views with same id `{0}` in the view container `{1}` + No pueden registrar múltiples vistas con el mismo identificador "{0}" en el contenedor de vistas "{1}" + + + A view with id `{0}` is already registered in the view container `{1}` + Una vista con el identificador "{0}" ya está registrada en el contenedor de vista "{1}" + + + views must be an array + Las vistas deben ser una matriz + + + property `{0}` is mandatory and must be of type `string` + la propiedad "{0}" es obligatoria y debe ser de tipo "string" + + + property `{0}` can be omitted or must be of type `string` + la propiedad "{0}" se puede omitir o debe ser de tipo "string" + + + + + + + Servers + Servidores + + + Connections + Conexiones + + + Show Connections + Mostrar conexiones + + + + + + + Disconnect + Desconectar + + + Refresh + Actualizar + + + + + + + Show Edit Data SQL pane on startup + Mostrar panel de edición de datos de SQL al iniciar + + + + + + + Run + Ejecutar + + + Dispose Edit Failed With Error: + Eliminar edición con error: + + + Stop + Detener + + + Show SQL Pane + Mostrar el panel de SQL + + + Close SQL Pane + Cerrar el panel de SQL + + + + + + + Max Rows: + Máximo de filas: + + + + + + + Delete Row + Eliminar fila + + + Revert Current Row + Revertir la fila actual + + + + + + + Save As CSV + Guardar como CSV + + + Save As JSON + Guardar como JSON + + + Save As Excel + Guardar como Excel + + + Save As XML + Guardar como XML + + + Copy + Copiar + + + Copy With Headers + Copiar con encabezados + + + Select All + Seleccionar todo + + + + + + + Dashboard Tabs ({0}) + Pestañas del panel ({0}) + + + Id + Id. + + + Title + Título + + + Description + Descripción + + + Dashboard Insights ({0}) + Información del panel ({0}) + + + Id + Id. + + + Name + Nombre + + + When + Cuándo + + + + + + + Gets extension information from the gallery + Obtiene información de extensión de la galería + + + Extension id + Id. de extensión + + + Extension '{0}' not found. + La extensión '{0}' no se encontró. + + + + + + + Show Recommendations + Mostrar recomendaciones + + + Install Extensions + Instalar extensiones + + + Author an Extension... + Crear una extensión... + + + + + + + Don't Show Again + No volver a mostrar + + + Azure Data Studio has extension recommendations. + Azure Data Studio cuenta con extensiones recomendadas. + + + Azure Data Studio has extension recommendations for data visualization. +Once installed, you can select the Visualizer icon to visualize your query results. + Azure Data Studio cuenta con extensiones recomendadas para la visualización de datos. +Una vez instaladas, podrá seleccionar el icono Visualizador para ver los resultados de las consultas. + + + Install All + Instalar todo + + + Show Recommendations + Mostrar recomendaciones + + + The scenario type for extension recommendations must be provided. + Es necesario proporcionar el tipo de escenario para recibir recomendaciones de extensiones. + + + + + + + This extension is recommended by Azure Data Studio. + Azure Data Studio recomienda esta extensión. + + + + + + + Jobs + Trabajos + + + Notebooks + Notebooks + + + Alerts + Alertas + + + Proxies + Servidores proxy + + + Operators + Operadores + + + + + + + Name + Nombre + + + Last Occurrence + Última aparición + + + Enabled + Habilitado + + + Delay Between Responses (in secs) + Retraso entre las respuestas (en segundos) + + + Category Name + Nombre de la categoría @@ -6906,257 +3319,187 @@ Error: {1} - + - - View applicable rules - Ver reglas aplicables + + Step ID + Id. de paso - - View applicable rules for {0} - Ver reglas aplicables para {0} + + Step Name + Nombre del paso - - Invoke Assessment - Invocar evaluación - - - Invoke Assessment for {0} - Invocar evaluación para {0} - - - Export As Script - Exportar como script - - - View all rules and learn more on GitHub - Ver todas las reglas y obtener más información en GitHub - - - Create HTML Report - Crear informe en HTML - - - Report has been saved. Do you want to open it? - El informe se ha guardado. ¿Quiere abrirlo? - - - Open - Abrir - - - Cancel - Cancelar + + Message + Mensaje - + - - Data - Datos - - - Connection - Conexión - - - Query Editor - Editor de Power Query - - - Notebook - Notebook - - - Dashboard - Panel - - - Profiler - Profiler + + Steps + Pasos - + - - Dashboard Tabs ({0}) - Pestañas del panel ({0}) - - - Id - Id. - - - Title - Título - - - Description - Descripción - - - Dashboard Insights ({0}) - Información del panel ({0}) - - - Id - Id. - - + Name Nombre - - When - Cuándo + + Last Run + Última ejecución + + + Next Run + Próxima ejecución + + + Enabled + Habilitado + + + Status + Estado + + + Category + Categoría + + + Runnable + Se puede ejecutar + + + Schedule + Programación + + + Last Run Outcome + Último resultado ejecutado + + + Previous Runs + Ejecuciones anteriores + + + No Steps available for this job. + No hay pasos disponibles para este trabajo. + + + Error: + Error: - + - - Table does not contain a valid image - La tabla no contiene una imagen válida + + Date Created: + Fecha de creación: + + + Notebook Error: + Error del Notebook: + + + Job Error: + Error de trabajo: + + + Pinned + Anclado + + + Recent Runs + Ejecuciones recientes + + + Past Runs + Ejecuciones pasadas - + - - More - Más + + Name + Nombre - - Edit - Editar + + Target Database + Base de datos de destino - - Close - Cerrar + + Last Run + Última ejecución - - Convert Cell - Convertir celda + + Next Run + Próxima ejecución - - Run Cells Above - Ejecutar celdas de arriba + + Status + Estado - - Run Cells Below - Ejecutar celdas de abajo + + Last Run Outcome + Último resultado ejecutado - - Insert Code Above - Insertar código arriba + + Previous Runs + Ejecuciones anteriores - - Insert Code Below - Insertar código abajo + + No Steps available for this job. + No hay pasos disponibles para este trabajo. - - Insert Text Above - Insertar texto arriba + + Error: + Error: - - Insert Text Below - Insertar texto abajo - - - Collapse Cell - Contraer celda - - - Expand Cell - Expandir celda - - - Make parameter cell - Crear celda de parámetro - - - Remove parameter cell - Quitar celda de parámetro - - - Clear Result - Borrar resultado + + Notebook Error: + Error del Notebook: - + - - An error occurred while starting the notebook session - Error al iniciar la sesión del cuaderno + + Name + Nombre - - Server did not start for unknown reason - El servidor no se pudo iniciar por una razón desconocida + + Email Address + Dirección de correo electrónico - - Kernel {0} was not found. The default kernel will be used instead. - No se encontró el kernel {0}. En su lugar, se utilizará el kernel predeterminado. + + Enabled + Habilitado - + - - Series {0} - Serie {0} + + Account Name + Nombre de la cuenta - - - - - - Close - Cerrar + + Credential Name + Nombre de credencial - - - - - - # Injected-Parameters - - N.º de parámetros insertados - + + Description + Descripción - - Please select a connection to run cells for this kernel - Seleccione una conexión para ejecutar celdas para este kernel - - - Failed to delete cell. - No se pudo eliminar la celda. - - - Failed to change kernel. Kernel {0} will be used. Error was: {1} - Error al cambiar de kernel. Se utilizará el kernel {0}. Error: {1} - - - Failed to change kernel due to error: {0} - No se pudo cambiar el kernel debido al error: {0} - - - Changing context failed: {0} - Error en el cambio de contexto: {0} - - - Could not start session: {0} - No se pudo iniciar sesión: {0} - - - A client session error occurred when closing the notebook: {0} - Se ha producido un error en la sesión del cliente al cerrar el cuaderno: {0} - - - Can't find notebook manager for provider {0} - No puede encontrar el administrador de cuadernos para el proveedor {0} + + Enabled + Habilitado @@ -7228,6 +3571,3317 @@ Error: {1} + + + + More + Más + + + Edit + Editar + + + Close + Cerrar + + + Convert Cell + Convertir celda + + + Run Cells Above + Ejecutar celdas de arriba + + + Run Cells Below + Ejecutar celdas de abajo + + + Insert Code Above + Insertar código arriba + + + Insert Code Below + Insertar código abajo + + + Insert Text Above + Insertar texto arriba + + + Insert Text Below + Insertar texto abajo + + + Collapse Cell + Contraer celda + + + Expand Cell + Expandir celda + + + Make parameter cell + Crear celda de parámetro + + + Remove parameter cell + Quitar celda de parámetro + + + Clear Result + Borrar resultado + + + + + + + Add cell + Agregar celda + + + Code cell + Celda de código + + + Text cell + Celda de texto + + + Move cell down + Bajar celda + + + Move cell up + Subir celda + + + Delete + Eliminar + + + Add cell + Agregar celda + + + Code cell + Celda de código + + + Text cell + Celda de texto + + + + + + + Parameters + Parámetros + + + + + + + Please select active cell and try again + Seleccione la celda activa y vuelva a intentarlo + + + Run cell + Ejecutar celda + + + Cancel execution + Cancelar ejecución + + + Error on last run. Click to run again + Error en la última ejecución. Haga clic para volver a ejecutar + + + + + + + Expand code cell contents + Expandir contenido de la celda de código + + + Collapse code cell contents + Contraer contenido de la celda de código + + + + + + + Bold + Negrita + + + Italic + Cursiva + + + Underline + Subrayado + + + Highlight + Resaltar + + + Code + Código + + + Link + Vínculo + + + List + Lista + + + Ordered list + Lista ordenada + + + Image + Imagen + + + Markdown preview toggle - off + Alternancia de la vista previa de Markdown: desactivada + + + Heading + Encabezado + + + Heading 1 + Encabezado 1 + + + Heading 2 + Encabezado 2 + + + Heading 3 + Encabezado 3 + + + Paragraph + Párrafo + + + Insert link + Inserción de un vínculo + + + Insert image + Inserción de una imagen + + + Rich Text View + Vista de texto enriquecido + + + Split View + Vista En dos paneles + + + Markdown View + Vista de Markdown + + + + + + + No {0}renderer could be found for output. It has the following MIME types: {1} + No se ha encontrado ningún representador {0} para la salida. Tiene los siguientes tipos MIME: {1} + + + safe + seguro + + + No component could be found for selector {0} + No se encontró un componente para el selector {0} + + + Error rendering component: {0} + Error al representar el componente: {0} + + + + + + + Click on + Haga clic en + + + + Code + + Código + + + or + o + + + + Text + + Texto + + + to add a code or text cell + para agregar una celda de código o texto + + + Add a code cell + Agregar una celda de código + + + Add a text cell + Agregar una celda de texto + + + + + + + StdIn: + StdIn: + + + + + + + <i>Double-click to edit</i> + <i>Haga doble clic para editar.</i> + + + <i>Add content here...</i> + <i>Agregue contenido aquí...</i> + + + + + + + Find + Buscar + + + Find + Buscar + + + Previous match + Coincidencia anterior + + + Next match + Coincidencia siguiente + + + Close + Cerrar + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + La búsqueda ha devuelto un gran número de resultados, se resaltarán solo las primeras 999 coincidencias. + + + {0} of {1} + {0} de {1} + + + No Results + No hay ningún resultado. + + + + + + + Add code + Agregar código + + + Add text + Agregar texto + + + Create File + Crear archivo + + + Could not display contents: {0} + No se pudo mostrar contenido: {0} + + + Add cell + Agregar celda + + + Code cell + Celda de código + + + Text cell + Celda de texto + + + Run all + Ejecutar todo + + + Cell + Celda + + + Code + Código + + + Text + Texto + + + Run Cells + Ejecutar celdas + + + < Previous + < Anterior + + + Next > + Siguiente > + + + cell with URI {0} was not found in this model + no se encontró la celda con URI {0} en este modelo + + + Run Cells failed - See error in output of the currently selected cell for more information. + Error al ejecutar las celdas. Para más información, vea el error en la salida de la celda seleccionada actualmente. + + + + + + + New Notebook + Nuevo Notebook + + + New Notebook + Nuevo Notebook + + + Set Workspace And Open + Establecer área de trabajo y abrir + + + SQL kernel: stop Notebook execution when error occurs in a cell. + Kernel SQL: detenga la ejecución del Notebook cuando se produzca un error en una celda. + + + (Preview) show all kernels for the current notebook provider. + (Versión preliminar) Consulte todos los kernel del proveedor del cuaderno actual. + + + Allow notebooks to run Azure Data Studio commands. + Permita a los cuadernos ejecutar comandos de Azure Data Studio. + + + Enable double click to edit for text cells in notebooks + Habilitar doble clic para editar las celdas de texto en los cuadernos + + + Text is displayed as Rich Text (also known as WYSIWYG). + El texto se muestra como texto enriquecido (también conocido como WYSIWYG). + + + Markdown is displayed on the left, with a preview of the rendered text on the right. + "Markdown" se muestra a la izquierda, con una vista previa del texto representado a la derecha. + + + Text is displayed as Markdown. + El texto se muestra como "Markdown". + + + The default editing mode used for text cells + Modo de edición predeterminado usado para las celdas de texto + + + (Preview) Save connection name in notebook metadata. + (Versión preliminar) Guarde el nombre de la conexión en los metadatos del cuaderno. + + + Controls the line height used in the notebook markdown preview. This number is relative to the font size. + Controla la altura de línea utilizada en la vista previa de Markdown del cuaderno. Este número es relativo al tamaño de la fuente. + + + (Preview) Show rendered notebook in diff editor. + (Vista preliminar) Mostrar el bloc de notas representado en el editor. + + + The maximum number of changes stored in the undo history for the notebook Rich Text editor. + Número máximo de cambios almacenados en el historial de deshacer del editor de texto enriquecido del cuaderno + + + Search Notebooks + Búsqueda de cuadernos + + + Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). + Configure patrones globales para excluir archivos y carpetas en búsquedas de texto completo y abrir los patrones de uso rápido. Hereda todos los patrones globales de la configuración "#files.exclude". Lea más acerca de los patrones globales [aquí](https://code.visualstudio.com/docs/editor/codebasics-_advanced-search-options). + + + The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. + El patrón global con el que se harán coincidir las rutas de acceso de los archivos. Establézcalo en true o false para habilitarlo o deshabilitarlo. + + + Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. + Comprobación adicional de los elementos del mismo nivel de un archivo coincidente. Use $(nombreBase) como variable para el nombre de archivo que coincide. + + + This setting is deprecated and now falls back on "search.usePCRE2". + Esta opción están en desuso y ahora se utiliza "search.usePCRE2". + + + Deprecated. Consider "search.usePCRE2" for advanced regex feature support. + En desuso. Considere la utilización de "search.usePCRE2" para admitir la característica de expresiones regulares avanzadas. + + + When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. + Cuando está habilitado, el proceso de servicio de búsqueda se mantendrá habilitado en lugar de cerrarse después de una hora de inactividad. Esto mantendrá la caché de búsqueda de archivos en la memoria. + + + Controls whether to use `.gitignore` and `.ignore` files when searching for files. + Controla si se deben usar los archivos ".gitignore" e ".ignore" al buscar archivos. + + + Controls whether to use global `.gitignore` and `.ignore` files when searching for files. + Controla si deben usarse archivos ".ignore" y ".gitignore" globables cuando se buscan archivos. + + + Whether to include results from a global symbol search in the file results for Quick Open. + Indica si se incluyen resultados de una búsqueda global de símbolos en los resultados de archivos de Quick Open. + + + Whether to include results from recently opened files in the file results for Quick Open. + Indica si se incluyen resultados de archivos abiertos recientemente en los resultados de archivos de Quick Open. + + + History entries are sorted by relevance based on the filter value used. More relevant entries appear first. + Las entradas de historial se ordenan por pertinencia en función del valor de filtro utilizado. Las entradas más pertinentes aparecen primero. + + + History entries are sorted by recency. More recently opened entries appear first. + Las entradas de historial se ordenan por uso reciente. Las entradas abiertas más recientemente aparecen primero. + + + Controls sorting order of editor history in quick open when filtering. + Controla el orden de clasificación del historial del editor en apertura rápida al filtrar. + + + Controls whether to follow symlinks while searching. + Controla si debe seguir enlaces simbólicos durante la búsqueda. + + + Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. + Buscar sin distinción de mayúsculas y minúsculas si el patrón es todo en minúsculas; de lo contrario, buscar con distinción de mayúsculas y minúsculas. + + + Controls whether the search view should read or modify the shared find clipboard on macOS. + Controla si la vista de búsqueda debe leer o modificar el portapapeles de búsqueda compartido en macOS. + + + Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. + Controla si la búsqueda se muestra como una vista en la barra lateral o como un panel en el área de paneles para disponer de más espacio horizontal. + + + This setting is deprecated. Please use the search view's context menu instead. + Esta configuración está en desuso. Utilice el menú contextual de la vista de búsqueda en su lugar. + + + Files with less than 10 results are expanded. Others are collapsed. + Los archivos con menos de 10 resultados se expanden. El resto están colapsados. + + + Controls whether the search results will be collapsed or expanded. + Controla si los resultados de la búsqueda estarán contraídos o expandidos. + + + Controls whether to open Replace Preview when selecting or replacing a match. + Controla si debe abrirse la vista previa de reemplazo cuando se selecciona o reemplaza una coincidencia. + + + Controls whether to show line numbers for search results. + Controla si deben mostrarse los números de línea en los resultados de la búsqueda. + + + Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. + Si se utiliza el motor de expresión regular PCRE2 en la búsqueda de texto. Esto permite utilizar algunas características avanzadas de regex como la búsqueda anticipada y las referencias inversas. Sin embargo, no todas las características de PCRE2 son compatibles: solo las características que también admite JavaScript. + + + Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. + En desuso. Se usará PCRE2 automáticamente al utilizar características de regex que solo se admiten en PCRE2. + + + Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. + Posicione el actionbar a la derecha cuando la vista de búsqueda es estrecha, e inmediatamente después del contenido cuando la vista de búsqueda es amplia. + + + Always position the actionbar to the right. + Posicionar siempre el actionbar a la derecha. + + + Controls the positioning of the actionbar on rows in the search view. + Controla el posicionamiento de la actionbar en las filas en la vista de búsqueda. + + + Search all files as you type. + Busque todos los archivos a medida que escribe. + + + Enable seeding search from the word nearest the cursor when the active editor has no selection. + Habilite la búsqueda de propagación a partir de la palabra más cercana al cursor cuando el editor activo no tiene ninguna selección. + + + Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. + Actualiza la consulta de búsqueda del área de trabajo al texto seleccionado del editor al enfocar la vista de búsqueda. Esto ocurre al hacer clic o al desencadenar el comando "workbench.views.search.focus". + + + When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. + Cuando '#search.searchOnType' está habilitado, controla el tiempo de espera en milisegundos entre un carácter que se escribe y el inicio de la búsqueda. No tiene ningún efecto cuando 'search.searchOnType' está deshabilitado. + + + Double clicking selects the word under the cursor. + Al hacer doble clic, se selecciona la palabra bajo el cursor. + + + Double clicking opens the result in the active editor group. + Al hacer doble clic, se abre el resultado en el grupo de editor activo. + + + Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. + Al hacer doble clic se abre el resultado en el grupo del editor a un lado, creando uno si aún no existe. + + + Configure effect of double clicking a result in a search editor. + Configure el efecto de hacer doble clic en un resultado en un editor de búsqueda. + + + Results are sorted by folder and file names, in alphabetical order. + Los resultados se ordenan por nombre de carpeta y archivo, en orden alfabético. + + + Results are sorted by file names ignoring folder order, in alphabetical order. + Los resultados estan ordenados alfabéticamente por nombres de archivo, ignorando el orden de las carpetas. + + + Results are sorted by file extensions, in alphabetical order. + Los resultados se ordenan por extensiones de archivo, en orden alfabético. + + + Results are sorted by file last modified date, in descending order. + Los resultados se ordenan por la última fecha de modificación del archivo, en orden descendente. + + + Results are sorted by count per file, in descending order. + Los resultados se ordenan de forma descendente por conteo de archivos. + + + Results are sorted by count per file, in ascending order. + Los resultados se ordenan por recuento por archivo, en orden ascendente. + + + Controls sorting order of search results. + Controla el orden de los resultados de búsqueda. + + + + + + + Loading kernels... + Cargando kernels... + + + Changing kernel... + Cambiando kernel... + + + Attach to + Adjuntar a + + + Kernel + Kernel + + + Loading contexts... + Cargando contextos... + + + Change Connection + Cambiar conexión + + + Select Connection + Seleccionar conexión + + + localhost + localhost + + + No Kernel + Sin kernel + + + This notebook cannot run with parameters as the kernel is not supported. Please use the supported kernels and format. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Este cuaderno no se puede ejecutar con parámetros porque no se admite el kernel. Use los kernel y formato admitidos. [Más información](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + This notebook cannot run with parameters until a parameter cell is added. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Este bloc de notas no se puede ejecutar con parámetros hasta que se agregue una celda de parámetro. [Más información] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + This notebook cannot run with parameters until there are parameters added to the parameter cell. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Este cuaderno no se puede ejecutar con los parámetros hasta que se agregue una celda de parámetro. [Más información](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + Clear Results + Borrar resultados + + + Trusted + De confianza + + + Not Trusted + No de confianza + + + Collapse Cells + Contraer celdas + + + Expand Cells + Expandir celdas + + + Run with Parameters + Ejecutar con parámetros + + + None + Ninguno + + + New Notebook + Nuevo Notebook + + + Find Next String + Buscar cadena siguiente + + + Find Previous String + Buscar cadena anterior + + + + + + + Notebook Editor + Notebook Editor + + + + + + + Search Results + Resultados de la búsqueda + + + Search path not found: {0} + No se encuentra la ruta de búsqueda: {0} + + + Notebooks + Cuadernos + + + + + + + You have not opened any folder that contains notebooks/books. + No ha abierto ninguna carpeta que contenga cuadernos o libros. + + + Open Notebooks + Abrir cuaderno + + + The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. + El conjunto de resultados solo contiene un subconjunto de todas las coincidencias. Sea más específico en la búsqueda para acotar los resultados. + + + Search in progress... - + Búsqueda en curso... + + + No results found in '{0}' excluding '{1}' - + No se encontraron resultados en '{0}' con exclusión de '{1}' - + + + No results found in '{0}' - + No se encontraron resultados en '{0}' - + + + No results found excluding '{0}' - + No se encontraron resultados con exclusión de '{0}' - + + + No results found. Review your settings for configured exclusions and check your gitignore files - + No se encontraron resultados. Revise la configuración para configurar exclusiones y verificar sus archivos gitignore - + + + Search again + Vuelva a realizar la búsqueda. + + + Search again in all files + Buscar de nuevo en todos los archivos + + + Open Settings + Abrir configuración + + + Search returned {0} results in {1} files + La búsqueda devolvió {0} resultados en {1} archivos + + + Toggle Collapse and Expand + Alternar Contraer y expandir + + + Cancel Search + Cancelar búsqueda + + + Expand All + Expandir todo + + + Collapse All + Contraer todo + + + Clear Search Results + Borrar resultados de la búsqueda + + + + + + + Search: Type Search Term and press Enter to search or Escape to cancel + Búsqueda: Escriba el término de búsqueda y presione Entrar para buscar o Esc para cancelar + + + Search + Buscar + + + + + + + cell with URI {0} was not found in this model + no se encontró la celda con URI {0} en este modelo + + + Run Cells failed - See error in output of the currently selected cell for more information. + Error al ejecutar las celdas. Para más información, vea el error en la salida de la celda seleccionada actualmente. + + + + + + + Please run this cell to view outputs. + Ejecute esta celda para ver las salidas. + + + + + + + This view is empty. Add a cell to this view by clicking the Insert Cells button. + Esta vista está vacía. Agregue una celda a esta vista haciendo clic en el botón Insertar celdas. + + + + + + + Copy failed with error {0} + Error de copia {0} + + + Show chart + Mostrar gráfico + + + Show table + Mostrar tabla + + + + + + + No {0} renderer could be found for output. It has the following MIME types: {1} + No se ha encontrado ningún representador de {0} para la salida. Tiene los siguientes tipos MIME: {1} + + + (safe) + (seguro) + + + + + + + Error displaying Plotly graph: {0} + Error al mostrar el gráfico de Plotly: {0} + + + + + + + No connections found. + No se ha encontrado una conexión. + + + Add Connection + Agregar conexión + + + + + + + Server Group color palette used in the Object Explorer viewlet. + Paleta de colores del grupo de servidores utilizada en el viewlet del Explorador de objetos. + + + Auto-expand Server Groups in the Object Explorer viewlet. + Expanda automáticamente los grupos de servidores en el viewlet del Explorador de Objetos. + + + (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. + (Versión preliminar) Use el nuevo árbol de servidores asincrónicos para la vista Servidores y el cuadro de diálogo Conexión, con compatibilidad con nuevas características como el filtrado de nodos dinámicos. + + + + + + + Data + Datos + + + Connection + Conexión + + + Query Editor + Editor de Power Query + + + Notebook + Notebook + + + Dashboard + Panel + + + Profiler + Profiler + + + Built-in Charts + Gráficos integrados + + + + + + + Specifies view templates + Especifica plantillas de vista + + + Specifies session templates + Especifica plantillas de sesión + + + Profiler Filters + Filtros de Profiler + + + + + + + Connect + Conectar + + + Disconnect + Desconectar + + + Start + Inicio + + + New Session + Nueva sesión + + + Pause + Pausar + + + Resume + Reanudar + + + Stop + Detener + + + Clear Data + Borrar los datos + + + Are you sure you want to clear the data? + ¿Está seguro de que quiere borrar los datos? + + + Yes + + + + No + No + + + Auto Scroll: On + Desplazamiento automático: activado + + + Auto Scroll: Off + Desplazamiento automático: desactivado + + + Toggle Collapsed Panel + Alternar el panel contraído + + + Edit Columns + Editar columnas + + + Find Next String + Buscar la cadena siguiente + + + Find Previous String + Buscar la cadena anterior + + + Launch Profiler + Iniciar Profiler + + + Filter… + Filtrar... + + + Clear Filter + Borrar filtro + + + Are you sure you want to clear the filters? + ¿Está seguro de que quiere borrar los filtros? + + + + + + + Select View + Seleccionar vista + + + Select Session + Seleccionar sesión + + + Select Session: + Seleccionar sesión: + + + Select View: + Seleccionar vista: + + + Text + Texto + + + Label + Etiqueta + + + Value + Valor + + + Details + Detalles + + + + + + + Find + Buscar + + + Find + Buscar + + + Previous match + Coincidencia anterior + + + Next match + Coincidencia siguiente + + + Close + Cerrar + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + La búsqueda ha devuelto un gran número de resultados, se resaltarán solo las primeras 999 coincidencias. + + + {0} of {1} + {0} de {1} + + + No Results + No hay resultados + + + + + + + Profiler editor for event text. Readonly + Editor de Profiler para el texto del evento. Solo lectura + + + + + + + Events (Filtered): {0}/{1} + Eventos (filtrados): {0}/{1} + + + Events: {0} + Eventos: {0} + + + Event Count + Recuento de eventos + + + + + + + Save As CSV + Guardar como CSV + + + Save As JSON + Guardar como JSON + + + Save As Excel + Guardar como Excel + + + Save As XML + Guardar como XML + + + Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. + La codificación de los resultados no se guardará al realizar la exportación en JSON. Recuerde guardarlos con la codificación deseada una vez que se cree el archivo. + + + Save to file is not supported by the backing data source + El origen de datos de respaldo no admite la opción Guardar en archivo + + + Copy + Copiar + + + Copy With Headers + Copiar con encabezados + + + Select All + Seleccionar todo + + + Maximize + Maximizar + + + Restore + Restaurar + + + Chart + Gráfico + + + Visualizer + Visualizador + + + + + + + Choose SQL Language + Elegir lenguaje SQL + + + Change SQL language provider + Cambiar proveedor de lenguaje SQL + + + SQL Language Flavor + Tipo de lenguaje SQL + + + Change SQL Engine Provider + Cambiar el proveedor del motor SQL + + + A connection using engine {0} exists. To change please disconnect or change connection + Existe una conexión mediante el motor {0}. Para cambiar, por favor desconecte o cambie la conexión + + + No text editor active at this time + Ningún editor de texto activo en este momento + + + Select Language Provider + Seleccionar proveedor de lenguaje + + + + + + + XML Showplan + Plan de presentación XML + + + Results grid + Cuadrícula de resultados + + + Max row count for filtering/sorting has been exceeded. To update it, you can go to User Settings and change the setting: 'queryEditor.results.inMemoryDataProcessingThreshold' + Se ha superado el número máximo de filas para el filtrado y la ordenación. Para actualizarla, puede ir a Configuración de usuario y cambiar la configuración: "queryEditor.results.inMemoryDataProcessingThreshold". + + + + + + + Focus on Current Query + Centrarse en la consulta actual + + + Run Query + Ejecutar consulta + + + Run Current Query + Ejecutar la consulta actual + + + Copy Query With Results + Copiar consulta con resultados + + + Successfully copied query and results. + La consulta y los resultados se han copiado correctamente. + + + Run Current Query with Actual Plan + Ejecutar la consulta actual con el plan real + + + Cancel Query + Cancelar consulta + + + Refresh IntelliSense Cache + Actualizar caché de IntelliSense + + + Toggle Query Results + Alternar resultados de la consulta + + + Toggle Focus Between Query And Results + Alternar enfoque entre consulta y resultados + + + Editor parameter is required for a shortcut to be executed + El parámetro de editor es necesario para la ejecución de un acceso directo + + + Parse Query + Analizar consulta + + + Commands completed successfully + Comandos completados correctamente + + + Command failed: + Error del comando: + + + Please connect to a server + Conéctese a un servidor + + + + + + + Message Panel + Panel de mensajes + + + Copy + Copiar + + + Copy All + Copiar todo + + + + + + + Query Results + Resultados de consultas + + + New Query + Nueva consulta + + + Query Editor + Editor de Power Query + + + When true, column headers are included when saving results as CSV + Si es "true", los encabezados de columna se incluirán al guardar los resultados como CSV. + + + The custom delimiter to use between values when saving as CSV + Delimitador personalizado para usar entre los valores al guardar como CSV + + + Character(s) used for seperating rows when saving results as CSV + Caracteres que se usan para separar las filas al guardar los resultados como CSV. + + + Character used for enclosing text fields when saving results as CSV + Carácter que se usa para delimitar los campos de texto al guardar los resultados como CSV. + + + File encoding used when saving results as CSV + Codificación de archivo empleada al guardar los resultados como CSV + + + When true, XML output will be formatted when saving results as XML + Si es "true", se dará formato a la salida XML al guardar los resultados como XML. + + + File encoding used when saving results as XML + Codificación de archivo empleada al guardar los resultados como XML + + + Enable results streaming; contains few minor visual issues + Permitir streaming de resultados; contiene algunos defectos visuales menores + + + Configuration options for copying results from the Results View + Opciones de configuración para copiar los resultados de la vista de resultados. + + + Configuration options for copying multi-line results from the Results View + Opciones de configuración para copiar los resultados de varias líneas de la vista de resultados. + + + (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. + (Experimental) Use una tabla optimizada en los resultados. Es posible que falten algunas funciones porque todavía estén en desarrollo. + + + Controls the max number of rows allowed to do filtering and sorting in memory. If the number is exceeded, sorting and filtering will be disabled. Warning: Increasing this may impact performance. + Controla el número máximo de filas permitidas para filtrar y ordenar en memoria. Si se supera el número, se deshabilitará la ordenación y el filtrado. Advertencia: El incremento de este número puede afectar al rendimiento. + + + Whether to open the file in Azure Data Studio after the result is saved. + Indica si se debe abrir el archivo en Azure Data Studio después de guardar el resultado. + + + Should execution time be shown for individual batches + Indica si debe mostrarse el tiempo de ejecución para los lotes individuales. + + + Word wrap messages + Mensajes de ajuste automático de línea + + + The default chart type to use when opening Chart Viewer from a Query Results + Tipo de gráfico predeterminado para usar al abrir el visor de gráficos a partir de los resultados de una consulta + + + Tab coloring will be disabled + Se deshabilitará el coloreado de las pestañas + + + The top border of each editor tab will be colored to match the relevant server group + El borde superior de cada pestaña del editor se coloreará para que coincida con el grupo de servidores correspondiente + + + Each editor tab's background color will match the relevant server group + El color de fondo de la pestaña del editor coincidirá con el grupo de servidores pertinente + + + Controls how to color tabs based on the server group of their active connection + Controla cómo colorear las pestañas basadas en el grupo de servidores de la conexión activa + + + Controls whether to show the connection info for a tab in the title. + Controla si se muestra la información de conexión para una pestaña en el título. + + + Prompt to save generated SQL files + Solicitud para guardar los archivos SQL generados + + + Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call or query execution. Any selected text in the query editor will be passed as a parameter at the end of your query, or you can reference it with {arg} + Establezca keybinding workbench.action.query.shortcut{0} para ejecutar el texto del acceso directo como una llamada de procedimiento o en la ejecución de una consulta. Cualquier texto seleccionado en el editor de consultas se pasará como un parámetro al final de la consulta, o bien puede hacer referencia a él con {arg} + + + + + + + New Query + Nueva consulta + + + Run + Ejecutar + + + Cancel + Cancelar + + + Explain + Explicar + + + Actual + Real + + + Disconnect + Desconectar + + + Change Connection + Cambiar conexión + + + Connect + Conectar + + + Enable SQLCMD + Habilitar SQLCMD + + + Disable SQLCMD + Desactivar SQLCMD + + + Select Database + Seleccionar la base de datos + + + Failed to change database + No se pudo cambiar la base de datos + + + Failed to change database: {0} + No se ha podido cambiar de base de datos: {0} + + + Export as Notebook + Exportación como cuaderno + + + + + + + Query Editor + Query Editor + + + + + + + Results + Resultados + + + Messages + Mensajes + + + + + + + Time Elapsed + Tiempo transcurrido + + + Row Count + Recuento de filas + + + {0} rows + {0} filas + + + Executing query... + Ejecutando consulta... + + + Execution Status + Estado de ejecución + + + Selection Summary + Resumen de la selección + + + Average: {0} Count: {1} Sum: {2} + Promedio: {0}; recuento: {1}; suma: {2} + + + + + + + Results Grid and Messages + Cuadrícula y mensajes de resultados + + + Controls the font family. + Controla la familia de fuentes. + + + Controls the font weight. + Controla el grosor de la fuente. + + + Controls the font size in pixels. + Controla el tamaño de fuente en píxeles. + + + Controls the letter spacing in pixels. + Controla el espacio entre letras en píxeles. + + + Controls the row height in pixels + Controla la altura de la fila en píxeles + + + Controls the cell padding in pixels + Controla el relleno de la celda en píxeles + + + Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells + Redimensione automáticamente el ancho de las columnas en los resultados iniciales. Podría tener problemas de rendimiento si hay muchas columnas o las celdas son grandes. + + + The maximum width in pixels for auto-sized columns + El máximo ancho en píxeles de las columnas de tamaño automático + + + + + + + Toggle Query History + Alternar el historial de consultas + + + Delete + Eliminar + + + Clear All History + Borrar todo el historial + + + Open Query + Abrir consulta + + + Run Query + Ejecutar consulta + + + Toggle Query History capture + Alternar la captura del historial de consultas + + + Pause Query History Capture + Pausar la captura del historial de consultas + + + Start Query History Capture + Iniciar la captura del historial de consultas + + + + + + + succeeded + se realizó correctamente + + + failed + error + + + + + + + No queries to display. + No hay consultas que mostrar. + + + Query History + QueryHistory + Historial de consultas + + + + + + + QueryHistory + Historial de consultas + + + Whether Query History capture is enabled. If false queries executed will not be captured. + Si la captura del historial de consultas está habilitada. De no ser así, las consultas ejecutadas no se capturarán. + + + Clear All History + Borrar todo el historial + + + Pause Query History Capture + Pausar la captura del historial de consultas + + + Start Query History Capture + Iniciar la captura del historial de consultas + + + View + Vista + + + &&Query History + && denotes a mnemonic + &&Historial de consultas + + + Query History + Historial de consultas + + + + + + + Query Plan + Plan de consulta + + + + + + + Query Plan Editor + Query Plan Editor + + + + + + + Operation + Operación + + + Object + Objeto + + + Est Cost + Costo estimado + + + Est Subtree Cost + Coste del subárbol estimado + + + Actual Rows + Filas reales + + + Est Rows + Filas estimadas + + + Actual Executions + Ejecuciones reales + + + Est CPU Cost + Costo de CPU estimado + + + Est IO Cost + Costo de E/S estimado + + + Parallel + Paralelo + + + Actual Rebinds + Reenlaces reales + + + Est Rebinds + Reenlaces estimados + + + Actual Rewinds + Rebobinados reales + + + Est Rewinds + Rebobinados estimados + + + Partitioned + Particionado + + + Top Operations + Operaciones principales + + + + + + + Resource Viewer + Visor de recursos + + + + + + + Refresh + Actualizar + + + + + + + Error opening link : {0} + Error al abrir el vínculo: {0}. + + + Error executing command '{0}' : {1} + Error al ejecutar el comando "{0}": {1}. + + + + + + + Resource Viewer Tree + Árbol del visor de recursos + + + + + + + Identifier of the resource. + Identificador del recurso. + + + The human-readable name of the view. Will be shown + Nombre de la vista en lenguaje natural. Se mostrará + + + Path to the resource icon. + Ruta de acceso al icono del recurso. + + + Contributes resource to the resource view + Aporta recursos a la vista de recursos. + + + property `{0}` is mandatory and must be of type `string` + la propiedad "{0}" es obligatoria y debe ser de tipo "string" + + + property `{0}` can be omitted or must be of type `string` + la propiedad "{0}" se puede omitir o debe ser de tipo "string" + + + + + + + Restore + Restaurar + + + Restore + Restaurar + + + + + + + You must enable preview features in order to use restore + Debe habilitar las características en versión preliminar para utilizar la restauración + + + Restore command is not supported outside of a server context. Please select a server or database and try again. + No se admite el comando de copia de seguridad en el contexto del servidor. Seleccione un servidor o base de datos y vuelva a intentarlo. + + + Restore command is not supported for Azure SQL databases. + No se admite el comando de restauración para bases de datos de Azure SQL. + + + Restore + Restaurar + + + + + + + Script as Create + Script como crear + + + Script as Drop + Script como borrar + + + Select Top 1000 + Seleccionar el top 1000 + + + Script as Execute + Script como ejecutar + + + Script as Alter + Script como modificar + + + Edit Data + Editar datos + + + Select Top 1000 + Seleccionar el top 1000 + + + Take 10 + Take 10 + + + Script as Create + Script como crear + + + Script as Execute + Script como ejecutar + + + Script as Alter + Script como modificar + + + Script as Drop + Script como borrar + + + Refresh + Actualizar + + + + + + + An error occurred refreshing node '{0}': {1} + Error al actualizar el nodo "{0}"; {1}. + + + + + + + {0} in progress tasks + {0} tareas en curso + + + View + Vista + + + Tasks + Tareas + + + &&Tasks + && denotes a mnemonic + &&Tareas + + + + + + + Toggle Tasks + Alternar tareas + + + + + + + succeeded + se realizó correctamente + + + failed + error + + + in progress + en curso + + + not started + no iniciado + + + canceled + cancelado + + + canceling + cancelando + + + + + + + No task history to display. + No hay un historial de tareas para mostrar. + + + Task history + TaskHistory + Historial de tareas + + + Task error + Error de la tarea + + + + + + + Cancel + Cancelar + + + The task failed to cancel. + No se ha podido ejecutar la tarea. + + + Script + Script + + + + + + + There is no data provider registered that can provide view data. + No hay ningún proveedor de datos registrado que pueda proporcionar datos de la vista. + + + Refresh + Actualizar + + + Collapse All + Contraer todo + + + Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. + Error al ejecutar el comando {1}: {0}. Probablemente esté provocado por la extensión que contribuye a {1}. + + + + + + + OK + Aceptar + + + Close + Cerrar + + + + + + + Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? + Las características en versión preliminar mejoran la experiencia en Azure Data Studio, ya que ofrecen acceso completo a nuevas funciones y mejoras. Puede obtener más información sobre las características en versión preliminar [aquí]({0}). ¿Quiere habilitar las características en versión preliminar? + + + Yes (recommended) + Sí (opción recomendada) + + + No + No + + + No, don't show again + No, no volver a mostrar + + + + + + + This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. + Esta página de características está en versión preliminar. Las características en versión preliminar presentan nuevas funcionalidades que están en proceso de convertirse en parte permanente del producto. Son estables, pero necesitan mejoras de accesibilidad adicionales. Agradeceremos sus comentarios iniciales mientras están en desarrollo. + + + Preview + Versión preliminar + + + Create a connection + Crear una conexión + + + Connect to a database instance through the connection dialog. + Conéctese a una instancia de una base de datos por medio del cuadro de diálogo de conexión. + + + Run a query + Ejecutar una consulta + + + Interact with data through a query editor. + Interactúe con los datos por medio de un editor de consultas. + + + Create a notebook + Crear un cuaderno + + + Build a new notebook using a native notebook editor. + Cree un nuevo cuaderno con un editor de cuadernos nativo. + + + Deploy a server + Implementar un servidor + + + Create a new instance of a relational data service on the platform of your choice. + Cree una nueva instancia de un servicio de datos relacionales en la plataforma de su elección. + + + Resources + Recursos + + + History + Historial + + + Name + Nombre + + + Location + Ubicación + + + Show more + Mostrar más + + + Show welcome page on startup + Mostrar página principal al inicio + + + Useful Links + Vínculos útiles + + + Getting Started + Introducción + + + Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. + Descubra las funcionalidades que ofrece Azure Data Studio y aprenda a sacarles el máximo partido. + + + Documentation + Documentación + + + Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. + Visite el centro de documentación para acceder a guías de inicio rápido y paso a paso, así como consultar referencias para PowerShell, API, etc. + + + Videos + Vídeos + + + Overview of Azure Data Studio + Información general de Azure Data Studio + + + Introduction to Azure Data Studio Notebooks | Data Exposed + Introducción a los cuadernos de Azure Data Studio | Datos expuestos + + + Extensions + Extensiones + + + Show All + Mostrar todo + + + Learn more + Más información + + + + + + + Connections + Conexiones + + + Connect, query, and manage your connections from SQL Server, Azure, and more. + Conéctese a SQL Server y Azure, realice consultas, administre las conexiones y mucho más. + + + 1 + 1 + + + Next + Siguiente + + + Notebooks + Cuadernos + + + Get started creating your own notebook or collection of notebooks in a single place. + Empiece a crear su propio cuaderno o colección de cuadernos en un solo lugar. + + + 2 + 2 + + + Extensions + Extensiones + + + Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). + Amplíe la funcionalidad de Azure Data Studio mediante la instalación de extensiones desarrolladas por nosotros y Microsoft, así como por la comunidad de terceros (es decir, ¡usted!). + + + 3 + 3 + + + Settings + Configuración + + + Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. + Personalice Azure Data Studio según sus preferencias. Puede configurar opciones como el autoguardado y el tamaño de las pestañas, personalizar los métodos abreviados de teclado y cambiar a un tema de color de su gusto. + + + 4 + 4 + + + Welcome Page + Página de bienvenida + + + Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. + Descubra las principales características, los archivos abiertos recientemente y las extensiones recomendadas en la página de bienvenida. Para obtener más información sobre cómo empezar a trabajar con Azure Data Studio, consulte los vídeos y la documentación. + + + 5 + 5 + + + Finish + Finalizar + + + User Welcome Tour + Paseo de bienvenida para el usuario + + + Hide Welcome Tour + Ocultar paseo de presentación + + + Read more + Más información + + + Help + Ayuda + + + + + + + Welcome + Bienvenida + + + SQL Admin Pack + Paquete de administración de SQL + + + SQL Admin Pack + Paquete de administración de SQL + + + Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server + El paquete de administración para SQL Server es una colección de populares extensiones de administración de bases de datos para ayudarle a administrar SQL Server. + + + SQL Server Agent + Agente SQL Server + + + SQL Server Profiler + SQL Server Profiler + + + SQL Server Import + Importación de SQL Server + + + SQL Server Dacpac + SQL Server dacpac + + + Powershell + PowerShell + + + Write and execute PowerShell scripts using Azure Data Studio's rich query editor + Escriba y ejecute scripts de PowerShell con el editor de consultas enriquecidas de Azure Data Studio. + + + Data Virtualization + Virtualización de datos + + + Virtualize data with SQL Server 2019 and create external tables using interactive wizards + Virtualice datos con SQL Server 2019 y cree tablas externas por medio de asistentes interactivos. + + + PostgreSQL + PostgreSQL + + + Connect, query, and manage Postgres databases with Azure Data Studio + Conéctese a bases de datos Postgre, adminístrelas y realice consultas en ellas con Azure Data Studio. + + + Support for {0} is already installed. + El soporte para '{0}' ya está instalado. + + + The window will reload after installing additional support for {0}. + La ventana se volverá a cargar después de instalar compatibilidad adicional con {0}. + + + Installing additional support for {0}... + Instalando compatibilidad adicional con {0}... + + + Support for {0} with id {1} could not be found. + No se pudo encontrar el soporte para {0} con id {1}. + + + New connection + Nueva conexión + + + New query + Nueva consulta + + + New notebook + Nuevo cuaderno + + + Deploy a server + Implementar un servidor + + + Welcome + Bienvenida + + + New + Nuevo + + + Open… + Abrir... + + + Open file… + Abrir archivo... + + + Open folder… + Abrir carpeta... + + + Start Tour + Iniciar paseo + + + Close quick tour bar + Cerrar barra del paseo introductorio + + + Would you like to take a quick tour of Azure Data Studio? + ¿Le gustaría dar un paseo introductorio por Azure Data Studio? + + + Welcome! + ¡Le damos la bienvenida! + + + Open folder {0} with path {1} + Abrir la carpeta {0} con la ruta de acceso {1} + + + Install + Instalar + + + Install {0} keymap + Instalar asignación de teclas de {0} + + + Install additional support for {0} + Instalar compatibilidad adicional con {0} + + + Installed + Instalado + + + {0} keymap is already installed + El mapa de teclas de {0} ya está instalado + + + {0} support is already installed + La compatibilidad con {0} ya está instalada + + + OK + Aceptar + + + Details + Detalles + + + Background color for the Welcome page. + Color de fondo para la página de bienvenida. + + + + + + + Azure Data Studio + Azure Data Studio + + + Start + Inicio + + + New connection + Nueva conexión + + + New query + Nueva consulta + + + New notebook + Nuevo cuaderno + + + Open file + Abrir archivo + + + Open file + Abrir archivo + + + Deploy + Implementar + + + New Deployment… + Nueva implementación... + + + Recent + Reciente + + + More... + Más... + + + No recent folders + No hay ninguna carpeta reciente. + + + Help + Ayuda + + + Getting started + Introducción + + + Documentation + Documentación + + + Report issue or feature request + Notificar problema o solicitud de características + + + GitHub repository + Repositorio de GitHub + + + Release notes + Notas de la versión + + + Show welcome page on startup + Mostrar página principal al inicio + + + Customize + Personalizar + + + Extensions + Extensiones + + + Download extensions that you need, including the SQL Server Admin pack and more + Descargue las extensiones que necesite, incluido el paquete de administración de SQL Server y mucho más + + + Keyboard Shortcuts + Métodos abreviados de teclado + + + Find your favorite commands and customize them + Encuentre sus comandos favoritos y personalícelos + + + Color theme + Tema de color + + + Make the editor and your code look the way you love + Modifique a su gusto la apariencia del editor y el código + + + Learn + Información + + + Find and run all commands + Encontrar y ejecutar todos los comandos + + + Rapidly access and search commands from the Command Palette ({0}) + Acceda rápidamente a los comandos y búsquelos desde la paleta de comandos ({0}) + + + Discover what's new in the latest release + Descubra las novedades de esta última versión + + + New monthly blog posts each month showcasing our new features + Nuevas entradas del blog mensuales que muestran nuestras nuevas características + + + Follow us on Twitter + Síganos en Twitter + + + Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. + Manténgase al día sobre cómo la comunidad usa Azure Data Studio y hable directamente con los ingenieros. + + + + + + + Accounts + Cuentas + + + Linked accounts + Cuentas vinculadas + + + Close + Cerrar + + + There is no linked account. Please add an account. + No hay ninguna cuenta vinculada. Agregue una cuenta. + + + Add an account + Agregar una cuenta + + + You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud + No tiene ninguna nube habilitada. Vaya a la configuración, busque la configuración de la cuenta de Azure y habilite por lo menos una nube. + + + You didn't select any authentication provider. Please try again. + No ha seleccionado ningún proveedor de autenticación. Vuelva a intentarlo. + + + + + + + Error adding account + Error al agregar la cuenta + + + + + + + You need to refresh the credentials for this account. + Debe actualizar las credenciales para esta cuenta. + + + + + + + Close + Cerrar + + + Adding account... + Adición de cuenta en curso... + + + Refresh account was canceled by the user + El usuario canceló la actualización de la cuenta + + + + + + + Azure account + Cuenta de Azure + + + Azure tenant + Inquilino de Azure + + + + + + + Copy & Open + Copiar y abrir + + + Cancel + Cancelar + + + User code + Código de usuario + + + Website + Sitio web + + + + + + + Cannot start auto OAuth. An auto OAuth is already in progress. + No se puede iniciar OAuth automático. Ya hay un OAuth automático en curso. + + + + + + + Connection is required in order to interact with adminservice + Se necesita la conexión para interactuar con el servicio de administración + + + No Handler Registered + Ningún controlador registrado + + + + + + + Connection is required in order to interact with Assessment Service + Para interactuar con el servicio de evaluación, se necesita una conexión. + + + No Handler Registered + No hay ningún controlador registrado. + + + + + + + Advanced Properties + Propiedades avanzadas + + + Discard + Descartar + + + + + + + Server Description (optional) + Descripción del servidor (opcional) + + + + + + + Clear List + Borrar lista + + + Recent connections list cleared + Lista de conexiones recientes borrada + + + Yes + + + + No + No + + + Are you sure you want to delete all the connections from the list? + ¿Está seguro que desea eliminar todas las conexiones de la lista? + + + Yes + + + + No + No + + + Delete + Eliminar + + + Get Current Connection String + Obtener la cadena de conexión actual + + + Connection string not available + La cadena de conexión no está disponible + + + No active connection available + Ninguna conexión activa disponible + + + + + + + Browse + Examinar + + + Type here to filter the list + Escriba aquí para filtrar la lista + + + Filter connections + Filtrado de conexiones + + + Applying filter + Aplicación de filtro en curso + + + Removing filter + Eliminación del filtro en curso + + + Filter applied + Filtro aplicado + + + Filter removed + Filtro quitado + + + Saved Connections + Conexiones guardadas + + + Saved Connections + Conexiones guardadas + + + Connection Browser Tree + Árbol del explorador de conexiones + + + + + + + Connection error + Error de conexión + + + Connection failed due to Kerberos error. + Error en la conexión debido a un error de Kerberos. + + + Help configuring Kerberos is available at {0} + La ayuda para configurar Kerberos está disponible en {0} + + + If you have previously connected you may need to re-run kinit. + Si se ha conectado anteriormente puede que necesite volver a ejecutar kinit. + + + + + + + Connection + Conexión + + + Connecting + Conexión en curso + + + Connection type + Tipo de conexión + + + Recent + Reciente + + + Connection Details + Detalles de conexión + + + Connect + Conectar + + + Cancel + Cancelar + + + Recent Connections + Conexiones recientes + + + No recent connection + Ninguna conexión reciente + + + + + + + Failed to get Azure account token for connection + Error al obtener el token de cuenta de Azure para conexión + + + Connection Not Accepted + Conexión no aceptada + + + Yes + + + + No + No + + + Are you sure you want to cancel this connection? + ¿Seguro que desea cancelar esta conexión? + + + + + + + Add an account... + Agregar una cuenta... + + + <Default> + <Predeterminado> + + + Loading... + Cargando... + + + Server group + Grupo de servidores + + + <Default> + <Predeterminado> + + + Add new group... + Agregar nuevo grupo... + + + <Do not save> + <No guardar> + + + {0} is required. + {0} es necesario. + + + {0} will be trimmed. + {0} se recortará. + + + Remember password + Recordar contraseña + + + Account + Cuenta + + + Refresh account credentials + Actualizar credenciales de la cuenta + + + Azure AD tenant + Inquilino de Azure AD + + + Name (optional) + Nombre (opcional) + + + Advanced... + Avanzado... + + + You must select an account + Debe seleccionar una cuenta + + + + + + + Connected to + Se ha conectado a + + + Disconnected + Desconectado + + + Unsaved Connections + Conexiones sin guardar + + + + + + + Open dashboard extensions + Abrir extensiones de panel + + + OK + Aceptar + + + Cancel + Cancelar + + + No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. + No hay extensiones de panel instaladas en este momento. Vaya al Administrador de extensiones para explorar las extensiones recomendadas. + + + + + + + Step {0} + Paso {0} + + + + + + + Done + Listo + + + Cancel + Cancelar + + + + + + + Initialize edit data session failed: + Error al inicializar la sesión de edición de datos: + + + + + + + OK + Aceptar + + + Close + Cerrar + + + Action + Acción + + + Copy details + Copiar detalles + + + + + + + Error + Error + + + Warning + Advertencia + + + Info + Información + + + Ignore + Omitir + + + + + + + Selected path + Ruta seleccionada + + + Files of type + Archivos de tipo + + + OK + Aceptar + + + Discard + Descartar + + + + + + + Select a file + Seleccione un archivo + + + + + + + File browser tree + FileBrowserTree + Árbol explorador de archivos + + + + + + + An error occured while loading the file browser. + Se ha producido un error al cargar el explorador de archivos. + + + File browser error + Error del explorador de archivos + + + + + + + All files + Todos los archivos + + + + + + + Copy Cell + Copiar celda + + + + + + + No Connection Profile was passed to insights flyout + No se pasó ningún perfil de conexión al control flotante de información + + + Insights error + Error de Insights + + + There was an error reading the query file: + Error al leer el archivo de consulta: + + + There was an error parsing the insight config; could not find query array/string or queryfile + Error al analizar la configuración de la conclusión; no se pudo encontrar la matriz/cadena de consulta o el archivo de consulta + + + + + + + Item + Artículo + + + Value + Valor + + + Insight Details + Detalles de la conclusión + + + Property + Propiedad + + + Value + Valor + + + Insights + Conclusiones + + + Items + Artículos + + + Item Details + Detalles del artículo + + + + + + + Could not find query file at any of the following paths : + {0} + No se pudo encontrar el archivo de consulta en ninguna de las siguientes rutas: + {0} + + + + + + + Failed + Error + + + Succeeded + Correcto + + + Retry + Reintentar + + + Cancelled + Cancelado + + + In Progress + En curso + + + Status Unknown + Estado desconocido + + + Executing + En ejecución + + + Waiting for Thread + A la espera de un subproceso + + + Between Retries + Entre reintentos + + + Idle + Inactivo + + + Suspended + Suspendido + + + [Obsolete] + [Obsoleto] + + + Yes + + + + No + No + + + Not Scheduled + No programado + + + Never Run + No ejecutar nunca + + + + + + + Connection is required in order to interact with JobManagementService + Se necesita conexión para interactuar con JobManagementService + + + No Handler Registered + No hay ningún controlador registrado. + + + + + + + SQL + SQL + + + @@ -7256,6 +6910,22 @@ Error: {1} + + + + An error occurred while starting the notebook session + Error al iniciar la sesión del cuaderno + + + Server did not start for unknown reason + El servidor no se pudo iniciar por una razón desconocida + + + Kernel {0} was not found. The default kernel will be used instead. + No se encontró el kernel {0}. En su lugar, se utilizará el kernel predeterminado. + + + @@ -7268,11 +6938,738 @@ Error: {1} - + - - Changing editor types on unsaved files is unsupported - No se admite el cambio de tipos de editor en archivos no guardados + + # Injected-Parameters + + N.º de parámetros insertados + + + + Please select a connection to run cells for this kernel + Seleccione una conexión para ejecutar celdas para este kernel + + + Failed to delete cell. + No se pudo eliminar la celda. + + + Failed to change kernel. Kernel {0} will be used. Error was: {1} + Error al cambiar de kernel. Se utilizará el kernel {0}. Error: {1} + + + Failed to change kernel due to error: {0} + No se pudo cambiar el kernel debido al error: {0} + + + Changing context failed: {0} + Error en el cambio de contexto: {0} + + + Could not start session: {0} + No se pudo iniciar sesión: {0} + + + A client session error occurred when closing the notebook: {0} + Se ha producido un error en la sesión del cliente al cerrar el cuaderno: {0} + + + Can't find notebook manager for provider {0} + No puede encontrar el administrador de cuadernos para el proveedor {0} + + + + + + + No URI was passed when creating a notebook manager + No se pasó ninguna URI al crear el administrador de cuadernos + + + Notebook provider does not exist + El proveedor de cuadernos no existe + + + + + + + A view with the name {0} already exists in this notebook. + Ya existe una vista con el nombre {0} en este cuaderno. + + + + + + + SQL kernel error + Error del kernel SQL + + + A connection must be chosen to run notebook cells + Se debe elegir una conexión para ejecutar celdas de cuaderno + + + Displaying Top {0} rows. + Mostrando las primeras {0} filas. + + + + + + + Rich Text + Texto enriquecido + + + Split View + Vista en dos paneles + + + Markdown + Markdown + + + + + + + nbformat v{0}.{1} not recognized + nbformat v{0}. {1} no reconocido + + + This file does not have a valid notebook format + Este archivo no tiene un formato válido de cuaderno + + + Cell type {0} unknown + Celda de tipo {0} desconocido + + + Output type {0} not recognized + Tipo de salida {0} no reconocido + + + Data for {0} is expected to be a string or an Array of strings + Se espera que los datos para {0} sean una cadena o una matriz de cadenas + + + Output type {0} not recognized + Tipo de salida {0} no reconocido + + + + + + + Identifier of the notebook provider. + Identificador del proveedor del cuaderno. + + + What file extensions should be registered to this notebook provider + Extensiones de archivo que deben estar registradas en este proveedor de cuadernos + + + What kernels should be standard with this notebook provider + Núcleos que deben ser estándar con este proveedor de cuadernos + + + Contributes notebook providers. + Aporta proveedores de cuadernos. + + + Name of the cell magic, such as '%%sql'. + Nombre del magic de celda, como "%%sql". + + + The cell language to be used if this cell magic is included in the cell + El lenguaje de celda que se usará si este magic de celda se incluye en la celda + + + Optional execution target this magic indicates, for example Spark vs SQL + Objetivo de ejecución opcional indicado por este magic, por ejemplo Spark vs SQL + + + Optional set of kernels this is valid for, e.g. python3, pyspark, sql + Conjunto opcional de kernels para los que esto es válido, por ejemplo python3, pyspark, sql + + + Contributes notebook language. + Aporta el lenguaje del cuaderno. + + + + + + + Loading... + Carga en curso... + + + + + + + Refresh + Actualizar + + + Edit Connection + Editar conexión + + + Disconnect + Desconectar + + + New Connection + Nueva conexión + + + New Server Group + Nuevo grupo de servidores + + + Edit Server Group + Editar grupo de servidores + + + Show Active Connections + Mostrar conexiones activas + + + Show All Connections + Mostrar todas las conexiones + + + Delete Connection + Eliminar conexión + + + Delete Group + Eliminar grupo + + + + + + + Failed to create Object Explorer session + Error al crear la sesión del Explorador de objetos + + + Multiple errors: + Varios errores: + + + + + + + Cannot expand as the required connection provider '{0}' was not found + No se puede expandir porque no se encontró el proveedor de conexiones necesario "{0}" + + + User canceled + Cancelado por el usuario + + + Firewall dialog canceled + Diálogo de firewall cancelado + + + + + + + Loading... + Carga en curso... + + + + + + + Recent Connections + Conexiones recientes + + + Servers + Servidores + + + Servers + Servidores + + + + + + + Sort by event + Ordenar por evento + + + Sort by column + Ordenar por columna + + + Profiler + Profiler + + + OK + Aceptar + + + Cancel + Cancelar + + + + + + + Clear all + Borrar todo + + + Apply + Aplicar + + + OK + Aceptar + + + Cancel + Cancelar + + + Filters + Filtros + + + Remove this clause + Quitar esta cláusula + + + Save Filter + Guardar filtro + + + Load Filter + Cargar filtro + + + Add a clause + Agregar una cláusula + + + Field + Campo + + + Operator + Operador + + + Value + Valor + + + Is Null + Es NULL + + + Is Not Null + No es NULL + + + Contains + Contiene + + + Not Contains + No contiene + + + Starts With + Comienza por + + + Not Starts With + No comienza por + + + + + + + Commit row failed: + Error al confirmar una fila: + + + Started executing query at + La consulta comenzó a ejecutarse a las + + + Started executing query "{0}" + Comenzó a ejecutar la consulta "{0}" + + + Line {0} + Línea {0} + + + Canceling the query failed: {0} + Error al cancelar la consulta: {0} + + + Update cell failed: + Error en la actualización de la celda: + + + + + + + Execution failed due to an unexpected error: {0} {1} + La ejecución no se completó debido a un error inesperado: {0} {1} + + + Total execution time: {0} + Tiempo total de ejecución: {0} + + + Started executing query at Line {0} + Comenzó a ejecutar la consulta en la línea {0} + + + Started executing batch {0} + Se ha iniciado la ejecución del proceso por lotes ({0}). + + + Batch execution time: {0} + Tiempo de ejecución por lotes: {0} + + + Copy failed with error {0} + Error de copia {0} + + + + + + + Failed to save results. + Error al guardar los resultados. + + + Choose Results File + Selección del archivo de resultados + + + CSV (Comma delimited) + CSV (delimitado por comas) + + + JSON + JSON + + + Excel Workbook + Libro de Excel + + + XML + XML + + + Plain Text + Texto sin formato + + + Saving file... + Se está guardando el archivo... + + + Successfully saved results to {0} + Los resultados se han guardado correctamente en {0}. + + + Open file + Abrir archivo + + + + + + + From + De + + + To + A + + + Create new firewall rule + Crear nueva regla de firewall + + + OK + Aceptar + + + Cancel + Cancelar + + + Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. + La dirección IP del cliente no tiene acceso al servidor. Inicie sesión en una cuenta de Azure y cree una regla de firewall para habilitar el acceso. + + + Learn more about firewall settings + Más información sobre configuración de firewall + + + Firewall rule + Regla de firewall + + + Add my client IP + Agregar mi IP de cliente + + + Add my subnet IP range + Agregar mi rango IP de subred + + + + + + + Error adding account + Error al agregar la cuenta + + + Firewall rule error + Error de la regla de firewall + + + + + + + Backup file path + Ruta del archivo de copia de seguridad + + + Target database + Base de datos de destino + + + Restore + Restaurar + + + Restore database + Restauración de una base de datos + + + Database + Base de datos + + + Backup file + Archivo de copia de seguridad + + + Restore database + Restauración de una base de datos + + + Cancel + Cancelar + + + Script + Script + + + Source + Origen + + + Restore from + Restaurar de + + + Backup file path is required. + Se requiere la ruta de acceso del archivo de copia de seguridad. + + + Please enter one or more file paths separated by commas + Especifique una o más rutas de archivo separadas por comas + + + Database + Base de datos + + + Destination + Destino + + + Restore to + Restaurar en + + + Restore plan + Plan de restauración + + + Backup sets to restore + Grupos de copias de seguridad para restaurar + + + Restore database files as + Restaurar archivos de base de datos como + + + Restore database file details + Restaurar detalles del archivo de base de datos + + + Logical file Name + Nombre lógico del archivo + + + File type + Tipo de archivo + + + Original File Name + Nombre del archivo original + + + Restore as + Restaurar como + + + Restore options + Opciones de restauración + + + Tail-Log backup + Copia del final del registro + + + Server connections + Conexiones del servidor + + + General + General + + + Files + Archivos + + + Options + Opciones + + + + + + + Backup Files + Archivos de copia de seguridad + + + All Files + Todos los archivos + + + + + + + Server Groups + Grupos de servidores + + + OK + Aceptar + + + Cancel + Cancelar + + + Server group name + Nombre del grupo de servidores + + + Group name is required. + Se requiere el nombre del grupo. + + + Group description + Descripción del grupo + + + Group color + Color del grupo + + + + + + + Add server group + Agregar grupo de servidores + + + Edit server group + Editar grupo de servidores + + + + + + + 1 or more tasks are in progress. Are you sure you want to quit? + 1 o más tareas están en curso. ¿Seguro que desea salir? + + + Yes + + + + No + No + + + + + + + Get Started + Introducción + + + Show Getting Started + Ver introducción + + + Getting &&Started + && denotes a mnemonic + I&&ntroducción diff --git a/resources/xlf/fr/admin-tool-ext-win.fr.xlf b/resources/xlf/fr/admin-tool-ext-win.fr.xlf index 6f42207d39..58fc3bbf90 100644 --- a/resources/xlf/fr/admin-tool-ext-win.fr.xlf +++ b/resources/xlf/fr/admin-tool-ext-win.fr.xlf @@ -20,7 +20,7 @@ - + No ConnectionContext provided for handleLaunchSsmsMinPropertiesDialogCommand diff --git a/resources/xlf/fr/agent.fr.xlf b/resources/xlf/fr/agent.fr.xlf index c300f231e4..aa95fc6682 100644 --- a/resources/xlf/fr/agent.fr.xlf +++ b/resources/xlf/fr/agent.fr.xlf @@ -1,230 +1,18 @@  - + - - New Schedule - Nouvelle planification - - + OK OK - + Cancel Annuler - - Schedule Name - Nom de la planification - - - Schedules - Planifications - - - - - Create Proxy - Créer un proxy - - - Edit Proxy - Modifier le proxy - - - General - Général - - - Proxy name - Nom du proxy - - - Credential name - Nom d'identification - - - Description - Description - - - Subsystem - Sous-système - - - Operating system (CmdExec) - Système d'exploitation (CmdExec) - - - Replication Snapshot - Instantané de réplication - - - Replication Transaction-Log Reader - Lecteur du journal des transactions de réplication - - - Replication Distributor - Serveur de distribution de réplication - - - Replication Merge - Fusion de réplication - - - Replication Queue Reader - Lecteur de file d'attente de réplication - - - SQL Server Analysis Services Query - Requête SQL Server Analysis Services - - - SQL Server Analysis Services Command - Commande SQL Server Analysis Services - - - SQL Server Integration Services Package - Package SQL Server Integration Services - - - PowerShell - PowerShell - - - Active to the following subsytems - Actif pour les sous-systèmes suivants - - - - - - - Job Schedules - Planifications de travail - - - OK - OK - - - Cancel - Annuler - - - Available Schedules: - Planifications disponibles : - - - Name - Nom - - - ID - ID - - - Description - Description - - - - - - - Create Operator - Créer un opérateur - - - Edit Operator - Modifier l'opérateur - - - General - Général - - - Notifications - Notifications - - - Name - Nom - - - Enabled - Activé - - - E-mail Name - Nom d'e-mail - - - Pager E-mail Name - Nom d'e-mail du récepteur de radiomessagerie - - - Monday - Lundi - - - Tuesday - Mardi - - - Wednesday - Mercredi - - - Thursday - Jeudi - - - Friday - Vendredi - - - Saturday - Samedi - - - Sunday - Dimanche - - - Workday begin - Début de journée - - - Workday end - Fin de journée - - - Pager on duty schedule - Planification de la radiomessagerie active - - - Alert list - Liste d'alertes - - - Alert name - Nom de l'alerte - - - E-mail - E-mail - - - Pager - Récepteur de radiomessagerie - - - - + Locate Database Files - @@ -416,159 +204,39 @@ - + - - General - Général + + Job Schedules + Planifications de travail - - Steps - Étapes + + OK + OK - - Schedules - Planifications + + Cancel + Annuler - - Alerts - Alertes + + Available Schedules: + Planifications disponibles : - - Notifications - Notifications - - - The name of the job cannot be blank. - Le nom du travail ne peut pas être vide. - - + Name Nom - - Owner - Propriétaire + + ID + ID - - Category - Catégorie - - + Description Description - - Enabled - Activé - - - Job step list - Liste des étapes de travail - - - Step - Étape - - - Type - Type - - - On Success - En cas de succès - - - On Failure - En cas d'échec - - - New Step - Nouvelle étape - - - Edit Step - Modifier l'étape - - - Delete Step - Supprimer l'étape - - - Move Step Up - Monter l'étape - - - Move Step Down - Descendre l'étape - - - Start step - Démarrer l'étape - - - Actions to perform when the job completes - Actions à effectuer à la fin du travail - - - Email - E-mail - - - Page - Page - - - Write to the Windows Application event log - Écrire dans le journal des événements d'application Windows - - - Automatically delete job - Supprimer le travail automatiquement - - - Schedules list - Liste des planifications - - - Pick Schedule - Choisir une planification - - - Schedule Name - Nom de la planification - - - Alerts list - Liste des alertes - - - New Alert - Nouvelle alerte - - - Alert Name - Nom de l'alerte - - - Enabled - Activé - - - Type - Type - - - New Job - Nouveau travail - - - Edit Job - Modifier le travail - - + Create Alert @@ -778,10 +446,6 @@ Additional notification message to send Message de notification supplémentaire à envoyer - - Delay between responses - Délai entre les réponses - Delay Minutes Minutes de retard @@ -792,51 +456,251 @@ - + - - OK - OK + + Create Operator + Créer un opérateur - - Cancel - Annuler + + Edit Operator + Modifier l'opérateur + + + General + Général + + + Notifications + Notifications + + + Name + Nom + + + Enabled + Activé + + + E-mail Name + Nom d'e-mail + + + Pager E-mail Name + Nom d'e-mail du récepteur de radiomessagerie + + + Monday + Lundi + + + Tuesday + Mardi + + + Wednesday + Mercredi + + + Thursday + Jeudi + + + Friday + Vendredi + + + Saturday + Samedi + + + Sunday + Dimanche + + + Workday begin + Début de journée + + + Workday end + Fin de journée + + + Pager on duty schedule + Planification de la radiomessagerie active + + + Alert list + Liste d'alertes + + + Alert name + Nom de l'alerte + + + E-mail + E-mail + + + Pager + Récepteur de radiomessagerie - + - - Proxy update failed '{0}' - La mise à jour du proxy a échoué '{0}' + + General + Général - - Proxy '{0}' updated successfully - Proxy '{0}' mis à jour + + Steps + Étapes - - Proxy '{0}' created successfully - Proxy '{0}' créé + + Schedules + Planifications + + + Alerts + Alertes + + + Notifications + Notifications + + + The name of the job cannot be blank. + Le nom du travail ne peut pas être vide. + + + Name + Nom + + + Owner + Propriétaire + + + Category + Catégorie + + + Description + Description + + + Enabled + Activé + + + Job step list + Liste des étapes de travail + + + Step + Étape + + + Type + Type + + + On Success + En cas de succès + + + On Failure + En cas d'échec + + + New Step + Nouvelle étape + + + Edit Step + Modifier l'étape + + + Delete Step + Supprimer l'étape + + + Move Step Up + Monter l'étape + + + Move Step Down + Descendre l'étape + + + Start step + Démarrer l'étape + + + Actions to perform when the job completes + Actions à effectuer à la fin du travail + + + Email + E-mail + + + Page + Page + + + Write to the Windows Application event log + Écrire dans le journal des événements d'application Windows + + + Automatically delete job + Supprimer le travail automatiquement + + + Schedules list + Liste des planifications + + + Pick Schedule + Choisir une planification + + + Remove Schedule + Supprimer une planification + + + Alerts list + Liste des alertes + + + New Alert + Nouvelle alerte + + + Alert Name + Nom de l'alerte + + + Enabled + Activé + + + Type + Type + + + New Job + Nouveau travail + + + Edit Job + Modifier le travail - - - - Step update failed '{0}' - La mise à jour de l'étape a échoué '{0}' - - - Job name must be provided - Le nom du travail doit être fourni - - - Step name must be provided - Le nom de l'étape doit être fourni - - - - + When the job completes @@ -872,7 +736,55 @@ - + + + + Step update failed '{0}' + La mise à jour de l'étape a échoué '{0}' + + + Job name must be provided + Le nom du travail doit être fourni + + + Step name must be provided + Le nom de l'étape doit être fourni + + + + + + + This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! + Cette fonctionnalité est en cours de développement. Découvrez les dernières builds Insiders pour tester les changements les plus récents ! + + + Template updated successfully + Modèle mis à jour + + + Template update failure + Échec de la mise à jour du modèle + + + The notebook must be saved before being scheduled. Please save and then retry scheduling again. + Le bloc-notes doit être enregistré avant d’être planifié. Enregistrez, puis réessayez la planification. + + + Add new connection + Ajouter une nouvelle connexion + + + Select a connection + Sélectionnez une connexion + + + Please select a valid connection + Sélectionnez une connexion valide. + + + + Alert update failed '{0}' @@ -892,11 +804,223 @@ - + - - This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! - Cette fonctionnalité est en cours de développement. Découvrez les dernières builds Insiders pour tester les changements les plus récents ! + + Create Proxy + Créer un proxy + + + Edit Proxy + Modifier le proxy + + + General + Général + + + Proxy name + Nom du proxy + + + Credential name + Nom d'identification + + + Description + Description + + + Subsystem + Sous-système + + + Operating system (CmdExec) + Système d'exploitation (CmdExec) + + + Replication Snapshot + Instantané de réplication + + + Replication Transaction-Log Reader + Lecteur du journal des transactions de réplication + + + Replication Distributor + Serveur de distribution de réplication + + + Replication Merge + Fusion de réplication + + + Replication Queue Reader + Lecteur de file d'attente de réplication + + + SQL Server Analysis Services Query + Requête SQL Server Analysis Services + + + SQL Server Analysis Services Command + Commande SQL Server Analysis Services + + + SQL Server Integration Services Package + Package SQL Server Integration Services + + + PowerShell + PowerShell + + + + + + + Proxy update failed '{0}' + La mise à jour du proxy a échoué '{0}' + + + Proxy '{0}' updated successfully + Proxy '{0}' mis à jour + + + Proxy '{0}' created successfully + Proxy '{0}' créé + + + + + + + New Notebook Job + Nouveau travail de notebook + + + Edit Notebook Job + Modifier le travail du bloc-notes + + + General + Général + + + Notebook Details + Détails du notebook + + + Notebook Path + Chemin d’accès de bloc-notes + + + Storage Database + Base de données de stockage + + + Execution Database + Base de données d’exécution + + + Select Database + Sélectionner une base de données + + + Job Details + Détails du travail + + + Name + Nom + + + Owner + Propriétaire + + + Schedules list + Liste des planifications + + + Pick Schedule + Choisir une planification + + + Remove Schedule + Supprimer une planification + + + Description + Description + + + Select a notebook to schedule from PC + Sélectionnez un bloc-notes à planifier à partir du PC + + + Select a database to store all notebook job metadata and results + Sélectionner une base de données pour stocker toutes les métadonnées et résultats du travail de bloc-notes + + + Select a database against which notebook queries will run + Sélectionnez une base de données pour laquelle les requêtes de bloc-notes vont s’exécuter + + + + + + + When the notebook completes + Une fois le bloc-notes terminé + + + When the notebook fails + En cas d’échec du bloc-notes + + + When the notebook succeeds + En cas de réussite du bloc-notes. + + + Notebook name must be provided + Le nom du bloc-notes doit être fourni + + + Template path must be provided + Le chemin du modèle doit être fourni + + + Invalid notebook path + Chemin d'accès du bloc-notes non valide + + + Select storage database + Sélectionner une base de données de stockage + + + Select execution database + Sélectionner une base de données d’exécution + + + Job with similar name already exists + Le travail portant un nom similaire existe déjà + + + Notebook update failed '{0}' + Échec de la mise à jour du bloc-notes « {0} » + + + Notebook creation failed '{0}' + Échec de la création du bloc-notes « {0} » + + + Notebook '{0}' updated successfully + Le bloc-notes « {0} » a été mis à jour + + + Notebook '{0}' created successfully + Le bloc-notes « {0} » a été créé diff --git a/resources/xlf/fr/azurecore.fr.xlf b/resources/xlf/fr/azurecore.fr.xlf index 1b281bc64f..6ed75da2af 100644 --- a/resources/xlf/fr/azurecore.fr.xlf +++ b/resources/xlf/fr/azurecore.fr.xlf @@ -126,6 +126,10 @@ Error fetching resource groups for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} Erreur de récupération des groupes de ressources pour le compte {0} ({1}), abonnement {2} ({3}), locataire {4} : {5} + + Error fetching locations for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} + Erreur de récupération des emplacements pour le compte {0} ({1}), abonnement {2} ({3}), locataire {4} : {5} + Invalid query Requête non valide @@ -379,7 +383,7 @@ SQL Server - Azure Arc - Azure Arc enabled PostgreSQL Hyperscale + Azure Arc-enabled PostgreSQL Hyperscale PostgreSQL Hyperscale avec Azure Arc @@ -411,7 +415,7 @@ Erreur non identifiée avec l'authentification Azure - Specifed tenant with ID '{0}' not found. + Specified tenant with ID '{0}' not found. Le locataire spécifié avec l'ID « {0} » est introuvable. @@ -419,7 +423,7 @@ Une erreur s'est produite pendant l'authentification ou vos jetons ont été supprimés du système. Essayez de rajouter votre compte à Azure Data Studio. - Token retrival failed with an error. Open developer tools to view the error + Token retrieval failed with an error. Open developer tools to view the error La récupération du jeton a échoué avec une erreur. Ouvrir les outils de développement pour voir l'erreur @@ -513,6 +517,14 @@ Failed to get credential for account {0}. Please go to the accounts dialog and refresh the account. L'obtention des informations d'identification a échoué pour le compte {0}. Accédez à la boîte de dialogue des comptes et actualisez le compte. + + Requests from this account have been throttled. To retry, please select a smaller number of subscriptions. + Les demandes de ce compte ont été limitées. Pour réessayer, sélectionnez un nombre plus petit d’abonnements. + + + An error occured while loading Azure resources: {0} + Une erreur s’est produite lors du chargement des ressources Azure : {0} + @@ -703,6 +715,14 @@ + + + + Azure Monitor Workspace + Azure Monitor Workspace + + + diff --git a/resources/xlf/fr/big-data-cluster.fr.xlf b/resources/xlf/fr/big-data-cluster.fr.xlf index 5492575dcf..884dd8c6d3 100644 --- a/resources/xlf/fr/big-data-cluster.fr.xlf +++ b/resources/xlf/fr/big-data-cluster.fr.xlf @@ -12,15 +12,15 @@ Connect to Existing Controller - Connect to Existing Controller + Se connecter au contrôleur existant Create New Controller - Create New Controller + Créer un contrôleur Remove Controller - Remove Controller + Supprimer le contrôleur Refresh @@ -49,17 +49,137 @@ No SQL Big Data Cluster controllers registered. [Learn More](https://docs.microsoft.com/sql/big-data-cluster/big-data-cluster-overview) [Connect Controller](command:bigDataClusters.command.connectController) - No SQL Big Data Cluster controllers registered. [Learn More](https://docs.microsoft.com/sql/big-data-cluster/big-data-cluster-overview) -[Connect Controller](command:bigDataClusters.command.connectController) + Aucun contrôleur de cluster Big Data SQL n'est inscrit. [En savoir plus](https://docs.microsoft.com/sql/big-data-cluster/big-data-cluster-overview) +[Connecter un contrôleur](command:bigDataClusters.command.connectController) Loading controllers... - Loading controllers... + Chargement des contrôleurs... Ignore SSL verification errors against SQL Server Big Data Cluster endpoints such as HDFS, Spark, and Controller if true Ignorer les erreurs de vérification SSL sur les points de terminaison de cluster Big Data SQL Server de type HDFS, Spark et Contrôleur si la valeur est true + + SQL Server Big Data Cluster + Cluster Big Data SQL Server + + + SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes + Le cluster Big Data SQL Server vous permet de déployer des clusters scalables de conteneurs SQL Server, Spark et HDFS s'exécutant sur Kubernetes + + + Version + Version + + + SQL Server 2019 + SQL Server 2019 + + + Deployment target + Cible de déploiement + + + New Azure Kubernetes Service Cluster + Nouveau cluster Azure Kubernetes Service + + + Existing Azure Kubernetes Service Cluster + Cluster Azure Kubernetes Service existant + + + Existing Kubernetes Cluster (kubeadm) + Cluster Kubernetes existant (kubeadm) + + + Existing Azure Red Hat OpenShift cluster + Cluster Azure Red Hat OpenShift existant + + + Existing OpenShift cluster + Cluster OpenShift existant + + + SQL Server Big Data Cluster settings + Paramètres de cluster Big Data SQL Server + + + Cluster name + Nom de cluster + + + Controller username + Nom d'utilisateur du contrôleur + + + Password + Mot de passe + + + Confirm password + Confirmer le mot de passe + + + Azure settings + Paramètres Azure + + + Subscription id + ID d'abonnement + + + Use my default Azure subscription + Utiliser mon abonnement Azure par défaut + + + Resource group name + Nom de groupe de ressources + + + Region + Région + + + AKS cluster name + Nom du cluster AKS + + + VM size + Taille de machine virtuelle + + + VM count + Nombre de machines virtuelles + + + Storage class name + Nom de la classe de stockage + + + Capacity for data (GB) + Capacité de données (Go) + + + Capacity for logs (GB) + Capacité des journaux (Go) + + + I accept {0}, {1} and {2}. + J'accepte {0}, {1} et {2}. + + + Microsoft Privacy Statement + Déclaration de confidentialité Microsoft + + + azdata License Terms + Termes du contrat de licence azdata + + + SQL Server License Terms + Termes du contrat de licence SQL Server + @@ -254,299 +374,299 @@ Status Icon - Status Icon + Icône d'état Instance - Instance + Instance State - State + État View - View + Voir N/A - N/A + N/A Health Status Details - Health Status Details + Détails de l'état d'intégrité Metrics and Logs - Metrics and Logs + Métriques et journaux Health Status - Health Status + État d'intégrité Node Metrics - Node Metrics + Métriques de nœud SQL Metrics - SQL Metrics + Métriques SQL Logs - Logs + Journaux View Node Metrics {0} - View Node Metrics {0} + Voir les métriques de nœud {0} View SQL Metrics {0} - View SQL Metrics {0} + Voir les métriques SQL {0} View Kibana Logs {0} - View Kibana Logs {0} + Voir les journaux Kibana {0} Last Updated : {0} - Last Updated : {0} + Dernière mise à jour : {0} Basic - Basic + De base Windows Authentication - Windows Authentication + Authentification Windows Add New Controller - Add New Controller + Ajouter un nouveau contrôleur URL - URL + URL Username - Username + Nom d'utilisateur Password - Password + Mot de passe Remember Password - Remember Password + Se souvenir du mot de passe Cluster Management URL - Cluster Management URL + URL de gestion de cluster Authentication type - Authentication type + Type d'authentification Cluster Connection - Cluster Connection + Connexion du cluster Add - Add + Ajouter Cancel - Cancel + Annuler OK - OK + OK Refresh - Refresh + Actualiser Troubleshoot - Troubleshoot + Résoudre les problèmes Big Data Cluster overview - Big Data Cluster overview + Vue d'ensemble du cluster Big Data Cluster Details - Cluster Details + Détails du cluster Cluster Overview - Cluster Overview + Vue d'ensemble du cluster Service Endpoints - Service Endpoints + Points de terminaison de service Cluster Properties - Cluster Properties + Propriétés du cluster Cluster State - Cluster State + État du cluster Service Name - Service Name + Nom du service Service - Service + Service Endpoint - Endpoint + Point de terminaison Endpoint '{0}' copied to clipboard - Endpoint '{0}' copied to clipboard + Point de terminaison '{0}' copié dans le Presse-papiers Copy - Copy + Copier View Details - View Details + Voir les détails View Error Details - View Error Details + Voir les détails de l'erreur Connect to Controller - Connect to Controller + Se connecter au contrôleur Mount Configuration - Mount Configuration + Configuration du montage Mounting HDFS folder on path {0} - Mounting HDFS folder on path {0} + Montage du dossier HDFS sur le chemin {0} Refreshing HDFS Mount on path {0} - Refreshing HDFS Mount on path {0} + Actualisation du montage HDFS sur le chemin {0} Deleting HDFS Mount on path {0} - Deleting HDFS Mount on path {0} + Suppression du montage HDFS sur le chemin {0} Mount creation has started - Mount creation has started + La création du montage a commencé Refresh mount request submitted - Refresh mount request submitted + Demande d'actualisation du montage envoyée Delete mount request submitted - Delete mount request submitted + Supprimer la demande de montage envoyée Mounting HDFS folder is complete - Mounting HDFS folder is complete + Le montage du dossier HDFS est terminé Mounting is likely to complete, check back later to verify - Mounting is likely to complete, check back later to verify + Le montage va probablement être effectué, revenez vérifier plus tard Mount HDFS Folder - Mount HDFS Folder + Monter le dossier HDFS HDFS Path - HDFS Path + Chemin HDFS Path to a new (non-existing) directory which you want to associate with the mount - Path to a new (non-existing) directory which you want to associate with the mount + Chemin d'un nouveau répertoire (non existant) à associer au montage Remote URI - Remote URI + URI distant The URI to the remote data source. Example for ADLS: abfs://fs@saccount.dfs.core.windows.net/ - The URI to the remote data source. Example for ADLS: abfs://fs@saccount.dfs.core.windows.net/ + URI de la source de données distante. Exemple pour ADLS : abfs://fs@saccount.dfs.core.windows.net/ Credentials - Credentials + Informations d'identification Mount credentials for authentication to remote data source for reads - Mount credentials for authentication to remote data source for reads + Informations d'identification de montage pour l'authentification auprès de la source de données distante pour les lectures Refresh Mount - Refresh Mount + Actualiser le montage Delete Mount - Delete Mount + Supprimer le montage Loading cluster state completed - Loading cluster state completed + L'état de cluster a été chargé Loading health status completed - Loading health status completed + L'état d'intégrité a été chargé Username is required - Username is required + Nom d'utilisateur obligatoire Password is required - Password is required + Mot de passe obligatoire Unexpected error retrieving BDC Endpoints: {0} - Unexpected error retrieving BDC Endpoints: {0} + Erreur inattendue pendant la récupération des points de terminaison BDC : {0} The dashboard requires a connection. Please click retry to enter your credentials. - The dashboard requires a connection. Please click retry to enter your credentials. + Le tableau de bord nécessite une connexion. Cliquez sur Réessayer pour entrer vos informations d'identification. Unexpected error occurred: {0} - Unexpected error occurred: {0} + Erreur inattendue : {0} Login to controller failed - Login to controller failed + La connexion au contrôleur a échoué Login to controller failed: {0} - Login to controller failed: {0} + La connexion au contrôleur a échoué : {0} Bad formatting of credentials at {0} - Bad formatting of credentials at {0} + Mise en forme incorrecte des informations d'identification sur {0} Error mounting folder: {0} - Error mounting folder: {0} + Erreur de montage du dossier {0} Unknown error occurred during the mount process - Unknown error occurred during the mount process + Une erreur inconnue s'est produite pendant le processus de montage @@ -566,7 +686,7 @@ Error retrieving cluster config from {0} - Error retrieving cluster config from {0} + Erreur de récupération de la configuration de cluster à partir de {0} Error retrieving endpoints from {0} @@ -582,7 +702,7 @@ Error getting mount status - Error getting mount status + Erreur d'obtention de l'état de montage Error refreshing mount @@ -602,7 +722,7 @@ Big Data Cluster Dashboard - - Big Data Cluster Dashboard - + Tableau de bord de cluster Big Data - Yes @@ -614,7 +734,7 @@ Are you sure you want to remove '{0}'? - Are you sure you want to remove '{0}'? + Voulez-vous vraiment supprimer '{0}' ? @@ -622,7 +742,7 @@ Unexpected error loading saved controllers: {0} - Unexpected error loading saved controllers: {0} + Erreur inattendue pendant chargement des contrôleurs enregistrés : {0} diff --git a/resources/xlf/fr/cms.fr.xlf b/resources/xlf/fr/cms.fr.xlf index 44cd0049de..af813f6fa4 100644 --- a/resources/xlf/fr/cms.fr.xlf +++ b/resources/xlf/fr/cms.fr.xlf @@ -424,15 +424,7 @@ - - - - Loading ... - Chargement... - - - - + No resources found @@ -440,7 +432,7 @@ - + Add Central Management Server... @@ -448,15 +440,27 @@ - + + + + Unexpected error occurred while loading saved servers {0} + Une erreur inattendue s'est produite durant le chargement des serveurs enregistrés {0} + + + Loading ... + Chargement... + + + + Central Management Server Group already has a Registered Server with the name {0} Le groupe de serveurs de gestion centralisée a déjà un serveur inscrit nommé {0} - Azure SQL Database Servers cannot be used as Central Management Servers - Vous ne pouvez pas utiliser les serveurs Azure SQL Database comme serveurs de gestion centralisée + Azure SQL Servers cannot be used as Central Management Servers + Vous ne pouvez pas utiliser les serveurs Azure SQL comme serveurs de gestion centralisée Are you sure you want to delete @@ -500,7 +504,7 @@ - + You cannot add a shared registered server with the same name as the Configuration Server diff --git a/resources/xlf/fr/dacpac.fr.xlf b/resources/xlf/fr/dacpac.fr.xlf index 3f96506753..7f357fd07b 100644 --- a/resources/xlf/fr/dacpac.fr.xlf +++ b/resources/xlf/fr/dacpac.fr.xlf @@ -1,16 +1,84 @@  - + + + Dacpac + Espacement + + + Full path to folder where .DACPAC and .BACPAC files are saved by default + Chemin d’accès complet du dossier dans lequel . DACPAC et . Les fichiers BACPAC sont enregistrés par défaut + + + + + + + Target Server + Serveur cible + + + Source Server + Serveur source + + + Source Database + Base de données source + + + Target Database + Base de données cible + + + File Location + Emplacement de fichier + + + Select file + Sélectionner un fichier + + + Summary of settings + Résumé des paramètres + + + Version + Version + + + Setting + Paramètre + + + Value + Valeur + + + Database Name + Nom de la base de données + + + Open + Ouvrir + + + Upgrade Existing Database + Mettre à niveau la base de données existante + + + New Database + Nouvelle base de données + {0} of the deploy actions listed may result in data loss. Please ensure you have a backup or snapshot available in the event of an issue with the deployment. {0} des actions de déploiement listées peuvent entraîner une perte de données. Vérifiez que vous avez une sauvegarde ou un instantané disponible en cas de problème avec le déploiement. - + Proceed despite possible data loss Poursuivre malgré le risque de perte de données - + No data loss will occur from the listed deploy actions. Aucune perte de données suite aux actions de déploiement listées. @@ -54,19 +122,11 @@ Save Enregistrer - - File Location - Emplacement de fichier - - + Version (use x.x.x.x where x is a number) Version (utiliser x.x.x.x où x est un nombre) - - Open - Ouvrir - - + Deploy a data-tier application .dacpac file to an instance of SQL Server [Deploy Dacpac] Déployer un fichier .dacpac d'application de couche Données sur une instance de SQL Server [Déployer Dacpac] @@ -82,49 +142,9 @@ Export the schema and data from a database to the logical .bacpac file format [Export Bacpac] Exporter le schéma et les données d'une base de données au format de fichier logique .bacpac [Exporter Bacpac] - - Database Name - Nom de la base de données - - - Upgrade Existing Database - Mettre à niveau la base de données existante - - - New Database - Nouvelle base de données - - - Target Database - Base de données cible - - - Target Server - Serveur cible - - - Source Server - Serveur source - - - Source Database - Base de données source - - - Version - Version - - - Setting - Paramètre - - - Value - Valeur - - - default - par défaut + + Data-tier Application Wizard + Assistant de l'application de la couche Données Select an Operation @@ -174,18 +194,66 @@ Generate Script Générer le script + + You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. + Vous pouvez voir l'état de la génération de script dans la vue Tâches une fois l'Assistant fermé. Le script s'ouvre dès qu'il est généré. + + + default + par défaut + + + Deploy plan operations + Déployer des opérations de plan + + + A database with the same name already exists on the instance of SQL Server + Une base de données portant le même nom existe déjà sur l'instance de SQL Server + + + Undefined name + Nom non indéfini + + + File name cannot end with a period + Le nom ne peut pas se terminer par un point + + + File name cannot be whitespace + Un nom de fichier ne peut pas être un espace blanc + + + Invalid file characters + Caractères de fichier non valides + + + This file name is reserved for use by Windows. Choose another name and try again + Ce nom de fichier est réservé à l’utilisation par Windows. Choisissez un autre nom et essayez à nouveau + + + Reserved file name. Choose another name and try again + Nom de fichier réservé. Choisissez un autre nom et réessayez + + + File name cannot end with a whitespace + Le nom ne peut pas se terminer par un espace + + + File name is over 255 characters + Le nom de fichier est supérieur à 255 caractères + Generating deploy plan failed '{0}' La génération du plan de déploiement a échoué '{0}' + + Generating deploy script failed '{0}' + Échec de génération du script de déploiement « {0} » + {0} operation failed '{1}' Échec de l'opération {0} « {1} » - - You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. - Vous pouvez voir l'état de la génération de script dans la vue Tâches une fois l'Assistant fermé. Le script s'ouvre dès qu'il est généré. - \ No newline at end of file diff --git a/resources/xlf/fr/import.fr.xlf b/resources/xlf/fr/import.fr.xlf index cea72b3713..8a8a7c230a 100644 --- a/resources/xlf/fr/import.fr.xlf +++ b/resources/xlf/fr/import.fr.xlf @@ -1,7 +1,143 @@  - + + + Flat File Import configuration + Configuration de l’importation de fichiers plats + + + [Optional] Log debug output to the console (View -> Output) and then select appropriate output channel from the dropdown + [Facultatif] Journaliser la sortie de débogage dans la console (Voir -> Sortie) et sélectionner le canal de sortie approprié dans la liste déroulante + + + + + + + {0} Started + {0} démarré + + + Starting {0} + Démarrage de {0} + + + Failed to start {0}: {1} + Échec du démarrage de {0} : {1} + + + Installing {0} to {1} + Installation de {0} sur {1} + + + Installing {0} Service + Installation du service {0} + + + Installed {0} + {0} installé + + + Downloading {0} + Téléchargement de {0} + + + ({0} KB) + ({0} Ko) + + + Downloading {0} + Téléchargement de {0} + + + Done downloading {0} + Téléchargement terminé {0} + + + Extracted {0} ({1}/{2}) + {0} extrait ({1}/{2}) + + + + + + + Give Feedback + Envoyer des commentaires + + + service component could not start + le composant de service n'a pas pu démarrer + + + Server the database is in + Serveur contenant la base de données + + + Database the table is created in + Base de données dans laquelle la table est créée + + + Invalid file location. Please try a different input file + Emplacement de fichier non valide. Essayez un autre fichier d’entrée + + + Browse + Parcourir + + + Open + Ouvrir + + + Location of the file to be imported + Emplacement du fichier à importer + + + New table name + Nouveau nom de table + + + Table schema + Schéma de table + + + Import Data + Importer des données + + + Next + Suivant + + + Column Name + Nom de la colonne + + + Data Type + Type de données + + + Primary Key + Clé primaire + + + Allow Nulls + Autoriser les valeurs Null + + + This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. + Cette opération a analysé la structure du fichier d'entrée pour générer l'aperçu ci-dessous des 50 premières lignes. + + + This operation was unsuccessful. Please try a different input file. + Cette opération a échoué. Essayez un autre fichier d'entrée. + + + Refresh + Actualiser + Import information Importer les informations @@ -34,90 +170,14 @@ ✔ You have successfully inserted the data into a table. ✔ Vous avez inséré les données dans une table. - - - - - - This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. - Cette opération a analysé la structure du fichier d'entrée pour générer l'aperçu ci-dessous des 50 premières lignes. - - - This operation was unsuccessful. Please try a different input file. - Cette opération a échoué. Essayez un autre fichier d'entrée. - - - Refresh - Actualiser - - - - - - - Import Data - Importer des données - - - Next - Suivant - - - Column Name - Nom de la colonne - - - Data Type - Type de données - - - Primary Key - Clé primaire - - - Allow Nulls - Autoriser les valeurs Null - - - - - - - Server the database is in - Serveur contenant la base de données - - - Database the table is created in - Base de données dans laquelle la table est créée - - - Browse - Parcourir - - - Open - Ouvrir - - - Location of the file to be imported - Emplacement du fichier à importer - - - New table name - Nouveau nom de table - - - Table schema - Schéma de table - - - - - Please connect to a server before using this wizard. Connectez-vous à un serveur avant d'utiliser cet Assistant. + + SQL Server Import extension does not support this type of connection + L’extension d’importation de SQL Server ne prend pas en charge ce type de connexion + Import flat file wizard Assistant Importation de fichier plat @@ -144,60 +204,4 @@ - - - - Give Feedback - Envoyer des commentaires - - - service component could not start - le composant de service n'a pas pu démarrer - - - - - - - Service Started - Service démarré - - - Starting service - Démarrage du service - - - Failed to start Import service{0} - Le démarrage du service d'importation {0} a échoué - - - Installing {0} service to {1} - Installation du service {0} sur {1} - - - Installing Service - Installation du service - - - Installed - Installé - - - Downloading {0} - Téléchargement de {0} - - - ({0} KB) - ({0} Ko) - - - Downloading Service - Service de téléchargement - - - Done! - Terminé ! - - - \ No newline at end of file diff --git a/resources/xlf/fr/notebook.fr.xlf b/resources/xlf/fr/notebook.fr.xlf index ffd6301fb1..97d3930fab 100644 --- a/resources/xlf/fr/notebook.fr.xlf +++ b/resources/xlf/fr/notebook.fr.xlf @@ -22,6 +22,14 @@ Local path to a preexisting python installation used by Notebooks. Chemin local d'une installation précédente de Python utilisée par Notebooks. + + Do not show prompt to update Python. + Ne pas afficher d’invite pour mettre à jour Python. + + + The amount of time (in minutes) to wait before shutting down a server after all notebooks are closed. (Enter 0 to not shutdown) + Durée d’attente (en minutes) avant l’arrêt d’un serveur une fois tous les blocs-notes fermés. (Entrez 0 pour ne pas arrêter) + Override editor default settings in the Notebook editor. Settings include background color, current line color and border Remplacez les paramètres d'éditeur par défaut dans l'éditeur de notebook. Les paramètres comprennent la couleur d'arrière-plan, la couleur de la ligne actuelle et la bordure @@ -32,7 +40,7 @@ Notebooks contained in these books will automatically be trusted. - Notebooks contained in these books will automatically be trusted. + Les notebooks contenus dans ces books sont automatiquement approuvés. Maximum depth of subdirectories to search for Books (Enter 0 for infinite) @@ -40,15 +48,19 @@ Collapse Book items at root level in the Notebooks Viewlet - Collapse Book items at root level in the Notebooks Viewlet + Réduire les éléments Book au niveau racine dans la viewlet Notebooks Download timeout in milliseconds for GitHub books - Download timeout in milliseconds for GitHub books + Délai d'expiration en millisecondes du téléchargement des books GitHub Notebooks that are pinned by the user for the current workspace - Notebooks that are pinned by the user for the current workspace + Notebooks épinglés par l'utilisateur pour l'espace de travail actuel + + + Allow Jupyter server to run as root user + Allow Jupyter server to run as root user New Notebook @@ -139,72 +151,84 @@ Notebooks Jupyter - Save Book - Enregistrer le notebook + Save Jupyter Book + Enregistrer Jupyter Book - Trust Book - Trust Book + Trust Jupyter Book + Jupyter Book de confiance - Search Book - Rechercher dans le notebook + Search Jupyter Book + Rechercher dans Jupyter Book Notebooks - Notebooks + Notebooks - Provided Books - Provided Books + Provided Jupyter Books + Jupyter Books fournis Pinned notebooks - Pinned notebooks + Notebooks épinglés Get localized SQL Server 2019 guide - Get localized SQL Server 2019 guide + Localiser le Guide SQL Server 2019 Open Jupyter Book - Open Jupyter Book + Ouvrir Jupyter Book Close Jupyter Book - Close Jupyter Book + Fermer Jupyter Book - - Close Jupyter Notebook - Close Jupyter Notebook + + Close Notebook + Fermeture du bloc-notes + + + Remove Notebook + Voulez-vous supprimer le bloc-notes + + + Add Notebook + Ajouter un bloc-notes + + + Add Markdown File + Ajouter un fichier de marques Reveal in Books - Reveal in Books + Afficher dans Books - Create Book (Preview) - Create Book (Preview) + Create Jupyter Book + Créer un Jupyter Book Open Notebooks in Folder - Open Notebooks in Folder + Ouvrir les notebooks dans le dossier Add Remote Jupyter Book - Add Remote Jupyter Book + Ajouter un book Jupyter distant Pin Notebook - Pin Notebook + Épingler le notebook Unpin Notebook - Unpin Notebook + Détacher le notebook Move to ... - Move to ... + Déplacer vers... @@ -212,11 +236,11 @@ ... Ensuring {0} exists - ... Ensuring {0} exists + ...Vérification de l'existence de {0} Process exited with error code: {0}. StdErr Output: {1} - Process exited with error code: {0}. StdErr Output: {1} + Le processus s'est terminé avec le code d'erreur : {0}, sortie StdErr : {1} @@ -224,11 +248,11 @@ localhost - localhost + localhost Could not find the specified package - Could not find the specified package + Package spécifié introuvable @@ -248,293 +272,333 @@ Spark kernels require a connection to a SQL Server Big Data Cluster master instance. - Spark kernels require a connection to a SQL Server Big Data Cluster master instance. + Les noyaux Spark nécessitent une connexion a une instance maître de cluster Big Data SQL Server. Non-MSSQL providers are not supported for spark kernels. - Non-MSSQL providers are not supported for spark kernels. + Les fournisseurs non-MSSQL ne sont pas pris en charge pour les noyaux Spark. All Files - All Files + Tous les fichiers Select Folder - Select Folder + Sélectionner un dossier - Select Book - Select Book + Select Jupyter Book + Sélectionnez un Jupyter Book Folder already exists. Are you sure you want to delete and replace this folder? - Folder already exists. Are you sure you want to delete and replace this folder? + Le dossier existe déjà. Voulez-vous vraiment supprimer et remplacer ce dossier ? Open Notebook - Open Notebook + Ouvrir le notebook Open Markdown - Open Markdown + Ouvrir le fichier Markdown Open External Link - Open External Link + Ouvrir le lien externe - Book is now trusted in the workspace. - Book is now trusted in the workspace. + Jupyter Book is now trusted in the workspace. + Jupyter Book est maintenant approuvé dans l'espace de travail. - Book is already trusted in this workspace. - Book is already trusted in this workspace. + Jupyter Book is already trusted in this workspace. + Jupyter Book est déjà approuvé dans cet espace de travail. - Book is no longer trusted in this workspace - Book is no longer trusted in this workspace + Jupyter Book is no longer trusted in this workspace + Jupyter Book n'est plus approuvé dans cet espace de travail - Book is already untrusted in this workspace. - Book is already untrusted in this workspace. + Jupyter Book is already untrusted in this workspace. + Jupyter Book est déjà non approuvé dans cet espace de travail. - Book {0} is now pinned in the workspace. - Book {0} is now pinned in the workspace. + Jupyter Book {0} is now pinned in the workspace. + Jupyter Book {0} est maintenant épinglé dans l'espace de travail. - Book {0} is no longer pinned in this workspace - Book {0} is no longer pinned in this workspace + Jupyter Book {0} is no longer pinned in this workspace + Jupyter Book {0} n'est plus épinglé dans cet espace de travail - Failed to find a Table of Contents file in the specified book. - Failed to find a Table of Contents file in the specified book. + Failed to find a Table of Contents file in the specified Jupyter Book. + Aucun fichier de table des matières dans le Jupyter Book spécifié. - No books are currently selected in the viewlet. - No books are currently selected in the viewlet. + No Jupyter Books are currently selected in the viewlet. + Aucun Jupyter Book n'est actuellement sélectionné dans la viewlet. - Select Book Section - Select Book Section + Select Jupyter Book Section + Sélectionnez la section Jupyter Book Add to this level - Add to this level + Ajouter à ce niveau Missing file : {0} from {1} - Missing file : {0} from {1} + Fichier manquant : {0} dans {1} Invalid toc file - Invalid toc file + Fichier TOC non valide Error: {0} has an incorrect toc.yml file - Error: {0} has an incorrect toc.yml file + Erreur : {0} a un fichier toc.yml incorrect Configuration file missing - Configuration file missing + Fichier de configuration manquant - Open book {0} failed: {1} - Open book {0} failed: {1} + Open Jupyter Book {0} failed: {1} + Échec de l’ouverture du Jupyter Book {0} : {1} - Failed to read book {0}: {1} - Failed to read book {0}: {1} + Failed to read Jupyter Book {0}: {1} + Échec de la lecture du Jupyter Book {0} : {1} Open notebook {0} failed: {1} - Open notebook {0} failed: {1} + L'ouverture du notebook {0} a échoué : {1} Open markdown {0} failed: {1} - Open markdown {0} failed: {1} + L'ouverture du fichier Markdown {0} a échoué : {1} Open untitled notebook {0} as untitled failed: {1} - Open untitled notebook {0} as untitled failed: {1} + Ouvrez un notebook {0} sans titre, car le {1} sans titre a échoué Open link {0} failed: {1} - Open link {0} failed: {1} + L'ouverture du lien {0} a échoué : {1} - Close book {0} failed: {1} - Close book {0} failed: {1} + Close Jupyter Book {0} failed: {1} + Échec de la fermerture de Jupyter Book {0} : {1} File {0} already exists in the destination folder {1} The file has been renamed to {2} to prevent data loss. - File {0} already exists in the destination folder {1} - The file has been renamed to {2} to prevent data loss. + Le fichier {0} existe déjà dans le dossier de destination {1} + Le fichier a été renommé en {2} pour éviter toute perte de données. - Error while editing book {0}: {1} - Error while editing book {0}: {1} + Error while editing Jupyter Book {0}: {1} + Erreur pendant la modification du Jupyter Book {0} : {1} - Error while selecting a book or a section to edit: {0} - Error while selecting a book or a section to edit: {0} + Error while selecting a Jupyter Book or a section to edit: {0} + Erreur pendant la sélection d'un Jupyter Book ou d'une section à modifier : {0} + + + Failed to find section {0} in {1}. + Échec de la recherche des sections {0} dans {1}. URL - URL + URL Repository URL - Repository URL + URL du dépôt Location - Location + Emplacement - Add Remote Book - Add Remote Book + Add Remote Jupyter Book + Ajouter un book Jupyter distant GitHub - GitHub + GitHub Shared File - Shared File + Fichier partagé Releases - Releases + Mises en production - Book - Book + Jupyter Book + Jupyter Book Version - Version + Version Language - Language + Langue - No books are currently available on the provided link - No books are currently available on the provided link + No Jupyter Books are currently available on the provided link + Aucun Jupyter Book n'est disponible actuellement sur le lien fourni The url provided is not a Github release url - The url provided is not a Github release url + L'URL fournie n'est pas une URL de mise en production GitHub Search - Search + Recherche Add - Add + Ajouter Close - Close + Fermer - - - + - - Remote Book download is in progress - Remote Book download is in progress + Remote Jupyter Book download is in progress + Le téléchargement du Jupyter Book distant est en cours - Remote Book download is complete - Remote Book download is complete + Remote Jupyter Book download is complete + Jupyter Book distant est téléchargé - Error while downloading remote Book - Error while downloading remote Book + Error while downloading remote Jupyter Book + Erreur lors du téléchargement du Jupyter Book distant - Error while decompressing remote Book - Error while decompressing remote Book + Error while decompressing remote Jupyter Book + Erreur de décompression du Jupyter Book distant - Error while creating remote Book directory - Error while creating remote Book directory + Error while creating remote Jupyter Book directory + Erreur pendant la création du répertoire du Jupyter Book distant - Downloading Remote Book - Downloading Remote Book + Downloading Remote Jupyter Book + Téléchargement du Jupyter Book distant Resource not Found - Resource not Found + Ressource introuvable - Books not Found - Books not Found + Jupyter Books not Found + Jupyter Books introuvables Releases not Found - Releases not Found + Versions introuvables - The selected book is not valid - The selected book is not valid + The selected Jupyter Book is not valid + Le Jupyter Book sélectionné n'est pas valide Http Request failed with error: {0} {1} - Http Request failed with error: {0} {1} + La requête HTTP a échoué avec l'erreur : {0} {1} Downloading to {0} - Downloading to {0} + Téléchargement dans {0} - - New Group - New Group + + New Jupyter Book (Preview) + Nouveau livre de jupyter (Preview) - - Groups are used to organize Notebooks. - Groups are used to organize Notebooks. + + Jupyter Books are used to organize Notebooks. + Les livres de la bibliothèque sont utilisés pour organiser les blocs-notes. - - Browse locations... - Browse locations... + + Learn more. + En savoir plus. - - Select content folder - Select content folder + + Content folder + Dossier de contenu Browse - Browse + Parcourir Create - Create + Créer Name - Name + Nom Save location - Save location + Emplacement d'enregistrement - + Content folder (Optional) - Content folder (Optional) + Dossier de contenu (facultatif) Content folder path does not exist - Content folder path does not exist + Le chemin du dossier de contenu n'existe pas - Save location path does not exist - Save location path does not exist + Save location path does not exist. + Le chemin de l'emplacement d'enregistrement n'existe pas. + + + Error while trying to access: {0} + Erreur lors de la tentative d’accès : {0} + + + New Notebook (Preview) + Nouveau bloc-notes (Aperçu) + + + New Markdown (Preview) + Nouvel Aperçu Markdown (Aperçu) + + + File Extension + Extension de fichier + + + File already exists. Are you sure you want to overwrite this file? + Le fichier existe déjà. Voulez-vous vraiment remplacer ce fichier? + + + Title + Titre + + + File Name + Nom de fichier + + + Save location path is not valid. + Le chemin d’accès de l’emplacement d’enregistrer n’est pas valide. + + + File {0} already exists in the destination folder + Un fichier nommé {0} existe déjà dans le dossier de destination @@ -588,6 +652,18 @@ Another Python installation is currently in progress. Waiting for it to complete. Une autre installation de Python est actuellement en cours. En attente de la fin de l'installation. + + Active Python notebook sessions will be shutdown in order to update. Would you like to proceed now? + Les sessions de bloc-notes python actives seront arrêtées pour permettre la mise à jour. Voulez-vous continuer maintenant ? + + + Python {0} is now available in Azure Data Studio. The current Python version (3.6.6) will be out of support in December 2021. Would you like to update to Python {0} now? + Python {0} est désormais disponible dans Azure Data Studio. La version actuelle de Python (3.6.6) n’est plus prise en charge en décembre 2021. Voulez-vous effectuer une mise à jour vers python {0} maintenant ? + + + Python {0} will be installed and will replace Python 3.6.6. Some packages may no longer be compatible with the new version or may need to be reinstalled. A notebook will be created to help you reinstall all pip packages. Would you like to continue with the update now? + Python {0} sera installé et va remplacer python 3.6.6. Certains packages ne sont peut-être plus compatibles avec la nouvelle version ou doivent peut-être être réinstallés. Un bloc-notes va être créé pour vous aider à réinstaller tous les packages PIP. Voulez-vous continuer la mise à jour maintenant ? + Installing Notebook dependencies failed with error: {0} L'installation des dépendances de notebook a échoué avec l'erreur : {0} @@ -598,11 +674,23 @@ Encountered an error when trying to retrieve list of installed packages: {0} - Encountered an error when trying to retrieve list of installed packages: {0} + Erreur pendant la tentative de récupération de la liste des packages installés : {0} Encountered an error when getting Python user path: {0} - Encountered an error when getting Python user path: {0} + Erreur pendant l'obtention du chemin de l'utilisateur Python : {0} + + + Yes + Oui + + + No + Non + + + Don't Ask Again + Ne plus me poser la question @@ -610,35 +698,35 @@ Install - Install + Installer The specified install location is invalid. - The specified install location is invalid. + L'emplacement d'installation spécifié n'est pas valide. No Python installation was found at the specified location. - No Python installation was found at the specified location. + Aucune installation de Python à l'emplacement spécifié. Configure Python to run {0} kernel - Configure Python to run {0} kernel + Configurer Python pour exécuter le noyau {0} Configure Python to run kernels - Configure Python to run kernels + Configurer Python pour exécuter les noyaux Configure Python Runtime - Configure Python Runtime + Configurer le runtime Python Install Dependencies - Install Dependencies + Installer les dépendances Python installation was declined. - Python installation was declined. + L'installation de Python a été refusée. @@ -678,55 +766,55 @@ Browse - Browse + Parcourir Select - Select + Sélectionner The {0} kernel requires a Python runtime to be configured and dependencies to be installed. - The {0} kernel requires a Python runtime to be configured and dependencies to be installed. + Le noyau {0} nécessite la configuration d'un runtime Python et l'installation de dépendances. Notebook kernels require a Python runtime to be configured and dependencies to be installed. - Notebook kernels require a Python runtime to be configured and dependencies to be installed. + Les noyaux de notebook nécessitent la configuration d'un runtime Python et l'installation de dépendances. Installation Type - Installation Type + Type d'installation Python Install Location - Python Install Location + Emplacement d'installation de Python Python runtime configured! - Python runtime configured! + Runtime python configuré ! {0} (Python {1}) - {0} (Python {1}) + {0} (Python {1}) No supported Python versions found. - No supported Python versions found. + Aucune version de Python prise en charge. {0} (Default) - {0} (Default) + {0} (Par défaut) New Python installation - New Python installation + Nouvelle installation de Python Use existing Python installation - Use existing Python installation + Utiliser l'installation existante de Python {0} (Custom) - {0} (Custom) + {0} (Personnalisé) @@ -734,27 +822,27 @@ Name - Name + Nom Existing Version - Existing Version + Version existante Required Version - Required Version + Version obligatoire Kernel - Kernel + Noyau Install required kernel dependencies - Install required kernel dependencies + Installer les dépendances de noyau nécessaires Could not retrieve packages for kernel {0} - Could not retrieve packages for kernel {0} + Impossible de récupérer les packages du noyau {0} @@ -774,7 +862,7 @@ Notebook process exited prematurely with error code: {0}. StdErr Output: {1} - Notebook process exited prematurely with error code: {0}. StdErr Output: {1} + Le processus du notebook a quitté prématurément avec le code d'erreur : {0}, sortie StdErr : {1} Error sent from Jupyter: {0} @@ -806,23 +894,23 @@ Could not find Knox gateway endpoint - Could not find Knox gateway endpoint + Point de terminaison de passerelle Knox introuvable {0}Please provide the username to connect to the BDC Controller: - {0}Please provide the username to connect to the BDC Controller: + {0}Fournissez le nom d'utilisateur pour se connecter au contrôleur BDC : Please provide the password to connect to the BDC Controller - Please provide the password to connect to the BDC Controller + Fournissez le mot de passe pour se connecter au contrôleur BDC Error: {0}. - Error: {0}. + Erreur : {0}. A connection to the cluster controller is required to run Spark jobs - A connection to the cluster controller is required to run Spark jobs + Une connexion au contrôleur de cluster est nécessaire pour exécuter les travaux Spark @@ -854,7 +942,7 @@ Delete - Delete + Supprimer Uninstall selected packages @@ -866,7 +954,7 @@ Location - Location + Emplacement {0} {1} packages found @@ -946,7 +1034,7 @@ Package info request failed with error: {0} {1} - Package info request failed with error: {0} {1} + La demande d'informations de package a échoué avec l'erreur : {0} {1} @@ -954,15 +1042,15 @@ This sample code loads the file into a data frame and shows the first 10 results. - This sample code loads the file into a data frame and shows the first 10 results. + Cet exemple de code charge le fichier dans un cadre de données et affiche les 10 premiers résultats. No notebook editor is active - No notebook editor is active + Aucun éditeur de notebook actif Notebooks - Notebooks + Notebooks @@ -973,8 +1061,8 @@ L'action {0} n'est pas prise en charge pour ce gestionnaire - Cannot open link {0} as only HTTP and HTTPS links are supported - Impossible d'ouvrir le lien {0}, car seuls les liens HTTP et HTTPS sont pris en charge + Cannot open link {0} as only HTTP, HTTPS, and File links are supported + Impossible d'ouvrir le lien {0}, car seuls les liens HTTP, HTTPS et Fichier sont pris en charge Download and open '{0}'? diff --git a/resources/xlf/fr/profiler.fr.xlf b/resources/xlf/fr/profiler.fr.xlf index edf77fc069..60653e6132 100644 --- a/resources/xlf/fr/profiler.fr.xlf +++ b/resources/xlf/fr/profiler.fr.xlf @@ -1,6 +1,6 @@  - + Cancel diff --git a/resources/xlf/fr/resource-deployment.fr.xlf b/resources/xlf/fr/resource-deployment.fr.xlf index b17819b863..350aba014d 100644 --- a/resources/xlf/fr/resource-deployment.fr.xlf +++ b/resources/xlf/fr/resource-deployment.fr.xlf @@ -12,7 +12,7 @@ New Deployment… - New Deployment… + Nouveau déploiement... Deployment @@ -26,14 +26,6 @@ Run SQL Server container image with docker Exécuter l'image conteneur SQL Server avec Docker - - SQL Server Big Data Cluster - Cluster Big Data SQL Server - - - SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes - Le cluster Big Data SQL Server vous permet de déployer des clusters scalables de conteneurs SQL Server, Spark et HDFS s'exécutant sur Kubernetes - Version Version @@ -44,43 +36,15 @@ SQL Server 2019 - SQL Server 2019 - - - SQL Server 2019 - SQL Server 2019 - - - Deployment target - Cible de déploiement - - - New Azure Kubernetes Service Cluster - Nouveau cluster Azure Kubernetes Service - - - Existing Azure Kubernetes Service Cluster - Cluster Azure Kubernetes Service existant - - - Existing Kubernetes Cluster (kubeadm) - Cluster Kubernetes existant (kubeadm) - - - Existing Azure Red Hat OpenShift cluster - Existing Azure Red Hat OpenShift cluster - - - Existing OpenShift cluster - Existing OpenShift cluster + SQL Server 2019 Deploy SQL Server 2017 container images - Deploy SQL Server 2017 container images + Déployer des images conteneur SQL Server 2017 Deploy SQL Server 2019 container images - Deploy SQL Server 2019 container images + Déployer des images conteneur SQL Server 2019 Container name @@ -98,70 +62,6 @@ Port Port - - SQL Server Big Data Cluster settings - Paramètres de cluster Big Data SQL Server - - - Cluster name - Nom de cluster - - - Controller username - Nom d'utilisateur du contrôleur - - - Password - Mot de passe - - - Confirm password - Confirmer le mot de passe - - - Azure settings - Paramètres Azure - - - Subscription id - ID d'abonnement - - - Use my default Azure subscription - Utiliser mon abonnement Azure par défaut - - - Resource group name - Nom de groupe de ressources - - - Region - Région - - - AKS cluster name - Nom du cluster AKS - - - VM size - Taille de machine virtuelle - - - VM count - Nombre de machines virtuelles - - - Storage class name - Nom de la classe de stockage - - - Capacity for data (GB) - Capacité de données (Go) - - - Capacity for logs (GB) - Capacité des journaux (Go) - SQL Server on Windows SQL Server sur Windows @@ -170,197 +70,185 @@ Run SQL Server on Windows, select a version to get started. Exécutez SQL Server sur Windows, sélectionnez une version pour commencer. - - I accept {0}, {1} and {2}. - J'accepte {0}, {1} et {2}. - Microsoft Privacy Statement - Microsoft Privacy Statement - - - azdata License Terms - Termes du contrat de licence azdata - - - SQL Server License Terms - Termes du contrat de licence SQL Server + Déclaration de confidentialité Microsoft Deployment configuration - Deployment configuration + Configuration du déploiement Location of the azdata package used for the install command - Location of the azdata package used for the install command + Emplacement du package azdata utilisé pour la commande d'installation SQL Server on Azure Virtual Machine - SQL Server on Azure Virtual Machine + SQL Server dans une machine virtuelle Azure Create SQL virtual machines on Azure. Best for migrations and applications requiring OS-level access. - Create SQL virtual machines on Azure. Best for migrations and applications requiring OS-level access. + Créez des machines virtuelles SQL sur Azure. Idéal pour les migrations et les applications nécessitant un accès au niveau du système d'exploitation. Deploy Azure SQL virtual machine - Deploy Azure SQL virtual machine + Déployer une machine virtuelle Azure SQL Script to notebook - Script to notebook + Exécuter un script sur un notebook I accept {0}, {1} and {2}. - I accept {0}, {1} and {2}. + J'accepte {0}, {1} et {2}. Azure SQL VM License Terms - Azure SQL VM License Terms + Termes du contrat de licence Azure SQL VM azdata License Terms - azdata License Terms + Termes du contrat de licence azdata Azure information - Azure information + Informations Azure Azure locations - Azure locations + Localisations Azure VM information - VM information + Informations VM Image - Image + Image VM image SKU - VM image SKU + Référence SKU d'image VM Publisher - Publisher + Serveur de publication Virtual machine name - Virtual machine name + Nom de la machine virtuelle Size - Size + Taille Storage account - Storage account + Compte de stockage Storage account name - Storage account name + Nom du compte de stockage Storage account SKU type - Storage account SKU type + Type de référence SKU du compte de stockage Administrator account - Administrator account + Compte Administrateur Username - Username + Nom d'utilisateur Password - Password + Mot de passe Confirm password - Confirm password + Confirmer le mot de passe Summary - Summary + Récapitulatif Azure SQL Database - Azure SQL Database + Azure SQL Database Create a SQL database, database server, or elastic pool in Azure. - Create a SQL database, database server, or elastic pool in Azure. + Créez une base de données SQL, un serveur de base de données ou un pool élastique dans Azure. Create in Azure portal - Create in Azure portal + Créer dans le portail Azure Select - Select + Sélectionner Resource Type - Resource Type + Type de ressource Single Database - Single Database + Base de données unique Elastic Pool - Elastic Pool + Pool élastique Database Server - Database Server + Serveur de base de données I accept {0}, {1} and {2}. - I accept {0}, {1} and {2}. + J'accepte {0}, {1} et {2}. Azure SQL DB License Terms - Azure SQL DB License Terms + Termes du contrat de licence Azure SQL DB azdata License Terms - azdata License Terms + Termes du contrat de licence azdata Azure SQL managed instance - Azure SQL managed instance + Instance managée Azure SQL Create a SQL Managed Instance in either Azure or a customer-managed environment - Create a SQL Managed Instance in either Azure or a customer-managed environment + Créer une instance managée SQL dans Azure ou dans un environnement géré par le client Open in Portal - Open in Portal + Ouvrir dans le portail Resource Type - Resource Type + Type de ressource I accept {0} and {1}. - I accept {0} and {1}. + J'accepte {0} et {1}. Azure SQL MI License Terms - Azure SQL MI License Terms + Termes du contrat de licence Azure SQL MI Azure SQL Managed Instance provides full SQL Server access and feature compatibility for migrating SQL Servers to Azure, or developing new applications. {0}. - Azure SQL Managed Instance provides full SQL Server access and feature compatibility for migrating SQL Servers to Azure, or developing new applications. {0}. + Azure SQL Managed Instance offre un accès total à SQL Server ainsi que la compatibilité des fonctionnalités afin de migrer les serveurs SQL vers Azure ou développer de nouvelles applications. {0}. Learn More - Learn More + En savoir plus @@ -368,227 +256,243 @@ Azure Account - Azure Account + Compte Azure Subscription (selected subset) - Subscription (selected subset) + Abonnement (sous-ensemble sélectionné) Change the currently selected subscriptions through the 'Select Subscriptions' action on an account listed in the 'Azure' tree view of the 'Connections' viewlet - Change the currently selected subscriptions through the 'Select Subscriptions' action on an account listed in the 'Azure' tree view of the 'Connections' viewlet + Changer les abonnements actuellement sélectionnés par le biais de l'action « Sélectionner des abonnements » dans un compte listé dans l'arborescence « Azure » de la viewlet « Connexions » Resource Group - Resource Group + Groupe de ressources Azure Location - Azure Location + Localisation Azure Browse - Browse + Parcourir Select - Select + Sélectionner Kube config file path - Kube config file path + Chemin du fichier de configuration Kube No cluster context information found - No cluster context information found + Aucune information de contexte de cluster Sign in… - Sign in… + Connexion… Refresh - Refresh + Actualiser Yes - Yes + Oui No - No + Non Create a new resource group - Create a new resource group + Créer un groupe de ressources New resource group name - New resource group name + Nom du nouveau groupe de ressources Realm - Realm + Domaine Unknown field type: "{0}" - Unknown field type: "{0}" + Type de champ inconnu : "{0}" Options Source with id:{0} is already defined - Options Source with id:{0} is already defined + La source d'options avec l'ID : {0} est déjà définie Value Provider with id:{0} is already defined - Value Provider with id:{0} is already defined + Le fournisseur de valeur avec l'ID : {0} est déjà défini No Options Source defined for id: {0} - No Options Source defined for id: {0} + Aucune source d'options définie pour l'ID : {0} No Value Provider defined for id: {0} - No Value Provider defined for id: {0} + Aucun fournisseur de valeur défini pour l'ID : {0} Attempt to get variable value for unknown variable:{0} - Attempt to get variable value for unknown variable:{0} + Tentative d'obtention de la valeur de variable pour une variable inconnue : {0} Attempt to get isPassword for unknown variable:{0} - Attempt to get isPassword for unknown variable:{0} + Tentative d'obtention de isPassword pour une variable inconnue : {0} FieldInfo.options was not defined for field type: {0} - FieldInfo.options was not defined for field type: {0} + FieldInfo.options n'a pas été défini pour le type de champ : {0} FieldInfo.options must be an object if it is not an array - FieldInfo.options must be an object if it is not an array + FieldInfo.options doit être un objet s'il ne s'agit pas d'un tableau When FieldInfo.options is an object it must have 'optionsType' property - When FieldInfo.options is an object it must have 'optionsType' property + Quand FieldInfo.options est un objet, il doit avoir la propriété « optionsType » When optionsType is not {0} then it must be {1} - When optionsType is not {0} then it must be {1} + Quand optionsType n'est pas {0}, il doit être {1} Deployment cannot continue. Azure Data CLI license terms have not yet been accepted. Please accept the EULA to enable the features that requires Azure Data CLI. - Deployment cannot continue. Azure Data CLI license terms have not yet been accepted. Please accept the EULA to enable the features that requires Azure Data CLI. + Le déploiement ne peut pas continuer. Les termes du contrat de licence Azure Data CLI n'ont pas encore été acceptés. Acceptez le CLUF pour activer les fonctionnalités nécessitant Azure Data CLI. Deployment cannot continue. Azure Data CLI license terms were declined.You can either Accept EULA to continue or Cancel this operation - Deployment cannot continue. Azure Data CLI license terms were declined.You can either Accept EULA to continue or Cancel this operation + Le déploiement ne peut pas continuer. Les termes du contrat de licence d'Azure Data CLI ont été refusés. Vous pouvez accepter le CLUF pour continuer ou annuler cette opération Accept EULA & Select - Accept EULA & Select + Accepter le CLUF et sélectionner + + + The '{0}' extension is required to deploy this resource, do you want to install it now? + L’extension «{0}» est nécessaire pour déployer cette ressource. Voulez-vous l’installer maintenant ? + + + Install + Installer + + + Installing extension '{0}'... + Installation de l'extension '{0}'... + + + Unknown extension '{0}' + Extension inconnue '{0}' Select the deployment options - Select the deployment options + Sélectionner les options de déploiement Filter resources... - Filter resources... + Filtrer les ressources... Categories - Categories + Catégories There are some errors on this page, click 'Show Details' to view the errors. - There are some errors on this page, click 'Show Details' to view the errors. + Cette page a des erreurs, cliquez sur 'Afficher les détails' pour les voir. Script - Script + Exécuter le script Run - Run + Exécuter View error detail - View error detail + Voir le détail de l'erreur An error occurred opening the output notebook. {1}{2}. - An error occurred opening the output notebook. {1}{2}. + Erreur pendant l'ouverture du notebook de sortie. {1}{2}. The task "{0}" has failed. - The task "{0}" has failed. + La tâche « {0} » a échoué. The task "{0}" failed and no output Notebook was generated. - The task "{0}" failed and no output Notebook was generated. + La tâche « {0} » a échoué et aucun notebook de sortie n'a été généré. All - All + Tout On-premises - On-premises + Local SQL Server - SQL Server + SQL Server Hybrid - Hybrid + Hybride PostgreSQL - PostgreSQL + PostgreSQL Cloud - Cloud + Cloud Description - Description + Description Tool - Tool + Outil Status - Status + État Version - Version + Version Required Version - Required Version + Version obligatoire Discovered Path or Additional Information - Discovered Path or Additional Information + Chemin découvert ou informations supplémentaires Required tools - Required tools + Outils obligatoires Install tools - Install tools + Installer les outils Options - Options + Options Required tool '{0}' [ {1} ] is being installed now. - Required tool '{0}' [ {1} ] is being installed now. + L'outil nécessaire « {0} » [ {1} ] est en cours d'installation. @@ -596,45 +500,45 @@ An error ocurred while loading or parsing the config file:{0}, error is:{1} - An error ocurred while loading or parsing the config file:{0}, error is:{1} + Erreur pendant le chargement ou l'analyse du fichier de configuration : {0}, erreur : {1} Path: {0} is not a file, please select a valid kube config file. - Path: {0} is not a file, please select a valid kube config file. + Le chemin {0} n'est pas un fichier, sélectionnez un fichier de configuration Kube valide. File: {0} not found. Please select a kube config file. - File: {0} not found. Please select a kube config file. + Fichier {0} introuvable. Sélectionnez un fichier de configuration Kube. Unexpected error fetching accounts: {0} - Unexpected error fetching accounts: {0} + Erreur inattendue pendant la récupération des comptes : {0} Unexpected error fetching available kubectl storage classes : {0} - Unexpected error fetching available kubectl storage classes : {0} + Erreur inattendue pendant la récupération des classes de stockage kubectl disponibles : {0} Unexpected error fetching subscriptions for account {0}: {1} - Unexpected error fetching subscriptions for account {0}: {1} + Erreur inattendue pendant la récupération des abonnements pour le compte {0} : {1} The selected account '{0}' is no longer available. Click sign in to add it again or select a different account. - The selected account '{0}' is no longer available. Click sign in to add it again or select a different account. + Le compte sélectionné « {0} » n'est plus disponible. Cliquez sur Se connecter pour le rajouter ou sélectionnez un autre compte. Error Details: {0}. - - Error Details: {0}. + + Détails de l'erreur : {0}. The access token for selected account '{0}' is no longer valid. Please click the sign in button and refresh the account or select a different account. - The access token for selected account '{0}' is no longer valid. Please click the sign in button and refresh the account or select a different account. + Le jeton d'accès pour le compte sélectionné « {0} » n'est plus valide. Cliquez sur le bouton Se connecter, actualisez le compte ou sélectionnez un autre compte. Unexpected error fetching resource groups for subscription {0}: {1} - Unexpected error fetching resource groups for subscription {0}: {1} + Erreur inattendue pendant la récupération des groupes de ressources pour l'abonnement {0} : {1} {0} doesn't meet the password complexity requirement. For more information: https://docs.microsoft.com/sql/relational-databases/security/password-policy @@ -650,139 +554,139 @@ Deploy Azure SQL VM - Deploy Azure SQL VM + Déployer Azure SQL VM Script to Notebook - Script to Notebook + Exécuter un script sur un notebook Please fill out the required fields marked with red asterisks. - Please fill out the required fields marked with red asterisks. + Remplissez les champs obligatoires marqués d'un astérisque rouge. Azure settings - Azure settings + Paramètres Azure Azure Account - Azure Account + Compte Azure Subscription - Subscription + Abonnement Resource Group - Resource Group + Groupe de ressources Region - Region + Région Virtual machine settings - Virtual machine settings + Paramètres de la machine virtuelle Virtual machine name - Virtual machine name + Nom de la machine virtuelle Administrator account username - Administrator account username + Nom d'utilisateur du compte Administrateur Administrator account password - Administrator account password + Mot de passe du compte Administrateur Confirm password - Confirm password + Confirmer le mot de passe Image - Image + Image Image SKU - Image SKU + Référence SKU de l'image Image Version - Image Version + Version de l'image Size - Size + Taille Click here to learn more about pricing and supported VM sizes - Click here to learn more about pricing and supported VM sizes + Cliquer ici pour en savoir plus sur les prix et les tailles de VM prises en charge Networking - Networking + Réseau Configure network settings - Configure network settings + Configurer les paramètres réseau New virtual network - New virtual network + Nouveau réseau virtuel Virtual Network - Virtual Network + Réseau virtuel New subnet - New subnet + Nouveau sous-réseau Subnet - Subnet + Sous-réseau Public IP - Public IP + IP publique New public ip - New public ip + Nouvelle IP publique Enable Remote Desktop (RDP) inbound port (3389) - Enable Remote Desktop (RDP) inbound port (3389) + Activer le port d'entrée Bureau à distance (RDP) (3389) SQL Servers settings - SQL Servers settings + Paramètres des serveurs SQL SQL connectivity - SQL connectivity + Connectivité SQL Port - Port + Port Enable SQL authentication - Enable SQL authentication + Activer l'authentification SQL Username - Username + Nom d'utilisateur Password - Password + Mot de passe Confirm password - Confirm password + Confirmer le mot de passe @@ -790,39 +694,39 @@ Save config files - Save config files + Enregistrer les fichiers config Script to Notebook - Script to Notebook + Exécuter un script sur un notebook Save config files - Save config files + Enregistrer les fichiers config Config files saved to {0} - Config files saved to {0} + Fichiers config enregistrés dans {0} Deploy SQL Server 2019 Big Data Cluster on a new AKS cluster - Deploy SQL Server 2019 Big Data Cluster on a new AKS cluster + Déployer le cluster Big Data SQL Server 2019 sur un nouveau cluster AKS Deploy SQL Server 2019 Big Data Cluster on an existing AKS cluster - Deploy SQL Server 2019 Big Data Cluster on an existing AKS cluster + Déployer le cluster Big Data SQL Server 2019 sur un cluster AKS existant Deploy SQL Server 2019 Big Data Cluster on an existing kubeadm cluster - Deploy SQL Server 2019 Big Data Cluster on an existing kubeadm cluster + Déployer le cluster Big Data SQL Server 2019 sur un cluster kubeadm existant Deploy SQL Server 2019 Big Data Cluster on an existing Azure Red Hat OpenShift cluster - Deploy SQL Server 2019 Big Data Cluster on an existing Azure Red Hat OpenShift cluster + Déployer le cluster Big Data SQL Server 2019 sur un cluster Azure Red Hat OpenShift existant Deploy SQL Server 2019 Big Data Cluster on an existing OpenShift cluster - Deploy SQL Server 2019 Big Data Cluster on an existing OpenShift cluster + Déployer le cluster Big Data SQL Server 2019 sur un cluster OpenShift existant @@ -830,79 +734,79 @@ Not Installed - Not Installed + Non installé Installed - Installed + Installé Installing… - Installing… + Installation… Error - Error + Erreur Failed - Failed + Échec • brew is needed for deployment of the tools and needs to be pre-installed before necessary tools can be deployed - • brew is needed for deployment of the tools and needs to be pre-installed before necessary tools can be deployed + • brew est nécessaire pour le déploiement des outils et doit être préinstallé pour pouvoir déployer les outils nécessaires • curl is needed for installation and needs to be pre-installed before necessary tools can be deployed - • curl is needed for installation and needs to be pre-installed before necessary tools can be deployed + • curl est nécessaire pour l'installation et doit être préinstallé pour pouvoir déployer les outils nécessaires Could not find 'Location' in the output: - Could not find 'Location' in the output: + « Location » est introuvable dans la sortie : output: - output: + sortie : Error installing tool '{0}' [ {1} ].{2}Error: {3}{2}See output channel '{4}' for more details - Error installing tool '{0}' [ {1} ].{2}Error: {3}{2}See output channel '{4}' for more details + Erreur d'installation de l'outil « {0} » [ {1} ].{2}Erreur : {3}{2}Voir le canal de sortie « {4} » pour plus de détails Error installing tool. See output channel '{0}' for more details - Error installing tool. See output channel '{0}' for more details + Erreur d'installation de l'outil. Voir le canal de sortie « {0} » pour plus de détails Installation commands completed but version of tool '{0}' could not be detected so our installation attempt has failed. Detection Error: {1}{2}Cleaning up previous installations would help. - Installation commands completed but version of tool '{0}' could not be detected so our installation attempt has failed. Detection Error: {1}{2}Cleaning up previous installations would help. + Commandes d'installation exécutées, mais impossible de détecter la version de l'outil « {0} ». La tentative d'installation a donc échoué. Erreur de détection : {1}{2}Essayez de nettoyer les installations précédentes. Failed to detect version post installation. See output channel '{0}' for more details - Failed to detect version post installation. See output channel '{0}' for more details + La détection de la version après l'installation a échoué. Voir le canal de sortie « {0} » pour plus de détails A possibly way to uninstall is using this command:{0} >{1} - A possibly way to uninstall is using this command:{0} >{1} + Vous pouvez effectuer la désinstallation à l'aide de cette commande : {0} >{1} {0}See output channel '{1}' for more details - {0}See output channel '{1}' for more details + {0}Voir le canal de sortie « {1} » pour plus de détails Cannot install tool:{0}::{1} as installation commands are unknown for your OS distribution, Please install {0} manually before proceeding - Cannot install tool:{0}::{1} as installation commands are unknown for your OS distribution, Please install {0} manually before proceeding + Impossible d'installer l'outil : {0}::{1}, car les commandes d'installation sont inconnues pour la distribution de votre système d'exploitation. Installez {0} manuellement avant de continuer Search Paths for tool '{0}': {1} - Search Paths for tool '{0}': {1} + Chemins de recherche de l'outil « {0} » : {1} Error retrieving version information. See output channel '{0}' for more details - Error retrieving version information. See output channel '{0}' for more details + Erreur de récupération des informations de version. Voir le canal de sortie « {0} » pour plus de détails Error retrieving version information.{0}Invalid output received, get version command output: '{1}' - Error retrieving version information.{0}Invalid output received, get version command output: '{1}' + Erreur de récupération des informations de version.{0}Sortie non valide reçue, sortie de la commande get version : « {1} » @@ -910,87 +814,87 @@ Deploy Azure SQL DB - Deploy Azure SQL DB + Déployer Azure SQL DB Script to Notebook - Script to Notebook + Exécuter un script sur un notebook Please fill out the required fields marked with red asterisks. - Please fill out the required fields marked with red asterisks. + Remplissez les champs obligatoires marqués d'un astérisque rouge. Azure SQL Database - Azure account settings - Azure SQL Database - Azure account settings + Azure SQL Database - Paramètres de compte Azure Azure account settings - Azure account settings + Paramètres de compte Azure Azure account - Azure account + Compte Azure Subscription - Subscription + Abonnement Server - Server + Serveur Resource group - Resource group + Groupe de ressources Database settings - Database settings + Paramètres de base de données Firewall rule name - Firewall rule name + Nom de la règle de pare-feu SQL database name - SQL database name + Nom de la base de données SQL Database collation - Database collation + Classement de base de données Collation for database - Collation for database + Classement de la base de données Enter IP addresses in IPv4 format. - Enter IP addresses in IPv4 format. + Entrez les adresses IP au format IPv4. Min IP address in firewall IP range - Min IP address in firewall IP range + Adresse IP min. dans la plage IP du pare-feu Max IP address in firewall IP range - Max IP address in firewall IP range + Adresse IP max. dans la plage IP du pare-feu Min IP address - Min IP address + Adresse IP min. Max IP address - Max IP address + Adresse IP max. Create a firewall rule for your local client IP in order to connect to your database through Azure Data Studio after creation is completed. - Create a firewall rule for your local client IP in order to connect to your database through Azure Data Studio after creation is completed. + Créez une règle de pare-feu pour votre IP de client local afin de vous connecter à votre base de données via Azure Data Studio une fois la création effectuée. Create a firewall rule - Create a firewall rule + Créer une règle de pare-feu @@ -998,7 +902,7 @@ Runs commands against Kubernetes clusters - Runs commands against Kubernetes clusters + Exécute des commandes sur des clusters Kubernetes kubectl @@ -1006,67 +910,67 @@ Unable to parse the kubectl version command output: "{0}" - Unable to parse the kubectl version command output: "{0}" + Impossible d'analyser la sortie de la commande de version kubectl : « {0} » updating your brew repository for kubectl installation … - updating your brew repository for kubectl installation … + mise à jour de votre dépôt brew pour l'installation de kubectl... installing kubectl … - installing kubectl … + installation de kubectl... updating repository information … - updating repository information … + mise à jour des informations de dépôt... getting packages needed for kubectl installation … - getting packages needed for kubectl installation … + obtention des packages nécessaires à l'installation de kubectl... downloading and installing the signing key for kubectl … - downloading and installing the signing key for kubectl … + téléchargement et installation de la clé de signature pour kubectl... adding the kubectl repository information … - adding the kubectl repository information … + ajout des informations du dépôt kubectl... installing kubectl … - installing kubectl … + installation de kubectl... deleting previously downloaded kubectl.exe if one exists … - deleting previously downloaded kubectl.exe if one exists … + suppression du fichier kubectl.exe précédemment téléchargé, le cas échéant... downloading and installing the latest kubectl.exe … - downloading and installing the latest kubectl.exe … + téléchargement et installation du dernier fichier kubectl.exe... deleting previously downloaded kubectl if one exists … - deleting previously downloaded kubectl if one exists … + suppression du kubectl précédemment téléchargé, le cas échéant... downloading the latest kubectl release … - downloading the latest kubectl release … + téléchargement de la dernière mise en production de kubectl... making kubectl executable … - making kubectl executable … + création de l'exécutable kubectl... cleaning up any previously backed up version in the install location if they exist … - cleaning up any previously backed up version in the install location if they exist … + nettoyage des versions précédemment sauvegardées dans l'emplacement d'installation, le cas échéant... backing up any existing kubectl in the install location … - backing up any existing kubectl in the install location … + sauvegarde de tout kubectl existant dans l'emplacement d'installation... moving kubectl into the install location in the PATH … - moving kubectl into the install location in the PATH … + déplacement de kubectl dans l'emplacement d'installation dans PATH... @@ -1074,7 +978,7 @@ There are some errors on this page, click 'Show Details' to view the errors. - There are some errors on this page, click 'Show Details' to view the errors. + Cette page a des erreurs, cliquez sur 'Afficher les détails' pour les voir. @@ -1082,24 +986,20 @@ Open Notebook - Open Notebook + Ouvrir le notebook OK - OK + OK Notebook type - Notebook type + Type de notebook - - Failed to load extension: {0}, Error detected in the resource type definition in package.json, check debug console for details. - Le chargement de l'extension {0} a échoué. Erreur détectée dans la définition du type de ressource dans package.json, consultez la console de débogage pour plus d'informations. - The resource type: {0} is not defined Le type de ressource {0} n'est pas défini @@ -1118,31 +1018,31 @@ Deployments - Deployments + Déploiements >>> {0} … errored out: {1} - >>> {0} … errored out: {1} + >>> {0} … a donné une erreur : {1} >>> Ignoring error in execution and continuing tool deployment - >>> Ignoring error in execution and continuing tool deployment + >>> Omission de l'erreur dans l'exécution et poursuite du déploiement de l'outil stdout: - stdout: + stdout : stderr: - stderr: + stderr : >>> {0} … exited with code: {1} - >>> {0} … exited with code: {1} + >>> {0} … a quitté avec le code : {1} >>> {0} … exited with signal: {1} - >>> {0} … exited with signal: {1} + >>> {0} … a quitté avec le signal : {1} @@ -1158,31 +1058,31 @@ Service scale settings (Instances) - Service scale settings (Instances) + Paramètres de mise à l'échelle du service (instances) Service storage settings (GB per Instance) - Service storage settings (GB per Instance) + Paramètres de stockage du service (Go par instance) Features - Features + Fonctionnalités Yes - Yes + Oui No - No + Non Deployment configuration profile - Deployment configuration profile + Profil de configuration de déploiement Select the target configuration profile - Select the target configuration profile + Sélectionner le profil de configuration cible Note: The settings of the deployment profile can be customized in later steps. @@ -1190,15 +1090,15 @@ Loading profiles - Loading profiles + Chargement des profils Loading profiles completed - Loading profiles completed + Profils chargés Deployment configuration profile - Deployment configuration profile + Profil de configuration de déploiement Failed to load the deployment profiles: {0} @@ -1222,19 +1122,19 @@ Service - Service + Service Data - Data + Données Logs - Logs + Journaux Storage type - Storage type + Type de stockage Basic authentication @@ -1250,7 +1150,7 @@ Feature - Feature + Composant Please select a deployment profile. @@ -1262,7 +1162,7 @@ Please fill out the required fields marked with red asterisks. - Please fill out the required fields marked with red asterisks. + Remplissez les champs obligatoires marqués d'un astérisque rouge. Azure settings @@ -1322,7 +1222,7 @@ The cluster name must consist only of alphanumeric lowercase characters or '-' and must start and end with an alphanumeric character. - The cluster name must consist only of alphanumeric lowercase characters or '-' and must start and end with an alphanumeric character. + Le nom de cluster doit contenir seulement des caractères alphanumériques en minuscules ou « - », et doit commencer et se terminer par un caractère alphanumérique. Cluster settings @@ -1434,7 +1334,7 @@ If not provided, the domain DNS name will be used as the default value. - If not provided, the domain DNS name will be used as the default value. + S'il n'est pas fourni, le nom DNS du domaine est utilisé comme valeur par défaut. Cluster admin group @@ -1470,7 +1370,7 @@ App owners - App owners + Propriétaires d'application Use comma to separate the values. @@ -1494,19 +1394,19 @@ Subdomain - Subdomain + Sous-domaine A unique DNS subdomain to use for this SQL Server Big Data Cluster. If not provided, the cluster name will be used as the default value. - A unique DNS subdomain to use for this SQL Server Big Data Cluster. If not provided, the cluster name will be used as the default value. + Sous-domaine DNS unique à utiliser pour ce cluster Big Data SQL Server. S'il n'est pas fourni, le nom de cluster est utilisé comme valeur par défaut. Account prefix - Account prefix + Préfixe du compte A unique prefix for AD accounts SQL Server Big Data Cluster will generate. If not provided, the subdomain name will be used as the default value. If a subdomain is not provided, the cluster name will be used as the default value. - A unique prefix for AD accounts SQL Server Big Data Cluster will generate. If not provided, the subdomain name will be used as the default value. If a subdomain is not provided, the cluster name will be used as the default value. + Préfixe unique pour les comptes AD que le cluster Big Data SQL Server génère. S'il n'est pas fourni, le nom du sous-domaine est utilisé comme valeur par défaut. Si aucun sous-domaine n'est fourni, le nom du cluster est utilisé comme valeur par défaut. Password @@ -1646,19 +1546,19 @@ Controller's data storage class - Controller's data storage class + Classe de stockage de données du contrôleur Controller's data storage claim size - Controller's data storage claim size + Taille de la revendication de stockage de données du contrôleur Controller's logs storage class - Controller's logs storage class + Classe de stockage des journaux du contrôleur Controller's logs storage claim size - Controller's logs storage claim size + Taille de la revendication de stockage des journaux du contrôleur Storage pool (HDFS) @@ -1666,19 +1566,19 @@ Storage pool's data storage class - Storage pool's data storage class + Classe de stockage de données du pool de stockage Storage pool's data storage claim size - Storage pool's data storage claim size + Taille de la revendication de stockage de données du pool de stockage Storage pool's logs storage class - Storage pool's logs storage class + Classe de stockage des journaux du pool de stockage Storage pool's logs storage claim size - Storage pool's logs storage claim size + Taille de la revendication de stockage des journaux du pool de stockage Data pool @@ -1686,39 +1586,39 @@ Data pool's data storage class - Data pool's data storage class + Classe de stockage de données du pool de données Data pool's data storage claim size - Data pool's data storage claim size + Taille de la revendication de stockage de données du pool de données Data pool's logs storage class - Data pool's logs storage class + Classe de stockage des journaux du pool de données Data pool's logs storage claim size - Data pool's logs storage claim size + Taille de la revendication de stockage des journaux du pool de données SQL Server master's data storage class - SQL Server master's data storage class + Classe de stockage de données de l'instance maître SQL Server SQL Server master's data storage claim size - SQL Server master's data storage claim size + Taille de la revendication de stockage de données de l'instance maître SQL Server SQL Server master's logs storage class - SQL Server master's logs storage class + Classe de stockage des journaux de l'instance maître SQL Server SQL Server master's logs storage claim size - SQL Server master's logs storage claim size + Taille de la revendication de stockage des journaux de l'instance maître SQL Server Service name - Service name + Nom du service Storage class for data @@ -1738,7 +1638,7 @@ Storage settings - Storage settings + Paramètres de stockage Storage settings @@ -1822,7 +1722,7 @@ App owners - App owners + Propriétaires d'application App readers @@ -1830,11 +1730,11 @@ Subdomain - Subdomain + Sous-domaine Account prefix - Account prefix + Préfixe du compte Service account username @@ -1902,7 +1802,7 @@ Service - Service + Service Storage class for data @@ -2010,11 +1910,11 @@ Password must be between 12 and 123 characters long. - Password must be between 12 and 123 characters long. + Le mot de passe doit avoir entre 12 et 123 caractères. Password must have 3 of the following: 1 lower case character, 1 upper case character, 1 number, and 1 special character. - Password must have 3 of the following: 1 lower case character, 1 upper case character, 1 number, and 1 special character. + Le mot de passe doit comporter trois des éléments suivants : une minuscule, une majuscule, un chiffre et un caractère spécial. @@ -2022,47 +1922,47 @@ Virtual machine name must be between 1 and 15 characters long. - Virtual machine name must be between 1 and 15 characters long. + Le nom de machine virtuelle doit avoir entre 1 et 15 caractères. Virtual machine name cannot contain only numbers. - Virtual machine name cannot contain only numbers. + Le nom de la machine virtuelle ne peut pas contenir uniquement des chiffres. Virtual machine name Can't start with underscore. Can't end with period or hyphen - Virtual machine name Can't start with underscore. Can't end with period or hyphen + Le nom de machine virtuelle ne peut pas commencer par un trait de soulignement, et ne peut pas se terminer par un point ou un trait d'union Virtual machine name cannot contain special characters \/""[]:|<>+=;,?*@&, . - Virtual machine name cannot contain special characters \/""[]:|<>+=;,?*@&, . + Le nom de machine virtuelle ne peut pas contenir les caractères spéciaux \/""[]:|<>+=;,?*@&, . Virtual machine name must be unique in the current resource group. - Virtual machine name must be unique in the current resource group. + Le nom de la machine virtuelle doit être unique dans le groupe de ressources actuel. Username must be between 1 and 20 characters long. - Username must be between 1 and 20 characters long. + Le nom d'utilisateur doit avoir entre 1 et 20 caractères. Username cannot end with period - Username cannot end with period + Le nom d'utilisateur ne peut pas se terminer par un point Username cannot contain special characters \/""[]:|<>+=;,?*@& . - Username cannot contain special characters \/""[]:|<>+=;,?*@& . + Le nom d'utilisateur ne peut pas contenir les caractères spéciaux \/""[]:|<>+=;,?*@& . Username must not include reserved words. - Username must not include reserved words. + Les noms d'utilisateur ne doivent pas comprendre de mots réservés. Password and confirm password must match. - Password and confirm password must match. + Les champs de mot de passe et de confirmation du mot de passe doivent correspondre. Select a valid virtual machine size. - Select a valid virtual machine size. + Sélectionnez une taille de machine virtuelle valide. @@ -2070,39 +1970,39 @@ Enter name for new virtual network - Enter name for new virtual network + Entrer un nom pour le nouveau réseau virtuel Enter name for new subnet - Enter name for new subnet + Entrer un nom pour le nouveau sous-réseau Enter name for new public IP - Enter name for new public IP + Entrer un nom pour la nouvelle IP publique Virtual Network name must be between 2 and 64 characters long - Virtual Network name must be between 2 and 64 characters long + Le nom de réseau virtuel doit avoir entre 2 et 64 caractères Create a new virtual network - Create a new virtual network + Créer un réseau virtuel Subnet name must be between 1 and 80 characters long - Subnet name must be between 1 and 80 characters long + Le nom de sous-réseau doit avoir entre 1 et 80 caractères Create a new sub network - Create a new sub network + Créer un sous-réseau Public IP name must be between 1 and 80 characters long - Public IP name must be between 1 and 80 characters long + Le nom d'IP publique doit avoir entre 1 et 80 caractères Create a new new public Ip - Create a new new public Ip + Créer une IP publique @@ -2110,27 +2010,27 @@ Private (within Virtual Network) - Private (within Virtual Network) + Privé (dans un réseau virtuel) Local (inside VM only) - Local (inside VM only) + Local (sur la machine virtuelle uniquement) Public (Internet) - Public (Internet) + Public (Internet) Username must be between 2 and 128 characters long. - Username must be between 2 and 128 characters long. + Le nom d'utilisateur doit avoir entre 2 et 128 caractères. Username cannot contain special characters \/""[]:|<>+=;,?* . - Username cannot contain special characters \/""[]:|<>+=;,?* . + Le nom d'utilisateur ne peut pas contenir les caractères spéciaux \/""[]:|<>+=;,?* . Password and confirm password must match. - Password and confirm password must match. + Les champs de mot de passe et de confirmation du mot de passe doivent correspondre. @@ -2138,7 +2038,7 @@ Review your configuration - Review your configuration + Vérifier votre configuration @@ -2146,55 +2046,55 @@ Min Ip address is invalid - Min Ip address is invalid + L'adresse IP min. n'est pas valide Max Ip address is invalid - Max Ip address is invalid + L'adresse IP max. n'est pas valide Firewall name cannot contain only numbers. - Firewall name cannot contain only numbers. + Le nom de pare-feu ne peut pas contenir seulement des nombres. Firewall name must be between 1 and 100 characters long. - Firewall name must be between 1 and 100 characters long. + Le nom de pare-feu doit avoir entre 1 et 100 caractères. Firewall name cannot contain special characters \/""[]:|<>+=;,?*@&, . - Firewall name cannot contain special characters \/""[]:|<>+=;,?*@&, . + Le nom de pare-feu ne peut pas contenir les caractères spéciaux \/""[]:|<>+=;,?*@&, . Upper case letters are not allowed for firewall name - Upper case letters are not allowed for firewall name + Les lettres majuscules ne sont pas autorisées dans le nom de pare-feu Database name cannot contain only numbers. - Database name cannot contain only numbers. + Le nom de base de données ne peut pas contenir seulement des nombres. Database name must be between 1 and 100 characters long. - Database name must be between 1 and 100 characters long. + Le nom de base de données doit avoir entre 1 et 100 caractères. Database name cannot contain special characters \/""[]:|<>+=;,?*@&, . - Database name cannot contain special characters \/""[]:|<>+=;,?*@&, . + Le nom de base de données ne peut pas contenir les caractères spéciaux \/""[]:|<>+=;,?*@&, . Database name must be unique in the current server. - Database name must be unique in the current server. + Le nom de base de données doit être unique dans le serveur actuel. Collation name cannot contain only numbers. - Collation name cannot contain only numbers. + Le nom de classement ne peut pas contenir seulement des nombres. Collation name must be between 1 and 100 characters long. - Collation name must be between 1 and 100 characters long. + Le nom de classement doit avoir entre 1 et 100 caractères. Collation name cannot contain special characters \/""[]:|<>+=;,?*@&, . - Collation name cannot contain special characters \/""[]:|<>+=;,?*@&, . + Le nom de classement ne peut pas contenir les caractères spéciaux \/""[]:|<>+=;,?*@&, . @@ -2202,17 +2102,17 @@ Sign in to an Azure account first - Sign in to an Azure account first + Se connecter d'abord à un compte Azure No servers found - No servers found + Aucun serveur No servers found in current subscription. Select a different subscription containing at least one server - No servers found in current subscription. -Select a different subscription containing at least one server + Aucun serveur dans l'abonnement actuel. +Sélectionnez un autre abonnement contenant au moins un serveur @@ -2220,59 +2120,59 @@ Select a different subscription containing at least one server Deployment pre-requisites - Deployment pre-requisites - - - To proceed, you must accept the terms of the End User License Agreement(EULA) - To proceed, you must accept the terms of the End User License Agreement(EULA) + Prérequis de déploiement Some tools were still not discovered. Please make sure that they are installed, running and discoverable - Some tools were still not discovered. Please make sure that they are installed, running and discoverable + Certains outils n'ont toujours pas été découverts. Vérifiez qu'ils sont installés, en cours d'exécution et découvrables + + + To proceed, you must accept the terms of the End User License Agreement(EULA) + Pour continuer, vous devez accepter les conditions du contrat de licence utilisateur final (CLUF). Loading required tools information completed - Loading required tools information completed + Les informations d'outils nécessaires ont été téléchargées Loading required tools information - Loading required tools information + Chargement des informations d'outils nécessaires Accept terms of use - Accept terms of use + Accepter les conditions d'utilisation '{0}' [ {1} ] does not meet the minimum version requirement, please uninstall it and restart Azure Data Studio. - '{0}' [ {1} ] does not meet the minimum version requirement, please uninstall it and restart Azure Data Studio. + « {0} » [ {1} ] ne respecte pas la version minimale requise, désinstallez-le et redémarrez Azure Data Studio. All required tools are installed now. - All required tools are installed now. + Tous les outils nécessaires sont maintenant installés. Following tools: {0} were still not discovered. Please make sure that they are installed, running and discoverable - Following tools: {0} were still not discovered. Please make sure that they are installed, running and discoverable + Les outils suivants {0} n'ont toujours pas été découverts. Vérifiez qu'ils sont installés, en cours d'exécution et découvrables '{0}' was not discovered and automated installation is not currently supported. Install '{0}' manually or ensure it is started and discoverable. Once done please restart Azure Data Studio. See [{1}] . - '{0}' was not discovered and automated installation is not currently supported. Install '{0}' manually or ensure it is started and discoverable. Once done please restart Azure Data Studio. See [{1}] . + « {0} » n'a pas été découvert et l'installation automatique n'est pas prise en charge actuellement. Installez manuellement « {0} », ou vérifiez qu'il est démarré et découvrable. Ensuite, redémarrez Azure Data Studio. Consultez [{1}]. You will need to restart Azure Data Studio if the tools are installed manually to pick up the change. You may find additional details in 'Deployments' and 'Azure Data CLI' output channels - You will need to restart Azure Data Studio if the tools are installed manually to pick up the change. You may find additional details in 'Deployments' and 'Azure Data CLI' output channels + Si les outils sont installés manuellement, vous devez redémarrer Azure Data Studio pour appliquer le changement. Des détails supplémentaires sont disponibles dans les canaux de sortie « Déploiements » et « Azure Data CLI » Tool: {0} is not installed, you can click the "{1}" button to install it. - Tool: {0} is not installed, you can click the "{1}" button to install it. + L'outil {0} n'est pas installé, vous pouvez cliquer sur le bouton « {1} » pour l'installer. Tools: {0} are not installed, you can click the "{1}" button to install them. - Tools: {0} are not installed, you can click the "{1}" button to install them. + Les outils {0} ne sont pas installés, vous pouvez cliquer sur le bouton « {1} » pour les installer. No tools required - No tools required + Aucun outil nécessaire @@ -2280,23 +2180,23 @@ Select a different subscription containing at least one server Download and launch installer, URL: {0} - Download and launch installer, URL: {0} + Télécharger et lancer le programme d'installation, URL : {0} Downloading from: {0} - Downloading from: {0} + Téléchargement à partir de : {0} Successfully downloaded: {0} - Successfully downloaded: {0} + {0} a été téléchargé Launching: {0} - Launching: {0} + Lancement de {0} Successfully launched: {0} - Successfully launched: {0} + {0} a été lancé @@ -2304,7 +2204,7 @@ Select a different subscription containing at least one server Packages and runs applications in isolated containers - Packages and runs applications in isolated containers + Insère dans un package et exécute des applications dans des conteneurs isolés docker @@ -2316,7 +2216,7 @@ Select a different subscription containing at least one server Manages Azure resources - Manages Azure resources + Gère les ressources Azure Azure CLI @@ -2324,47 +2224,47 @@ Select a different subscription containing at least one server deleting previously downloaded azurecli.msi if one exists … - deleting previously downloaded azurecli.msi if one exists … + suppression du fichier azurecli.msi précédemment téléchargé, le cas échéant... downloading azurecli.msi and installing azure-cli … - downloading azurecli.msi and installing azure-cli … + téléchargement d'azurecli.msi et installation d'azure-cli... displaying the installation log … - displaying the installation log … + affichage du journal d'installation... updating your brew repository for azure-cli installation … - updating your brew repository for azure-cli installation … + mise à jour de votre dépôt brew pour l'installation d'azure-cli... installing azure-cli … - installing azure-cli … + installation d'azure-cli... updating repository information before installing azure-cli … - updating repository information before installing azure-cli … + mise à jour des informations de dépôt avant l'installation d'azure-cli... getting packages needed for azure-cli installation … - getting packages needed for azure-cli installation … + obtention des packages nécessaires à l'installation d'azure-cli... downloading and installing the signing key for azure-cli … - downloading and installing the signing key for azure-cli … + téléchargement et installation de la clé de signature pour azure-cli... adding the azure-cli repository information … - adding the azure-cli repository information … + ajout des informations du dépôt azure-cli... updating repository information again for azure-cli … - updating repository information again for azure-cli … + remise à jour des informations de dépôt pour azure-cli... download and invoking script to install azure-cli … - download and invoking script to install azure-cli … + télécharger et appeler un script pour installer azure-cli... @@ -2372,59 +2272,23 @@ Select a different subscription containing at least one server Azure Data command line interface - Azure Data command line interface + Interface de ligne de commande Azure Data Azure Data CLI - Azure Data CLI + Azure Data CLI + + + The Azure Data CLI extension must be installed to deploy this resource. Please install it through the extension gallery and try again. + L’extension CLI de données Azure doit être installée pour déployer cette ressource. Veuillez l’installer via la galerie d’extensions et essayer à nouveau. Error retrieving version information. See output channel '{0}' for more details - Error retrieving version information. See output channel '{0}' for more details + Erreur de récupération des informations de version. Voir le canal de sortie « {0} » pour plus de détails Error retrieving version information.{0}Invalid output received, get version command output: '{1}' - Error retrieving version information.{0}Invalid output received, get version command output: '{1}' - - - deleting previously downloaded Azdata.msi if one exists … - deleting previously downloaded Azdata.msi if one exists … - - - downloading Azdata.msi and installing azdata-cli … - downloading Azdata.msi and installing azdata-cli … - - - displaying the installation log … - displaying the installation log … - - - tapping into the brew repository for azdata-cli … - tapping into the brew repository for azdata-cli … - - - updating the brew repository for azdata-cli installation … - updating the brew repository for azdata-cli installation … - - - installing azdata … - installing azdata … - - - updating repository information … - updating repository information … - - - getting packages needed for azdata installation … - getting packages needed for azdata installation … - - - downloading and installing the signing key for azdata … - downloading and installing the signing key for azdata … - - - adding the azdata repository information … - adding the azdata repository information … + Erreur de récupération des informations de version.{0}Sortie non valide reçue, sortie de la commande get version : « {1} » @@ -2432,51 +2296,51 @@ Select a different subscription containing at least one server Azure Data command line interface - Azure Data command line interface + Interface de ligne de commande Azure Data Azure Data CLI - Azure Data CLI + Azure Data CLI deleting previously downloaded Azdata.msi if one exists … - deleting previously downloaded Azdata.msi if one exists … + suppression du fichier Azdata.msi précédemment téléchargé, le cas échéant... downloading Azdata.msi and installing azdata-cli … - downloading Azdata.msi and installing azdata-cli … + téléchargement d'azdata.msi et installation d'azdata-cli... displaying the installation log … - displaying the installation log … + affichage du journal d'installation... tapping into the brew repository for azdata-cli … - tapping into the brew repository for azdata-cli … + recherche dans le dépôt brew pour azdata-cli... updating the brew repository for azdata-cli installation … - updating the brew repository for azdata-cli installation … + mise à jour du dépôt brew pour l'installation d'azdata-cli... installing azdata … - installing azdata … + installation d'azdata... updating repository information … - updating repository information … + mise à jour des informations de dépôt... getting packages needed for azdata installation … - getting packages needed for azdata installation … + obtention des packages nécessaires à l'installation d'azdata... downloading and installing the signing key for azdata … - downloading and installing the signing key for azdata … + téléchargement et installation de la clé de signature pour azdata... adding the azdata repository information … - adding the azdata repository information … + ajout des informations du dépôt azdata... @@ -2484,7 +2348,7 @@ Select a different subscription containing at least one server Deployment options - Deployment options + Options de déploiement diff --git a/resources/xlf/fr/schema-compare.fr.xlf b/resources/xlf/fr/schema-compare.fr.xlf index f6f2c02fc7..28cfa50d1f 100644 --- a/resources/xlf/fr/schema-compare.fr.xlf +++ b/resources/xlf/fr/schema-compare.fr.xlf @@ -16,28 +16,116 @@ - + - - Ok + + OK OK - + Cancel Annuler + + Source + Source + + + Target + Cible + + + File + Fichier + + + Data-tier Application File (.dacpac) + Fichier d'application de la couche Données (.dacpac) + + + Database + Base de données + + + Type + Type + + + Server + Serveur + + + Database + Base de données + + + Schema Compare + Comparer les schémas + + + A different source schema has been selected. Compare to see the comparison? + Un autre schéma source a été sélectionné. Comparer pour voir les différences ? + + + A different target schema has been selected. Compare to see the comparison? + Un autre schéma cible a été sélectionné. Comparer pour voir les différences ? + + + Different source and target schemas have been selected. Compare to see the comparison? + Vous avez sélectionné des schémas cible et source différents. Comparer pour voir les différences ? + + + Yes + Oui + + + No + Non + + + Source file + Fichier source + + + Target file + Fichier cible + + + Source Database + Base de données source + + + Target Database + Base de données cible + + + Source Server + Serveur source + + + Target Server + Serveur cible + + + default + par défaut + + + Open + Ouvrir + + + Select source file + Sélectionner un fichier source + + + Select target file + Sélectionner le fichier cible + Reset Réinitialiser - - Yes - Oui - - - No - Non - Options have changed. Recompare to see the comparison? Les options ont changé. Relancer la comparaison pour voir les différences ? @@ -54,6 +142,174 @@ Include Object Types Inclure les types d'objet + + Compare Details + Comparer les détails + + + Are you sure you want to update the target? + Voulez-vous vraiment mettre à jour la cible ? + + + Press Compare to refresh the comparison. + Appuyez sur Comparer pour actualiser la comparaison. + + + Generate script to deploy changes to target + Générer un script pour déployer les changements sur la cible + + + No changes to script + Aucun changement de script + + + Apply changes to target + Appliquer les changements à la cible + + + No changes to apply + Aucun changement à appliquer + + + Please note that include/exclude operations can take a moment to calculate affected dependencies + Veuillez noter que le calcul des dépendances affectées peut prendre quelques instants si les opérations incluent/exclues. + + + Delete + Supprimer + + + Change + Changer + + + Add + Ajouter + + + Comparison between Source and Target + Comparaison entre source et cible + + + Initializing Comparison. This might take a moment. + Initialisation de la comparaison. Cette opération peut durer un certain temps. + + + To compare two schemas, first select a source schema and target schema, then press Compare. + Pour comparer deux schémas, sélectionnez d'abord un schéma source et un schéma cible, puis appuyez sur Comparer. + + + No schema differences were found. + Aucune différence de schéma. + + + Type + Type + + + Source Name + Nom de la source + + + Include + Inclure + + + Action + Action + + + Target Name + Nom de la cible + + + Generate script is enabled when the target is a database + La génération de script est activée quand la cible est une base de données + + + Apply is enabled when the target is a database + L'option Appliquer est activée quand la cible est une base de données + + + Cannot exclude {0}. Included dependents exist, such as {1} + Impossible d’exclure {0}. Les dépendants inclus existent, tels que {1} + + + Cannot include {0}. Excluded dependents exist, such as {1} + Ne peut pas inclure {0}. Il existe des dépendants exclus, tels que {1} + + + Cannot exclude {0}. Included dependents exist + Impossible d’exclure {0}. Il existe des dépendants inclus + + + Cannot include {0}. Excluded dependents exist + Ne peut pas inclure {0}. Il existe des dépendants exclus + + + Compare + Comparer + + + Stop + Arrêter + + + Generate script + Générer le script + + + Options + Options + + + Apply + Appliquer + + + Switch direction + Changer de sens + + + Switch source and target + Basculer entre la source et la cible + + + Select Source + Sélectionner la source + + + Select Target + Sélectionner la cible + + + Open .scmp file + Ouvrir le fichier .scmp + + + Load source, target, and options saved in an .scmp file + Charger la source, la cible et les options enregistrées dans un fichier .scmp + + + Save .scmp file + Enregistrer le fichier .scmp + + + Save source and target, options, and excluded elements + Enregistrer la source et la cible, les options et les éléments exclus + + + Save + Enregistrer + + + Do you want to connect to {0}? + Voulez-vous vous connecter à {0}? + + + Select connection + Sélectionner la connexion + Ignore Table Options Ignorer les options de table @@ -407,8 +663,8 @@ Rôles de base de données - DatabaseTriggers - DatabaseTriggers + Database Triggers + Déclencheurs de base de données Defaults @@ -426,6 +682,14 @@ External File Formats Formats de fichier externe + + External Streams + Flux externes + + + External Streaming Jobs + Travaux de streaming externes + External Tables Tables externes @@ -434,6 +698,10 @@ Filegroups Groupes de fichiers + + Files + Fichiers + File Tables Tables de fichiers @@ -503,12 +771,12 @@ Signatures - StoredProcedures - StoredProcedures + Stored Procedures + Procédures stockées - SymmetricKeys - SymmetricKeys + Symmetric Keys + Clés symétriques Synonyms @@ -926,286 +1194,30 @@ Specifies whether differences in table column order should be ignored or updated when you publish to a database. Spécifie si les différences d'ordre des colonnes de table doivent être ignorées ou mises à jour quand vous publiez dans une base de données. - - - - - - Ok - OK - - - Cancel - Annuler - - - Source - Source - - - Target - Cible - - - File - Fichier - - - Data-tier Application File (.dacpac) - Fichier d'application de la couche Données (.dacpac) - - - Database - Base de données - - - Type - Type - - - Server - Serveur - - - Database - Base de données - - - No active connections - Aucune connexion active - - - Schema Compare - Comparer les schémas - - - A different source schema has been selected. Compare to see the comparison? - Un autre schéma source a été sélectionné. Comparer pour voir les différences ? - - - A different target schema has been selected. Compare to see the comparison? - Un autre schéma cible a été sélectionné. Comparer pour voir les différences ? - - - Different source and target schemas have been selected. Compare to see the comparison? - Vous avez sélectionné des schémas cible et source différents. Comparer pour voir les différences ? - - - Yes - Oui - - - No - Non - - - Open - Ouvrir - - - default - par défaut - - - - - - - Compare Details - Comparer les détails - - - Are you sure you want to update the target? - Voulez-vous vraiment mettre à jour la cible ? - - - Press Compare to refresh the comparison. - Appuyez sur Comparer pour actualiser la comparaison. - - - Generate script to deploy changes to target - Générer un script pour déployer les changements sur la cible - - - No changes to script - Aucun changement de script - - - Apply changes to target - Appliquer les changements à la cible - - - No changes to apply - Aucun changement à appliquer - - - Delete - Supprimer - - - Change - Changer - - - Add - Ajouter - - - Schema Compare - Comparer les schémas - - - Source - Source - - - Target - Cible - - - ➔ - - - - Initializing Comparison. This might take a moment. - Initialisation de la comparaison. Cette opération peut durer un certain temps. - - - To compare two schemas, first select a source schema and target schema, then press Compare. - Pour comparer deux schémas, sélectionnez d'abord un schéma source et un schéma cible, puis appuyez sur Comparer. - - - No schema differences were found. - Aucune différence de schéma. - Schema Compare failed: {0} Comparer les schémas a échoué : {0} - - Type - Type - - - Source Name - Nom de la source - - - Include - Inclure - - - Action - Action - - - Target Name - Nom de la cible - - - Generate script is enabled when the target is a database - La génération de script est activée quand la cible est une base de données - - - Apply is enabled when the target is a database - L'option Appliquer est activée quand la cible est une base de données - - - Compare - Comparer - - - Compare - Comparer - - - Stop - Arrêter - - - Stop - Arrêter - - - Cancel schema compare failed: '{0}' - L'annulation de Comparer les schémas a échoué : « {0} » - - - Generate script - Générer le script - - - Generate script failed: '{0}' - La génération de script a échoué : '{0}' - - - Options - Options - - - Options - Options - - - Apply - Appliquer - - - Yes - Oui - - - Schema Compare Apply failed '{0}' - Échec d'application de Comparer les schémas « {0} » - - - Switch direction - Changer de sens - - - Switch source and target - Basculer entre la source et la cible - - - Select Source - Sélectionner la source - - - Select Target - Sélectionner la cible - - - Open .scmp file - Ouvrir le fichier .scmp - - - Load source, target, and options saved in an .scmp file - Charger la source, la cible et les options enregistrées dans un fichier .scmp - - - Open - Ouvrir - - - Open scmp failed: '{0}' - L'ouverture de scmp a échoué : '{0}' - - - Save .scmp file - Enregistrer le fichier .scmp - - - Save source and target, options, and excluded elements - Enregistrer la source et la cible, les options et les éléments exclus - - - Save - Enregistrer - Save scmp failed: '{0}' L'enregistrement de scmp a échoué : '{0}' + + Cancel schema compare failed: '{0}' + L'annulation de Comparer les schémas a échoué : « {0} » + + + Generate script failed: '{0}' + La génération de script a échoué : '{0}' + + + Schema Compare Apply failed '{0}' + Échec d'application de Comparer les schémas « {0} » + + + Open scmp failed: '{0}' + L'ouverture de scmp a échoué : '{0}' + \ No newline at end of file diff --git a/resources/xlf/fr/sql.fr.xlf b/resources/xlf/fr/sql.fr.xlf index f91b63d097..2b5abca6bc 100644 --- a/resources/xlf/fr/sql.fr.xlf +++ b/resources/xlf/fr/sql.fr.xlf @@ -1,2251 +1,6 @@  - - - - Copying images is not supported - La copie d'images n'est pas prise en charge - - - - - - - Get Started - Démarrer - - - Show Getting Started - Afficher la prise en main - - - Getting &&Started - && denotes a mnemonic - Pri&&se en main - - - - - - - QueryHistory - QueryHistory - - - Whether Query History capture is enabled. If false queries executed will not be captured. - Indique si la capture de l'historique des requêtes est activée. Si la valeur est false, les requêtes exécutées ne sont pas capturées. - - - View - Voir - - - &&Query History - && denotes a mnemonic - &&Historique des requêtes - - - Query History - Historique des requêtes - - - - - - - Connecting: {0} - Connexion : {0} - - - Running command: {0} - Exécution de la commande : {0} - - - Opening new query: {0} - Ouverture d'une nouvelle requête : {0} - - - Cannot connect as no server information was provided - Connexion impossible, car aucune information du serveur n'a été fournie - - - Could not open URL due to error {0} - Impossible d'ouvrir l'URL en raison de l'erreur {0} - - - This will connect to server {0} - Cette opération établit une connexion au serveur {0} - - - Are you sure you want to connect? - Voulez-vous vraiment vous connecter ? - - - &&Open - &&Ouvrir - - - Connecting query file - Connexion du fichier de requête - - - - - - - 1 or more tasks are in progress. Are you sure you want to quit? - 1 ou plusieurs tâches sont en cours. Voulez-vous vraiment quitter ? - - - Yes - Oui - - - No - Non - - - - - - - Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? - Les fonctionnalités en préversion améliorent votre expérience dans Azure Data Studio en vous donnant un accès total aux nouvelles fonctionnalités et améliorations. Vous pouvez en savoir plus sur les fonctionnalités en préversion [ici] ({0}). Voulez-vous activer les fonctionnalités en préversion ? - - - Yes (recommended) - Oui (recommandé) - - - No - Non - - - No, don't show again - Non, ne plus afficher - - - - - - - Toggle Query History - Activer/désactiver l'historique des requêtes - - - Delete - Supprimer - - - Clear All History - Effacer tout l'historique - - - Open Query - Ouvrir la requête - - - Run Query - Exécuter la requête - - - Toggle Query History capture - Activer/désactiver la capture de l'historique des requêtes - - - Pause Query History Capture - Suspendre la capture de l'historique des requêtes - - - Start Query History Capture - Démarrer la capture de l'historique des requêtes - - - - - - - No queries to display. - Aucune requête à afficher. - - - Query History - QueryHistory - Historique des requêtes - - - - - - - Error - Erreur - - - Warning - Avertissement - - - Info - Informations - - - Ignore - Ignorer - - - - - - - Saving results into different format disabled for this data provider. - L'enregistrement des résultats dans un format différent est désactivé pour ce fournisseur de données. - - - Cannot serialize data as no provider has been registered - Impossible de sérialiser les données, car aucun fournisseur n'est inscrit - - - Serialization failed with an unknown error - La sérialisation a échoué avec une erreur inconnue - - - - - - - Connection is required in order to interact with adminservice - La connexion est nécessaire pour interagir avec adminservice - - - No Handler Registered - Aucun gestionnaire inscrit - - - - - - - Select a file - Sélectionnez un fichier - - - - - - - Connection is required in order to interact with Assessment Service - La connexion est nécessaire pour interagir avec le service d'évaluation - - - No Handler Registered - Aucun gestionnaire inscrit - - - - - - - Results Grid and Messages - Grille de résultats et messages - - - Controls the font family. - Contrôle la famille de polices. - - - Controls the font weight. - Contrôle l'épaisseur de police. - - - Controls the font size in pixels. - Contrôle la taille de police en pixels. - - - Controls the letter spacing in pixels. - Contrôle l'espacement des lettres en pixels. - - - Controls the row height in pixels - Contrôle la hauteur de ligne en pixels - - - Controls the cell padding in pixels - Contrôle l'espacement des cellules en pixels - - - Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells - Dimensionnez automatiquement la largeur de colonne en fonction des résultats initiaux. Problèmes de performance possibles avec les grands nombres de colonnes ou les grandes cellules - - - The maximum width in pixels for auto-sized columns - Largeur maximale en pixels des colonnes dimensionnées automatiquement - - - - - - - View - Voir - - - Database Connections - Connexions de base de données - - - data source connections - connexions de source de données - - - data source groups - groupes de source de données - - - Startup Configuration - Configuration de démarrage - - - True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown - True pour afficher la vue des serveurs au lancement d'Azure Data Studio par défaut, false pour afficher la dernière vue ouverte - - - - - - - Disconnect - Déconnecter - - - Refresh - Actualiser - - - - - - - Preview Features - Fonctionnalités en préversion - - - Enable unreleased preview features - Activer les fonctionnalités en préversion non publiées - - - Show connect dialog on startup - Afficher la boîte de dialogue de connexion au démarrage - - - Obsolete API Notification - Notification d'API obsolète - - - Enable/disable obsolete API usage notification - Activer/désactiver la notification d'utilisation d'API obsolète - - - - - - - Problems - Problèmes - - - - - - - {0} in progress tasks - {0} tâches en cours - - - View - Voir - - - Tasks - Tâches - - - &&Tasks - && denotes a mnemonic - &&Tâches - - - - - - - The maximum number of recently used connections to store in the connection list. - Nombre maximal de connexions récemment utilisées à stocker dans la liste de connexions. - - - Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. - Moteur SQL par défaut à utiliser. Définit le fournisseur de langage par défaut dans les fichiers .sql et la valeur par défaut quand vous créez une connexion. - - - Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. - Essayez d'analyser le contenu du presse-papiers quand la boîte de dialogue de connexion est ouverte ou qu'une opération de collage est effectuée. - - - - - - - Server Group color palette used in the Object Explorer viewlet. - Palette de couleurs du groupe de serveurs utilisée dans la viewlet Explorateur d'objets. - - - Auto-expand Server Groups in the Object Explorer viewlet. - Développez automatiquement les groupes de serveurs dans la viewlet Explorateur d'objets. - - - (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. - (Préversion) Utilisez la nouvelle arborescence de serveur asynchrone pour la vue des serveurs et la boîte de dialogue de connexion avec prise en charge des nouvelles fonctionnalités, comme le filtrage dynamique de nœuds. - - - - - - - Identifier of the account type - Identificateur du type de compte - - - (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration - (Facultatif) Icône utilisée pour représenter le compte dans l'interface utilisateur. Peut être un chemin de fichier ou une configuration à thèmes - - - Icon path when a light theme is used - Chemin de l'icône quand un thème clair est utilisé - - - Icon path when a dark theme is used - Chemin de l'icône quand un thème foncé est utilisé - - - Contributes icons to account provider. - Ajoute des icônes à un fournisseur de compte. - - - - - - - Show Edit Data SQL pane on startup - Afficher le volet Modifier les données SQL au démarrage - - - - - - - Minimum value of the y axis - Valeur minimale de l'axe Y - - - Maximum value of the y axis - Valeur maximale de l'axe Y - - - Label for the y axis - Étiquette de l'axe Y - - - Minimum value of the x axis - Valeur minimale de l'axe X - - - Maximum value of the x axis - Valeur maximale de l'axe X - - - Label for the x axis - Étiquette de l'axe X - - - - - - - Resource Viewer - Visionneuse de ressources - - - - - - - Indicates data property of a data set for a chart. - Indique la propriété de données d'un jeu de données pour un graphique. - - - - - - - For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 - Pour chaque colonne d'un jeu de résultats, affiche la valeur de la ligne 0 sous forme de chiffre suivi du nom de la colonne. Prend en charge '1 Healthy', '3 Unhealthy', par exemple, où 'Healthy' est le nom de la colonne et 1 est la valeur de la ligne 1, cellule 1 - - - - - - - Displays the results in a simple table - Affiche les résultats dans un tableau simple - - - - - - - Displays an image, for example one returned by an R query using ggplot2 - Affiche une image, par exemple, celle retournée par une requête de type R utilisant ggplot2 - - - What format is expected - is this a JPEG, PNG or other format? - Format attendu : JPEG, PNG ou un autre format ? - - - Is this encoded as hex, base64 or some other format? - Cet objet est-il encodé en hexadécimal, base64 ou un autre format ? - - - - - - - Manage - Gérer - - - Dashboard - Tableau de bord - - - - - - - The webview that will be displayed in this tab. - Vue web à afficher sous cet onglet. - - - - - - - The controlhost that will be displayed in this tab. - Controlhost à afficher sous cet onglet. - - - - - - - The list of widgets that will be displayed in this tab. - Liste des widgets à afficher sous cet onglet. - - - The list of widgets is expected inside widgets-container for extension. - La liste des widgets est attendue à l'intérieur du conteneur de widgets pour l'extension. - - - - - - - The list of widgets or webviews that will be displayed in this tab. - Liste des widgets ou des vues web à afficher sous cet onglet. - - - widgets or webviews are expected inside widgets-container for extension. - les widgets ou les vues web sont attendus dans un conteneur de widgets pour l'extension. - - - - - - - Unique identifier for this container. - Identificateur unique de ce conteneur. - - - The container that will be displayed in the tab. - Conteneur à afficher sous l'onglet. - - - Contributes a single or multiple dashboard containers for users to add to their dashboard. - Fournit un ou plusieurs conteneurs de tableau de bord que les utilisateurs peuvent ajouter à leur tableau de bord. - - - No id in dashboard container specified for extension. - Aucun ID de conteneur de tableau de bord spécifié pour l'extension. - - - No container in dashboard container specified for extension. - Aucun conteneur dans le conteneur de tableau de bord spécifié pour l'extension. - - - Exactly 1 dashboard container must be defined per space. - 1 seul conteneur de tableau de bord doit être défini par espace. - - - Unknown container type defines in dashboard container for extension. - Type de conteneur inconnu défini dans le conteneur de tableau de bord pour l'extension. - - - - - - - Unique identifier for this nav section. Will be passed to the extension for any requests. - Identificateur unique pour cette section de navigation. Est transmis à l'extension pour toutes les demandes. - - - (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration - (Facultatif) Icône utilisée pour représenter cette section de navigation dans l'interface utilisateur (chemin de fichier ou configuration à thèmes) - - - Icon path when a light theme is used - Chemin de l'icône quand un thème clair est utilisé - - - Icon path when a dark theme is used - Chemin de l'icône quand un thème foncé est utilisé - - - Title of the nav section to show the user. - Titre de la section de navigation à montrer à l'utilisateur. - - - The container that will be displayed in this nav section. - Conteneur à afficher dans cette section de navigation. - - - The list of dashboard containers that will be displayed in this navigation section. - Liste des conteneurs de tableau de bord à afficher dans cette section de navigation. - - - No title in nav section specified for extension. - Aucun titre dans la section de navigation n'a été spécifié pour l'extension. - - - No container in nav section specified for extension. - Aucun conteneur dans la section de navigation n'a été spécifié pour l'extension. - - - Exactly 1 dashboard container must be defined per space. - 1 seul conteneur de tableau de bord doit être défini par espace. - - - NAV_SECTION within NAV_SECTION is an invalid container for extension. - NAV_SECTION dans NAV_SECTION est un conteneur non valide pour l'extension. - - - - - - - The model-backed view that will be displayed in this tab. - Vue de modèles à afficher sous cet onglet. - - - - - - - Backup - Sauvegarder - - - - - - - Restore - Restaurer - - - Restore - Restaurer - - - - - - - Open in Azure Portal - Ouvrir dans le portail Azure - - - - - - - disconnected - déconnecté - - - - - - - Cannot expand as the required connection provider '{0}' was not found - Développement impossible, car le fournisseur de connexion nécessaire '{0}' est introuvable - - - User canceled - Annulé par l'utilisateur - - - Firewall dialog canceled - Boîte de dialogue de pare-feu annulée - - - - - - - Connection is required in order to interact with JobManagementService - Une connexion est nécessaire pour interagir avec JobManagementService - - - No Handler Registered - Aucun gestionnaire inscrit - - - - - - - An error occured while loading the file browser. - Une erreur s'est produite pendant le chargement de l'explorateur de fichiers. - - - File browser error - Erreur de l'explorateur de fichiers - - - - - - - Common id for the provider - ID courant du fournisseur - - - Display Name for the provider - Nom d'affichage du fournisseur - - - Notebook Kernel Alias for the provider - Alias du noyau de notebook pour le fournisseur - - - Icon path for the server type - Chemin de l'icône du type de serveur - - - Options for connection - Options de connexion - - - - - - - Unique identifier for this tab. Will be passed to the extension for any requests. - Identificateur unique pour cet onglet. Est transmis à l'extension pour toutes les demandes. - - - Title of the tab to show the user. - Titre de l'onglet à montrer à l'utilisateur. - - - Description of this tab that will be shown to the user. - Description de cet onglet à montrer à l'utilisateur. - - - Condition which must be true to show this item - Condition qui doit être true pour afficher cet élément - - - Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set - Définit les types de connexion avec lesquels cet onglet est compatible. La valeur par défaut est 'MSSQL' si aucune valeur n'est définie - - - The container that will be displayed in this tab. - Conteneur à afficher sous cet onglet. - - - Whether or not this tab should always be shown or only when the user adds it. - Indique si cet onglet doit toujours apparaître ou uniquement quand l'utilisateur l'ajoute. - - - Whether or not this tab should be used as the Home tab for a connection type. - Indique si cet onglet doit être utilisé comme onglet d'accueil pour un type de connexion. - - - The unique identifier of the group this tab belongs to, value for home group: home. - Identificateur unique du groupe auquel appartient cet onglet, valeur du groupe d'accueil : accueil. - - - (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration - (Facultatif) Icône utilisée pour représenter cet onglet dans l'interface utilisateur (chemin de fichier ou configuration à thèmes) - - - Icon path when a light theme is used - Chemin de l'icône quand un thème clair est utilisé - - - Icon path when a dark theme is used - Chemin de l'icône quand un thème foncé est utilisé - - - Contributes a single or multiple tabs for users to add to their dashboard. - Fournit un ou plusieurs onglets que les utilisateurs peuvent ajouter à leur tableau de bord. - - - No title specified for extension. - Aucun titre spécifié pour l'extension. - - - No description specified to show. - Aucune description spécifiée à afficher. - - - No container specified for extension. - Aucun conteneur spécifié pour l'extension. - - - Exactly 1 dashboard container must be defined per space - 1 seul conteneur de tableau de bord doit être défini par espace - - - Unique identifier for this tab group. - Identificateur unique de ce groupe d'onglets. - - - Title of the tab group. - Titre du groupe d'onglets. - - - Contributes a single or multiple tab groups for users to add to their dashboard. - Fournit un ou plusieurs groupes d'onglets que les utilisateurs peuvent ajouter à leur tableau de bord. - - - No id specified for tab group. - Aucun ID spécifié pour le groupe d'onglets. - - - No title specified for tab group. - Aucun titre spécifié pour le groupe d'onglets. - - - Administration - Administration - - - Monitoring - Supervision - - - Performance - Performances - - - Security - Sécurité - - - Troubleshooting - Résolution des problèmes - - - Settings - Paramètres - - - databases tab - onglet de bases de données - - - Databases - Bases de données - - - - - - - succeeded - succès - - - failed - échec - - - - - - - Connection error - Erreur de connexion - - - Connection failed due to Kerberos error. - La connexion a échoué en raison d'une erreur Kerberos. - - - Help configuring Kerberos is available at {0} - L'aide pour configurer Kerberos est disponible sur {0} - - - If you have previously connected you may need to re-run kinit. - Si vous vous êtes déjà connecté, vous devez peut-être réexécuter kinit. - - - - - - - Close - Fermer - - - Adding account... - Ajout du compte... - - - Refresh account was canceled by the user - L'actualisation du compte a été annulée par l'utilisateur - - - - - - - Query Results - Résultats de la requête - - - Query Editor - Éditeur de requêtes - - - New Query - Nouvelle requête - - - Query Editor - Éditeur de requêtes - - - When true, column headers are included when saving results as CSV - Quand la valeur est true, les en-têtes de colonne sont inclus dans l'enregistrement des résultats au format CSV - - - The custom delimiter to use between values when saving as CSV - Délimiteur personnalisé à utiliser entre les valeurs pendant l'enregistrement au format CSV - - - Character(s) used for seperating rows when saving results as CSV - Caractère(s) utilisé(s) pour séparer les lignes pendant l'enregistrement des résultats au format CSV - - - Character used for enclosing text fields when saving results as CSV - Caractère utilisé pour englober les champs de texte pendant l'enregistrement des résultats au format CSV - - - File encoding used when saving results as CSV - Encodage de fichier utilisé pendant l'enregistrement des résultats au format CSV - - - When true, XML output will be formatted when saving results as XML - Quand la valeur est true, la sortie XML est mise en forme pendant l'enregistrement des résultats au format XML - - - File encoding used when saving results as XML - Encodage de fichier utilisé pendant l'enregistrement des résultats au format XML - - - Enable results streaming; contains few minor visual issues - Activer le streaming des résultats, contient quelques problèmes visuels mineurs - - - Configuration options for copying results from the Results View - Options de configuration pour copier les résultats de la Vue Résultats - - - Configuration options for copying multi-line results from the Results View - Options de configuration pour copier les résultats multilignes de la vue Résultats - - - (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. - (Expérimental) Utilisez une table optimisée dans la sortie des résultats. Certaines fonctionnalités sont peut-être manquantes et en préparation. - - - Should execution time be shown for individual batches - Spécifie si la durée d'exécution doit être indiquée pour chaque lot - - - Word wrap messages - Messages de retour automatique à la ligne - - - The default chart type to use when opening Chart Viewer from a Query Results - Type de graphique par défaut à utiliser à l'ouverture de la visionneuse graphique à partir des résultats d'une requête - - - Tab coloring will be disabled - La coloration des onglets est désactivée - - - The top border of each editor tab will be colored to match the relevant server group - La bordure supérieure de chaque onglet de l'éditeur est colorée pour correspondre au groupe de serveurs concerné - - - Each editor tab's background color will match the relevant server group - La couleur d'arrière-plan de chaque onglet de l'éditeur correspond au groupe de serveurs concerné - - - Controls how to color tabs based on the server group of their active connection - Contrôle comment colorer les onglets en fonction du groupe de serveurs de leur connexion active - - - Controls whether to show the connection info for a tab in the title. - Contrôle s'il faut montrer les informations de connexion d'un onglet dans le titre. - - - Prompt to save generated SQL files - Inviter à enregistrer les fichiers SQL générés - - - Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call. Any selected text in the query editor will be passed as a parameter - Définissez la combinaison de touches workbench.action.query.shortcut{0} pour exécuter le texte de raccourci comme un appel de procédure. Tout texte sélectionné dans l'éditeur de requête est passé en paramètre - - - - - - - Specifies view templates - Spécifie des modèles de vue - - - Specifies session templates - Spécifie les modèles de session - - - Profiler Filters - Filtres Profiler - - - - - - - Script as Create - Script de création - - - Script as Drop - Script de suppression - - - Select Top 1000 - Sélectionnez les 1000 premiers - - - Script as Execute - Script d'exécution - - - Script as Alter - Script de modification - - - Edit Data - Modifier les données - - - Select Top 1000 - Sélectionnez les 1000 premiers - - - Take 10 - Prendre 10 - - - Script as Create - Script de création - - - Script as Execute - Script d'exécution - - - Script as Alter - Script de modification - - - Script as Drop - Script de suppression - - - Refresh - Actualiser - - - - - - - Commit row failed: - La validation de la ligne a échoué : - - - Started executing query at - Exécution de la requête démarrée à - - - Started executing query "{0}" - L'exécution de la requête "{0}" a démarré - - - Line {0} - Ligne {0} - - - Canceling the query failed: {0} - L'annulation de la requête a échoué : {0} - - - Update cell failed: - La mise à jour de la cellule a échoué : - - - - - - - No URI was passed when creating a notebook manager - Aucun URI passé pendant la création d'un gestionnaire de notebook - - - Notebook provider does not exist - Le fournisseur de notebooks n'existe pas - - - - - - - Notebook Editor - Éditeur de notebook - - - New Notebook - Nouveau notebook - - - New Notebook - Nouveau notebook - - - Set Workspace And Open - Définir l'espace de travail et l'ouvrir - - - SQL kernel: stop Notebook execution when error occurs in a cell. - Noyau SQL : arrêtez l'exécution du notebook quand l'erreur se produit dans une cellule. - - - (Preview) show all kernels for the current notebook provider. - (Préversion) Affichez tous les noyaux du fournisseur de notebook actuel. - - - Allow notebooks to run Azure Data Studio commands. - Autorisez les notebooks à exécuter des commandes Azure Data Studio. - - - Enable double click to edit for text cells in notebooks - Activer le double-clic pour modifier les cellules de texte dans les notebooks - - - Set Rich Text View mode by default for text cells - Définir le mode Vue de texte enrichi par défaut pour les cellules de texte - - - (Preview) Save connection name in notebook metadata. - (Préversion) Enregistrez le nom de connexion dans les métadonnées du notebook. - - - Controls the line height used in the notebook markdown preview. This number is relative to the font size. - Contrôle la hauteur de ligne utilisée dans l'aperçu Markdown du notebook. Ce nombre est relatif à la taille de police. - - - View - Voir - - - Search Notebooks - Rechercher dans les notebooks - - - Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). - Configurez des modèles glob pour exclure des fichiers et des dossiers dans les recherches en texte intégral et le mode Quick Open. Hérite tous les modèles glob du paramètre '#files.exclude#'. Découvrez plus d'informations sur les modèles glob [ici](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). - - - The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. - Modèle Glob auquel les chemins de fichiers doivent correspondre. Affectez la valeur true ou false pour activer ou désactiver le modèle. - - - Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. - Vérification supplémentaire des frères d'un fichier correspondant. Utilisez $(basename) comme variable pour le nom de fichier correspondant. - - - This setting is deprecated and now falls back on "search.usePCRE2". - Ce paramètre est déprécié et remplacé par "search.usePCRE2". - - - Deprecated. Consider "search.usePCRE2" for advanced regex feature support. - Déprécié. Utilisez "search.usePCRE2" pour prendre en charge la fonctionnalité regex avancée. - - - When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. - Si activé, le processus searchService est maintenu actif au lieu d'être arrêté au bout d'une heure d'inactivité. Ce paramètre conserve le cache de recherche de fichier en mémoire. - - - Controls whether to use `.gitignore` and `.ignore` files when searching for files. - Contrôle s'il faut utiliser les fichiers `.gitignore` et `.ignore` par défaut pendant la recherche de fichiers. - - - Controls whether to use global `.gitignore` and `.ignore` files when searching for files. - Détermine s'il faut utiliser les fichiers généraux '.gitignore' et '.ignore' pendant la recherche de fichiers. - - - Whether to include results from a global symbol search in the file results for Quick Open. - Indique s’il faut inclure les résultats d’une recherche de symbole global dans les résultats de fichier pour Quick Open. - - - Whether to include results from recently opened files in the file results for Quick Open. - Indique si vous souhaitez inclure les résultats de fichiers récemment ouverts dans les résultats de fichiers pour Quick Open. - - - History entries are sorted by relevance based on the filter value used. More relevant entries appear first. - Les entrées d'historique sont triées par pertinence en fonction de la valeur de filtre utilisée. Les entrées les plus pertinentes apparaissent en premier. - - - History entries are sorted by recency. More recently opened entries appear first. - Les entrées d'historique sont triées par date. Les dernières entrées ouvertes sont affichées en premier. - - - Controls sorting order of editor history in quick open when filtering. - Contrôle l'ordre de tri de l'historique de l'éditeur en mode Quick Open pendant le filtrage. - - - Controls whether to follow symlinks while searching. - Contrôle s'il faut suivre les symlinks pendant la recherche. - - - Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. - Faire une recherche non sensible à la casse si le modèle est tout en minuscules, dans le cas contraire, faire une rechercher sensible à la casse. - - - Controls whether the search view should read or modify the shared find clipboard on macOS. - Contrôle si la vue de recherche doit lire ou modifier le presse-papiers partagé sur macOS. - - - Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. - Contrôle si la recherche s’affiche comme une vue dans la barre latérale ou comme un panneau dans la zone de panneaux pour plus d'espace horizontal. - - - This setting is deprecated. Please use the search view's context menu instead. - Ce paramètre est déprécié. Utilisez le menu contextuel de la vue de recherche à la place. - - - Files with less than 10 results are expanded. Others are collapsed. - Les fichiers avec moins de 10 résultats sont développés. Les autres sont réduits. - - - Controls whether the search results will be collapsed or expanded. - Contrôle si les résultats de recherche seront réduits ou développés. - - - Controls whether to open Replace Preview when selecting or replacing a match. - Détermine s'il faut ouvrir l'aperçu du remplacement quand vous sélectionnez ou remplacez une correspondance. - - - Controls whether to show line numbers for search results. - Détermine s'il faut afficher les numéros de ligne dans les résultats de recherche. - - - Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. - Détermine s'il faut utiliser le moteur regex PCRE2 dans la recherche de texte. Cette option permet d'utiliser des fonctionnalités regex avancées comme lookahead et les références arrière. Toutefois, les fonctionnalités PCRE2 ne sont pas toutes prises en charge, seulement celles qui sont aussi prises en charge par JavaScript. - - - Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. - Déprécié. PCRE2 est utilisé automatiquement lors de l'utilisation de fonctionnalités regex qui ne sont prises en charge que par PCRE2. - - - Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. - Positionnez la barre d'action à droite quand la vue de recherche est étroite et immédiatement après le contenu quand la vue de recherche est large. - - - Always position the actionbar to the right. - Positionnez toujours la barre d'action à droite. - - - Controls the positioning of the actionbar on rows in the search view. - Contrôle le positionnement de la barre d'action sur des lignes dans la vue de recherche. - - - Search all files as you type. - Recherchez dans tous les fichiers à mesure que vous tapez. - - - Enable seeding search from the word nearest the cursor when the active editor has no selection. - Activez l'essaimage de la recherche à partir du mot le plus proche du curseur quand l'éditeur actif n'a aucune sélection. - - - Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. - Mettez à jour la requête de recherche d'espace de travail en fonction du texte sélectionné de l'éditeur quand vous placez le focus sur la vue de recherche. Cela se produit soit au moment du clic de souris, soit au déclenchement de la commande 'workbench.views.search.focus'. - - - When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. - Quand '#search.searchOnType' est activé, contrôle le délai d'attente avant expiration en millisecondes entre l'entrée d'un caractère et le démarrage de la recherche. N'a aucun effet quand 'search.searchOnType' est désactivé. - - - Double clicking selects the word under the cursor. - Double-cliquez pour sélectionner le mot sous le curseur. - - - Double clicking opens the result in the active editor group. - Double-cliquez sur le résultat pour l'ouvrir dans le groupe d'éditeurs actif. - - - Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. - Double-cliquez pour ouvrir le résultat dans le groupe d'éditeurs ouvert ou dans un nouveau groupe d'éditeurs le cas échéant. - - - Configure effect of double clicking a result in a search editor. - Configurez ce qui se passe après un double clic sur un résultat dans un éditeur de recherche. - - - Results are sorted by folder and file names, in alphabetical order. - Les résultats sont triés par dossier et noms de fichier, dans l'ordre alphabétique. - - - Results are sorted by file names ignoring folder order, in alphabetical order. - Les résultats sont triés par noms de fichier en ignorant l'ordre des dossiers, dans l'ordre alphabétique. - - - Results are sorted by file extensions, in alphabetical order. - Les résultats sont triés par extensions de fichier dans l'ordre alphabétique. - - - Results are sorted by file last modified date, in descending order. - Les résultats sont triés par date de dernière modification de fichier, dans l'ordre décroissant. - - - Results are sorted by count per file, in descending order. - Les résultats sont triés par nombre dans chaque fichier, dans l'ordre décroissant. - - - Results are sorted by count per file, in ascending order. - Les résultats sont triés par nombre dans chaque fichier, dans l'ordre croissant. - - - Controls sorting order of search results. - Contrôle l'ordre de tri des résultats de recherche. - - - - - - - New Query - Nouvelle requête - - - Run - Exécuter - - - Cancel - Annuler - - - Explain - Expliquer - - - Actual - Réel - - - Disconnect - Déconnecter - - - Change Connection - Changer la connexion - - - Connect - Connecter - - - Enable SQLCMD - Activer SQLCMD - - - Disable SQLCMD - Désactiver SQLCMD - - - Select Database - Sélectionner une base de données - - - Failed to change database - Le changement de base de données a échoué - - - Failed to change database {0} - Le changement de la base de données {0} a échoué - - - Export as Notebook - Exporter au format Notebook - - - - - - - OK - OK - - - Close - Fermer - - - Action - Action - - - Copy details - Copier les détails - - - - - - - Add server group - Ajouter un groupe de serveurs - - - Edit server group - Modifier le groupe de serveurs - - - - - - - Extension - Extension - - - - - - - Failed to create Object Explorer session - La création d'une session de l'Explorateur d'objets a échoué - - - Multiple errors: - Plusieurs erreurs : - - - - - - - Error adding account - Erreur d'ajout de compte - - - Firewall rule error - Erreur de règle de pare-feu - - - - - - - Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window - Certaines des extensions chargées utilisent des API obsolètes, recherchez les informations détaillées sous l'onglet Console de la fenêtre Outils de développement - - - Don't Show Again - Ne plus afficher - - - - - - - Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. - Identificateur de la vue. Utilisez-le pour inscrire un fournisseur de données au moyen de l'API 'vscode.window.registerTreeDataProviderForView', ainsi que pour déclencher l'activation de votre extension en inscrivant l'événement 'onView:${id}' dans 'activationEvents'. - - - The human-readable name of the view. Will be shown - Nom de la vue, contrôlable de visu. À afficher - - - Condition which must be true to show this view - Condition qui doit être true pour afficher cette vue - - - Contributes views to the editor - Ajoute des vues à l'éditeur - - - Contributes views to Data Explorer container in the Activity bar - Ajoute des vues au conteneur Explorateur de données dans la barre d'activités - - - Contributes views to contributed views container - Ajoute des vues au conteneur de vues ajoutées - - - Cannot register multiple views with same id `{0}` in the view container `{1}` - Impossible d'inscrire plusieurs vues avec le même ID '{0}' dans le conteneur de vues '{1}' - - - A view with id `{0}` is already registered in the view container `{1}` - Une vue avec l'ID '{0}' est déjà inscrite dans le conteneur de vues '{1}' - - - views must be an array - les vues doivent figurer dans un tableau - - - property `{0}` is mandatory and must be of type `string` - la propriété '{0}' est obligatoire et doit être de type 'string' - - - property `{0}` can be omitted or must be of type `string` - La propriété '{0}' peut être omise ou doit être de type 'string' - - - - - - - {0} was replaced with {1} in your user settings. - {0} a été remplacé par {1} dans vos paramètres utilisateur. - - - {0} was replaced with {1} in your workspace settings. - {0} a été remplacé par {1} dans vos paramètres d'espace de travail. - - - - - - - Manage - Gérer - - - Show Details - Afficher les détails - - - Learn More - En savoir plus - - - Clear all saved accounts - Effacer tous les comptes enregistrés - - - - - - - Toggle Tasks - Activer/désactiver des tâches - - - - - - - Connection Status - État de la connexion - - - - - - - User visible name for the tree provider - Nom visible de l'utilisateur pour le fournisseur d'arborescence - - - Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` - ID du fournisseur, doit être le même que celui utilisé pendant l'inscription du fournisseur de données d'arborescence et doit commencer par « connectionDialog/ » - - - - - - - Displays results of a query as a chart on the dashboard - Affiche les résultats d'une requête dans un graphique sur le tableau de bord - - - Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color - Mappe 'nom de colonne' -> couleur. Par exemple, ajouter 'colonne1': rouge pour que la colonne utilise la couleur rouge - - - Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry - Indique la position par défaut et la visibilité de la légende de graphique. Il s'agit des noms des colonnes de votre requête mappés à l'étiquette de chaque entrée du graphique - - - If dataDirection is horizontal, setting this to true uses the first columns value for the legend. - Si la valeur de dataDirection est horizontale, la définition de ce paramètre sur true utilise la valeur des premières colonnes pour la légende. - - - If dataDirection is vertical, setting this to true will use the columns names for the legend. - Si la valeur de dataDirection est verticale, la définition de ce paramètre sur true utilise les noms de colonnes pour la légende. - - - Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. - Définit si les données sont lues dans une colonne (vertical) ou une ligne (horizontal). Pour les séries chronologiques, ce paramètre est ignoré, car la direction doit être verticale. - - - If showTopNData is set, showing only top N data in the chart. - Si showTopNData est défini, seules les N premières données sont affichées dans le graphique. - - - - - - - Widget used in the dashboards - Widget utilisé dans les tableaux de bord - - - - - - - Show Actions - Afficher les actions - - - Resource Viewer - Visionneuse de ressources - - - - - - - Identifier of the resource. - Identificateur de la ressource. - - - The human-readable name of the view. Will be shown - Nom de la vue, contrôlable de visu. À afficher - - - Path to the resource icon. - Chemin de l'icône de ressource. - - - Contributes resource to the resource view - Fournit une ressource dans la vue des ressources - - - property `{0}` is mandatory and must be of type `string` - la propriété '{0}' est obligatoire et doit être de type 'string' - - - property `{0}` can be omitted or must be of type `string` - La propriété '{0}' peut être omise ou doit être de type 'string' - - - - - - - Resource Viewer Tree - Arborescence de la visionneuse de ressources - - - - - - - Widget used in the dashboards - Widget utilisé dans les tableaux de bord - - - Widget used in the dashboards - Widget utilisé dans les tableaux de bord - - - Widget used in the dashboards - Widget utilisé dans les tableaux de bord - - - - - - - Condition which must be true to show this item - Condition qui doit être true pour afficher cet élément - - - Whether to hide the header of the widget, default value is false - Indique s'il faut masquer l'en-tête du widget. La valeur par défaut est false - - - The title of the container - Titre du conteneur - - - The row of the component in the grid - Ligne du composant dans la grille - - - The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. - Rowspan du composant dans la grille. La valeur par défaut est 1. Utilisez '*' pour le définir sur le nombre de lignes dans la grille. - - - The column of the component in the grid - Colonne du composant dans la grille - - - The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. - Colspan du composant dans la grille. La valeur par défaut est 1. Utilisez '*' pour le définir sur le nombre de colonnes dans la grille. - - - Unique identifier for this tab. Will be passed to the extension for any requests. - Identificateur unique pour cet onglet. Est transmis à l'extension pour toutes les demandes. - - - Extension tab is unknown or not installed. - L'onglet d'extension est inconnu ou non installé. - - - - - - - Enable or disable the properties widget - Activer ou désactiver le widget de propriétés - - - Property values to show - Valeurs de propriété à afficher - - - Display name of the property - Nom d'affichage de la propriété - - - Value in the Database Info Object - Valeur de l'objet d'informations de base de données - - - Specify specific values to ignore - Spécifiez des valeurs spécifiques à ignorer - - - Recovery Model - Mode de récupération - - - Last Database Backup - Dernière sauvegarde de base de données - - - Last Log Backup - Dernière sauvegarde de journal - - - Compatibility Level - Niveau de compatibilité - - - Owner - Propriétaire - - - Customizes the database dashboard page - Personnalise la page de tableau de bord de base de données - - - Search - Recherche - - - Customizes the database dashboard tabs - Personnalise les onglets de tableau de bord de base de données - - - - - - - Enable or disable the properties widget - Activer ou désactiver le widget de propriétés - - - Property values to show - Valeurs de propriété à afficher - - - Display name of the property - Nom d'affichage de la propriété - - - Value in the Server Info Object - Valeur de l'objet d'informations de serveur - - - Version - Version - - - Edition - Édition - - - Computer Name - Nom de l'ordinateur - - - OS Version - Version de système d'exploitation - - - Search - Recherche - - - Customizes the server dashboard page - Personnalise la page de tableau de bord de serveur - - - Customizes the Server dashboard tabs - Personnalise les onglets de tableau de bord de serveur - - - - - - - Manage - Gérer - - - - - - - property `icon` can be omitted or must be either a string or a literal like `{dark, light}` - la propriété 'icon' peut être omise, ou doit être une chaîne ou un littéral de type '{dark, light}' - - - - - - - Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more - Ajoute un widget qui peut interroger un serveur ou une base de données, et afficher les résultats de plusieurs façons (par exemple, dans un graphique, sous forme de nombre total, etc.) - - - Unique Identifier used for caching the results of the insight. - Identificateur unique utilisé pour mettre en cache les résultats de l'insight. - - - SQL query to run. This should return exactly 1 resultset. - Requête SQL à exécuter. Doit retourner exactement 1 jeu de résultat. - - - [Optional] path to a file that contains a query. Use if 'query' is not set - [Facultatif] Chemin d'un fichier contenant une requête. Utilisez-le si 'query' n'est pas défini. - - - [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh - [Facultatif] Intervalle d'actualisation automatique en minutes, si la valeur n'est pas définie, il n'y a pas d'actualisation automatique - - - Which actions to use - Actions à utiliser - - - Target database for the action; can use the format '${ columnName }' to use a data driven column name. - Base de données cible de l'action. Peut être au format '${ columnName }' pour utiliser un nom de colonne piloté par les données. - - - Target server for the action; can use the format '${ columnName }' to use a data driven column name. - Serveur cible de l'action. Peut être au format '${ columnName }' pour utiliser un nom de colonne piloté par les données. - - - Target user for the action; can use the format '${ columnName }' to use a data driven column name. - Utilisateur cible de l'action. Peut être au format '${ columnName } pour utiliser un nom de colonne piloté par les données. - - - Identifier of the insight - Identificateur de l'insight - - - Contributes insights to the dashboard palette. - Ajoute des insights à la palette de tableau de bord. - - - - - - - Backup - Sauvegarder - - - You must enable preview features in order to use backup - Vous devez activer les fonctionnalités en préversion pour utiliser la sauvegarde - - - Backup command is not supported for Azure SQL databases. - La commande de sauvegarde n'est pas prise en charge pour les bases de données Azure SQL. - - - Backup command is not supported in Server Context. Please select a Database and try again. - La commande de sauvegarde n'est pas prise en charge dans un contexte de serveur. Sélectionnez une base de données et réessayez. - - - - - - - Restore - Restaurer - - - You must enable preview features in order to use restore - Vous devez activer les fonctionnalités en préversion pour utiliser la restauration - - - Restore command is not supported for Azure SQL databases. - La commande de restauration n'est pas prise en charge pour les bases de données Azure SQL. - - - - - - - Show Recommendations - Afficher les recommandations - - - Install Extensions - Installer les extensions - - - Author an Extension... - Créer une extension... - - - - - - - Edit Data Session Failed To Connect - La connexion à la session de modification des données a échoué - - - - - - - OK - OK - - - Cancel - Annuler - - - - - - - Open dashboard extensions - Ouvrir les extensions de tableau de bord - - - OK - OK - - - Cancel - Annuler - - - No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. - Aucune extension de tableau de bord n'est actuellement installée. Accédez au gestionnaire d'extensions pour explorer les extensions recommandées. - - - - - - - Selected path - Chemin sélectionné - - - Files of type - Fichiers de type - - - OK - OK - - - Discard - Ignorer - - - - - - - No Connection Profile was passed to insights flyout - Aucun profil de connexion n'a été passé au menu volant des insights - - - Insights error - Erreur d'insights - - - There was an error reading the query file: - Une erreur s'est produite à la lecture du fichier de requête : - - - There was an error parsing the insight config; could not find query array/string or queryfile - Une erreur s'est produite à l'analyse de la configuration d'insight. Tableau/chaîne de requête ou fichier de requête introuvable - - - - - - - Azure account - Compte Azure - - - Azure tenant - Locataire Azure - - - - - - - Show Connections - Afficher les connexions - - - Servers - Serveurs - - - Connections - Connexions - - - - - - - No task history to display. - Aucun historique des tâches à afficher. - - - Task history - TaskHistory - Historique des tâches - - - Task error - Erreur de tâche - - - - - - - Clear List - Effacer la liste - - - Recent connections list cleared - Liste des dernières connexions effacée - - - Yes - Oui - - - No - Non - - - Are you sure you want to delete all the connections from the list? - Voulez-vous vraiment supprimer toutes les connexions de la liste ? - - - Yes - Oui - - - No - Non - - - Delete - Supprimer - - - Get Current Connection String - Obtenir la chaîne de connexion actuelle - - - Connection string not available - Chaîne de connexion non disponible - - - No active connection available - Aucune connexion active disponible - - - - - - - Refresh - Actualiser - - - Edit Connection - Modifier la connexion - - - Disconnect - Déconnecter - - - New Connection - Nouvelle connexion - - - New Server Group - Nouveau groupe de serveurs - - - Edit Server Group - Modifier le groupe de serveurs - - - Show Active Connections - Afficher les connexions actives - - - Show All Connections - Afficher toutes les connexions - - - Recent Connections - Connexions récentes - - - Delete Connection - Supprimer la connexion - - - Delete Group - Supprimer le groupe - - - - - - - Run - Exécuter - - - Dispose Edit Failed With Error: - La modification de Dispose a échoué avec l'erreur : - - - Stop - Arrêter - - - Show SQL Pane - Afficher le volet SQL - - - Close SQL Pane - Fermer le volet SQL - - - - - - - Profiler - Profiler - - - Not connected - Non connecté - - - XEvent Profiler Session stopped unexpectedly on the server {0}. - La session XEvent Profiler s'est arrêtée de manière inattendue sur le serveur {0}. - - - Error while starting new session - Erreur au démarrage d'une nouvelle session - - - The XEvent Profiler session for {0} has lost events. - La session XEvent Profiler pour {0} a des événements perdus. - - - - + Loading @@ -2257,746 +12,26 @@ - + - - Server Groups - Groupes de serveurs + + Hide text labels + Masquer les étiquettes de texte - - OK - OK - - - Cancel - Annuler - - - Server group name - Nom de groupe de serveurs - - - Group name is required. - Le nom du groupe est obligatoire. - - - Group description - Description de groupe - - - Group color - Couleur de groupe + + Show text labels + Afficher les étiquettes de texte - + - - Error adding account - Erreur d'ajout de compte - - - - - - - Item - Élément - - - Value - Valeur - - - Insight Details - Détails de l'insight - - - Property - Propriété - - - Value - Valeur - - - Insights - Insights - - - Items - Éléments - - - Item Details - Détails d'élément - - - - - - - Cannot start auto OAuth. An auto OAuth is already in progress. - Impossible de démarrer une authentification OAuth automatique. Il y en a déjà une en cours. - - - - - - - Sort by event - Trier par événement - - - Sort by column - Trier par colonne - - - Profiler - Profiler - - - OK - OK - - - Cancel - Annuler - - - - - - - Clear all - Tout effacer - - - Apply - Appliquer - - - OK - OK - - - Cancel - Annuler - - - Filters - Filtres - - - Remove this clause - Supprimer cette clause - - - Save Filter - Enregistrer le filtre - - - Load Filter - Charger le filtre - - - Add a clause - Ajouter une clause - - - Field - Champ - - - Operator - Opérateur - - - Value - Valeur - - - Is Null - Est Null - - - Is Not Null - N'est pas Null - - - Contains - Contient - - - Not Contains - Ne contient pas - - - Starts With - Commence par - - - Not Starts With - Ne commence pas par - - - - - - - Save As CSV - Enregistrer au format CSV - - - Save As JSON - Enregistrer au format JSON - - - Save As Excel - Enregistrer au format Excel - - - Save As XML - Enregistrer au format XML - - - Copy - Copier - - - Copy With Headers - Copier avec les en-têtes - - - Select All - Tout sélectionner - - - - - - - Defines a property to show on the dashboard - Définit une propriété à afficher sur le tableau de bord - - - What value to use as a label for the property - Valeur à utiliser comme étiquette de la propriété - - - What value in the object to access for the value - Valeur à atteindre dans l'objet - - - Specify values to be ignored - Spécifier les valeurs à ignorer - - - Default value to show if ignored or no value - Valeur par défaut à afficher en cas d'omission ou d'absence de valeur - - - A flavor for defining dashboard properties - Saveur pour définir les propriétés de tableau de bord - - - Id of the flavor - ID de la saveur - - - Condition to use this flavor - Condition pour utiliser cette saveur - - - Field to compare to - Champ à comparer - - - Which operator to use for comparison - Opérateur à utiliser pour la comparaison - - - Value to compare the field to - Valeur avec laquelle comparer le champ - - - Properties to show for database page - Propriétés à afficher pour la page de base de données - - - Properties to show for server page - Propriétés à afficher pour la page de serveur - - - Defines that this provider supports the dashboard - Définit que ce fournisseur prend en charge le tableau de bord - - - Provider id (ex. MSSQL) - ID de fournisseur (par ex., MSSQL) - - - Property values to show on dashboard - Valeurs de propriété à afficher sur le tableau de bord - - - - - - - Invalid value - Valeur non valide - - - {0}. {1} - {0}. {1} - - - - - - - Loading - Chargement - - - Loading completed - Chargement effectué - - - - - - - blank - vide - - - check all checkboxes in column: {0} - cocher toutes les cases dans la colonne : {0} - - - - - - - No tree view with id '{0}' registered. - Aucune arborescence avec l'ID "{0}" n'est inscrite. - - - - - - - Initialize edit data session failed: - L'initialisation de la session de modification des données a échoué : - - - - - - - Identifier of the notebook provider. - Identificateur du fournisseur de notebooks. - - - What file extensions should be registered to this notebook provider - Extensions de fichier à inscrire dans ce fournisseur de notebooks - - - What kernels should be standard with this notebook provider - Noyaux devant être standard avec ce fournisseur de notebooks - - - Contributes notebook providers. - Ajoute des fournisseurs de notebooks. - - - Name of the cell magic, such as '%%sql'. - Nom de la cellule magique, par exemple, '%%sql'. - - - The cell language to be used if this cell magic is included in the cell - Langage de cellule à utiliser si cette commande magique est incluse dans la cellule - - - Optional execution target this magic indicates, for example Spark vs SQL - Cible d'exécution facultative que cette commande magique indique, par exemple, Spark vs. SQL - - - Optional set of kernels this is valid for, e.g. python3, pyspark, sql - Ensemble facultatif de noyaux, valable, par exemple, pour python3, pyspark, sql - - - Contributes notebook language. - Ajoute un langage de notebook. - - - - - - - F5 shortcut key requires a code cell to be selected. Please select a code cell to run. - La touche de raccourci F5 nécessite la sélection d'une cellule de code. Sélectionnez une cellule de code à exécuter. - - - Clear result requires a code cell to be selected. Please select a code cell to run. - L'effacement du résultat nécessite la sélection d'une cellule de code. Sélectionnez une cellule de code à exécuter. - - - - - - - SQL - SQL - - - - - - - Max Rows: - Nombre maximal de lignes : - - - - - - - Select View - Sélectionner une vue - - - Select Session - Sélectionner une session - - - Select Session: - Sélectionner une session : - - - Select View: - Sélectionner une vue : - - - Text - Texte - - - Label - Étiquette - - - Value - Valeur - - - Details - Détails - - - - - - - Time Elapsed - Temps écoulé - - - Row Count - Nombre de lignes - - - {0} rows - {0} lignes - - - Executing query... - Exécution de la requête... - - - Execution Status - État d'exécution - - - Selection Summary - Récapitulatif de la sélection - - - Average: {0} Count: {1} Sum: {2} - Moyenne : {0}, nombre : {1}, somme : {2} - - - - - - - Choose SQL Language - Choisir un langage SQL - - - Change SQL language provider - Changer le fournisseur de langage SQL - - - SQL Language Flavor - Saveur de langage SQL - - - Change SQL Engine Provider - Changer le fournisseur de moteur SQL - - - A connection using engine {0} exists. To change please disconnect or change connection - Une connexion qui utilise le moteur {0} existe déjà. Pour changer, déconnectez-vous ou changez de connexion - - - No text editor active at this time - Aucun éditeur de texte actif actuellement - - - Select Language Provider - Sélectionner un fournisseur de langage - - - - - - - Error displaying Plotly graph: {0} - Erreur d'affichage du graphe Plotly : {0} - - - - - - - No {0} renderer could be found for output. It has the following MIME types: {1} - Aucun renderer {0} pour la sortie. Elle a les types MIME suivants : {1} - - - (safe) - (sécurisé) - - - - - - - Select Top 1000 - Sélectionnez les 1000 premiers - - - Take 10 - Prendre 10 - - - Script as Execute - Script d'exécution - - - Script as Alter - Script de modification - - - Edit Data - Modifier les données - - - Script as Create - Script de création - - - Script as Drop - Script de suppression - - - - - - - A NotebookProvider with valid providerId must be passed to this method - Un NotebookProvider avec un providerId valide doit être passé à cette méthode - - - - - - - A NotebookProvider with valid providerId must be passed to this method - Un NotebookProvider avec un providerId valide doit être passé à cette méthode - - - no notebook provider found - aucun fournisseur de notebooks - - - No Manager found - Aucun gestionnaire - - - Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it - Le gestionnaire du notebook {0} n'a pas de gestionnaire de serveur. Impossible d'y effectuer des opérations - - - Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it - Le gestionnaire du notebook {0} n'a pas de gestionnaire de contenu. Impossible d'y effectuer des opérations - - - Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it - Le gestionnaire du notebook {0} n'a pas de gestionnaire de session. Impossible d'y exécuter des opérations - - - - - - - Failed to get Azure account token for connection - L'obtention d'un jeton de compte Azure pour la connexion a échoué - - - Connection Not Accepted - Connexion non acceptée - - - Yes - Oui - - - No - Non - - - Are you sure you want to cancel this connection? - Voulez-vous vraiment annuler cette connexion ? - - - - - - - OK - OK - - + Close Fermer - - - - Loading kernels... - Chargement des noyaux... - - - Changing kernel... - Changement du noyau... - - - Attach to - Attacher à - - - Kernel - Noyau - - - Loading contexts... - Chargement des contextes... - - - Change Connection - Changer la connexion - - - Select Connection - Sélectionner une connexion - - - localhost - localhost - - - No Kernel - Pas de noyau - - - Clear Results - Effacer les résultats - - - Trusted - Approuvé - - - Not Trusted - Non approuvé - - - Collapse Cells - Réduire les cellules - - - Expand Cells - Développer les cellules - - - None - Aucun(e) - - - New Notebook - Nouveau notebook - - - Find Next String - Rechercher la chaîne suivante - - - Find Previous String - Rechercher la chaîne précédente - - - - - - - Query Plan - Plan de requête - - - - - - - Refresh - Actualiser - - - - - - - Step {0} - Étape {0} - - - - - - - Must be an option from the list - Doit être une option de la liste - - - Select Box - Zone de sélection - - - @@ -3013,134 +48,260 @@ - + - - Connection - Connexion - - - Connecting - Connexion - - - Connection type - Type de connexion - - - Recent Connections - Dernières connexions - - - Saved Connections - Connexions enregistrées - - - Connection Details - Détails de la connexion - - - Connect - Connecter - - - Cancel - Annuler - - - Recent Connections - Connexions récentes - - - No recent connection - Aucune connexion récente - - - Saved Connections - Connexions enregistrées - - - No saved connection - Aucune connexion enregistrée + + no data available + aucune donnée disponible - + - - File browser tree - FileBrowserTree - Arborescence de l'explorateur de fichiers + + Select/Deselect All + Tout sélectionner/désélectionner - + - - From - De + + Show Filter + Afficher le filtre - - To - À + + Select All + Tout sélectionner - - Create new firewall rule - Créer une règle de pare-feu + + Search + Recherche - + + {0} Results + This tells the user how many items are shown in the list. Currently not visible, but read by screen readers. + {0} Résultats + + + {0} Selected + This tells the user how many items are selected in the list + {0} sélectionné(s) + + + Sort Ascending + Tri croissant + + + Sort Descending + Tri décroissant + + OK OK - + + Clear + Effacer + + Cancel Annuler - - Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. - L'adresse IP de votre client n'a pas accès au serveur. Connectez-vous à un compte Azure et créez une règle de pare-feu pour autoriser l'accès. - - - Learn more about firewall settings - En savoir plus sur les paramètres de pare-feu - - - Firewall rule - Règle de pare-feu - - - Add my client IP - Ajouter l'adresse IP de mon client - - - Add my subnet IP range - Ajouter la plage d'adresses IP de mon sous-réseau + + Filter Options + Options de filtre - + - - All files - Tous les fichiers + + Loading + Chargement - + - - Could not find query file at any of the following paths : - {0} - Fichier de requête introuvable dans les chemins suivants : - {0} + + Loading Error... + Chargement de l'erreur... - + - - You need to refresh the credentials for this account. - Vous devez actualiser les informations d'identification de ce compte. + + Toggle More + Afficher/masquer plus + + + + + + + Azure Data Studio + Azure Data Studio + + + Enable automatic update checks. Azure Data Studio will check for updates automatically and periodically. + Activez la recherche de mises à jour automatique pour que Azure Data Studio recherche les mises à jour automatiquement et régulièrement. + + + Enable to download and install new Azure Data Studio Versions in the background on Windows + Activer pour télécharger et installer les nouvelles versions de Azure Data Studio en arrière-plan sur Windows + + + Show Release Notes after an update. The Release Notes are opened in a new web browser window. + Afficher les notes de publication après une mise à jour. Les notes de publication sont ouvertes dans une nouvelle fenêtre de navigateur web. + + + The dashboard toolbar action menu + Menu action de la barre d’outils tableau de bord + + + The notebook cell title menu + Menu titre de la cellule du bloc-notes + + + The notebook title menu + Menu titre du bloc-notes + + + The notebook toolbar menu + Menu de la barre d’outils du bloc-notes + + + The dataexplorer view container title action menu + Menu d’action du conteneur d’affichage DataExplorer + + + The dataexplorer item context menu + Menu contextuel de l’élément dataexplorer + + + The object explorer item context menu + Menu contextuel de l’élément de l’Explorateur d’objets + + + The connection dialog's browse tree context menu + Menu contextuel de l’arborescence de navigation de la boîte de dialogue de connexion + + + The data grid item context menu + Menu contextuel de l’élément de grille de données + + + Sets the security policy for downloading extensions. + Définit la stratégie de sécurité pour le téléchargement des extensions. + + + Your extension policy does not allow installing extensions. Please change your extension policy and try again. + Votre stratégie d’extension ne permet pas d’installer des extensions. Modifiez votre stratégie d’extension et recommencez. + + + Completed installing {0} extension from VSIX. Please reload Azure Data Studio to enable it. + Installation terminée de l’extension {0} à partir de VSIX. Rechargez Azure Data Studio pour l’activer. + + + Please reload Azure Data Studio to complete the uninstallation of this extension. + Rechargez Azure Data Studio pour désinstaller cette extension. + + + Please reload Azure Data Studio to enable the updated extension. + Rechargez Azure Data Studio pour activer l'extension mise à jour. + + + Please reload Azure Data Studio to enable this extension locally. + Rechargez Azure Data Studio pour activer cette extension localement. + + + Please reload Azure Data Studio to enable this extension. + Rechargez Azure Data Studio pour activer cette extension. + + + Please reload Azure Data Studio to disable this extension. + Rechargez Azure Data Studio pour désactiver cette extension. + + + Please reload Azure Data Studio to complete the uninstallation of the extension {0}. + Rechargez Azure Data Studio pour désinstaller de l’extension {0}. + + + Please reload Azure Data Studio to enable this extension in {0}. + Rechargez Azure Data Studio pour activer cette extension dans {0} + + + Installing extension {0} is completed. Please reload Azure Data Studio to enable it. + L'installation de l'extension {0} a été effectuée. Rechargez Azure Data Studio pour l'activer. + + + Please reload Azure Data Studio to complete reinstalling the extension {0}. + Rechargez Azure Data Studio pour terminer la réinstallation de l'extension {0}. + + + Marketplace + Place de marché + + + The scenario type for extension recommendations must be provided. + Le type de scénario pour les recommandations d'extension doit être fourni. + + + Unable to install extension '{0}' as it is not compatible with Azure Data Studio '{1}'. + Impossible d'installer l'extension '{0}', car elle n'est pas compatible avec Azure Data Studio '{1}'. + + + New Query + Nouvelle requête + + + New &&Query + && denotes a mnemonic + Nouvelle &&requête + + + &&New Notebook + && denotes a mnemonic + &&Nouveau notebook + + + Controls the memory available to Azure Data Studio after restart when trying to open large files. Same effect as specifying `--max-memory=NEWSIZE` on the command line. + Contrôle la mémoire disponible pour Azure Data Studio après le redémarrage en cas de tentative d'ouverture de fichiers volumineux. Même effet que de spécifier '--max-memory=NEWSIZE' sur la ligne de commande. + + + Would you like to change Azure Data Studio's UI language to {0} and restart? + Souhaitez-vous changer la langue de l’interface d’Azure Data Studio en {0} et redémarrer ? + + + In order to use Azure Data Studio in {0}, Azure Data Studio needs to restart. + Pour utiliser Azure Data Studio dans {0}, Azure Data Studio doit redémarrer. + + + New SQL File + Nouveau fichier SQL + + + New Notebook + Nouveau notebook + + + Install Extension from VSIX Package + && denotes a mnemonic + Installer l’extension à partir du package VSIX + + + + + + + Must be an option from the list + Doit être une option de la liste + + + Select Box + Zone de sélection @@ -3184,1263 +345,59 @@ - + - - Show Notebooks - Afficher les notebooks - - - Search Results - Résultats de la recherche - - - Search path not found: {0} - Chemin de recherche introuvable : {0} - - - Notebooks - Notebooks + + Copying images is not supported + La copie d'images n'est pas prise en charge - + - - Focus on Current Query - Se concentrer sur la requête actuelle - - - Run Query - Exécuter la requête - - - Run Current Query - Exécuter la requête actuelle - - - Copy Query With Results - Copier la requête avec les résultats - - - Successfully copied query and results. - La requête et les résultats ont été copiés. - - - Run Current Query with Actual Plan - Exécuter la requête actuelle avec le plan réel - - - Cancel Query - Annuler la requête - - - Refresh IntelliSense Cache - Actualiser le cache IntelliSense - - - Toggle Query Results - Activer/désactiver les résultats de requête - - - Toggle Focus Between Query And Results - Basculer le focus entre la requête et les résultats - - - Editor parameter is required for a shortcut to be executed - Le paramètre de l'éditeur est nécessaire pour exécuter un raccourci - - - Parse Query - Analyser la requête - - - Commands completed successfully - Commandes exécutées - - - Command failed: - La commande a échoué : - - - Please connect to a server - Connectez-vous à un serveur + + A server group with the same name already exists. + Un groupe de serveurs du même nom existe déjà. - + - - succeeded - succès - - - failed - échec - - - in progress - en cours - - - not started - non démarré - - - canceled - annulé - - - canceling - annulation + + Widget used in the dashboards + Widget utilisé dans les tableaux de bord - + - - Chart cannot be displayed with the given data - Le graphique ne peut pas être affiché avec les données spécifiées + + Widget used in the dashboards + Widget utilisé dans les tableaux de bord + + + Widget used in the dashboards + Widget utilisé dans les tableaux de bord + + + Widget used in the dashboards + Widget utilisé dans les tableaux de bord - + - - Error opening link : {0} - Erreur d'ouverture du lien : {0} + + Saving results into different format disabled for this data provider. + L'enregistrement des résultats dans un format différent est désactivé pour ce fournisseur de données. - - Error executing command '{0}' : {1} - Erreur durant l'exécution de la commande « {0} » : {1} + + Cannot serialize data as no provider has been registered + Impossible de sérialiser les données, car aucun fournisseur n'est inscrit - - - - - - Copy failed with error {0} - La copie a échoué avec l'erreur {0} - - - Show chart - Afficher le graphique - - - Show table - Afficher la table - - - - - - - <i>Double-click to edit</i> - <i>Double-cliquer pour modifier</i> - - - <i>Add content here...</i> - <i>Ajouter du contenu ici...</i> - - - - - - - An error occurred refreshing node '{0}': {1} - Erreur pendant l'actualisation du nœud « {0} » : {1} - - - - - - - Done - Terminé - - - Cancel - Annuler - - - Generate script - Générer le script - - - Next - Suivant - - - Previous - Précédent - - - Tabs are not initialized - Les onglets ne sont pas initialisés - - - - - - - is required. - est nécessaire. - - - Invalid input. Numeric value expected. - Entrée non valide. Valeur numérique attendue. - - - - - - - Backup file path - Chemin du fichier de sauvegarde - - - Target database - Base de données cible - - - Restore - Restaurer - - - Restore database - Restaurer la base de données - - - Database - Base de données - - - Backup file - Fichier de sauvegarde - - - Restore database - Restaurer la base de données - - - Cancel - Annuler - - - Script - Script - - - Source - Source - - - Restore from - Restaurer à partir de - - - Backup file path is required. - Le chemin du fichier de sauvegarde est obligatoire. - - - Please enter one or more file paths separated by commas - Entrez un ou plusieurs chemins de fichier séparés par des virgules - - - Database - Base de données - - - Destination - Destination - - - Restore to - Restaurer vers - - - Restore plan - Plan de restauration - - - Backup sets to restore - Jeux de sauvegarde à restaurer - - - Restore database files as - Restaurer les fichiers de base de données en tant que - - - Restore database file details - Restaurer les détails du fichier de base de données - - - Logical file Name - Nom de fichier logique - - - File type - Type de fichier - - - Original File Name - Nom de fichier d'origine - - - Restore as - Restaurer comme - - - Restore options - Options de restauration - - - Tail-Log backup - Sauvegarde de la fin du journal - - - Server connections - Connexions du serveur - - - General - Général - - - Files - Fichiers - - - Options - Options - - - - - - - Copy Cell - Copier la cellule - - - - - - - Done - Terminé - - - Cancel - Annuler - - - - - - - Copy & Open - Copier et ouvrir - - - Cancel - Annuler - - - User code - Code utilisateur - - - Website - Site web - - - - - - - The index {0} is invalid. - L'index {0} n'est pas valide. - - - - - - - Server Description (optional) - Description du serveur (facultatif) - - - - - - - Advanced Properties - Propriétés avancées - - - Discard - Abandonner - - - - - - - nbformat v{0}.{1} not recognized - nbformat v{0}.{1} non reconnu - - - This file does not have a valid notebook format - Ce fichier n'a pas un format de notebook valide - - - Cell type {0} unknown - Type de cellule {0} inconnu - - - Output type {0} not recognized - Type de sortie {0} non reconnu - - - Data for {0} is expected to be a string or an Array of strings - Les données de {0} doivent être une chaîne ou un tableau de chaînes - - - Output type {0} not recognized - Type de sortie {0} non reconnu - - - - - - - Welcome - Bienvenue - - - SQL Admin Pack - Pack d'administration SQL - - - SQL Admin Pack - Pack d'administration SQL - - - Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server - Le pack d'administration de SQL Server est une collection d'extensions d'administration de base de données courantes qui vous permet de gérer SQL Server - - - Powershell - PowerShell - - - Write and execute PowerShell scripts using Azure Data Studio's rich query editor - Écrire et exécuter des scripts PowerShell à l'aide de l'éditeur de requêtes complet d'Azure Data Studio - - - Data Virtualization - Virtualisation des données - - - Virtualize data with SQL Server 2019 and create external tables using interactive wizards - Virtualiser les données avec SQL Server 2019 et créer des tables externes à l'aide d'Assistants interactifs - - - PostgreSQL - PostgreSQL - - - Connect, query, and manage Postgres databases with Azure Data Studio - Connecter, interroger et gérer les bases de données Postgres avec Azure Data Studio - - - Support for {0} is already installed. - Le support pour {0} est déjà installé. - - - The window will reload after installing additional support for {0}. - La fenêtre se recharge après l'installation d'un support supplémentaire pour {0}. - - - Installing additional support for {0}... - Installation d'un support supplémentaire pour {0}... - - - Support for {0} with id {1} could not be found. - Le support pour {0} avec l'ID {1} est introuvable. - - - New connection - Nouvelle connexion - - - New query - Nouvelle requête - - - New notebook - Nouveau notebook - - - Deploy a server - Déployer un serveur - - - Welcome - Bienvenue - - - New - Nouveau - - - Open… - Ouvrir… - - - Open file… - Ouvrir le fichier... - - - Open folder… - Ouvrir le dossier... - - - Start Tour - Démarrer la visite guidée - - - Close quick tour bar - Fermer la barre de présentation rapide - - - Would you like to take a quick tour of Azure Data Studio? - Voulez-vous voir une présentation rapide d'Azure Data Studio ? - - - Welcome! - Bienvenue ! - - - Open folder {0} with path {1} - Ouvrir le dossier {0} avec le chemin {1} - - - Install - Installer - - - Install {0} keymap - Installer le mappage de touches {0} - - - Install additional support for {0} - Installer un support supplémentaire pour {0} - - - Installed - Installé - - - {0} keymap is already installed - Le mappage de touches '{0}' est déjà installé - - - {0} support is already installed - Le support {0} est déjà installé. - - - OK - OK - - - Details - Détails - - - Background color for the Welcome page. - Couleur d'arrière-plan de la page d'accueil. - - - - - - - Profiler editor for event text. Readonly - Editeur Profiler pour le texte d'événement. En lecture seule - - - - - - - Failed to save results. - L'enregistrement des résultats a échoué. - - - Choose Results File - Choisir le fichier de résultats - - - CSV (Comma delimited) - CSV (valeurs séparées par des virgules) - - - JSON - JSON - - - Excel Workbook - Classeur Excel - - - XML - XML - - - Plain Text - Texte brut - - - Saving file... - Enregistrement du fichier... - - - Successfully saved results to {0} - Résultats enregistrés dans {0} - - - Open file - Ouvrir un fichier - - - - - - - Hide text labels - Masquer les étiquettes de texte - - - Show text labels - Afficher les étiquettes de texte - - - - - - - modelview code editor for view model. - éditeur de code vue modèle pour le modèle de vue. - - - - - - - Information - Informations - - - Warning - Avertissement - - - Error - Erreur - - - Show Details - Afficher les détails - - - Copy - Copier - - - Close - Fermer - - - Back - Précédent - - - Hide Details - Masquer les détails - - - - - - - Accounts - Comptes - - - Linked accounts - Comptes liés - - - Close - Fermer - - - There is no linked account. Please add an account. - Aucun compte lié. Ajoutez un compte. - - - Add an account - Ajouter un compte - - - You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud - Aucun cloud n'est activé. Accéder à Paramètres -> Rechercher dans la configuration de compte Azure -> Activer au moins un cloud - - - You didn't select any authentication provider. Please try again. - Vous n'avez sélectionné aucun fournisseur d'authentification. Réessayez. - - - - - - - Execution failed due to an unexpected error: {0} {1} - L'exécution a échoué en raison d'une erreur inattendue : {0} {1} - - - Total execution time: {0} - Durée d'exécution totale : {0} - - - Started executing query at Line {0} - L'exécution de la requête a démarré à la ligne {0} - - - Started executing batch {0} - Démarrage de l'exécution du lot {0} - - - Batch execution time: {0} - Durée d'exécution en lot : {0} - - - Copy failed with error {0} - La copie a échoué avec l'erreur {0} - - - - - - - Azure Data Studio - Azure Data Studio - - - Start - Démarrer - - - New connection - Nouvelle connexion - - - New query - Nouvelle requête - - - New notebook - Nouveau notebook - - - Open file - Ouvrir un fichier - - - Open file - Ouvrir un fichier - - - Deploy - Déployer - - - New Deployment… - Nouveau déploiement... - - - Recent - Récent - - - More... - Plus... - - - No recent folders - Aucun dossier récent - - - Help - Aide - - - Getting started - Démarrer - - - Documentation - Documentation - - - Report issue or feature request - Signaler un problème ou une demande de fonctionnalité - - - GitHub repository - Dépôt GitHub - - - Release notes - Notes de publication - - - Show welcome page on startup - Afficher la page d'accueil au démarrage - - - Customize - Personnaliser - - - Extensions - Extensions - - - Download extensions that you need, including the SQL Server Admin pack and more - Téléchargez les extensions dont vous avez besoin, notamment le pack d'administration SQL Server - - - Keyboard Shortcuts - Raccourcis clavier - - - Find your favorite commands and customize them - Rechercher vos commandes préférées et les personnaliser - - - Color theme - Thème de couleur - - - Make the editor and your code look the way you love - Personnalisez l'apparence de l'éditeur et de votre code - - - Learn - Apprendre - - - Find and run all commands - Rechercher et exécuter toutes les commandes - - - Rapidly access and search commands from the Command Palette ({0}) - La palette de commandes ({0}) permet d'accéder rapidement aux commandes pour en rechercher une - - - Discover what's new in the latest release - Découvrir les nouveautés de la dernière version - - - New monthly blog posts each month showcasing our new features - Nouveaux billets de blog mensuels mettant en avant nos nouvelles fonctionnalités - - - Follow us on Twitter - Suivez-nous sur Twitter - - - Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. - Informez-vous de la façon dont la communauté utilise Azure Data Studio et discutez directement avec les ingénieurs. - - - - - - - Connect - Connecter - - - Disconnect - Déconnecter - - - Start - Démarrer - - - New Session - Nouvelle session - - - Pause - Suspendre - - - Resume - Reprendre - - - Stop - Arrêter - - - Clear Data - Effacer les données - - - Are you sure you want to clear the data? - Voulez-vous vraiment effacer les données ? - - - Yes - Oui - - - No - Non - - - Auto Scroll: On - Défilement automatique : activé - - - Auto Scroll: Off - Défilement automatique : désactivé - - - Toggle Collapsed Panel - Afficher/masquer le panneau réduit - - - Edit Columns - Modifier les colonnes - - - Find Next String - Rechercher la chaîne suivante - - - Find Previous String - Rechercher la chaîne précédente - - - Launch Profiler - Lancer Profiler - - - Filter… - Filtrer... - - - Clear Filter - Effacer le filtre - - - Are you sure you want to clear the filters? - Voulez-vous vraiment effacer les filtres ? - - - - - - - Events (Filtered): {0}/{1} - Événements (filtrés) : {0}/{1} - - - Events: {0} - Événements : {0} - - - Event Count - Nombre d'événements - - - - - - - no data available - aucune donnée disponible - - - - - - - Results - Résultats - - - Messages - Messages - - - - - - - No script was returned when calling select script on object - Aucun script n'a été retourné pendant l'appel du script sélectionné sur l'objet - - - Select - Sélectionner - - - Create - Créer - - - Insert - Insérer - - - Update - Mettre à jour - - - Delete - Supprimer - - - No script was returned when scripting as {0} on object {1} - Aucun script n'a été retourné pendant la création du script {0} sur l'objet {1} - - - Scripting Failed - Échec des scripts - - - No script was returned when scripting as {0} - Aucun script n'a été retourné pendant la création du script {0} - - - - - - - Table header background color - Couleur d'arrière-plan de l'en-tête du tableau - - - Table header foreground color - Couleur de premier plan de l'en-tête du tableau - - - List/Table background color for the selected and focus item when the list/table is active - Couleur d'arrière-plan de la liste/table pour les éléments sélectionnés et qui ont le focus quand la liste/table est active - - - Color of the outline of a cell. - Couleur du contour d'une cellule. - - - Disabled Input box background. - Arrière plan de la zone d'entrée désactivée. - - - Disabled Input box foreground. - Premier plan de la zone d'entrée désactivée. - - - Button outline color when focused. - Couleur de contour du bouton quand il a le focus. - - - Disabled checkbox foreground. - Premier plan de la case à cocher désactivée. - - - SQL Agent Table background color. - Couleur d'arrière-plan de la table SQL Agent. - - - SQL Agent table cell background color. - Couleur d'arrière-plan des cellules de la table SQL Agent. - - - SQL Agent table hover background color. - Couleur d'arrière-plan du pointage de la table SQL Agent. - - - SQL Agent heading background color. - Couleur d'arrière-plan du titre SQL Agent. - - - SQL Agent table cell border color. - Couleur de bordure des cellules de la table SQL Agent. - - - Results messages error color. - Couleurs d'erreur des messages de résultats. - - - - - - - Backup name - Nom de la sauvegarde - - - Recovery model - Mode de récupération - - - Backup type - Type de sauvegarde - - - Backup files - Fichiers de sauvegarde - - - Algorithm - Algorithme - - - Certificate or Asymmetric key - Certificat ou clé asymétrique - - - Media - Support - - - Backup to the existing media set - Sauvegarder sur le support de sauvegarde existant - - - Backup to a new media set - Sauvegarder sur un nouveau support de sauvegarde - - - Append to the existing backup set - Ajouter au jeu de sauvegarde existant - - - Overwrite all existing backup sets - Remplacer tous les jeux de sauvegarde existants - - - New media set name - Nom du nouveau support de sauvegarde - - - New media set description - Description du nouveau support de sauvegarde - - - Perform checksum before writing to media - Effectuer la somme de contrôle avant d'écrire sur le support - - - Verify backup when finished - Vérifier la sauvegarde une fois terminée - - - Continue on error - Continuer en cas d'erreur - - - Expiration - Expiration - - - Set backup retain days - Définir le délai de conservation de sauvegarde en jours - - - Copy-only backup - Sauvegarde de copie uniquement - - - Advanced Configuration - Configuration avancée - - - Compression - Compression - - - Set backup compression - Définir la compression de sauvegarde - - - Encryption - Chiffrement - - - Transaction log - Journal des transactions - - - Truncate the transaction log - Tronquer le journal des transactions - - - Backup the tail of the log - Sauvegarder la fin du journal - - - Reliability - Fiabilité - - - Media name is required - Le nom de support est obligatoire - - - No certificate or asymmetric key is available - Aucun certificat ni clé asymétrique n'est disponible - - - Add a file - Ajouter un fichier - - - Remove files - Supprimer les fichiers - - - Invalid input. Value must be greater than or equal 0. - Entrée non valide. La valeur doit être supérieure ou égale à 0. - - - Script - Script - - - Backup - Sauvegarder - - - Cancel - Annuler - - - Only backup to file is supported - Seule la sauvegarde dans un fichier est prise en charge - - - Backup file path is required - Le chemin du fichier de sauvegarde est obligatoire + + Serialization failed with an unknown error + La sérialisation a échoué avec une erreur inconnue @@ -4632,407 +589,87 @@ - + - - There is no data provider registered that can provide view data. - Aucun fournisseur de données inscrit pouvant fournir des données de vue. + + Table header background color + Couleur d'arrière-plan de l'en-tête du tableau - - Refresh - Actualiser + + Table header foreground color + Couleur de premier plan de l'en-tête du tableau - - Collapse All - Tout réduire + + List/Table background color for the selected and focus item when the list/table is active + Couleur d'arrière-plan de la liste/table pour les éléments sélectionnés et qui ont le focus quand la liste/table est active - - Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. - Erreur pendant l'exécution de la commande {1} : {0}. Probablement due à l'extension qui contribue à {1}. + + Color of the outline of a cell. + Couleur du contour d'une cellule. + + + Disabled Input box background. + Arrière plan de la zone d'entrée désactivée. + + + Disabled Input box foreground. + Premier plan de la zone d'entrée désactivée. + + + Button outline color when focused. + Couleur de contour du bouton quand il a le focus. + + + Disabled checkbox foreground. + Premier plan de la case à cocher désactivée. + + + SQL Agent Table background color. + Couleur d'arrière-plan de la table SQL Agent. + + + SQL Agent table cell background color. + Couleur d'arrière-plan des cellules de la table SQL Agent. + + + SQL Agent table hover background color. + Couleur d'arrière-plan du pointage de la table SQL Agent. + + + SQL Agent heading background color. + Couleur d'arrière-plan du titre SQL Agent. + + + SQL Agent table cell border color. + Couleur de bordure des cellules de la table SQL Agent. + + + Results messages error color. + Couleurs d'erreur des messages de résultats. - + - - Please select active cell and try again - Sélectionnez la cellule active et réessayez + + Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window + Certaines des extensions chargées utilisent des API obsolètes, recherchez les informations détaillées sous l'onglet Console de la fenêtre Outils de développement - - Run cell - Exécuter la cellule - - - Cancel execution - Annuler l'exécution - - - Error on last run. Click to run again - Erreur de la dernière exécution. Cliquer pour réexécuter + + Don't Show Again + Ne plus afficher - + - - Cancel - Annuler + + F5 shortcut key requires a code cell to be selected. Please select a code cell to run. + La touche de raccourci F5 nécessite la sélection d'une cellule de code. Sélectionnez une cellule de code à exécuter. - - The task is failed to cancel. - L'annulation de la tâche a échoué. - - - Script - Script - - - - - - - Toggle More - Afficher/masquer plus - - - - - - - Loading - Chargement - - - - - - - Home - Accueil - - - - - - - The "{0}" section has invalid content. Please contact extension owner. - La section "{0}" a un contenu non valide. Contactez le propriétaire de l'extension. - - - - - - - Jobs - Travaux - - - Notebooks - Notebooks - - - Alerts - Alertes - - - Proxies - Proxys - - - Operators - Opérateurs - - - - - - - Server Properties - Propriétés du serveur - - - - - - - Database Properties - Propriétés de la base de données - - - - - - - Select/Deselect All - Tout sélectionner/désélectionner - - - - - - - Show Filter - Afficher le filtre - - - OK - OK - - - Clear - Effacer - - - Cancel - Annuler - - - - - - - Recent Connections - Connexions récentes - - - Servers - Serveurs - - - Servers - Serveurs - - - - - - - Backup Files - Fichiers de sauvegarde - - - All Files - Tous les fichiers - - - - - - - Search: Type Search Term and press Enter to search or Escape to cancel - Rechercher : tapez le terme de recherche, puis appuyez sur Entrée pour lancer la recherche, ou sur Échap pour l'annuler - - - Search - Recherche - - - - - - - Failed to change database - Le changement de base de données a échoué - - - - - - - Name - Nom - - - Last Occurrence - Dernière occurrence - - - Enabled - Activé - - - Delay Between Responses (in secs) - Délai entre les réponses (en secondes) - - - Category Name - Nom de catégorie - - - - - - - Name - Nom - - - Email Address - Adresse e-mail - - - Enabled - Activé - - - - - - - Account Name - Nom de compte - - - Credential Name - Nom d'identification - - - Description - Description - - - Enabled - Activé - - - - - - - loading objects - chargement des objets - - - loading databases - chargement des bases de données - - - loading objects completed. - les objets ont été chargés. - - - loading databases completed. - les bases de données ont été chargées. - - - Search by name of type (t:, v:, f:, or sp:) - Rechercher par nom de type (t:, v:, f:, ou sp:) - - - Search databases - Rechercher dans les bases de données - - - Unable to load objects - Impossible de charger les objets - - - Unable to load databases - Impossible de charger les bases de données - - - - - - - Loading properties - Chargement des propriétés - - - Loading properties completed - Les propriétés ont été chargées - - - Unable to load dashboard properties - Impossible de charger les propriétés de tableau de bord - - - - - - - Loading {0} - Chargement de {0} - - - Loading {0} completed - {0} a été chargé - - - Auto Refresh: OFF - Actualisation automatique : désactivée - - - Last Updated: {0} {1} - Dernière mise à jour : {0} {1} - - - No results to show - Aucun résultat à afficher - - - - - - - Steps - Étapes - - - - - - - Save As CSV - Enregistrer au format CSV - - - Save As JSON - Enregistrer au format JSON - - - Save As Excel - Enregistrer au format Excel - - - Save As XML - Enregistrer au format XML - - - Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. - L'encodage des résultats n'est pas enregistré quand vous les exportez au format JSON, n'oubliez pas d'enregistrer le fichier que vous créez avec l'encodage souhaité. - - - Save to file is not supported by the backing data source - L'enregistrement dans un fichier n'est pas pris en charge par la source de données de stockage - - - Copy - Copier - - - Copy With Headers - Copier avec les en-têtes - - - Select All - Tout sélectionner - - - Maximize - Maximiser - - - Restore - Restaurer - - - Chart - Graphique - - - Visualizer - Visualiseur + + Clear result requires a code cell to be selected. Please select a code cell to run. + L'effacement du résultat nécessite la sélection d'une cellule de code. Sélectionnez une cellule de code à exécuter. @@ -5052,349 +689,495 @@ - + - - Step ID - ID d'étape + + Done + Terminé - - Step Name - Nom de l'étape + + Cancel + Annuler - - Message - Message + + Generate script + Générer le script + + + Next + Suivant + + + Previous + Précédent + + + Tabs are not initialized + Les onglets ne sont pas initialisés - + - - Find - Rechercher + + No tree view with id '{0}' registered. + Aucune arborescence avec l'ID "{0}" n'est inscrite. - - Find - Rechercher + + + + + + A NotebookProvider with valid providerId must be passed to this method + Un NotebookProvider avec un providerId valide doit être passé à cette méthode - - Previous match - Correspondance précédente + + no notebook provider found + aucun fournisseur de notebooks - - Next match - Correspondance suivante + + No Manager found + Aucun gestionnaire - + + Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it + Le gestionnaire du notebook {0} n'a pas de gestionnaire de serveur. Impossible d'y effectuer des opérations + + + Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it + Le gestionnaire du notebook {0} n'a pas de gestionnaire de contenu. Impossible d'y effectuer des opérations + + + Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it + Le gestionnaire du notebook {0} n'a pas de gestionnaire de session. Impossible d'y exécuter des opérations + + + + + + + A NotebookProvider with valid providerId must be passed to this method + Un NotebookProvider avec un providerId valide doit être passé à cette méthode + + + + + + + Manage + Gérer + + + Show Details + Afficher les détails + + + Learn More + En savoir plus + + + Clear all saved accounts + Effacer tous les comptes enregistrés + + + + + + + Preview Features + Fonctionnalités en préversion + + + Enable unreleased preview features + Activer les fonctionnalités en préversion non publiées + + + Show connect dialog on startup + Afficher la boîte de dialogue de connexion au démarrage + + + Obsolete API Notification + Notification d'API obsolète + + + Enable/disable obsolete API usage notification + Activer/désactiver la notification d'utilisation d'API obsolète + + + + + + + Edit Data Session Failed To Connect + La connexion à la session de modification des données a échoué + + + + + + + Profiler + Profiler + + + Not connected + Non connecté + + + XEvent Profiler Session stopped unexpectedly on the server {0}. + La session XEvent Profiler s'est arrêtée de manière inattendue sur le serveur {0}. + + + Error while starting new session + Erreur au démarrage d'une nouvelle session + + + The XEvent Profiler session for {0} has lost events. + La session XEvent Profiler pour {0} a des événements perdus. + + + + + + + Show Actions + Afficher les actions + + + Resource Viewer + Visionneuse de ressources + + + + + + + Information + Informations + + + Warning + Avertissement + + + Error + Erreur + + + Show Details + Afficher les détails + + + Copy + Copier + + Close Fermer - - Your search returned a large number of results, only the first 999 matches will be highlighted. - Votre recherche a retourné un grand nombre de résultats, seuls les 999 premières correspondances sont mises en surbrillance. + + Back + Précédent - - {0} of {1} - {0} sur {1} - - - No Results - Aucun résultat + + Hide Details + Masquer les détails - + - - Horizontal Bar - Histogramme horizontal + + OK + OK - - Bar - Histogramme - - - Line - Ligne - - - Pie - Camembert - - - Scatter - Nuage de points - - - Time Series - Time Series - - - Image - Image - - - Count - Nombre - - - Table - Table - - - Doughnut - Anneau - - - Failed to get rows for the dataset to chart. - L'obtention des lignes du jeu de données à afficher dans le graphique a échoué. - - - Chart type '{0}' is not supported. - Le type de graphique « {0} » n'est pas pris en charge. + + Cancel + Annuler - + - - Parameters - Paramètres + + is required. + est nécessaire. + + + Invalid input. Numeric value expected. + Entrée non valide. Valeur numérique attendue. - + - - Connected to - Connecté à - - - Disconnected - Déconnecté - - - Unsaved Connections - Connexions non enregistrées + + The index {0} is invalid. + L'index {0} n'est pas valide. - + - - Browse (Preview) - Parcourir (préversion) + + blank + vide - - Type here to filter the list - Tapez ici pour filtrer la liste + + check all checkboxes in column: {0} + cocher toutes les cases dans la colonne : {0} - - Filter connections - Filtrer les connexions - - - Applying filter - Application du filtre - - - Removing filter - Suppression du filtre - - - Filter applied - Filtre appliqué - - - Filter removed - Filtre supprimé - - - Saved Connections - Connexions enregistrées - - - Saved Connections - Connexions enregistrées - - - Connection Browser Tree - Arborescence du navigateur de connexion + + Show Actions + Afficher les actions - + - - This extension is recommended by Azure Data Studio. - Cette extension est recommandée par Azure Data Studio. + + Loading + Chargement + + + Loading completed + Chargement effectué - + - - Don't Show Again - Ne plus afficher + + Invalid value + Valeur non valide - - Azure Data Studio has extension recommendations. - Azure Data Studio a des recommandations d'extension. - - - Azure Data Studio has extension recommendations for data visualization. -Once installed, you can select the Visualizer icon to visualize your query results. - Azure Data Studio a des recommandations d'extension pour la visualisation des données. -Après l'avoir installé, vous pouvez sélectionner l'icône Visualiseur pour visualiser les résultats de votre requête. - - - Install All - Tout installer - - - Show Recommendations - Afficher les recommandations - - - The scenario type for extension recommendations must be provided. - Le type de scénario pour les recommandations d'extension doit être fourni. + + {0}. {1} + {0}. {1} - + - - This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. - Cette page de fonctionnalité est en préversion. Les fonctionnalités en préversion sont des nouvelles fonctionnalités en passe d'être définitivement intégrées dans le produit. Elles sont stables, mais ont besoin d'améliorations d'accessibilité supplémentaires. Nous vous invitons à nous faire part de vos commentaires en avant-première pendant leur développement. + + Loading + Chargement - - Preview - Aperçu - - - Create a connection - Créer une connexion - - - Connect to a database instance through the connection dialog. - Connectez-vous à une instance de base de données en utilisant la boîte de dialogue de connexion. - - - Run a query - Exécuter une requête - - - Interact with data through a query editor. - Interagir avec des données par le biais d'un éditeur de requête. - - - Create a notebook - Créer un notebook - - - Build a new notebook using a native notebook editor. - Générez un nouveau notebook à l'aide d'un éditeur de notebook natif. - - - Deploy a server - Déployer un serveur - - - Create a new instance of a relational data service on the platform of your choice. - Créez une instance de service de données relationnelles sur la plateforme de votre choix. - - - Resources - Ressources - - - History - Historique - - - Name - Nom - - - Location - Localisation - - - Show more - Afficher plus - - - Show welcome page on startup - Afficher la page d'accueil au démarrage - - - Useful Links - Liens utiles - - - Getting Started - Démarrer - - - Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. - Découvrez les fonctionnalités offertes par Azure Data Studio et comment en tirer le meilleur parti. - - - Documentation - Documentation - - - Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. - Visitez le centre de documentation pour obtenir des guides de démarrage rapide, des guides pratiques et des références pour PowerShell, les API, etc. - - - Overview of Azure Data Studio - Vue d'ensemble d'Azure Data Studio - - - Introduction to Azure Data Studio Notebooks | Data Exposed - Présentation des notebooks Azure Data Studio | Données exposées - - - Extensions - Extensions - - - Show All - Tout afficher - - - Learn more - En savoir plus + + Loading completed + Chargement effectué - + - - Date Created: - Date de création : + + modelview code editor for view model. + éditeur de code vue modèle pour le modèle de vue. - - Notebook Error: - Erreur de notebook : + + + + + + Could not find component for type {0} + Composant introuvable pour le type {0} - - Job Error: - Erreur de travail : + + + + + + Changing editor types on unsaved files is unsupported + Le changement des types d'éditeur pour les fichiers non enregistrés n'est pas pris en charge - - Pinned - Épinglé + + + + + + Select Top 1000 + Sélectionnez les 1000 premiers - - Recent Runs - Dernières exécutions + + Take 10 + Prendre 10 - - Past Runs - Exécutions précédentes + + Script as Execute + Script d'exécution + + + Script as Alter + Script de modification + + + Edit Data + Modifier les données + + + Script as Create + Script de création + + + Script as Drop + Script de suppression + + + + + + + No script was returned when calling select script on object + Aucun script n'a été retourné pendant l'appel du script sélectionné sur l'objet + + + Select + Sélectionner + + + Create + Créer + + + Insert + Insérer + + + Update + Mettre à jour + + + Delete + Supprimer + + + No script was returned when scripting as {0} on object {1} + Aucun script n'a été retourné pendant la création du script {0} sur l'objet {1} + + + Scripting Failed + Échec des scripts + + + No script was returned when scripting as {0} + Aucun script n'a été retourné pendant la création du script {0} + + + + + + + disconnected + déconnecté + + + + + + + Extension + Extension + + + + + + + Active tab background color for vertical tabs + Couleur d’arrière-plan de l’onglet actif pour les onglets verticaux + + + Color for borders in dashboard + Couleur des bordures du tableau de bord + + + Color of dashboard widget title + Couleur du titre du widget de tableau de bord + + + Color for dashboard widget subtext + Couleur du sous-texte du widget de tableau de bord + + + Color for property values displayed in the properties container component + Couleur des valeurs de propriété affichées dans le composant conteneur des propriétés + + + Color for property names displayed in the properties container component + Couleur des noms de propriété affichées dans le composant conteneur des propriétés + + + Toolbar overflow shadow color + Couleur d’ombre de dépassement de la barre d’outils + + + + + + + Identifier of the account type + Identificateur du type de compte + + + (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration + (Facultatif) Icône utilisée pour représenter le compte dans l'interface utilisateur. Peut être un chemin de fichier ou une configuration à thèmes + + + Icon path when a light theme is used + Chemin de l'icône quand un thème clair est utilisé + + + Icon path when a dark theme is used + Chemin de l'icône quand un thème foncé est utilisé + + + Contributes icons to account provider. + Ajoute des icônes à un fournisseur de compte. + + + + + + + View applicable rules + Voir les règles applicables + + + View applicable rules for {0} + Voir les règles applicables à {0} + + + Invoke Assessment + Appeler l'évaluation + + + Invoke Assessment for {0} + Appeler l'évaluation pour {0} + + + Export As Script + Exporter sous forme de script + + + View all rules and learn more on GitHub + Voir toutes les règles et en savoir plus sur GitHub + + + Create HTML Report + Créer un rapport HTML + + + Report has been saved. Do you want to open it? + Le rapport a été enregistré. Voulez-vous l'ouvrir ? + + + Open + Ouvrir + + + Cancel + Annuler @@ -5426,390 +1209,6 @@ Après l'avoir installé, vous pouvez sélectionner l'icône Visualiseur pour vi - - - - Chart - Graphique - - - - - - - Operation - Opération - - - Object - Objet - - - Est Cost - Coût estimé - - - Est Subtree Cost - Coût estimé de la sous-arborescence - - - Actual Rows - Lignes réelles - - - Est Rows - Lignes estimées - - - Actual Executions - Exécutions réelles - - - Est CPU Cost - Coût estimé du processeur - - - Est IO Cost - Coût estimé des E/S - - - Parallel - Parallèle - - - Actual Rebinds - Reliaisons réelles - - - Est Rebinds - Reliaisons estimées - - - Actual Rewinds - Rembobinages réels - - - Est Rewinds - Rembobinages estimés - - - Partitioned - Partitionné - - - Top Operations - Principales opérations - - - - - - - No connections found. - Aucune connexion. - - - Add Connection - Ajouter une connexion - - - - - - - Add an account... - Ajouter un compte... - - - <Default> - <Par défaut> - - - Loading... - Chargement... - - - Server group - Groupe de serveurs - - - <Default> - <Par défaut> - - - Add new group... - Ajouter un nouveau groupe... - - - <Do not save> - <Ne pas enregistrer> - - - {0} is required. - {0} est obligatoire. - - - {0} will be trimmed. - {0} est tronqué. - - - Remember password - Se souvenir du mot de passe - - - Account - Compte - - - Refresh account credentials - Actualiser les informations d'identification du compte - - - Azure AD tenant - Locataire Azure AD - - - Name (optional) - Nom (facultatif) - - - Advanced... - Avancé... - - - You must select an account - Vous devez sélectionner un compte - - - - - - - Database - Base de données - - - Files and filegroups - Fichiers et groupes de fichiers - - - Full - Complète - - - Differential - Différentielle - - - Transaction Log - Journal des transactions - - - Disk - Disque - - - Url - URL - - - Use the default server setting - Utiliser le paramètre de serveur par défaut - - - Compress backup - Compresser la sauvegarde - - - Do not compress backup - Ne pas compresser la sauvegarde - - - Server Certificate - Certificat de serveur - - - Asymmetric Key - Clé asymétrique - - - - - - - You have not opened any folder that contains notebooks/books. - Vous n'avez ouvert aucun dossier contenant des notebooks/books. - - - Open Notebooks - Ouvrir les notebooks - - - The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. - Le jeu de résultats contient uniquement un sous-ensemble de toutes les correspondances. Soyez plus précis dans votre recherche de façon à limiter les résultats retournés. - - - Search in progress... - - Recherche en cours... - - - - No results found in '{0}' excluding '{1}' - - Résultats introuvables pour '{0}' excluant '{1}' - - - - No results found in '{0}' - - Résultats introuvables dans '{0}' - - - - No results found excluding '{0}' - - Résultats introuvables avec l'exclusion de '{0}' - - - - No results found. Review your settings for configured exclusions and check your gitignore files - - Aucun résultat. Vérifiez les exclusions configurées dans vos paramètres et examinez vos fichiers gitignore - - - - Search again - Chercher à nouveau - - - Cancel Search - Annuler la recherche - - - Search again in all files - Rechercher à nouveau dans tous les fichiers - - - Open Settings - Ouvrir les paramètres - - - Search returned {0} results in {1} files - La recherche a retourné {0} résultats dans {1} fichiers - - - Toggle Collapse and Expand - Activer/désactiver les options Réduire et Développer - - - Cancel Search - Annuler la recherche - - - Expand All - Tout développer - - - Collapse All - Tout réduire - - - Clear Search Results - Effacer les résultats de la recherche - - - - - - - Connections - Connexions - - - Connect, query, and manage your connections from SQL Server, Azure, and more. - Connectez, interrogez et gérez vos connexions SQL Server, Azure, etc. - - - 1 - 1 - - - Next - Suivant - - - Notebooks - Notebooks - - - Get started creating your own notebook or collection of notebooks in a single place. - Démarrez en créant votre propre notebook ou collection de notebooks au même endroit. - - - 2 - 2 - - - Extensions - Extensions - - - Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). - Étendez les fonctionnalités d'Azure Data Studio en installant des extensions développées par nous/Microsoft ainsi que par la communauté (vous !). - - - 3 - 3 - - - Settings - Paramètres - - - Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. - Personnalisez Azure Data Studio en fonction de vos préférences. Vous pouvez configurer des paramètres comme l'enregistrement automatique et la taille des onglets, personnaliser vos raccourcis clavier et adopter le thème de couleur de votre choix. - - - 4 - 4 - - - Welcome Page - Page d'accueil - - - Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. - Découvrez les fonctionnalités principales, les fichiers récemment ouverts et les extensions recommandées dans la page d'accueil. Pour plus d'informations sur le démarrage avec Azure Data Studio, consultez nos vidéos et notre documentation. - - - 5 - 5 - - - Finish - Terminer - - - User Welcome Tour - Visite de bienvenue de l'utilisateur - - - Hide Welcome Tour - Masquer la visite de bienvenue - - - Read more - En savoir plus - - - Help - Aide - - - - - - - Delete Row - Supprimer la ligne - - - Revert Current Row - Rétablir la ligne actuelle - - - @@ -5894,575 +1293,283 @@ Après l'avoir installé, vous pouvez sélectionner l'icône Visualiseur pour vi - + - - Message Panel - Panneau des messages - - - Copy - Copier - - - Copy All - Tout copier + + Open in Azure Portal + Ouvrir dans le portail Azure - + - - Loading - Chargement + + Backup name + Nom de la sauvegarde - - Loading completed - Chargement effectué + + Recovery model + Mode de récupération + + + Backup type + Type de sauvegarde + + + Backup files + Fichiers de sauvegarde + + + Algorithm + Algorithme + + + Certificate or Asymmetric key + Certificat ou clé asymétrique + + + Media + Support + + + Backup to the existing media set + Sauvegarder sur le support de sauvegarde existant + + + Backup to a new media set + Sauvegarder sur un nouveau support de sauvegarde + + + Append to the existing backup set + Ajouter au jeu de sauvegarde existant + + + Overwrite all existing backup sets + Remplacer tous les jeux de sauvegarde existants + + + New media set name + Nom du nouveau support de sauvegarde + + + New media set description + Description du nouveau support de sauvegarde + + + Perform checksum before writing to media + Effectuer la somme de contrôle avant d'écrire sur le support + + + Verify backup when finished + Vérifier la sauvegarde une fois terminée + + + Continue on error + Continuer en cas d'erreur + + + Expiration + Expiration + + + Set backup retain days + Définir le délai de conservation de sauvegarde en jours + + + Copy-only backup + Sauvegarde de copie uniquement + + + Advanced Configuration + Configuration avancée + + + Compression + Compression + + + Set backup compression + Définir la compression de sauvegarde + + + Encryption + Chiffrement + + + Transaction log + Journal des transactions + + + Truncate the transaction log + Tronquer le journal des transactions + + + Backup the tail of the log + Sauvegarder la fin du journal + + + Reliability + Fiabilité + + + Media name is required + Le nom de support est obligatoire + + + No certificate or asymmetric key is available + Aucun certificat ni clé asymétrique n'est disponible + + + Add a file + Ajouter un fichier + + + Remove files + Supprimer les fichiers + + + Invalid input. Value must be greater than or equal 0. + Entrée non valide. La valeur doit être supérieure ou égale à 0. + + + Script + Script + + + Backup + Sauvegarder + + + Cancel + Annuler + + + Only backup to file is supported + Seule la sauvegarde dans un fichier est prise en charge + + + Backup file path is required + Le chemin du fichier de sauvegarde est obligatoire - + - - Click on - Cliquer sur - - - + Code - + Code - - - or - ou - - - + Text - + Texte - - - to add a code or text cell - pour ajouter une cellule de code ou de texte + + Backup + Sauvegarder - + - - StdIn: - StdIn : + + You must enable preview features in order to use backup + Vous devez activer les fonctionnalités en préversion pour utiliser la sauvegarde + + + Backup command is not supported outside of a database context. Please select a database and try again. + La commande Sauvegarder n'est pas prise en charge en dehors d’un contexte de base de données. Sélectionnez une base de données et réessayez. + + + Backup command is not supported for Azure SQL databases. + La commande de sauvegarde n'est pas prise en charge pour les bases de données Azure SQL. + + + Backup + Sauvegarder - + - - Expand code cell contents - Développer le contenu de la cellule de code + + Database + Base de données - - Collapse code cell contents - Réduire le contenu de la cellule de code + + Files and filegroups + Fichiers et groupes de fichiers + + + Full + Complète + + + Differential + Différentielle + + + Transaction Log + Journal des transactions + + + Disk + Disque + + + Url + URL + + + Use the default server setting + Utiliser le paramètre de serveur par défaut + + + Compress backup + Compresser la sauvegarde + + + Do not compress backup + Ne pas compresser la sauvegarde + + + Server Certificate + Certificat de serveur + + + Asymmetric Key + Clé asymétrique - + - - XML Showplan - Plan d'exécution de requêtes XML + + Create Insight + Créer un insight - - Results grid - Grille de résultats + + Cannot create insight as the active editor is not a SQL Editor + Impossible de créer un insight, car l'éditeur actif n'est pas un éditeur SQL - - - - - - Add cell - Ajouter une cellule + + My-Widget + Mon widget - - Code cell - Cellule de code + + Configure Chart + Configurer le graphique - - Text cell - Cellule de texte + + Copy as image + Copier comme une image - - Move cell down - Déplacer la cellule vers le bas + + Could not find chart to save + Aucun graphique à enregistrer - - Move cell up - Déplacer la cellule vers le haut + + Save as image + Enregistrer comme une image - - Delete - Supprimer + + PNG + PNG - - Add cell - Ajouter une cellule - - - Code cell - Cellule de code - - - Text cell - Cellule de texte - - - - - - - SQL kernel error - Erreur de noyau SQL - - - A connection must be chosen to run notebook cells - Une connexion doit être choisie pour exécuter des cellules de notebook - - - Displaying Top {0} rows. - Affichage des {0} premières lignes. - - - - - - - Name - Nom - - - Last Run - Dernière exécution - - - Next Run - Exécution suivante - - - Enabled - Activé - - - Status - État - - - Category - Catégorie - - - Runnable - Exécutable - - - Schedule - Planification - - - Last Run Outcome - Résultats de la dernière exécution - - - Previous Runs - Exécutions précédentes - - - No Steps available for this job. - Aucune étape disponible pour ce travail. - - - Error: - Erreur : - - - - - - - Could not find component for type {0} - Composant introuvable pour le type {0} - - - - - - - Find - Rechercher - - - Find - Rechercher - - - Previous match - Correspondance précédente - - - Next match - Correspondance suivante - - - Close - Fermer - - - Your search returned a large number of results, only the first 999 matches will be highlighted. - Votre recherche a retourné un grand nombre de résultats, seuls les 999 premières correspondances sont mises en surbrillance. - - - {0} of {1} - {0} sur {1} - - - No Results - Aucun résultat - - - - - - - Name - Nom - - - Schema - Schéma - - - Type - Type - - - - - - - Run Query - Exécuter la requête - - - - - - - No {0}renderer could be found for output. It has the following MIME types: {1} - Aucun renderer {0} pour la sortie. Types MIME : {1} - - - safe - sécurisé - - - No component could be found for selector {0} - Aucun composant pour le sélecteur {0} - - - Error rendering component: {0} - Erreur de rendu du composant : {0} - - - - - - - Loading... - Chargement... - - - - - - - Loading... - Chargement... - - - - - - - Edit - Modifier - - - Exit - Quitter - - - Refresh - Actualiser - - - Show Actions - Afficher les actions - - - Delete Widget - Supprimer le widget - - - Click to unpin - Cliquer pour désépingler - - - Click to pin - Cliquer pour épingler - - - Open installed features - Ouvrir les fonctionnalités installées - - - Collapse Widget - Réduire le widget - - - Expand Widget - Développer le widget - - - - - - - {0} is an unknown container. - {0} est un conteneur inconnu. - - - - - - - Name - Nom - - - Target Database - Base de données cible - - - Last Run - Dernière exécution - - - Next Run - Exécution suivante - - - Status - État - - - Last Run Outcome - Résultats de la dernière exécution - - - Previous Runs - Exécutions précédentes - - - No Steps available for this job. - Aucune étape disponible pour ce travail. - - - Error: - Erreur : - - - Notebook Error: - Erreur de notebook : - - - - - - - Loading Error... - Chargement de l'erreur... - - - - - - - Show Actions - Afficher les actions - - - No matching item found - Aucun élément correspondant n'a été trouvé - - - Filtered search list to 1 item - Liste de recherche filtrée sur 1 élément - - - Filtered search list to {0} items - Liste de recherche filtrée sur {0} éléments - - - - - - - Failed - Échec - - - Succeeded - Réussite - - - Retry - Réessayer - - - Cancelled - Annulé - - - In Progress - En cours - - - Status Unknown - État inconnu - - - Executing - Exécution - - - Waiting for Thread - En attente de thread - - - Between Retries - Entre les tentatives - - - Idle - Inactif - - - Suspended - Suspendu - - - [Obsolete] - [Obsolète] - - - Yes - Oui - - - No - Non - - - Not Scheduled - Non planifié - - - Never Run - Ne jamais exécuter - - - - - - - Bold - Gras - - - Italic - Italique - - - Underline - Souligné - - - Highlight - Recommandation - - - Code - Code - - - Link - Lien - - - List - Liste - - - Ordered list - Liste triée - - - Image - Image - - - Markdown preview toggle - off - Bouton bascule d'aperçu Markdown - désactivé - - - Heading - Titre - - - Heading 1 - Titre 1 - - - Heading 2 - Titre 2 - - - Heading 3 - Titre 3 - - - Paragraph - Paragraphe - - - Insert link - Insérer un lien - - - Insert image - Insérer une image - - - Rich Text View - Vue de texte enrichi - - - Split View - Mode fractionné - - - Markdown View - Vue Markdown + + Saved Chart to path: {0} + Graphique enregistré dans le chemin : {0} @@ -6550,19 +1657,411 @@ Après l'avoir installé, vous pouvez sélectionner l'icône Visualiseur pour vi - + - + + Chart + Graphique + + + + + + + Horizontal Bar + Histogramme horizontal + + + Bar + Histogramme + + + Line + Ligne + + + Pie + Camembert + + + Scatter + Nuage de points + + + Time Series + Time Series + + + Image + Image + + + Count + Nombre + + + Table + Table + + + Doughnut + Anneau + + + Failed to get rows for the dataset to chart. + L'obtention des lignes du jeu de données à afficher dans le graphique a échoué. + + + Chart type '{0}' is not supported. + Le type de graphique « {0} » n'est pas pris en charge. + + + + + + + Built-in Charts + Graphiques intégrés + + + The maximum number of rows for charts to display. Warning: increasing this may impact performance. + Le nombre maximal de lignes à afficher pour les graphiques. Attention : augmenter ce nombre peut avoir un impact sur les performances. + + + + + + Close Fermer - + - - A server group with the same name already exists. - Un groupe de serveurs du même nom existe déjà. + + Series {0} + Série {0} + + + + + + + Table does not contain a valid image + La table n'a pas d'image valide + + + + + + + Maximum row count for built-in charts has been exceeded, only the first {0} rows are used. To configure the value, you can open user settings and search for: 'builtinCharts.maxRowCount'. + Le nombre maximal de lignes pour les graphiques intégrés a été dépassé, seules les premières {0} lignes sont utilisées. Pour configurer la valeur, vous pouvez ouvrir les paramètres utilisateur et rechercher : « builtinCharts.maxRowCount ». + + + Don't Show Again + Ne plus afficher + + + + + + + Connecting: {0} + Connexion : {0} + + + Running command: {0} + Exécution de la commande : {0} + + + Opening new query: {0} + Ouverture d'une nouvelle requête : {0} + + + Cannot connect as no server information was provided + Connexion impossible, car aucune information du serveur n'a été fournie + + + Could not open URL due to error {0} + Impossible d'ouvrir l'URL en raison de l'erreur {0} + + + This will connect to server {0} + Cette opération établit une connexion au serveur {0} + + + Are you sure you want to connect? + Voulez-vous vraiment vous connecter ? + + + &&Open + &&Ouvrir + + + Connecting query file + Connexion du fichier de requête + + + + + + + {0} was replaced with {1} in your user settings. + {0} a été remplacé par {1} dans vos paramètres utilisateur. + + + {0} was replaced with {1} in your workspace settings. + {0} a été remplacé par {1} dans vos paramètres d'espace de travail. + + + + + + + The maximum number of recently used connections to store in the connection list. + Nombre maximal de connexions récemment utilisées à stocker dans la liste de connexions. + + + Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. + Moteur SQL par défaut à utiliser. Définit le fournisseur de langage par défaut dans les fichiers .sql et la valeur par défaut quand vous créez une connexion. + + + Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. + Essayez d'analyser le contenu du presse-papiers quand la boîte de dialogue de connexion est ouverte ou qu'une opération de collage est effectuée. + + + + + + + Connection Status + État de la connexion + + + + + + + Common id for the provider + ID courant du fournisseur + + + Display Name for the provider + Nom d'affichage du fournisseur + + + Notebook Kernel Alias for the provider + Alias du noyau de notebook pour le fournisseur + + + Icon path for the server type + Chemin de l'icône du type de serveur + + + Options for connection + Options de connexion + + + + + + + User visible name for the tree provider + Nom visible de l'utilisateur pour le fournisseur d'arborescence + + + Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` + ID du fournisseur, doit être le même que celui utilisé pendant l'inscription du fournisseur de données d'arborescence et doit commencer par « connectionDialog/ » + + + + + + + Unique identifier for this container. + Identificateur unique de ce conteneur. + + + The container that will be displayed in the tab. + Conteneur à afficher sous l'onglet. + + + Contributes a single or multiple dashboard containers for users to add to their dashboard. + Fournit un ou plusieurs conteneurs de tableau de bord que les utilisateurs peuvent ajouter à leur tableau de bord. + + + No id in dashboard container specified for extension. + Aucun ID de conteneur de tableau de bord spécifié pour l'extension. + + + No container in dashboard container specified for extension. + Aucun conteneur dans le conteneur de tableau de bord spécifié pour l'extension. + + + Exactly 1 dashboard container must be defined per space. + 1 seul conteneur de tableau de bord doit être défini par espace. + + + Unknown container type defines in dashboard container for extension. + Type de conteneur inconnu défini dans le conteneur de tableau de bord pour l'extension. + + + + + + + The controlhost that will be displayed in this tab. + Controlhost à afficher sous cet onglet. + + + + + + + The "{0}" section has invalid content. Please contact extension owner. + La section "{0}" a un contenu non valide. Contactez le propriétaire de l'extension. + + + + + + + The list of widgets or webviews that will be displayed in this tab. + Liste des widgets ou des vues web à afficher sous cet onglet. + + + widgets or webviews are expected inside widgets-container for extension. + les widgets ou les vues web sont attendus dans un conteneur de widgets pour l'extension. + + + + + + + The model-backed view that will be displayed in this tab. + Vue de modèles à afficher sous cet onglet. + + + + + + + Unique identifier for this nav section. Will be passed to the extension for any requests. + Identificateur unique pour cette section de navigation. Est transmis à l'extension pour toutes les demandes. + + + (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration + (Facultatif) Icône utilisée pour représenter cette section de navigation dans l'interface utilisateur (chemin de fichier ou configuration à thèmes) + + + Icon path when a light theme is used + Chemin de l'icône quand un thème clair est utilisé + + + Icon path when a dark theme is used + Chemin de l'icône quand un thème foncé est utilisé + + + Title of the nav section to show the user. + Titre de la section de navigation à montrer à l'utilisateur. + + + The container that will be displayed in this nav section. + Conteneur à afficher dans cette section de navigation. + + + The list of dashboard containers that will be displayed in this navigation section. + Liste des conteneurs de tableau de bord à afficher dans cette section de navigation. + + + No title in nav section specified for extension. + Aucun titre dans la section de navigation n'a été spécifié pour l'extension. + + + No container in nav section specified for extension. + Aucun conteneur dans la section de navigation n'a été spécifié pour l'extension. + + + Exactly 1 dashboard container must be defined per space. + 1 seul conteneur de tableau de bord doit être défini par espace. + + + NAV_SECTION within NAV_SECTION is an invalid container for extension. + NAV_SECTION dans NAV_SECTION est un conteneur non valide pour l'extension. + + + + + + + The webview that will be displayed in this tab. + Vue web à afficher sous cet onglet. + + + + + + + The list of widgets that will be displayed in this tab. + Liste des widgets à afficher sous cet onglet. + + + The list of widgets is expected inside widgets-container for extension. + La liste des widgets est attendue à l'intérieur du conteneur de widgets pour l'extension. + + + + + + + Edit + Modifier + + + Exit + Quitter + + + Refresh + Actualiser + + + Show Actions + Afficher les actions + + + Delete Widget + Supprimer le widget + + + Click to unpin + Cliquer pour désépingler + + + Click to pin + Cliquer pour épingler + + + Open installed features + Ouvrir les fonctionnalités installées + + + Collapse Widget + Réduire le widget + + + Expand Widget + Développer le widget + + + + + + + {0} is an unknown container. + {0} est un conteneur inconnu. @@ -6582,111 +2081,1025 @@ Après l'avoir installé, vous pouvez sélectionner l'icône Visualiseur pour vi - + - - Create Insight - Créer un insight + + Unique identifier for this tab. Will be passed to the extension for any requests. + Identificateur unique pour cet onglet. Est transmis à l'extension pour toutes les demandes. - - Cannot create insight as the active editor is not a SQL Editor - Impossible de créer un insight, car l'éditeur actif n'est pas un éditeur SQL + + Title of the tab to show the user. + Titre de l'onglet à montrer à l'utilisateur. - - My-Widget - Mon widget + + Description of this tab that will be shown to the user. + Description de cet onglet à montrer à l'utilisateur. - - Configure Chart - Configurer le graphique + + Condition which must be true to show this item + Condition qui doit être true pour afficher cet élément - - Copy as image - Copier comme une image + + Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set + Définit les types de connexion avec lesquels cet onglet est compatible. La valeur par défaut est 'MSSQL' si aucune valeur n'est définie - - Could not find chart to save - Aucun graphique à enregistrer + + The container that will be displayed in this tab. + Conteneur à afficher sous cet onglet. - - Save as image - Enregistrer comme une image + + Whether or not this tab should always be shown or only when the user adds it. + Indique si cet onglet doit toujours apparaître ou uniquement quand l'utilisateur l'ajoute. - - PNG - PNG + + Whether or not this tab should be used as the Home tab for a connection type. + Indique si cet onglet doit être utilisé comme onglet d'accueil pour un type de connexion. - - Saved Chart to path: {0} - Graphique enregistré dans le chemin : {0} + + The unique identifier of the group this tab belongs to, value for home group: home. + Identificateur unique du groupe auquel appartient cet onglet, valeur du groupe d'accueil : accueil. + + + (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration + (Facultatif) Icône utilisée pour représenter cet onglet dans l'interface utilisateur (chemin de fichier ou configuration à thèmes) + + + Icon path when a light theme is used + Chemin de l'icône quand un thème clair est utilisé + + + Icon path when a dark theme is used + Chemin de l'icône quand un thème foncé est utilisé + + + Contributes a single or multiple tabs for users to add to their dashboard. + Fournit un ou plusieurs onglets que les utilisateurs peuvent ajouter à leur tableau de bord. + + + No title specified for extension. + Aucun titre spécifié pour l'extension. + + + No description specified to show. + Aucune description spécifiée à afficher. + + + No container specified for extension. + Aucun conteneur spécifié pour l'extension. + + + Exactly 1 dashboard container must be defined per space + 1 seul conteneur de tableau de bord doit être défini par espace + + + Unique identifier for this tab group. + Identificateur unique de ce groupe d'onglets. + + + Title of the tab group. + Titre du groupe d'onglets. + + + Contributes a single or multiple tab groups for users to add to their dashboard. + Fournit un ou plusieurs groupes d'onglets que les utilisateurs peuvent ajouter à leur tableau de bord. + + + No id specified for tab group. + Aucun ID spécifié pour le groupe d'onglets. + + + No title specified for tab group. + Aucun titre spécifié pour le groupe d'onglets. + + + Administration + Administration + + + Monitoring + Supervision + + + Performance + Performances + + + Security + Sécurité + + + Troubleshooting + Résolution des problèmes + + + Settings + Paramètres + + + databases tab + onglet de bases de données + + + Databases + Bases de données - + - - Add code - Ajouter du code + + Manage + Gérer - - Add text - Ajouter du texte + + Dashboard + Tableau de bord - - Create File - Créer un fichier + + + + + + Manage + Gérer - - Could not display contents: {0} - Impossible d'afficher le contenu : {0} + + + + + + property `icon` can be omitted or must be either a string or a literal like `{dark, light}` + la propriété 'icon' peut être omise, ou doit être une chaîne ou un littéral de type '{dark, light}' - - Add cell - Ajouter une cellule + + + + + + Defines a property to show on the dashboard + Définit une propriété à afficher sur le tableau de bord - - Code cell - Cellule de code + + What value to use as a label for the property + Valeur à utiliser comme étiquette de la propriété - - Text cell - Cellule de texte + + What value in the object to access for the value + Valeur à atteindre dans l'objet - - Run all - Tout exécuter + + Specify values to be ignored + Spécifier les valeurs à ignorer - - Cell - Cellule + + Default value to show if ignored or no value + Valeur par défaut à afficher en cas d'omission ou d'absence de valeur - - Code - Code + + A flavor for defining dashboard properties + Saveur pour définir les propriétés de tableau de bord - - Text - Texte + + Id of the flavor + ID de la saveur - - Run Cells - Exécuter les cellules + + Condition to use this flavor + Condition pour utiliser cette saveur - - < Previous - < Précédent + + Field to compare to + Champ à comparer - - Next > - Suivant > + + Which operator to use for comparison + Opérateur à utiliser pour la comparaison - - cell with URI {0} was not found in this model - la cellule avec l'URI {0} est introuvable dans ce modèle + + Value to compare the field to + Valeur avec laquelle comparer le champ - - Run Cells failed - See error in output of the currently selected cell for more information. - L'exécution des cellules a échoué. Pour plus d'informations, consultez l'erreur dans la sortie de la cellule actuellement sélectionnée. + + Properties to show for database page + Propriétés à afficher pour la page de base de données + + + Properties to show for server page + Propriétés à afficher pour la page de serveur + + + Defines that this provider supports the dashboard + Définit que ce fournisseur prend en charge le tableau de bord + + + Provider id (ex. MSSQL) + ID de fournisseur (par ex., MSSQL) + + + Property values to show on dashboard + Valeurs de propriété à afficher sur le tableau de bord + + + + + + + Condition which must be true to show this item + Condition qui doit être true pour afficher cet élément + + + Whether to hide the header of the widget, default value is false + Indique s'il faut masquer l'en-tête du widget. La valeur par défaut est false + + + The title of the container + Titre du conteneur + + + The row of the component in the grid + Ligne du composant dans la grille + + + The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. + Rowspan du composant dans la grille. La valeur par défaut est 1. Utilisez '*' pour le définir sur le nombre de lignes dans la grille. + + + The column of the component in the grid + Colonne du composant dans la grille + + + The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. + Colspan du composant dans la grille. La valeur par défaut est 1. Utilisez '*' pour le définir sur le nombre de colonnes dans la grille. + + + Unique identifier for this tab. Will be passed to the extension for any requests. + Identificateur unique pour cet onglet. Est transmis à l'extension pour toutes les demandes. + + + Extension tab is unknown or not installed. + L'onglet d'extension est inconnu ou non installé. + + + + + + + Database Properties + Propriétés de la base de données + + + + + + + Enable or disable the properties widget + Activer ou désactiver le widget de propriétés + + + Property values to show + Valeurs de propriété à afficher + + + Display name of the property + Nom d'affichage de la propriété + + + Value in the Database Info Object + Valeur de l'objet d'informations de base de données + + + Specify specific values to ignore + Spécifiez des valeurs spécifiques à ignorer + + + Recovery Model + Mode de récupération + + + Last Database Backup + Dernière sauvegarde de base de données + + + Last Log Backup + Dernière sauvegarde de journal + + + Compatibility Level + Niveau de compatibilité + + + Owner + Propriétaire + + + Customizes the database dashboard page + Personnalise la page de tableau de bord de base de données + + + Search + Recherche + + + Customizes the database dashboard tabs + Personnalise les onglets de tableau de bord de base de données + + + + + + + Server Properties + Propriétés du serveur + + + + + + + Enable or disable the properties widget + Activer ou désactiver le widget de propriétés + + + Property values to show + Valeurs de propriété à afficher + + + Display name of the property + Nom d'affichage de la propriété + + + Value in the Server Info Object + Valeur de l'objet d'informations de serveur + + + Version + Version + + + Edition + Édition + + + Computer Name + Nom de l'ordinateur + + + OS Version + Version de système d'exploitation + + + Search + Recherche + + + Customizes the server dashboard page + Personnalise la page de tableau de bord de serveur + + + Customizes the Server dashboard tabs + Personnalise les onglets de tableau de bord de serveur + + + + + + + Home + Accueil + + + + + + + Failed to change database + Le changement de base de données a échoué + + + + + + + Show Actions + Afficher les actions + + + No matching item found + Aucun élément correspondant n'a été trouvé + + + Filtered search list to 1 item + Liste de recherche filtrée sur 1 élément + + + Filtered search list to {0} items + Liste de recherche filtrée sur {0} éléments + + + + + + + Name + Nom + + + Schema + Schéma + + + Type + Type + + + + + + + loading objects + chargement des objets + + + loading databases + chargement des bases de données + + + loading objects completed. + les objets ont été chargés. + + + loading databases completed. + les bases de données ont été chargées. + + + Search by name of type (t:, v:, f:, or sp:) + Rechercher par nom de type (t:, v:, f:, ou sp:) + + + Search databases + Rechercher dans les bases de données + + + Unable to load objects + Impossible de charger les objets + + + Unable to load databases + Impossible de charger les bases de données + + + + + + + Run Query + Exécuter la requête + + + + + + + Loading {0} + Chargement de {0} + + + Loading {0} completed + {0} a été chargé + + + Auto Refresh: OFF + Actualisation automatique : désactivée + + + Last Updated: {0} {1} + Dernière mise à jour : {0} {1} + + + No results to show + Aucun résultat à afficher + + + + + + + Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more + Ajoute un widget qui peut interroger un serveur ou une base de données, et afficher les résultats de plusieurs façons (par exemple, dans un graphique, sous forme de nombre total, etc.) + + + Unique Identifier used for caching the results of the insight. + Identificateur unique utilisé pour mettre en cache les résultats de l'insight. + + + SQL query to run. This should return exactly 1 resultset. + Requête SQL à exécuter. Doit retourner exactement 1 jeu de résultat. + + + [Optional] path to a file that contains a query. Use if 'query' is not set + [Facultatif] Chemin d'un fichier contenant une requête. Utilisez-le si 'query' n'est pas défini. + + + [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh + [Facultatif] Intervalle d'actualisation automatique en minutes, si la valeur n'est pas définie, il n'y a pas d'actualisation automatique + + + Which actions to use + Actions à utiliser + + + Target database for the action; can use the format '${ columnName }' to use a data driven column name. + Base de données cible de l'action. Peut être au format '${ columnName }' pour utiliser un nom de colonne piloté par les données. + + + Target server for the action; can use the format '${ columnName }' to use a data driven column name. + Serveur cible de l'action. Peut être au format '${ columnName }' pour utiliser un nom de colonne piloté par les données. + + + Target user for the action; can use the format '${ columnName }' to use a data driven column name. + Utilisateur cible de l'action. Peut être au format '${ columnName } pour utiliser un nom de colonne piloté par les données. + + + Identifier of the insight + Identificateur de l'insight + + + Contributes insights to the dashboard palette. + Ajoute des insights à la palette de tableau de bord. + + + + + + + Chart cannot be displayed with the given data + Le graphique ne peut pas être affiché avec les données spécifiées + + + + + + + Displays results of a query as a chart on the dashboard + Affiche les résultats d'une requête dans un graphique sur le tableau de bord + + + Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color + Mappe 'nom de colonne' -> couleur. Par exemple, ajouter 'colonne1': rouge pour que la colonne utilise la couleur rouge + + + Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry + Indique la position par défaut et la visibilité de la légende de graphique. Il s'agit des noms des colonnes de votre requête mappés à l'étiquette de chaque entrée du graphique + + + If dataDirection is horizontal, setting this to true uses the first columns value for the legend. + Si la valeur de dataDirection est horizontale, la définition de ce paramètre sur true utilise la valeur des premières colonnes pour la légende. + + + If dataDirection is vertical, setting this to true will use the columns names for the legend. + Si la valeur de dataDirection est verticale, la définition de ce paramètre sur true utilise les noms de colonnes pour la légende. + + + Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. + Définit si les données sont lues dans une colonne (vertical) ou une ligne (horizontal). Pour les séries chronologiques, ce paramètre est ignoré, car la direction doit être verticale. + + + If showTopNData is set, showing only top N data in the chart. + Si showTopNData est défini, seules les N premières données sont affichées dans le graphique. + + + + + + + Minimum value of the y axis + Valeur minimale de l'axe Y + + + Maximum value of the y axis + Valeur maximale de l'axe Y + + + Label for the y axis + Étiquette de l'axe Y + + + Minimum value of the x axis + Valeur minimale de l'axe X + + + Maximum value of the x axis + Valeur maximale de l'axe X + + + Label for the x axis + Étiquette de l'axe X + + + + + + + Indicates data property of a data set for a chart. + Indique la propriété de données d'un jeu de données pour un graphique. + + + + + + + For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 + Pour chaque colonne d'un jeu de résultats, affiche la valeur de la ligne 0 sous forme de chiffre suivi du nom de la colonne. Prend en charge '1 Healthy', '3 Unhealthy', par exemple, où 'Healthy' est le nom de la colonne et 1 est la valeur de la ligne 1, cellule 1 + + + + + + + Displays an image, for example one returned by an R query using ggplot2 + Affiche une image, par exemple, celle retournée par une requête de type R utilisant ggplot2 + + + What format is expected - is this a JPEG, PNG or other format? + Format attendu : JPEG, PNG ou un autre format ? + + + Is this encoded as hex, base64 or some other format? + Cet objet est-il encodé en hexadécimal, base64 ou un autre format ? + + + + + + + Displays the results in a simple table + Affiche les résultats dans un tableau simple + + + + + + + Loading properties + Chargement des propriétés + + + Loading properties completed + Les propriétés ont été chargées + + + Unable to load dashboard properties + Impossible de charger les propriétés de tableau de bord + + + + + + + Database Connections + Connexions de base de données + + + data source connections + connexions de source de données + + + data source groups + groupes de source de données + + + Saved connections are sorted by the dates they were added. + Les connexions enregistrées sont triées en fonction des dates auxquelles elles ont été ajoutées. + + + Saved connections are sorted by their display names alphabetically. + Les connexions enregistrées sont triées par ordre alphabétique de leurs noms d’affichage. + + + Controls sorting order of saved connections and connection groups. + Contrôle l’ordre de tri des connexions et des groupes de connexions enregistrés. + + + Startup Configuration + Configuration de démarrage + + + True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown + True pour afficher la vue des serveurs au lancement d'Azure Data Studio par défaut, false pour afficher la dernière vue ouverte + + + + + + + Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. + Identificateur de la vue. Utilisez-le pour inscrire un fournisseur de données au moyen de l'API 'vscode.window.registerTreeDataProviderForView', ainsi que pour déclencher l'activation de votre extension en inscrivant l'événement 'onView:${id}' dans 'activationEvents'. + + + The human-readable name of the view. Will be shown + Nom de la vue, contrôlable de visu. À afficher + + + Condition which must be true to show this view + Condition qui doit être true pour afficher cette vue + + + Contributes views to the editor + Ajoute des vues à l'éditeur + + + Contributes views to Data Explorer container in the Activity bar + Ajoute des vues au conteneur Explorateur de données dans la barre d'activités + + + Contributes views to contributed views container + Ajoute des vues au conteneur de vues ajoutées + + + Cannot register multiple views with same id `{0}` in the view container `{1}` + Impossible d'inscrire plusieurs vues avec le même ID '{0}' dans le conteneur de vues '{1}' + + + A view with id `{0}` is already registered in the view container `{1}` + Une vue avec l'ID '{0}' est déjà inscrite dans le conteneur de vues '{1}' + + + views must be an array + les vues doivent figurer dans un tableau + + + property `{0}` is mandatory and must be of type `string` + la propriété '{0}' est obligatoire et doit être de type 'string' + + + property `{0}` can be omitted or must be of type `string` + La propriété '{0}' peut être omise ou doit être de type 'string' + + + + + + + Servers + Serveurs + + + Connections + Connexions + + + Show Connections + Afficher les connexions + + + + + + + Disconnect + Déconnecter + + + Refresh + Actualiser + + + + + + + Show Edit Data SQL pane on startup + Afficher le volet Modifier les données SQL au démarrage + + + + + + + Run + Exécuter + + + Dispose Edit Failed With Error: + La modification de Dispose a échoué avec l'erreur : + + + Stop + Arrêter + + + Show SQL Pane + Afficher le volet SQL + + + Close SQL Pane + Fermer le volet SQL + + + + + + + Max Rows: + Nombre maximal de lignes : + + + + + + + Delete Row + Supprimer la ligne + + + Revert Current Row + Rétablir la ligne actuelle + + + + + + + Save As CSV + Enregistrer au format CSV + + + Save As JSON + Enregistrer au format JSON + + + Save As Excel + Enregistrer au format Excel + + + Save As XML + Enregistrer au format XML + + + Copy + Copier + + + Copy With Headers + Copier avec les en-têtes + + + Select All + Tout sélectionner + + + + + + + Dashboard Tabs ({0}) + Onglets de tableau de bord ({0}) + + + Id + ID + + + Title + Titre + + + Description + Description + + + Dashboard Insights ({0}) + Insights de tableau de bord ({0}) + + + Id + ID + + + Name + Nom + + + When + Quand + + + + + + + Gets extension information from the gallery + Obtient des informations d’extension à partir de la galerie + + + Extension id + ID d'extension + + + Extension '{0}' not found. + Extension '{0}' introuvable. + + + + + + + Show Recommendations + Afficher les recommandations + + + Install Extensions + Installer les extensions + + + Author an Extension... + Créer une extension... + + + + + + + Don't Show Again + Ne plus afficher + + + Azure Data Studio has extension recommendations. + Azure Data Studio a des recommandations d'extension. + + + Azure Data Studio has extension recommendations for data visualization. +Once installed, you can select the Visualizer icon to visualize your query results. + Azure Data Studio a des recommandations d'extension pour la visualisation des données. +Après l'avoir installé, vous pouvez sélectionner l'icône Visualiseur pour visualiser les résultats de votre requête. + + + Install All + Tout installer + + + Show Recommendations + Afficher les recommandations + + + The scenario type for extension recommendations must be provided. + Le type de scénario pour les recommandations d'extension doit être fourni. + + + + + + + This extension is recommended by Azure Data Studio. + Cette extension est recommandée par Azure Data Studio. + + + + + + + Jobs + Travaux + + + Notebooks + Notebooks + + + Alerts + Alertes + + + Proxies + Proxys + + + Operators + Opérateurs + + + + + + + Name + Nom + + + Last Occurrence + Dernière occurrence + + + Enabled + Activé + + + Delay Between Responses (in secs) + Délai entre les réponses (en secondes) + + + Category Name + Nom de catégorie @@ -6906,257 +3319,187 @@ Erreur : {1} - + - - View applicable rules - Voir les règles applicables + + Step ID + ID d'étape - - View applicable rules for {0} - Voir les règles applicables à {0} + + Step Name + Nom de l'étape - - Invoke Assessment - Appeler l'évaluation - - - Invoke Assessment for {0} - Appeler l'évaluation pour {0} - - - Export As Script - Exporter sous forme de script - - - View all rules and learn more on GitHub - Voir toutes les règles et en savoir plus sur GitHub - - - Create HTML Report - Créer un rapport HTML - - - Report has been saved. Do you want to open it? - Le rapport a été enregistré. Voulez-vous l'ouvrir ? - - - Open - Ouvrir - - - Cancel - Annuler + + Message + Message - + - - Data - Données - - - Connection - Connexion - - - Query Editor - Éditeur de requêtes - - - Notebook - Notebook - - - Dashboard - Tableau de bord - - - Profiler - Profiler + + Steps + Étapes - + - - Dashboard Tabs ({0}) - Onglets de tableau de bord ({0}) - - - Id - ID - - - Title - Titre - - - Description - Description - - - Dashboard Insights ({0}) - Insights de tableau de bord ({0}) - - - Id - ID - - + Name Nom - - When - Quand + + Last Run + Dernière exécution + + + Next Run + Exécution suivante + + + Enabled + Activé + + + Status + État + + + Category + Catégorie + + + Runnable + Exécutable + + + Schedule + Planification + + + Last Run Outcome + Résultats de la dernière exécution + + + Previous Runs + Exécutions précédentes + + + No Steps available for this job. + Aucune étape disponible pour ce travail. + + + Error: + Erreur : - + - - Table does not contain a valid image - La table n'a pas d'image valide + + Date Created: + Date de création : + + + Notebook Error: + Erreur de notebook : + + + Job Error: + Erreur de travail : + + + Pinned + Épinglé + + + Recent Runs + Dernières exécutions + + + Past Runs + Exécutions précédentes - + - - More - Plus + + Name + Nom - - Edit - Modifier + + Target Database + Base de données cible - - Close - Fermer + + Last Run + Dernière exécution - - Convert Cell - Convertir la cellule + + Next Run + Exécution suivante - - Run Cells Above - Exécuter les cellules au-dessus + + Status + État - - Run Cells Below - Exécuter les cellules en dessous + + Last Run Outcome + Résultats de la dernière exécution - - Insert Code Above - Insérer du code au-dessus + + Previous Runs + Exécutions précédentes - - Insert Code Below - Insérer du code en dessous + + No Steps available for this job. + Aucune étape disponible pour ce travail. - - Insert Text Above - Insérer le texte au-dessus + + Error: + Erreur : - - Insert Text Below - Insérer le texte en dessous - - - Collapse Cell - Réduire la cellule - - - Expand Cell - Développer la cellule - - - Make parameter cell - Créer une cellule de paramètre - - - Remove parameter cell - Supprimer la cellule de paramètre - - - Clear Result - Effacer le résultat + + Notebook Error: + Erreur de notebook : - + - - An error occurred while starting the notebook session - Une erreur s'est produite au démarrage d'une session de notebook + + Name + Nom - - Server did not start for unknown reason - Le serveur n'a pas démarré pour une raison inconnue + + Email Address + Adresse e-mail - - Kernel {0} was not found. The default kernel will be used instead. - Noyau {0} introuvable. Le noyau par défaut est utilisé à la place. + + Enabled + Activé - + - - Series {0} - Série {0} + + Account Name + Nom de compte - - - - - - Close - Fermer + + Credential Name + Nom d'identification - - - - - - # Injected-Parameters - - # Paramètres injectés - + + Description + Description - - Please select a connection to run cells for this kernel - Sélectionnez une connexion afin d'exécuter les cellules pour ce noyau - - - Failed to delete cell. - La suppression de la cellule a échoué. - - - Failed to change kernel. Kernel {0} will be used. Error was: {1} - Le changement de noyau a échoué. Le noyau {0} est utilisé. Erreur : {1} - - - Failed to change kernel due to error: {0} - Le changement de noyau a échoué en raison de l'erreur : {0} - - - Changing context failed: {0} - Le changement de contexte a échoué : {0} - - - Could not start session: {0} - Impossible de démarrer la session : {0} - - - A client session error occurred when closing the notebook: {0} - Une erreur de session du client s'est produite pendant la fermeture du notebook : {0} - - - Can't find notebook manager for provider {0} - Gestionnaire de notebook introuvable pour le fournisseur {0} + + Enabled + Activé @@ -7228,6 +3571,3317 @@ Erreur : {1} + + + + More + Plus + + + Edit + Modifier + + + Close + Fermer + + + Convert Cell + Convertir la cellule + + + Run Cells Above + Exécuter les cellules au-dessus + + + Run Cells Below + Exécuter les cellules en dessous + + + Insert Code Above + Insérer du code au-dessus + + + Insert Code Below + Insérer du code en dessous + + + Insert Text Above + Insérer le texte au-dessus + + + Insert Text Below + Insérer le texte en dessous + + + Collapse Cell + Réduire la cellule + + + Expand Cell + Développer la cellule + + + Make parameter cell + Créer une cellule de paramètre + + + Remove parameter cell + Supprimer la cellule de paramètre + + + Clear Result + Effacer le résultat + + + + + + + Add cell + Ajouter une cellule + + + Code cell + Cellule de code + + + Text cell + Cellule de texte + + + Move cell down + Déplacer la cellule vers le bas + + + Move cell up + Déplacer la cellule vers le haut + + + Delete + Supprimer + + + Add cell + Ajouter une cellule + + + Code cell + Cellule de code + + + Text cell + Cellule de texte + + + + + + + Parameters + Paramètres + + + + + + + Please select active cell and try again + Sélectionnez la cellule active et réessayez + + + Run cell + Exécuter la cellule + + + Cancel execution + Annuler l'exécution + + + Error on last run. Click to run again + Erreur de la dernière exécution. Cliquer pour réexécuter + + + + + + + Expand code cell contents + Développer le contenu de la cellule de code + + + Collapse code cell contents + Réduire le contenu de la cellule de code + + + + + + + Bold + Gras + + + Italic + Italique + + + Underline + Souligné + + + Highlight + Recommandation + + + Code + Code + + + Link + Lien + + + List + Liste + + + Ordered list + Liste triée + + + Image + Image + + + Markdown preview toggle - off + Bouton bascule d'aperçu Markdown - désactivé + + + Heading + Titre + + + Heading 1 + Titre 1 + + + Heading 2 + Titre 2 + + + Heading 3 + Titre 3 + + + Paragraph + Paragraphe + + + Insert link + Insérer un lien + + + Insert image + Insérer une image + + + Rich Text View + Vue de texte enrichi + + + Split View + Mode fractionné + + + Markdown View + Vue Markdown + + + + + + + No {0}renderer could be found for output. It has the following MIME types: {1} + Aucun renderer {0} pour la sortie. Types MIME : {1} + + + safe + sécurisé + + + No component could be found for selector {0} + Aucun composant pour le sélecteur {0} + + + Error rendering component: {0} + Erreur de rendu du composant : {0} + + + + + + + Click on + Cliquer sur + + + + Code + + Code + + + or + ou + + + + Text + + Texte + + + to add a code or text cell + pour ajouter une cellule de code ou de texte + + + Add a code cell + Ajouter une cellule de code + + + Add a text cell + Ajouter une cellule de texte + + + + + + + StdIn: + StdIn : + + + + + + + <i>Double-click to edit</i> + <i>Double-cliquer pour modifier</i> + + + <i>Add content here...</i> + <i>Ajouter du contenu ici...</i> + + + + + + + Find + Rechercher + + + Find + Rechercher + + + Previous match + Correspondance précédente + + + Next match + Correspondance suivante + + + Close + Fermer + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + Votre recherche a retourné un grand nombre de résultats, seuls les 999 premières correspondances sont mises en surbrillance. + + + {0} of {1} + {0} sur {1} + + + No Results + Aucun résultat + + + + + + + Add code + Ajouter du code + + + Add text + Ajouter du texte + + + Create File + Créer un fichier + + + Could not display contents: {0} + Impossible d'afficher le contenu : {0} + + + Add cell + Ajouter une cellule + + + Code cell + Cellule de code + + + Text cell + Cellule de texte + + + Run all + Tout exécuter + + + Cell + Cellule + + + Code + Code + + + Text + Texte + + + Run Cells + Exécuter les cellules + + + < Previous + < Précédent + + + Next > + Suivant > + + + cell with URI {0} was not found in this model + la cellule avec l'URI {0} est introuvable dans ce modèle + + + Run Cells failed - See error in output of the currently selected cell for more information. + L'exécution des cellules a échoué. Pour plus d'informations, consultez l'erreur dans la sortie de la cellule actuellement sélectionnée. + + + + + + + New Notebook + Nouveau notebook + + + New Notebook + Nouveau notebook + + + Set Workspace And Open + Définir l'espace de travail et l'ouvrir + + + SQL kernel: stop Notebook execution when error occurs in a cell. + Noyau SQL : arrêtez l'exécution du notebook quand l'erreur se produit dans une cellule. + + + (Preview) show all kernels for the current notebook provider. + (Préversion) Affichez tous les noyaux du fournisseur de notebook actuel. + + + Allow notebooks to run Azure Data Studio commands. + Autorisez les notebooks à exécuter des commandes Azure Data Studio. + + + Enable double click to edit for text cells in notebooks + Activer le double-clic pour modifier les cellules de texte dans les notebooks + + + Text is displayed as Rich Text (also known as WYSIWYG). + Le texte est affiché sous forme de texte enrichi (également appelé WYSIWYG). + + + Markdown is displayed on the left, with a preview of the rendered text on the right. + Markdown s’affiche à gauche, avec un aperçu du texte rendu à droite. + + + Text is displayed as Markdown. + Le texte s’affiche sous forme de Markdown. + + + The default editing mode used for text cells + Mode Édition par défaut utilisé pour les cellules de texte + + + (Preview) Save connection name in notebook metadata. + (Préversion) Enregistrez le nom de connexion dans les métadonnées du notebook. + + + Controls the line height used in the notebook markdown preview. This number is relative to the font size. + Contrôle la hauteur de ligne utilisée dans l'aperçu Markdown du notebook. Ce nombre est relatif à la taille de police. + + + (Preview) Show rendered notebook in diff editor. + (Aperçu) Afficher le bloc-notes rendu dans l’éditeur de différences. + + + The maximum number of changes stored in the undo history for the notebook Rich Text editor. + Nombre maximal de modifications stockées dans l’historique des annulations pour l’éditeur de texte enrichi de bloc-notes. + + + Search Notebooks + Rechercher dans les notebooks + + + Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). + Configurez des modèles glob pour exclure des fichiers et des dossiers dans les recherches en texte intégral et le mode Quick Open. Hérite tous les modèles glob du paramètre '#files.exclude#'. Découvrez plus d'informations sur les modèles glob [ici](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). + + + The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. + Modèle Glob auquel les chemins de fichiers doivent correspondre. Affectez la valeur true ou false pour activer ou désactiver le modèle. + + + Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. + Vérification supplémentaire des frères d'un fichier correspondant. Utilisez $(basename) comme variable pour le nom de fichier correspondant. + + + This setting is deprecated and now falls back on "search.usePCRE2". + Ce paramètre est déprécié et remplacé par "search.usePCRE2". + + + Deprecated. Consider "search.usePCRE2" for advanced regex feature support. + Déprécié. Utilisez "search.usePCRE2" pour prendre en charge la fonctionnalité regex avancée. + + + When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. + Si activé, le processus searchService est maintenu actif au lieu d'être arrêté au bout d'une heure d'inactivité. Ce paramètre conserve le cache de recherche de fichier en mémoire. + + + Controls whether to use `.gitignore` and `.ignore` files when searching for files. + Contrôle s'il faut utiliser les fichiers `.gitignore` et `.ignore` par défaut pendant la recherche de fichiers. + + + Controls whether to use global `.gitignore` and `.ignore` files when searching for files. + Détermine s'il faut utiliser les fichiers généraux '.gitignore' et '.ignore' pendant la recherche de fichiers. + + + Whether to include results from a global symbol search in the file results for Quick Open. + Indique s’il faut inclure les résultats d’une recherche de symbole global dans les résultats de fichier pour Quick Open. + + + Whether to include results from recently opened files in the file results for Quick Open. + Indique si vous souhaitez inclure les résultats de fichiers récemment ouverts dans les résultats de fichiers pour Quick Open. + + + History entries are sorted by relevance based on the filter value used. More relevant entries appear first. + Les entrées d'historique sont triées par pertinence en fonction de la valeur de filtre utilisée. Les entrées les plus pertinentes apparaissent en premier. + + + History entries are sorted by recency. More recently opened entries appear first. + Les entrées d'historique sont triées par date. Les dernières entrées ouvertes sont affichées en premier. + + + Controls sorting order of editor history in quick open when filtering. + Contrôle l'ordre de tri de l'historique de l'éditeur en mode Quick Open pendant le filtrage. + + + Controls whether to follow symlinks while searching. + Contrôle s'il faut suivre les symlinks pendant la recherche. + + + Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. + Faire une recherche non sensible à la casse si le modèle est tout en minuscules, dans le cas contraire, faire une rechercher sensible à la casse. + + + Controls whether the search view should read or modify the shared find clipboard on macOS. + Contrôle si la vue de recherche doit lire ou modifier le presse-papiers partagé sur macOS. + + + Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. + Contrôle si la recherche s’affiche comme une vue dans la barre latérale ou comme un panneau dans la zone de panneaux pour plus d'espace horizontal. + + + This setting is deprecated. Please use the search view's context menu instead. + Ce paramètre est déprécié. Utilisez le menu contextuel de la vue de recherche à la place. + + + Files with less than 10 results are expanded. Others are collapsed. + Les fichiers avec moins de 10 résultats sont développés. Les autres sont réduits. + + + Controls whether the search results will be collapsed or expanded. + Contrôle si les résultats de recherche seront réduits ou développés. + + + Controls whether to open Replace Preview when selecting or replacing a match. + Détermine s'il faut ouvrir l'aperçu du remplacement quand vous sélectionnez ou remplacez une correspondance. + + + Controls whether to show line numbers for search results. + Détermine s'il faut afficher les numéros de ligne dans les résultats de recherche. + + + Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. + Détermine s'il faut utiliser le moteur regex PCRE2 dans la recherche de texte. Cette option permet d'utiliser des fonctionnalités regex avancées comme lookahead et les références arrière. Toutefois, les fonctionnalités PCRE2 ne sont pas toutes prises en charge, seulement celles qui sont aussi prises en charge par JavaScript. + + + Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. + Déprécié. PCRE2 est utilisé automatiquement lors de l'utilisation de fonctionnalités regex qui ne sont prises en charge que par PCRE2. + + + Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. + Positionnez la barre d'action à droite quand la vue de recherche est étroite et immédiatement après le contenu quand la vue de recherche est large. + + + Always position the actionbar to the right. + Positionnez toujours la barre d'action à droite. + + + Controls the positioning of the actionbar on rows in the search view. + Contrôle le positionnement de la barre d'action sur des lignes dans la vue de recherche. + + + Search all files as you type. + Recherchez dans tous les fichiers à mesure que vous tapez. + + + Enable seeding search from the word nearest the cursor when the active editor has no selection. + Activez l'essaimage de la recherche à partir du mot le plus proche du curseur quand l'éditeur actif n'a aucune sélection. + + + Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. + Mettez à jour la requête de recherche d'espace de travail en fonction du texte sélectionné de l'éditeur quand vous placez le focus sur la vue de recherche. Cela se produit soit au moment du clic de souris, soit au déclenchement de la commande 'workbench.views.search.focus'. + + + When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. + Quand '#search.searchOnType' est activé, contrôle le délai d'attente avant expiration en millisecondes entre l'entrée d'un caractère et le démarrage de la recherche. N'a aucun effet quand 'search.searchOnType' est désactivé. + + + Double clicking selects the word under the cursor. + Double-cliquez pour sélectionner le mot sous le curseur. + + + Double clicking opens the result in the active editor group. + Double-cliquez sur le résultat pour l'ouvrir dans le groupe d'éditeurs actif. + + + Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. + Double-cliquez pour ouvrir le résultat dans le groupe d'éditeurs ouvert ou dans un nouveau groupe d'éditeurs le cas échéant. + + + Configure effect of double clicking a result in a search editor. + Configurez ce qui se passe après un double clic sur un résultat dans un éditeur de recherche. + + + Results are sorted by folder and file names, in alphabetical order. + Les résultats sont triés par dossier et noms de fichier, dans l'ordre alphabétique. + + + Results are sorted by file names ignoring folder order, in alphabetical order. + Les résultats sont triés par noms de fichier en ignorant l'ordre des dossiers, dans l'ordre alphabétique. + + + Results are sorted by file extensions, in alphabetical order. + Les résultats sont triés par extensions de fichier dans l'ordre alphabétique. + + + Results are sorted by file last modified date, in descending order. + Les résultats sont triés par date de dernière modification de fichier, dans l'ordre décroissant. + + + Results are sorted by count per file, in descending order. + Les résultats sont triés par nombre dans chaque fichier, dans l'ordre décroissant. + + + Results are sorted by count per file, in ascending order. + Les résultats sont triés par nombre dans chaque fichier, dans l'ordre croissant. + + + Controls sorting order of search results. + Contrôle l'ordre de tri des résultats de recherche. + + + + + + + Loading kernels... + Chargement des noyaux... + + + Changing kernel... + Changement du noyau... + + + Attach to + Attacher à + + + Kernel + Noyau + + + Loading contexts... + Chargement des contextes... + + + Change Connection + Changer la connexion + + + Select Connection + Sélectionner une connexion + + + localhost + localhost + + + No Kernel + Pas de noyau + + + This notebook cannot run with parameters as the kernel is not supported. Please use the supported kernels and format. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Ce bloc-notes ne peut pas être exécuté avec des paramètres, car le noyau n’est pas pris en charge. Utilisez les noyaux et le format pris en charge. [En savoir plus] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + This notebook cannot run with parameters until a parameter cell is added. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Ce bloc-notes ne peut pas être exécuté avec des paramètres tant qu'une cellule de paramètre n'est pas ajoutée. [En savoir plus](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + This notebook cannot run with parameters until there are parameters added to the parameter cell. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Ce bloc-notes ne peut pas s’exécuter avec des paramètres tant que des paramètres n’ont pas été ajoutés à la cellule de paramètres. [En savoir plus] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + Clear Results + Effacer les résultats + + + Trusted + Approuvé + + + Not Trusted + Non approuvé + + + Collapse Cells + Réduire les cellules + + + Expand Cells + Développer les cellules + + + Run with Parameters + Exécuter avec des paramètres + + + None + Aucun(e) + + + New Notebook + Nouveau notebook + + + Find Next String + Rechercher la chaîne suivante + + + Find Previous String + Rechercher la chaîne précédente + + + + + + + Notebook Editor + Notebook Editor + + + + + + + Search Results + Résultats de la recherche + + + Search path not found: {0} + Chemin de recherche introuvable : {0} + + + Notebooks + Notebooks + + + + + + + You have not opened any folder that contains notebooks/books. + Vous n'avez ouvert aucun dossier contenant des notebooks/books. + + + Open Notebooks + Ouvrir les notebooks + + + The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. + Le jeu de résultats contient uniquement un sous-ensemble de toutes les correspondances. Soyez plus précis dans votre recherche de façon à limiter les résultats retournés. + + + Search in progress... - + Recherche en cours... - + + + No results found in '{0}' excluding '{1}' - + Résultats introuvables pour '{0}' excluant '{1}' - + + + No results found in '{0}' - + Résultats introuvables dans '{0}' - + + + No results found excluding '{0}' - + Résultats introuvables avec l'exclusion de '{0}' - + + + No results found. Review your settings for configured exclusions and check your gitignore files - + Aucun résultat. Vérifiez les exclusions configurées dans vos paramètres et examinez vos fichiers gitignore - + + + Search again + Chercher à nouveau + + + Search again in all files + Rechercher à nouveau dans tous les fichiers + + + Open Settings + Ouvrir les paramètres + + + Search returned {0} results in {1} files + La recherche a retourné {0} résultats dans {1} fichiers + + + Toggle Collapse and Expand + Activer/désactiver les options Réduire et Développer + + + Cancel Search + Annuler la recherche + + + Expand All + Tout développer + + + Collapse All + Tout réduire + + + Clear Search Results + Effacer les résultats de la recherche + + + + + + + Search: Type Search Term and press Enter to search or Escape to cancel + Rechercher : tapez le terme de recherche, puis appuyez sur Entrée pour lancer la recherche, ou sur Échap pour l'annuler + + + Search + Recherche + + + + + + + cell with URI {0} was not found in this model + la cellule avec l'URI {0} est introuvable dans ce modèle + + + Run Cells failed - See error in output of the currently selected cell for more information. + L'exécution des cellules a échoué. Pour plus d'informations, consultez l'erreur dans la sortie de la cellule actuellement sélectionnée. + + + + + + + Please run this cell to view outputs. + Exécutez cette cellule pour afficher les sorties. + + + + + + + This view is empty. Add a cell to this view by clicking the Insert Cells button. + Cette vue est vide. Ajoutez une cellule à cette vue en cliquant sur le bouton Insérer des cellules. + + + + + + + Copy failed with error {0} + La copie a échoué avec l'erreur {0} + + + Show chart + Afficher le graphique + + + Show table + Afficher la table + + + + + + + No {0} renderer could be found for output. It has the following MIME types: {1} + Aucun renderer {0} pour la sortie. Elle a les types MIME suivants : {1} + + + (safe) + (sécurisé) + + + + + + + Error displaying Plotly graph: {0} + Erreur d'affichage du graphe Plotly : {0} + + + + + + + No connections found. + Aucune connexion. + + + Add Connection + Ajouter une connexion + + + + + + + Server Group color palette used in the Object Explorer viewlet. + Palette de couleurs du groupe de serveurs utilisée dans la viewlet Explorateur d'objets. + + + Auto-expand Server Groups in the Object Explorer viewlet. + Développez automatiquement les groupes de serveurs dans la viewlet Explorateur d'objets. + + + (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. + (Préversion) Utilisez la nouvelle arborescence de serveur asynchrone pour la vue des serveurs et la boîte de dialogue de connexion avec prise en charge des nouvelles fonctionnalités, comme le filtrage dynamique de nœuds. + + + + + + + Data + Données + + + Connection + Connexion + + + Query Editor + Éditeur de requêtes + + + Notebook + Notebook + + + Dashboard + Tableau de bord + + + Profiler + Profiler + + + Built-in Charts + Graphiques intégrés + + + + + + + Specifies view templates + Spécifie des modèles de vue + + + Specifies session templates + Spécifie les modèles de session + + + Profiler Filters + Filtres Profiler + + + + + + + Connect + Connecter + + + Disconnect + Déconnecter + + + Start + Démarrer + + + New Session + Nouvelle session + + + Pause + Suspendre + + + Resume + Reprendre + + + Stop + Arrêter + + + Clear Data + Effacer les données + + + Are you sure you want to clear the data? + Voulez-vous vraiment effacer les données ? + + + Yes + Oui + + + No + Non + + + Auto Scroll: On + Défilement automatique : activé + + + Auto Scroll: Off + Défilement automatique : désactivé + + + Toggle Collapsed Panel + Afficher/masquer le panneau réduit + + + Edit Columns + Modifier les colonnes + + + Find Next String + Rechercher la chaîne suivante + + + Find Previous String + Rechercher la chaîne précédente + + + Launch Profiler + Lancer Profiler + + + Filter… + Filtrer... + + + Clear Filter + Effacer le filtre + + + Are you sure you want to clear the filters? + Voulez-vous vraiment effacer les filtres ? + + + + + + + Select View + Sélectionner une vue + + + Select Session + Sélectionner une session + + + Select Session: + Sélectionner une session : + + + Select View: + Sélectionner une vue : + + + Text + Texte + + + Label + Étiquette + + + Value + Valeur + + + Details + Détails + + + + + + + Find + Rechercher + + + Find + Rechercher + + + Previous match + Correspondance précédente + + + Next match + Correspondance suivante + + + Close + Fermer + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + Votre recherche a retourné un grand nombre de résultats, seuls les 999 premières correspondances sont mises en surbrillance. + + + {0} of {1} + {0} sur {1} + + + No Results + Aucun résultat + + + + + + + Profiler editor for event text. Readonly + Editeur Profiler pour le texte d'événement. En lecture seule + + + + + + + Events (Filtered): {0}/{1} + Événements (filtrés) : {0}/{1} + + + Events: {0} + Événements : {0} + + + Event Count + Nombre d'événements + + + + + + + Save As CSV + Enregistrer au format CSV + + + Save As JSON + Enregistrer au format JSON + + + Save As Excel + Enregistrer au format Excel + + + Save As XML + Enregistrer au format XML + + + Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. + L'encodage des résultats n'est pas enregistré quand vous les exportez au format JSON, n'oubliez pas d'enregistrer le fichier que vous créez avec l'encodage souhaité. + + + Save to file is not supported by the backing data source + L'enregistrement dans un fichier n'est pas pris en charge par la source de données de stockage + + + Copy + Copier + + + Copy With Headers + Copier avec les en-têtes + + + Select All + Tout sélectionner + + + Maximize + Maximiser + + + Restore + Restaurer + + + Chart + Graphique + + + Visualizer + Visualiseur + + + + + + + Choose SQL Language + Choisir un langage SQL + + + Change SQL language provider + Changer le fournisseur de langage SQL + + + SQL Language Flavor + Saveur de langage SQL + + + Change SQL Engine Provider + Changer le fournisseur de moteur SQL + + + A connection using engine {0} exists. To change please disconnect or change connection + Une connexion qui utilise le moteur {0} existe déjà. Pour changer, déconnectez-vous ou changez de connexion + + + No text editor active at this time + Aucun éditeur de texte actif actuellement + + + Select Language Provider + Sélectionner un fournisseur de langage + + + + + + + XML Showplan + Plan d'exécution de requêtes XML + + + Results grid + Grille de résultats + + + Max row count for filtering/sorting has been exceeded. To update it, you can go to User Settings and change the setting: 'queryEditor.results.inMemoryDataProcessingThreshold' + Le nombre maximal de lignes pour le filtrage/tri a été dépassé. Pour le mettre à jour, vous pouvez accéder aux paramètres utilisateur et modifier le paramètre : 'queryeditor.results. inMemoryDataProcessingThreshold' + + + + + + + Focus on Current Query + Se concentrer sur la requête actuelle + + + Run Query + Exécuter la requête + + + Run Current Query + Exécuter la requête actuelle + + + Copy Query With Results + Copier la requête avec les résultats + + + Successfully copied query and results. + La requête et les résultats ont été copiés. + + + Run Current Query with Actual Plan + Exécuter la requête actuelle avec le plan réel + + + Cancel Query + Annuler la requête + + + Refresh IntelliSense Cache + Actualiser le cache IntelliSense + + + Toggle Query Results + Activer/désactiver les résultats de requête + + + Toggle Focus Between Query And Results + Basculer le focus entre la requête et les résultats + + + Editor parameter is required for a shortcut to be executed + Le paramètre de l'éditeur est nécessaire pour exécuter un raccourci + + + Parse Query + Analyser la requête + + + Commands completed successfully + Commandes exécutées + + + Command failed: + La commande a échoué : + + + Please connect to a server + Connectez-vous à un serveur + + + + + + + Message Panel + Panneau des messages + + + Copy + Copier + + + Copy All + Tout copier + + + + + + + Query Results + Résultats de la requête + + + New Query + Nouvelle requête + + + Query Editor + Éditeur de requêtes + + + When true, column headers are included when saving results as CSV + Quand la valeur est true, les en-têtes de colonne sont inclus dans l'enregistrement des résultats au format CSV + + + The custom delimiter to use between values when saving as CSV + Délimiteur personnalisé à utiliser entre les valeurs pendant l'enregistrement au format CSV + + + Character(s) used for seperating rows when saving results as CSV + Caractère(s) utilisé(s) pour séparer les lignes pendant l'enregistrement des résultats au format CSV + + + Character used for enclosing text fields when saving results as CSV + Caractère utilisé pour englober les champs de texte pendant l'enregistrement des résultats au format CSV + + + File encoding used when saving results as CSV + Encodage de fichier utilisé pendant l'enregistrement des résultats au format CSV + + + When true, XML output will be formatted when saving results as XML + Quand la valeur est true, la sortie XML est mise en forme pendant l'enregistrement des résultats au format XML + + + File encoding used when saving results as XML + Encodage de fichier utilisé pendant l'enregistrement des résultats au format XML + + + Enable results streaming; contains few minor visual issues + Activer le streaming des résultats, contient quelques problèmes visuels mineurs + + + Configuration options for copying results from the Results View + Options de configuration pour copier les résultats de la Vue Résultats + + + Configuration options for copying multi-line results from the Results View + Options de configuration pour copier les résultats multilignes de la vue Résultats + + + (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. + (Expérimental) Utilisez une table optimisée dans la sortie des résultats. Certaines fonctionnalités sont peut-être manquantes et en préparation. + + + Controls the max number of rows allowed to do filtering and sorting in memory. If the number is exceeded, sorting and filtering will be disabled. Warning: Increasing this may impact performance. + Contrôle le nombre maximal de lignes autorisées pour effectuer le filtrage et le tri en mémoire. Si ce nombre est dépassé, le tri et le filtrage sont désactivés. Avertissement : l’augmentation de cette valeur peut avoir un impact sur les performances. + + + Whether to open the file in Azure Data Studio after the result is saved. + Indique si le fichier doit être ouvert dans Azure Data Studio une fois le résultat enregistré. + + + Should execution time be shown for individual batches + Spécifie si la durée d'exécution doit être indiquée pour chaque lot + + + Word wrap messages + Messages de retour automatique à la ligne + + + The default chart type to use when opening Chart Viewer from a Query Results + Type de graphique par défaut à utiliser à l'ouverture de la visionneuse graphique à partir des résultats d'une requête + + + Tab coloring will be disabled + La coloration des onglets est désactivée + + + The top border of each editor tab will be colored to match the relevant server group + La bordure supérieure de chaque onglet de l'éditeur est colorée pour correspondre au groupe de serveurs concerné + + + Each editor tab's background color will match the relevant server group + La couleur d'arrière-plan de chaque onglet de l'éditeur correspond au groupe de serveurs concerné + + + Controls how to color tabs based on the server group of their active connection + Contrôle comment colorer les onglets en fonction du groupe de serveurs de leur connexion active + + + Controls whether to show the connection info for a tab in the title. + Contrôle s'il faut montrer les informations de connexion d'un onglet dans le titre. + + + Prompt to save generated SQL files + Inviter à enregistrer les fichiers SQL générés + + + Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call or query execution. Any selected text in the query editor will be passed as a parameter at the end of your query, or you can reference it with {arg} + Définissez la combinaison de touches workbench.action.query.shortcut{0} pour exécuter le texte du raccourci en tant qu’appel de procédure ou exécution de la requête. Tout texte sélectionné dans l’éditeur de requête est passé en tant que paramètre à la fin de votre requête, ou vous pouvez le référencer avec {arg} + + + + + + + New Query + Nouvelle requête + + + Run + Exécuter + + + Cancel + Annuler + + + Explain + Expliquer + + + Actual + Réel + + + Disconnect + Déconnecter + + + Change Connection + Changer la connexion + + + Connect + Connecter + + + Enable SQLCMD + Activer SQLCMD + + + Disable SQLCMD + Désactiver SQLCMD + + + Select Database + Sélectionner une base de données + + + Failed to change database + Le changement de base de données a échoué + + + Failed to change database: {0} + Le changement de la base de données {0} a échoué + + + Export as Notebook + Exporter au format Notebook + + + + + + + Query Editor + Query Editor + + + + + + + Results + Résultats + + + Messages + Messages + + + + + + + Time Elapsed + Temps écoulé + + + Row Count + Nombre de lignes + + + {0} rows + {0} lignes + + + Executing query... + Exécution de la requête... + + + Execution Status + État d'exécution + + + Selection Summary + Récapitulatif de la sélection + + + Average: {0} Count: {1} Sum: {2} + Moyenne : {0}, nombre : {1}, somme : {2} + + + + + + + Results Grid and Messages + Grille de résultats et messages + + + Controls the font family. + Contrôle la famille de polices. + + + Controls the font weight. + Contrôle l'épaisseur de police. + + + Controls the font size in pixels. + Contrôle la taille de police en pixels. + + + Controls the letter spacing in pixels. + Contrôle l'espacement des lettres en pixels. + + + Controls the row height in pixels + Contrôle la hauteur de ligne en pixels + + + Controls the cell padding in pixels + Contrôle l'espacement des cellules en pixels + + + Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells + Dimensionnez automatiquement la largeur de colonne en fonction des résultats initiaux. Problèmes de performance possibles avec les grands nombres de colonnes ou les grandes cellules + + + The maximum width in pixels for auto-sized columns + Largeur maximale en pixels des colonnes dimensionnées automatiquement + + + + + + + Toggle Query History + Activer/désactiver l'historique des requêtes + + + Delete + Supprimer + + + Clear All History + Effacer tout l'historique + + + Open Query + Ouvrir la requête + + + Run Query + Exécuter la requête + + + Toggle Query History capture + Activer/désactiver la capture de l'historique des requêtes + + + Pause Query History Capture + Suspendre la capture de l'historique des requêtes + + + Start Query History Capture + Démarrer la capture de l'historique des requêtes + + + + + + + succeeded + succès + + + failed + échec + + + + + + + No queries to display. + Aucune requête à afficher. + + + Query History + QueryHistory + Historique des requêtes + + + + + + + QueryHistory + QueryHistory + + + Whether Query History capture is enabled. If false queries executed will not be captured. + Indique si la capture de l'historique des requêtes est activée. Si la valeur est false, les requêtes exécutées ne sont pas capturées. + + + Clear All History + Effacer tout l'historique + + + Pause Query History Capture + Suspendre la capture de l'historique des requêtes + + + Start Query History Capture + Démarrer la capture de l'historique des requêtes + + + View + Voir + + + &&Query History + && denotes a mnemonic + &&Historique des requêtes + + + Query History + Historique des requêtes + + + + + + + Query Plan + Plan de requête + + + + + + + Query Plan Editor + Query Plan Editor + + + + + + + Operation + Opération + + + Object + Objet + + + Est Cost + Coût estimé + + + Est Subtree Cost + Coût estimé de la sous-arborescence + + + Actual Rows + Lignes réelles + + + Est Rows + Lignes estimées + + + Actual Executions + Exécutions réelles + + + Est CPU Cost + Coût estimé du processeur + + + Est IO Cost + Coût estimé des E/S + + + Parallel + Parallèle + + + Actual Rebinds + Reliaisons réelles + + + Est Rebinds + Reliaisons estimées + + + Actual Rewinds + Rembobinages réels + + + Est Rewinds + Rembobinages estimés + + + Partitioned + Partitionné + + + Top Operations + Principales opérations + + + + + + + Resource Viewer + Visionneuse de ressources + + + + + + + Refresh + Actualiser + + + + + + + Error opening link : {0} + Erreur d'ouverture du lien : {0} + + + Error executing command '{0}' : {1} + Erreur durant l'exécution de la commande « {0} » : {1} + + + + + + + Resource Viewer Tree + Arborescence de la visionneuse de ressources + + + + + + + Identifier of the resource. + Identificateur de la ressource. + + + The human-readable name of the view. Will be shown + Nom de la vue, contrôlable de visu. À afficher + + + Path to the resource icon. + Chemin de l'icône de ressource. + + + Contributes resource to the resource view + Fournit une ressource dans la vue des ressources + + + property `{0}` is mandatory and must be of type `string` + la propriété '{0}' est obligatoire et doit être de type 'string' + + + property `{0}` can be omitted or must be of type `string` + La propriété '{0}' peut être omise ou doit être de type 'string' + + + + + + + Restore + Restaurer + + + Restore + Restaurer + + + + + + + You must enable preview features in order to use restore + Vous devez activer les fonctionnalités en préversion pour utiliser la restauration + + + Restore command is not supported outside of a server context. Please select a server or database and try again. + La commande de Restaurer n'est pas prise en charge en dehors d’un contexte du serveur. Sélectionnez un serveur ou une base de données et réessayez. + + + Restore command is not supported for Azure SQL databases. + La commande de restauration n'est pas prise en charge pour les bases de données Azure SQL. + + + Restore + Restaurer + + + + + + + Script as Create + Script de création + + + Script as Drop + Script de suppression + + + Select Top 1000 + Sélectionnez les 1000 premiers + + + Script as Execute + Script d'exécution + + + Script as Alter + Script de modification + + + Edit Data + Modifier les données + + + Select Top 1000 + Sélectionnez les 1000 premiers + + + Take 10 + Prendre 10 + + + Script as Create + Script de création + + + Script as Execute + Script d'exécution + + + Script as Alter + Script de modification + + + Script as Drop + Script de suppression + + + Refresh + Actualiser + + + + + + + An error occurred refreshing node '{0}': {1} + Erreur pendant l'actualisation du nœud « {0} » : {1} + + + + + + + {0} in progress tasks + {0} tâches en cours + + + View + Voir + + + Tasks + Tâches + + + &&Tasks + && denotes a mnemonic + &&Tâches + + + + + + + Toggle Tasks + Activer/désactiver des tâches + + + + + + + succeeded + succès + + + failed + échec + + + in progress + en cours + + + not started + non démarré + + + canceled + annulé + + + canceling + annulation + + + + + + + No task history to display. + Aucun historique des tâches à afficher. + + + Task history + TaskHistory + Historique des tâches + + + Task error + Erreur de tâche + + + + + + + Cancel + Annuler + + + The task failed to cancel. + Échec de l’annulation de la tâche. + + + Script + Script + + + + + + + There is no data provider registered that can provide view data. + Aucun fournisseur de données inscrit pouvant fournir des données de vue. + + + Refresh + Actualiser + + + Collapse All + Tout réduire + + + Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. + Erreur pendant l'exécution de la commande {1} : {0}. Probablement due à l'extension qui contribue à {1}. + + + + + + + OK + OK + + + Close + Fermer + + + + + + + Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? + Les fonctionnalités en préversion améliorent votre expérience dans Azure Data Studio en vous donnant un accès total aux nouvelles fonctionnalités et améliorations. Vous pouvez en savoir plus sur les fonctionnalités en préversion [ici] ({0}). Voulez-vous activer les fonctionnalités en préversion ? + + + Yes (recommended) + Oui (recommandé) + + + No + Non + + + No, don't show again + Non, ne plus afficher + + + + + + + This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. + Cette page de fonctionnalité est en préversion. Les fonctionnalités en préversion sont des nouvelles fonctionnalités en passe d'être définitivement intégrées dans le produit. Elles sont stables, mais ont besoin d'améliorations d'accessibilité supplémentaires. Nous vous invitons à nous faire part de vos commentaires en avant-première pendant leur développement. + + + Preview + Aperçu + + + Create a connection + Créer une connexion + + + Connect to a database instance through the connection dialog. + Connectez-vous à une instance de base de données en utilisant la boîte de dialogue de connexion. + + + Run a query + Exécuter une requête + + + Interact with data through a query editor. + Interagir avec des données par le biais d'un éditeur de requête. + + + Create a notebook + Créer un notebook + + + Build a new notebook using a native notebook editor. + Générez un nouveau notebook à l'aide d'un éditeur de notebook natif. + + + Deploy a server + Déployer un serveur + + + Create a new instance of a relational data service on the platform of your choice. + Créez une instance de service de données relationnelles sur la plateforme de votre choix. + + + Resources + Ressources + + + History + Historique + + + Name + Nom + + + Location + Localisation + + + Show more + Afficher plus + + + Show welcome page on startup + Afficher la page d'accueil au démarrage + + + Useful Links + Liens utiles + + + Getting Started + Démarrer + + + Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. + Découvrez les fonctionnalités offertes par Azure Data Studio et comment en tirer le meilleur parti. + + + Documentation + Documentation + + + Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. + Visitez le centre de documentation pour obtenir des guides de démarrage rapide, des guides pratiques et des références pour PowerShell, les API, etc. + + + Videos + Vidéos + + + Overview of Azure Data Studio + Vue d'ensemble d'Azure Data Studio + + + Introduction to Azure Data Studio Notebooks | Data Exposed + Présentation des notebooks Azure Data Studio | Données exposées + + + Extensions + Extensions + + + Show All + Tout afficher + + + Learn more + En savoir plus + + + + + + + Connections + Connexions + + + Connect, query, and manage your connections from SQL Server, Azure, and more. + Connectez, interrogez et gérez vos connexions SQL Server, Azure, etc. + + + 1 + 1 + + + Next + Suivant + + + Notebooks + Notebooks + + + Get started creating your own notebook or collection of notebooks in a single place. + Démarrez en créant votre propre notebook ou collection de notebooks au même endroit. + + + 2 + 2 + + + Extensions + Extensions + + + Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). + Étendez les fonctionnalités d'Azure Data Studio en installant des extensions développées par nous/Microsoft ainsi que par la communauté (vous !). + + + 3 + 3 + + + Settings + Paramètres + + + Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. + Personnalisez Azure Data Studio en fonction de vos préférences. Vous pouvez configurer des paramètres comme l'enregistrement automatique et la taille des onglets, personnaliser vos raccourcis clavier et adopter le thème de couleur de votre choix. + + + 4 + 4 + + + Welcome Page + Page d'accueil + + + Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. + Découvrez les fonctionnalités principales, les fichiers récemment ouverts et les extensions recommandées dans la page d'accueil. Pour plus d'informations sur le démarrage avec Azure Data Studio, consultez nos vidéos et notre documentation. + + + 5 + 5 + + + Finish + Terminer + + + User Welcome Tour + Visite de bienvenue de l'utilisateur + + + Hide Welcome Tour + Masquer la visite de bienvenue + + + Read more + En savoir plus + + + Help + Aide + + + + + + + Welcome + Bienvenue + + + SQL Admin Pack + Pack d'administration SQL + + + SQL Admin Pack + Pack d'administration SQL + + + Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server + Le pack d'administration de SQL Server est une collection d'extensions d'administration de base de données courantes qui vous permet de gérer SQL Server + + + SQL Server Agent + SQL Server Agent + + + SQL Server Profiler + SQL Server Profiler + + + SQL Server Import + Importation SQL Server + + + SQL Server Dacpac + Package DAC SQL Server + + + Powershell + PowerShell + + + Write and execute PowerShell scripts using Azure Data Studio's rich query editor + Écrire et exécuter des scripts PowerShell à l'aide de l'éditeur de requêtes complet d'Azure Data Studio + + + Data Virtualization + Virtualisation des données + + + Virtualize data with SQL Server 2019 and create external tables using interactive wizards + Virtualiser les données avec SQL Server 2019 et créer des tables externes à l'aide d'Assistants interactifs + + + PostgreSQL + PostgreSQL + + + Connect, query, and manage Postgres databases with Azure Data Studio + Connecter, interroger et gérer les bases de données Postgres avec Azure Data Studio + + + Support for {0} is already installed. + Le support pour {0} est déjà installé. + + + The window will reload after installing additional support for {0}. + La fenêtre se recharge après l'installation d'un support supplémentaire pour {0}. + + + Installing additional support for {0}... + Installation d'un support supplémentaire pour {0}... + + + Support for {0} with id {1} could not be found. + Le support pour {0} avec l'ID {1} est introuvable. + + + New connection + Nouvelle connexion + + + New query + Nouvelle requête + + + New notebook + Nouveau notebook + + + Deploy a server + Déployer un serveur + + + Welcome + Bienvenue + + + New + Nouveau + + + Open… + Ouvrir… + + + Open file… + Ouvrir le fichier... + + + Open folder… + Ouvrir le dossier... + + + Start Tour + Démarrer la visite guidée + + + Close quick tour bar + Fermer la barre de présentation rapide + + + Would you like to take a quick tour of Azure Data Studio? + Voulez-vous voir une présentation rapide d'Azure Data Studio ? + + + Welcome! + Bienvenue ! + + + Open folder {0} with path {1} + Ouvrir le dossier {0} avec le chemin {1} + + + Install + Installer + + + Install {0} keymap + Installer le mappage de touches {0} + + + Install additional support for {0} + Installer un support supplémentaire pour {0} + + + Installed + Installé + + + {0} keymap is already installed + Le mappage de touches '{0}' est déjà installé + + + {0} support is already installed + Le support {0} est déjà installé. + + + OK + OK + + + Details + Détails + + + Background color for the Welcome page. + Couleur d'arrière-plan de la page d'accueil. + + + + + + + Azure Data Studio + Azure Data Studio + + + Start + Démarrer + + + New connection + Nouvelle connexion + + + New query + Nouvelle requête + + + New notebook + Nouveau notebook + + + Open file + Ouvrir un fichier + + + Open file + Ouvrir un fichier + + + Deploy + Déployer + + + New Deployment… + Nouveau déploiement... + + + Recent + Récent + + + More... + Plus... + + + No recent folders + Aucun dossier récent + + + Help + Aide + + + Getting started + Démarrer + + + Documentation + Documentation + + + Report issue or feature request + Signaler un problème ou une demande de fonctionnalité + + + GitHub repository + Dépôt GitHub + + + Release notes + Notes de publication + + + Show welcome page on startup + Afficher la page d'accueil au démarrage + + + Customize + Personnaliser + + + Extensions + Extensions + + + Download extensions that you need, including the SQL Server Admin pack and more + Téléchargez les extensions dont vous avez besoin, notamment le pack d'administration SQL Server + + + Keyboard Shortcuts + Raccourcis clavier + + + Find your favorite commands and customize them + Rechercher vos commandes préférées et les personnaliser + + + Color theme + Thème de couleur + + + Make the editor and your code look the way you love + Personnalisez l'apparence de l'éditeur et de votre code + + + Learn + Apprendre + + + Find and run all commands + Rechercher et exécuter toutes les commandes + + + Rapidly access and search commands from the Command Palette ({0}) + La palette de commandes ({0}) permet d'accéder rapidement aux commandes pour en rechercher une + + + Discover what's new in the latest release + Découvrir les nouveautés de la dernière version + + + New monthly blog posts each month showcasing our new features + Nouveaux billets de blog mensuels mettant en avant nos nouvelles fonctionnalités + + + Follow us on Twitter + Suivez-nous sur Twitter + + + Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. + Informez-vous de la façon dont la communauté utilise Azure Data Studio et discutez directement avec les ingénieurs. + + + + + + + Accounts + Comptes + + + Linked accounts + Comptes liés + + + Close + Fermer + + + There is no linked account. Please add an account. + Aucun compte lié. Ajoutez un compte. + + + Add an account + Ajouter un compte + + + You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud + Aucun cloud n'est activé. Accéder à Paramètres -> Rechercher dans la configuration de compte Azure -> Activer au moins un cloud + + + You didn't select any authentication provider. Please try again. + Vous n'avez sélectionné aucun fournisseur d'authentification. Réessayez. + + + + + + + Error adding account + Erreur d'ajout de compte + + + + + + + You need to refresh the credentials for this account. + Vous devez actualiser les informations d'identification de ce compte. + + + + + + + Close + Fermer + + + Adding account... + Ajout du compte... + + + Refresh account was canceled by the user + L'actualisation du compte a été annulée par l'utilisateur + + + + + + + Azure account + Compte Azure + + + Azure tenant + Locataire Azure + + + + + + + Copy & Open + Copier et ouvrir + + + Cancel + Annuler + + + User code + Code utilisateur + + + Website + Site web + + + + + + + Cannot start auto OAuth. An auto OAuth is already in progress. + Impossible de démarrer une authentification OAuth automatique. Il y en a déjà une en cours. + + + + + + + Connection is required in order to interact with adminservice + La connexion est nécessaire pour interagir avec adminservice + + + No Handler Registered + Aucun gestionnaire inscrit + + + + + + + Connection is required in order to interact with Assessment Service + La connexion est nécessaire pour interagir avec le service d'évaluation + + + No Handler Registered + Aucun gestionnaire inscrit + + + + + + + Advanced Properties + Propriétés avancées + + + Discard + Abandonner + + + + + + + Server Description (optional) + Description du serveur (facultatif) + + + + + + + Clear List + Effacer la liste + + + Recent connections list cleared + Liste des dernières connexions effacée + + + Yes + Oui + + + No + Non + + + Are you sure you want to delete all the connections from the list? + Voulez-vous vraiment supprimer toutes les connexions de la liste ? + + + Yes + Oui + + + No + Non + + + Delete + Supprimer + + + Get Current Connection String + Obtenir la chaîne de connexion actuelle + + + Connection string not available + Chaîne de connexion non disponible + + + No active connection available + Aucune connexion active disponible + + + + + + + Browse + Parcourir + + + Type here to filter the list + Tapez ici pour filtrer la liste + + + Filter connections + Filtrer les connexions + + + Applying filter + Application du filtre + + + Removing filter + Suppression du filtre + + + Filter applied + Filtre appliqué + + + Filter removed + Filtre supprimé + + + Saved Connections + Connexions enregistrées + + + Saved Connections + Connexions enregistrées + + + Connection Browser Tree + Arborescence du navigateur de connexion + + + + + + + Connection error + Erreur de connexion + + + Connection failed due to Kerberos error. + La connexion a échoué en raison d'une erreur Kerberos. + + + Help configuring Kerberos is available at {0} + L'aide pour configurer Kerberos est disponible sur {0} + + + If you have previously connected you may need to re-run kinit. + Si vous vous êtes déjà connecté, vous devez peut-être réexécuter kinit. + + + + + + + Connection + Connexion + + + Connecting + Connexion + + + Connection type + Type de connexion + + + Recent + Récent + + + Connection Details + Détails de la connexion + + + Connect + Connecter + + + Cancel + Annuler + + + Recent Connections + Connexions récentes + + + No recent connection + Aucune connexion récente + + + + + + + Failed to get Azure account token for connection + L'obtention d'un jeton de compte Azure pour la connexion a échoué + + + Connection Not Accepted + Connexion non acceptée + + + Yes + Oui + + + No + Non + + + Are you sure you want to cancel this connection? + Voulez-vous vraiment annuler cette connexion ? + + + + + + + Add an account... + Ajouter un compte... + + + <Default> + <Par défaut> + + + Loading... + Chargement... + + + Server group + Groupe de serveurs + + + <Default> + <Par défaut> + + + Add new group... + Ajouter un nouveau groupe... + + + <Do not save> + <Ne pas enregistrer> + + + {0} is required. + {0} est obligatoire. + + + {0} will be trimmed. + {0} est tronqué. + + + Remember password + Se souvenir du mot de passe + + + Account + Compte + + + Refresh account credentials + Actualiser les informations d'identification du compte + + + Azure AD tenant + Locataire Azure AD + + + Name (optional) + Nom (facultatif) + + + Advanced... + Avancé... + + + You must select an account + Vous devez sélectionner un compte + + + + + + + Connected to + Connecté à + + + Disconnected + Déconnecté + + + Unsaved Connections + Connexions non enregistrées + + + + + + + Open dashboard extensions + Ouvrir les extensions de tableau de bord + + + OK + OK + + + Cancel + Annuler + + + No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. + Aucune extension de tableau de bord n'est actuellement installée. Accédez au gestionnaire d'extensions pour explorer les extensions recommandées. + + + + + + + Step {0} + Étape {0} + + + + + + + Done + Terminé + + + Cancel + Annuler + + + + + + + Initialize edit data session failed: + L'initialisation de la session de modification des données a échoué : + + + + + + + OK + OK + + + Close + Fermer + + + Action + Action + + + Copy details + Copier les détails + + + + + + + Error + Erreur + + + Warning + Avertissement + + + Info + Informations + + + Ignore + Ignorer + + + + + + + Selected path + Chemin sélectionné + + + Files of type + Fichiers de type + + + OK + OK + + + Discard + Ignorer + + + + + + + Select a file + Sélectionnez un fichier + + + + + + + File browser tree + FileBrowserTree + Arborescence de l'explorateur de fichiers + + + + + + + An error occured while loading the file browser. + Une erreur s'est produite pendant le chargement de l'explorateur de fichiers. + + + File browser error + Erreur de l'explorateur de fichiers + + + + + + + All files + Tous les fichiers + + + + + + + Copy Cell + Copier la cellule + + + + + + + No Connection Profile was passed to insights flyout + Aucun profil de connexion n'a été passé au menu volant des insights + + + Insights error + Erreur d'insights + + + There was an error reading the query file: + Une erreur s'est produite à la lecture du fichier de requête : + + + There was an error parsing the insight config; could not find query array/string or queryfile + Une erreur s'est produite à l'analyse de la configuration d'insight. Tableau/chaîne de requête ou fichier de requête introuvable + + + + + + + Item + Élément + + + Value + Valeur + + + Insight Details + Détails de l'insight + + + Property + Propriété + + + Value + Valeur + + + Insights + Insights + + + Items + Éléments + + + Item Details + Détails d'élément + + + + + + + Could not find query file at any of the following paths : + {0} + Fichier de requête introuvable dans les chemins suivants : + {0} + + + + + + + Failed + Échec + + + Succeeded + Réussite + + + Retry + Réessayer + + + Cancelled + Annulé + + + In Progress + En cours + + + Status Unknown + État inconnu + + + Executing + Exécution + + + Waiting for Thread + En attente de thread + + + Between Retries + Entre les tentatives + + + Idle + Inactif + + + Suspended + Suspendu + + + [Obsolete] + [Obsolète] + + + Yes + Oui + + + No + Non + + + Not Scheduled + Non planifié + + + Never Run + Ne jamais exécuter + + + + + + + Connection is required in order to interact with JobManagementService + Une connexion est nécessaire pour interagir avec JobManagementService + + + No Handler Registered + Aucun gestionnaire inscrit + + + + + + + SQL + SQL + + + @@ -7256,6 +6910,22 @@ Erreur : {1} + + + + An error occurred while starting the notebook session + Une erreur s'est produite au démarrage d'une session de notebook + + + Server did not start for unknown reason + Le serveur n'a pas démarré pour une raison inconnue + + + Kernel {0} was not found. The default kernel will be used instead. + Noyau {0} introuvable. Le noyau par défaut est utilisé à la place. + + + @@ -7268,11 +6938,738 @@ Erreur : {1} - + - - Changing editor types on unsaved files is unsupported - Le changement des types d'éditeur pour les fichiers non enregistrés n'est pas pris en charge + + # Injected-Parameters + + # Paramètres injectés + + + + Please select a connection to run cells for this kernel + Sélectionnez une connexion afin d'exécuter les cellules pour ce noyau + + + Failed to delete cell. + La suppression de la cellule a échoué. + + + Failed to change kernel. Kernel {0} will be used. Error was: {1} + Le changement de noyau a échoué. Le noyau {0} est utilisé. Erreur : {1} + + + Failed to change kernel due to error: {0} + Le changement de noyau a échoué en raison de l'erreur : {0} + + + Changing context failed: {0} + Le changement de contexte a échoué : {0} + + + Could not start session: {0} + Impossible de démarrer la session : {0} + + + A client session error occurred when closing the notebook: {0} + Une erreur de session du client s'est produite pendant la fermeture du notebook : {0} + + + Can't find notebook manager for provider {0} + Gestionnaire de notebook introuvable pour le fournisseur {0} + + + + + + + No URI was passed when creating a notebook manager + Aucun URI passé pendant la création d'un gestionnaire de notebook + + + Notebook provider does not exist + Le fournisseur de notebooks n'existe pas + + + + + + + A view with the name {0} already exists in this notebook. + Une vue portant le nom {0} existe déjà dans ce bloc-notes. + + + + + + + SQL kernel error + Erreur de noyau SQL + + + A connection must be chosen to run notebook cells + Une connexion doit être choisie pour exécuter des cellules de notebook + + + Displaying Top {0} rows. + Affichage des {0} premières lignes. + + + + + + + Rich Text + Texte riche + + + Split View + Mode fractionné + + + Markdown + Markdown + + + + + + + nbformat v{0}.{1} not recognized + nbformat v{0}.{1} non reconnu + + + This file does not have a valid notebook format + Ce fichier n'a pas un format de notebook valide + + + Cell type {0} unknown + Type de cellule {0} inconnu + + + Output type {0} not recognized + Type de sortie {0} non reconnu + + + Data for {0} is expected to be a string or an Array of strings + Les données de {0} doivent être une chaîne ou un tableau de chaînes + + + Output type {0} not recognized + Type de sortie {0} non reconnu + + + + + + + Identifier of the notebook provider. + Identificateur du fournisseur de notebooks. + + + What file extensions should be registered to this notebook provider + Extensions de fichier à inscrire dans ce fournisseur de notebooks + + + What kernels should be standard with this notebook provider + Noyaux devant être standard avec ce fournisseur de notebooks + + + Contributes notebook providers. + Ajoute des fournisseurs de notebooks. + + + Name of the cell magic, such as '%%sql'. + Nom de la cellule magique, par exemple, '%%sql'. + + + The cell language to be used if this cell magic is included in the cell + Langage de cellule à utiliser si cette commande magique est incluse dans la cellule + + + Optional execution target this magic indicates, for example Spark vs SQL + Cible d'exécution facultative que cette commande magique indique, par exemple, Spark vs. SQL + + + Optional set of kernels this is valid for, e.g. python3, pyspark, sql + Ensemble facultatif de noyaux, valable, par exemple, pour python3, pyspark, sql + + + Contributes notebook language. + Ajoute un langage de notebook. + + + + + + + Loading... + Chargement... + + + + + + + Refresh + Actualiser + + + Edit Connection + Modifier la connexion + + + Disconnect + Déconnecter + + + New Connection + Nouvelle connexion + + + New Server Group + Nouveau groupe de serveurs + + + Edit Server Group + Modifier le groupe de serveurs + + + Show Active Connections + Afficher les connexions actives + + + Show All Connections + Afficher toutes les connexions + + + Delete Connection + Supprimer la connexion + + + Delete Group + Supprimer le groupe + + + + + + + Failed to create Object Explorer session + La création d'une session de l'Explorateur d'objets a échoué + + + Multiple errors: + Plusieurs erreurs : + + + + + + + Cannot expand as the required connection provider '{0}' was not found + Développement impossible, car le fournisseur de connexion nécessaire '{0}' est introuvable + + + User canceled + Annulé par l'utilisateur + + + Firewall dialog canceled + Boîte de dialogue de pare-feu annulée + + + + + + + Loading... + Chargement... + + + + + + + Recent Connections + Connexions récentes + + + Servers + Serveurs + + + Servers + Serveurs + + + + + + + Sort by event + Trier par événement + + + Sort by column + Trier par colonne + + + Profiler + Profiler + + + OK + OK + + + Cancel + Annuler + + + + + + + Clear all + Tout effacer + + + Apply + Appliquer + + + OK + OK + + + Cancel + Annuler + + + Filters + Filtres + + + Remove this clause + Supprimer cette clause + + + Save Filter + Enregistrer le filtre + + + Load Filter + Charger le filtre + + + Add a clause + Ajouter une clause + + + Field + Champ + + + Operator + Opérateur + + + Value + Valeur + + + Is Null + Est Null + + + Is Not Null + N'est pas Null + + + Contains + Contient + + + Not Contains + Ne contient pas + + + Starts With + Commence par + + + Not Starts With + Ne commence pas par + + + + + + + Commit row failed: + La validation de la ligne a échoué : + + + Started executing query at + Exécution de la requête démarrée à + + + Started executing query "{0}" + L'exécution de la requête "{0}" a démarré + + + Line {0} + Ligne {0} + + + Canceling the query failed: {0} + L'annulation de la requête a échoué : {0} + + + Update cell failed: + La mise à jour de la cellule a échoué : + + + + + + + Execution failed due to an unexpected error: {0} {1} + L'exécution a échoué en raison d'une erreur inattendue : {0} {1} + + + Total execution time: {0} + Durée d'exécution totale : {0} + + + Started executing query at Line {0} + L'exécution de la requête a démarré à la ligne {0} + + + Started executing batch {0} + Démarrage de l'exécution du lot {0} + + + Batch execution time: {0} + Durée d'exécution en lot : {0} + + + Copy failed with error {0} + La copie a échoué avec l'erreur {0} + + + + + + + Failed to save results. + L'enregistrement des résultats a échoué. + + + Choose Results File + Choisir le fichier de résultats + + + CSV (Comma delimited) + CSV (valeurs séparées par des virgules) + + + JSON + JSON + + + Excel Workbook + Classeur Excel + + + XML + XML + + + Plain Text + Texte brut + + + Saving file... + Enregistrement du fichier... + + + Successfully saved results to {0} + Résultats enregistrés dans {0} + + + Open file + Ouvrir un fichier + + + + + + + From + De + + + To + À + + + Create new firewall rule + Créer une règle de pare-feu + + + OK + OK + + + Cancel + Annuler + + + Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. + L'adresse IP de votre client n'a pas accès au serveur. Connectez-vous à un compte Azure et créez une règle de pare-feu pour autoriser l'accès. + + + Learn more about firewall settings + En savoir plus sur les paramètres de pare-feu + + + Firewall rule + Règle de pare-feu + + + Add my client IP + Ajouter l'adresse IP de mon client + + + Add my subnet IP range + Ajouter la plage d'adresses IP de mon sous-réseau + + + + + + + Error adding account + Erreur d'ajout de compte + + + Firewall rule error + Erreur de règle de pare-feu + + + + + + + Backup file path + Chemin du fichier de sauvegarde + + + Target database + Base de données cible + + + Restore + Restaurer + + + Restore database + Restaurer la base de données + + + Database + Base de données + + + Backup file + Fichier de sauvegarde + + + Restore database + Restaurer la base de données + + + Cancel + Annuler + + + Script + Script + + + Source + Source + + + Restore from + Restaurer à partir de + + + Backup file path is required. + Le chemin du fichier de sauvegarde est obligatoire. + + + Please enter one or more file paths separated by commas + Entrez un ou plusieurs chemins de fichier séparés par des virgules + + + Database + Base de données + + + Destination + Destination + + + Restore to + Restaurer vers + + + Restore plan + Plan de restauration + + + Backup sets to restore + Jeux de sauvegarde à restaurer + + + Restore database files as + Restaurer les fichiers de base de données en tant que + + + Restore database file details + Restaurer les détails du fichier de base de données + + + Logical file Name + Nom de fichier logique + + + File type + Type de fichier + + + Original File Name + Nom de fichier d'origine + + + Restore as + Restaurer comme + + + Restore options + Options de restauration + + + Tail-Log backup + Sauvegarde de la fin du journal + + + Server connections + Connexions du serveur + + + General + Général + + + Files + Fichiers + + + Options + Options + + + + + + + Backup Files + Fichiers de sauvegarde + + + All Files + Tous les fichiers + + + + + + + Server Groups + Groupes de serveurs + + + OK + OK + + + Cancel + Annuler + + + Server group name + Nom de groupe de serveurs + + + Group name is required. + Le nom du groupe est obligatoire. + + + Group description + Description de groupe + + + Group color + Couleur de groupe + + + + + + + Add server group + Ajouter un groupe de serveurs + + + Edit server group + Modifier le groupe de serveurs + + + + + + + 1 or more tasks are in progress. Are you sure you want to quit? + 1 ou plusieurs tâches sont en cours. Voulez-vous vraiment quitter ? + + + Yes + Oui + + + No + Non + + + + + + + Get Started + Démarrer + + + Show Getting Started + Afficher la prise en main + + + Getting &&Started + && denotes a mnemonic + Pri&&se en main diff --git a/resources/xlf/it/admin-tool-ext-win.it.xlf b/resources/xlf/it/admin-tool-ext-win.it.xlf index 538b95d271..28507f1e8e 100644 --- a/resources/xlf/it/admin-tool-ext-win.it.xlf +++ b/resources/xlf/it/admin-tool-ext-win.it.xlf @@ -20,7 +20,7 @@ - + No ConnectionContext provided for handleLaunchSsmsMinPropertiesDialogCommand diff --git a/resources/xlf/it/agent.it.xlf b/resources/xlf/it/agent.it.xlf index c2ec22b17a..177d82abca 100644 --- a/resources/xlf/it/agent.it.xlf +++ b/resources/xlf/it/agent.it.xlf @@ -1,230 +1,18 @@  - + - - New Schedule - Nuova pianificazione - - + OK OK - + Cancel Annulla - - Schedule Name - Nome della pianificazione - - - Schedules - Pianificazioni - - - - - Create Proxy - Crea proxy - - - Edit Proxy - Modifica proxy - - - General - Generale - - - Proxy name - Nome del proxy - - - Credential name - Nome della credenziale - - - Description - Descrizione - - - Subsystem - Sottosistema - - - Operating system (CmdExec) - Sistema operativo (CmdExec) - - - Replication Snapshot - Snapshot repliche - - - Replication Transaction-Log Reader - Lettura log delle transazioni di replica - - - Replication Distributor - Database di distribuzione repliche - - - Replication Merge - Merge repliche - - - Replication Queue Reader - Lettore coda di repliche - - - SQL Server Analysis Services Query - Query di SQL Server Analysis Services - - - SQL Server Analysis Services Command - Comando di SQL Server Analysis Services - - - SQL Server Integration Services Package - Pacchetto SQL Server Integration Services - - - PowerShell - PowerShell - - - Active to the following subsytems - Attivo nei sottosistemi seguenti - - - - - - - Job Schedules - Pianificazioni processi - - - OK - OK - - - Cancel - Annulla - - - Available Schedules: - Pianificazioni disponibili: - - - Name - Nome - - - ID - ID - - - Description - Descrizione - - - - - - - Create Operator - Crea operatore - - - Edit Operator - Modifica operatore - - - General - Generale - - - Notifications - Notifiche - - - Name - Nome - - - Enabled - Abilitato - - - E-mail Name - Indirizzo di posta elettronica - - - Pager E-mail Name - Indirizzo cercapersone - - - Monday - Lunedì - - - Tuesday - Martedì - - - Wednesday - Mercoledì - - - Thursday - Giovedì - - - Friday - Venerdì - - - Saturday - Sabato - - - Sunday - Domenica - - - Workday begin - Inizio della giornata lavorativa - - - Workday end - Fine della giornata lavorativa - - - Pager on duty schedule - Pianificazione cercapersone per operatore in servizio - - - Alert list - Elenco avvisi - - - Alert name - Nome dell'avviso - - - E-mail - Posta elettronica - - - Pager - Cercapersone - - - - + Locate Database Files - @@ -416,159 +204,39 @@ - + - - General - Generale + + Job Schedules + Pianificazioni processi - - Steps - Passaggi + + OK + OK - - Schedules - Pianificazioni + + Cancel + Annulla - - Alerts - Avvisi + + Available Schedules: + Pianificazioni disponibili: - - Notifications - Notifiche - - - The name of the job cannot be blank. - Il nome del processo non può essere vuoto. - - + Name Nome - - Owner - Proprietario + + ID + ID - - Category - Categoria - - + Description Descrizione - - Enabled - Abilitato - - - Job step list - Elenco dei passaggi del processo - - - Step - Passaggio - - - Type - Tipo - - - On Success - In caso di riuscita - - - On Failure - In caso di errore - - - New Step - Nuovo passaggio - - - Edit Step - Modifica passaggio - - - Delete Step - Elimina passaggio - - - Move Step Up - Sposta passaggio su - - - Move Step Down - Sposta passaggio giù - - - Start step - Passaggio iniziale - - - Actions to perform when the job completes - Azioni da eseguire quando il processo viene completato - - - Email - Messaggio di posta elettronica - - - Page - Pagina - - - Write to the Windows Application event log - Scrivi nel log eventi dell'applicazione di Windows - - - Automatically delete job - Elimina automaticamente il processo - - - Schedules list - Elenco pianificazioni - - - Pick Schedule - Seleziona pianificazione - - - Schedule Name - Nome della pianificazione - - - Alerts list - Elenco avvisi - - - New Alert - Nuovo avviso - - - Alert Name - Nome dell'avviso - - - Enabled - Abilitato - - - Type - Tipo - - - New Job - Nuovo processo - - - Edit Job - Modifica processo - - + Create Alert @@ -778,10 +446,6 @@ Additional notification message to send Messaggio di notifica aggiuntivo da inviare - - Delay between responses - Ritardo tra le risposte - Delay Minutes Ritardo in minuti @@ -792,51 +456,251 @@ - + - - OK - OK + + Create Operator + Crea operatore - - Cancel - Annulla + + Edit Operator + Modifica operatore + + + General + Generale + + + Notifications + Notifiche + + + Name + Nome + + + Enabled + Abilitato + + + E-mail Name + Indirizzo di posta elettronica + + + Pager E-mail Name + Indirizzo cercapersone + + + Monday + Lunedì + + + Tuesday + Martedì + + + Wednesday + Mercoledì + + + Thursday + Giovedì + + + Friday + Venerdì + + + Saturday + Sabato + + + Sunday + Domenica + + + Workday begin + Inizio della giornata lavorativa + + + Workday end + Fine della giornata lavorativa + + + Pager on duty schedule + Pianificazione cercapersone per operatore in servizio + + + Alert list + Elenco avvisi + + + Alert name + Nome dell'avviso + + + E-mail + Posta elettronica + + + Pager + Cercapersone - + - - Proxy update failed '{0}' - L'aggiornamento del proxy non è riuscito: '{0}' + + General + Generale - - Proxy '{0}' updated successfully - Il proxy '{0}' è stato aggiornato + + Steps + Passaggi - - Proxy '{0}' created successfully - Il proxy '{0}' è stato creato + + Schedules + Pianificazioni + + + Alerts + Avvisi + + + Notifications + Notifiche + + + The name of the job cannot be blank. + Il nome del processo non può essere vuoto. + + + Name + Nome + + + Owner + Proprietario + + + Category + Categoria + + + Description + Descrizione + + + Enabled + Abilitato + + + Job step list + Elenco dei passaggi del processo + + + Step + Passaggio + + + Type + Tipo + + + On Success + In caso di riuscita + + + On Failure + In caso di errore + + + New Step + Nuovo passaggio + + + Edit Step + Modifica passaggio + + + Delete Step + Elimina passaggio + + + Move Step Up + Sposta passaggio su + + + Move Step Down + Sposta passaggio giù + + + Start step + Passaggio iniziale + + + Actions to perform when the job completes + Azioni da eseguire quando il processo viene completato + + + Email + Messaggio di posta elettronica + + + Page + Pagina + + + Write to the Windows Application event log + Scrivi nel log eventi dell'applicazione di Windows + + + Automatically delete job + Elimina automaticamente il processo + + + Schedules list + Elenco pianificazioni + + + Pick Schedule + Seleziona pianificazione + + + Remove Schedule + Rimuovi pianificazione + + + Alerts list + Elenco avvisi + + + New Alert + Nuovo avviso + + + Alert Name + Nome dell'avviso + + + Enabled + Abilitato + + + Type + Tipo + + + New Job + Nuovo processo + + + Edit Job + Modifica processo - - - - Step update failed '{0}' - L'aggiornamento del passaggio non è riuscito: '{0}' - - - Job name must be provided - È necessario specificare il nome del processo - - - Step name must be provided - È necessario specificare il nome del passaggio - - - - + When the job completes @@ -872,7 +736,55 @@ - + + + + Step update failed '{0}' + L'aggiornamento del passaggio non è riuscito: '{0}' + + + Job name must be provided + È necessario specificare il nome del processo + + + Step name must be provided + È necessario specificare il nome del passaggio + + + + + + + This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! + Questa funzionalità è in fase di sviluppo. Per provare le ultime novità, vedere la build più recente per utenti Insider. + + + Template updated successfully + Il modello è stato aggiornato + + + Template update failure + Errore di aggiornamento del modello + + + The notebook must be saved before being scheduled. Please save and then retry scheduling again. + Prima di pianificare il notebook, è necessario salvarlo. Salvare, quindi ripetere la pianificazione. + + + Add new connection + Aggiungere nuova connessione + + + Select a connection + Selezionare una connessione + + + Please select a valid connection + Selezionare una connessione valida. + + + + Alert update failed '{0}' @@ -892,11 +804,223 @@ - + - - This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! - Questa funzionalità è in fase di sviluppo. Per provare le ultime novità, vedere la build più recente per utenti Insider. + + Create Proxy + Crea proxy + + + Edit Proxy + Modifica proxy + + + General + Generale + + + Proxy name + Nome del proxy + + + Credential name + Nome della credenziale + + + Description + Descrizione + + + Subsystem + Sottosistema + + + Operating system (CmdExec) + Sistema operativo (CmdExec) + + + Replication Snapshot + Snapshot repliche + + + Replication Transaction-Log Reader + Lettura log delle transazioni di replica + + + Replication Distributor + Database di distribuzione repliche + + + Replication Merge + Merge repliche + + + Replication Queue Reader + Lettore coda di repliche + + + SQL Server Analysis Services Query + Query di SQL Server Analysis Services + + + SQL Server Analysis Services Command + Comando di SQL Server Analysis Services + + + SQL Server Integration Services Package + Pacchetto SQL Server Integration Services + + + PowerShell + PowerShell + + + + + + + Proxy update failed '{0}' + L'aggiornamento del proxy non è riuscito: '{0}' + + + Proxy '{0}' updated successfully + Il proxy '{0}' è stato aggiornato + + + Proxy '{0}' created successfully + Il proxy '{0}' è stato creato + + + + + + + New Notebook Job + Nuovo processo notebook + + + Edit Notebook Job + Modifica processo notebook + + + General + Generale + + + Notebook Details + Dettagli dei notebook + + + Notebook Path + Percorso del notebook + + + Storage Database + Database di archiviazione + + + Execution Database + Database di esecuzione + + + Select Database + Seleziona database + + + Job Details + Dettagli processo + + + Name + Nome + + + Owner + Proprietario + + + Schedules list + Elenco pianificazioni + + + Pick Schedule + Seleziona pianificazione + + + Remove Schedule + Rimuovi pianificazione + + + Description + Descrizione + + + Select a notebook to schedule from PC + Selezionare un notebook da pianificare dal computer + + + Select a database to store all notebook job metadata and results + Selezionare un database per archiviare tutti i metadati e i risultati del processo del notebook + + + Select a database against which notebook queries will run + Selezionare un database in cui verranno eseguite le query del notebook + + + + + + + When the notebook completes + Quando il notebook completa + + + When the notebook fails + Quando il notebook ha esito negativo + + + When the notebook succeeds + Quando il notebook ha esito positivo + + + Notebook name must be provided + È necessario specificare il nome del notebook + + + Template path must be provided + È necessario fornire il percorso del modello + + + Invalid notebook path + Percorso del notebook non valido + + + Select storage database + Selezionare il database di archiviazione + + + Select execution database + Selezionare il database di esecuzione + + + Job with similar name already exists + Un processo con un nome simile esiste già + + + Notebook update failed '{0}' + Aggiornamento del blocco appunti non riuscito '{0}' + + + Notebook creation failed '{0}' + Creazione del notebook non riuscita '{0}' + + + Notebook '{0}' updated successfully + Il notebook '{0}' è stato aggiornato + + + Notebook '{0}' created successfully + Il notebook '{0}' è stato creato diff --git a/resources/xlf/it/azurecore.it.xlf b/resources/xlf/it/azurecore.it.xlf index f011c58651..a06487adea 100644 --- a/resources/xlf/it/azurecore.it.xlf +++ b/resources/xlf/it/azurecore.it.xlf @@ -126,6 +126,10 @@ Error fetching resource groups for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} Errore durante il recupero dei gruppi di risorse per l'account {0} ({1}) sottoscrizione {2} ({3}) tenant {4}: {5} + + Error fetching locations for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} + Errore durante il recupero delle posizioni per l'account {0} ({1}) sottoscrizione {2} ({3}) tenant {4} : {5} + Invalid query Query non valida @@ -379,8 +383,8 @@ SQL Server - Azure Arc - Azure Arc enabled PostgreSQL Hyperscale - PostgreSQL Hyperscale con abilitazione di Azure Arc + Azure Arc-enabled PostgreSQL Hyperscale + PostgreSQL Hyperscale abilitato per Azure Arc Unable to open link, missing required values @@ -411,7 +415,7 @@ Errore non identificato con l'autenticazione di Azure - Specifed tenant with ID '{0}' not found. + Specified tenant with ID '{0}' not found. Il tenant specificato con ID '{0}' non è stato trovato. @@ -419,7 +423,7 @@ Si è verificato un errore durante l'autenticazione oppure i token sono stati eliminati dal sistema. Provare ad aggiungere di nuovo l'account ad Azure Data Studio. - Token retrival failed with an error. Open developer tools to view the error + Token retrieval failed with an error. Open developer tools to view the error Il recupero del token non è riuscito con un errore. Aprire gli strumenti di sviluppo per visualizzare l'errore @@ -513,6 +517,14 @@ Failed to get credential for account {0}. Please go to the accounts dialog and refresh the account. Non è stato possibile ottenere le credenziali per l'account {0}. Passare alla finestra di dialogo degli account e aggiornare l'account. + + Requests from this account have been throttled. To retry, please select a smaller number of subscriptions. + Le richieste da questo account sono state limitate. Per riprovare, selezionare un numero inferiore di sottoscrizioni. + + + An error occured while loading Azure resources: {0} + Si è verificato un errore durante il caricamento delle risorse di Azure: {0} + @@ -703,6 +715,14 @@ + + + + Azure Monitor Workspace + Azure Monitor Workspace + + + diff --git a/resources/xlf/it/big-data-cluster.it.xlf b/resources/xlf/it/big-data-cluster.it.xlf index 11b1abec52..7872ca8482 100644 --- a/resources/xlf/it/big-data-cluster.it.xlf +++ b/resources/xlf/it/big-data-cluster.it.xlf @@ -60,6 +60,126 @@ Ignore SSL verification errors against SQL Server Big Data Cluster endpoints such as HDFS, Spark, and Controller if true Se è true, ignora gli errori di verifica SSL in endpoint del cluster Big Data di SQL Server come HDFS, Spark e Controller + + SQL Server Big Data Cluster + Cluster Big Data di SQL Server + + + SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes + Il cluster Big Data di SQL Server consente di distribuire cluster scalabili di contenitori SQL Server, Spark e HDFS in esecuzione in Kubernetes + + + Version + Versione + + + SQL Server 2019 + SQL Server 2019 + + + Deployment target + Destinazione di distribuzione + + + New Azure Kubernetes Service Cluster + Nuovo cluster del servizio Azure Kubernetes + + + Existing Azure Kubernetes Service Cluster + Cluster esistente del servizio Azure Kubernetes + + + Existing Kubernetes Cluster (kubeadm) + Cluster Kubernetes esistente (kubeadm) + + + Existing Azure Red Hat OpenShift cluster + Cluster Azure Red Hat OpenShift esistente + + + Existing OpenShift cluster + Cluster OpenShift esistente + + + SQL Server Big Data Cluster settings + Impostazioni del cluster Big Data di SQL Server + + + Cluster name + Nome del cluster + + + Controller username + Nome utente del controller + + + Password + Password + + + Confirm password + Conferma password + + + Azure settings + Impostazioni di Azure + + + Subscription id + ID sottoscrizione + + + Use my default Azure subscription + Usa la sottoscrizione di Azure predefinita personale + + + Resource group name + Nome del gruppo di risorse + + + Region + Area + + + AKS cluster name + Nome del cluster del servizio Azure Kubernetes + + + VM size + Dimensioni della macchina virtuale + + + VM count + Numero di macchine virtuali + + + Storage class name + Nome della classe di archiviazione + + + Capacity for data (GB) + Capacità per i dati (GB) + + + Capacity for logs (GB) + Capacità per i log (GB) + + + I accept {0}, {1} and {2}. + Accetto {0}, {1} e {2}. + + + Microsoft Privacy Statement + Informativa sulla privacy di Microsoft + + + azdata License Terms + Condizioni di licenza di azdata + + + SQL Server License Terms + Condizioni di licenza di SQL Server + diff --git a/resources/xlf/it/cms.it.xlf b/resources/xlf/it/cms.it.xlf index fd2425a811..3bd26c4183 100644 --- a/resources/xlf/it/cms.it.xlf +++ b/resources/xlf/it/cms.it.xlf @@ -424,15 +424,7 @@ - - - - Loading ... - Caricamento... - - - - + No resources found @@ -440,7 +432,7 @@ - + Add Central Management Server... @@ -448,15 +440,27 @@ - + + + + Unexpected error occurred while loading saved servers {0} + Si è verificato un errore imprevisto durante il caricamento dei server salvati {0} + + + Loading ... + Caricamento... + + + + Central Management Server Group already has a Registered Server with the name {0} Il gruppo di server di gestione centrale include già un server registrato denominato {0} - Azure SQL Database Servers cannot be used as Central Management Servers - I server del database SQL di Azure non possono essere usati come server di gestione centrale + Azure SQL Servers cannot be used as Central Management Servers + I server Azure SQL non possono essere usati come server di gestione centrale Are you sure you want to delete @@ -500,7 +504,7 @@ - + You cannot add a shared registered server with the same name as the Configuration Server diff --git a/resources/xlf/it/dacpac.it.xlf b/resources/xlf/it/dacpac.it.xlf index 162e511bff..63e5f918a8 100644 --- a/resources/xlf/it/dacpac.it.xlf +++ b/resources/xlf/it/dacpac.it.xlf @@ -1,16 +1,84 @@  - + + + Dacpac + Pacchetto di applicazione livello dati + + + Full path to folder where .DACPAC and .BACPAC files are saved by default + Percorso completo della cartella in cui vengono salvati i file DACPAC e BAPAC per impostazione predefinita + + + + + + + Target Server + Server di destinazione + + + Source Server + Server di origine + + + Source Database + Database di origine + + + Target Database + Database di destinazione + + + File Location + Percorso file + + + Select file + Seleziona file + + + Summary of settings + Riepilogo delle impostazioni + + + Version + Versione + + + Setting + Impostazione + + + Value + Valore + + + Database Name + Nome database + + + Open + Apri + + + Upgrade Existing Database + Aggiorna database esistente + + + New Database + Nuovo database + {0} of the deploy actions listed may result in data loss. Please ensure you have a backup or snapshot available in the event of an issue with the deployment. {0} delle azioni di distribuzione elencate potrebbero causare la perdita di dati. Assicurarsi di avere a disposizione un backup o uno snapshot in caso di problemi con la distribuzione. - + Proceed despite possible data loss Procedi nonostante la possibile perdita di dati - + No data loss will occur from the listed deploy actions. Non si verificherà alcuna perdita di dati dalle azioni di distribuzione elencate. @@ -54,19 +122,11 @@ Save Salva - - File Location - Percorso file - - + Version (use x.x.x.x where x is a number) Versione (usare x.x.x.x dove x è un numero) - - Open - Apri - - + Deploy a data-tier application .dacpac file to an instance of SQL Server [Deploy Dacpac] Distribuisci un file con estensione dacpac dell'applicazione livello dati in un'istanza di SQL Server [Distribuisci DACPAC] @@ -82,49 +142,9 @@ Export the schema and data from a database to the logical .bacpac file format [Export Bacpac] Esporta lo schema e i dati da un database nel formato di file logico con estensione bacpac [Esporta BACPAC] - - Database Name - Nome database - - - Upgrade Existing Database - Aggiorna database esistente - - - New Database - Nuovo database - - - Target Database - Database di destinazione - - - Target Server - Server di destinazione - - - Source Server - Server di origine - - - Source Database - Database di origine - - - Version - Versione - - - Setting - Impostazione - - - Value - Valore - - - default - predefinito + + Data-tier Application Wizard + Procedura guidata per l'applicazione livello dati Select an Operation @@ -174,18 +194,66 @@ Generate Script Genera script + + You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. + È possibile visualizzare lo stato della generazione dello script nella visualizzazione attività dopo la chiusura della procedura guidata. Lo script generato verrà aperto dopo il completamento. + + + default + predefinito + + + Deploy plan operations + Distribuire le operazioni del piano + + + A database with the same name already exists on the instance of SQL Server + Esiste già un database con lo stesso nome nell'istanza di SQL Server + + + Undefined name + Nome non definito + + + File name cannot end with a period + Il nome file non può terminare con un punto + + + File name cannot be whitespace + Il nome file non può essere vuoto + + + Invalid file characters + Caratteri di file non validi + + + This file name is reserved for use by Windows. Choose another name and try again + Questo nome file è riservato per l'uso da parte di Windows. Scegliere un altro nome e riprovare + + + Reserved file name. Choose another name and try again + Nome file riservato. Scegliere un altro nome e riprovare + + + File name cannot end with a whitespace + Il nome file non può terminare con uno spazio vuoto + + + File name is over 255 characters + Il nome file ha più di 255 caratteri + Generating deploy plan failed '{0}' La generazione del piano di distribuzione non è riuscita: '{0}' + + Generating deploy script failed '{0}' + La generazione dello script di distribuzione non è riuscita{0}' + {0} operation failed '{1}' Operazione {0} non riuscita '{1}' - - You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. - È possibile visualizzare lo stato della generazione dello script nella visualizzazione attività dopo la chiusura della procedura guidata. Lo script generato verrà aperto dopo il completamento. - \ No newline at end of file diff --git a/resources/xlf/it/import.it.xlf b/resources/xlf/it/import.it.xlf index df726ecd73..57f8c9be15 100644 --- a/resources/xlf/it/import.it.xlf +++ b/resources/xlf/it/import.it.xlf @@ -1,7 +1,143 @@  - + + + Flat File Import configuration + Configurazione dell'importazione file flat + + + [Optional] Log debug output to the console (View -> Output) and then select appropriate output channel from the dropdown + [Facoltativa] Registrare l'output di debug nella console (Visualizza -> Output), quindi selezionare il canale di output appropriato dall'elenco a discesa + + + + + + + {0} Started + {0} avviato + + + Starting {0} + Avvio di {0} + + + Failed to start {0}: {1} + Non è stato possibile avviare {0}: {1} + + + Installing {0} to {1} + Installazione di {0} in {1} + + + Installing {0} Service + Installazione del servizio {0} + + + Installed {0} + {0} installato + + + Downloading {0} + Download di {0} + + + ({0} KB) + ({0} KB) + + + Downloading {0} + Download di {0} + + + Done downloading {0} + Il download {0} è stato completato + + + Extracted {0} ({1}/{2}) + Estratto {0} ({1}/{2}) + + + + + + + Give Feedback + Feedback + + + service component could not start + non è stato possibile avviare il componente del servizio + + + Server the database is in + Server in cui si trova il database + + + Database the table is created in + Database in cui viene creata la tabella + + + Invalid file location. Please try a different input file + Percorso file non valido. Provare un file di input diverso + + + Browse + Sfoglia + + + Open + Apri + + + Location of the file to be imported + Percorso del file da importare + + + New table name + Nuovo nome della tabella + + + Table schema + Schema della tabella + + + Import Data + Importa dati + + + Next + Avanti + + + Column Name + Nome colonna + + + Data Type + Tipo di dati + + + Primary Key + Chiave primaria + + + Allow Nulls + Consenti valori Null + + + This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. + Questa operazione ha analizzato la struttura del file di input per generare l'anteprima seguente per le prime 50 righe. + + + This operation was unsuccessful. Please try a different input file. + Questa operazione non è riuscita. Provare con un file di input diverso. + + + Refresh + Aggiorna + Import information Informazioni sull'importazione @@ -34,90 +170,14 @@ ✔ You have successfully inserted the data into a table. ✔ I dati sono stati inseriti in una tabella. - - - - - - This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. - Questa operazione ha analizzato la struttura del file di input per generare l'anteprima seguente per le prime 50 righe. - - - This operation was unsuccessful. Please try a different input file. - Questa operazione non è riuscita. Provare con un file di input diverso. - - - Refresh - Aggiorna - - - - - - - Import Data - Importa dati - - - Next - Avanti - - - Column Name - Nome colonna - - - Data Type - Tipo di dati - - - Primary Key - Chiave primaria - - - Allow Nulls - Consenti valori Null - - - - - - - Server the database is in - Server in cui si trova il database - - - Database the table is created in - Database in cui viene creata la tabella - - - Browse - Sfoglia - - - Open - Apri - - - Location of the file to be imported - Percorso del file da importare - - - New table name - Nuovo nome della tabella - - - Table schema - Schema della tabella - - - - - Please connect to a server before using this wizard. Connettersi a un server prima di usare questa procedura guidata. + + SQL Server Import extension does not support this type of connection + L'estensione SQL Server Import non supporta questo tipo di connessione + Import flat file wizard Importazione guidata file flat @@ -144,60 +204,4 @@ - - - - Give Feedback - Feedback - - - service component could not start - non è stato possibile avviare il componente del servizio - - - - - - - Service Started - Servizio avviato - - - Starting service - Avvio del servizio - - - Failed to start Import service{0} - Non è stato possibile avviare il servizio di importazione {0} - - - Installing {0} service to {1} - Installazione del servizio {0} in {1} - - - Installing Service - Installazione del servizio - - - Installed - Installato - - - Downloading {0} - Download di {0} - - - ({0} KB) - ({0} KB) - - - Downloading Service - Download del servizio - - - Done! - Operazione completata. - - - \ No newline at end of file diff --git a/resources/xlf/it/notebook.it.xlf b/resources/xlf/it/notebook.it.xlf index f499f90b7c..856869287d 100644 --- a/resources/xlf/it/notebook.it.xlf +++ b/resources/xlf/it/notebook.it.xlf @@ -22,6 +22,14 @@ Local path to a preexisting python installation used by Notebooks. Percorso locale di un'installazione preesistente di Python usata da Notebooks. + + Do not show prompt to update Python. + Non visualizzare la richiesta di aggiornamento di Python. + + + The amount of time (in minutes) to wait before shutting down a server after all notebooks are closed. (Enter 0 to not shutdown) + Tempo di attesa (in minuti) prima dell'arresto di un server dopo la chiusura di tutti i notebook. (Immettere 0 per non arrestare) + Override editor default settings in the Notebook editor. Settings include background color, current line color and border Esegue l'override delle impostazioni predefinite dell'editor di Notebook. Le impostazioni includono il colore di sfondo, il colore della riga corrente e il bordo @@ -50,6 +58,10 @@ Notebooks that are pinned by the user for the current workspace Notebook aggiunti dall'utente per l'area di lavoro corrente + + Allow Jupyter server to run as root user + Allow Jupyter server to run as root user + New Notebook Nuovo notebook @@ -139,24 +151,24 @@ Book di Jupyter - Save Book - Salva book + Save Jupyter Book + Salva il Jupyter Book - Trust Book - Considera attendibile il libro + Trust Jupyter Book + Jupyter Book attendibile - Search Book - Cerca nel book + Search Jupyter Book + Cerca nel Jupyter Book Notebooks Notebook - Provided Books - Libri forniti + Provided Jupyter Books + Jupyter Book disponibili Pinned notebooks @@ -174,17 +186,29 @@ Close Jupyter Book Chiudi libro Jupyter - - Close Jupyter Notebook - Chiudi notebook Jupyter + + Close Notebook + Chiudere blocco appunti + + + Remove Notebook + Rimuovere il blocco appunti + + + Add Notebook + Aggiungere blocco appunti + + + Add Markdown File + Aggiungi file markdown Reveal in Books Visualizza nei libri - Create Book (Preview) - Crea libro (anteprima) + Create Jupyter Book + Crea Jupyter Book Open Notebooks in Folder @@ -263,8 +287,8 @@ Seleziona cartella - Select Book - Seleziona libro + Select Jupyter Book + Seleziona Jupyter Book Folder already exists. Are you sure you want to delete and replace this folder? @@ -283,40 +307,40 @@ Apri collegamento esterno - Book is now trusted in the workspace. - Il libro è considerato attendibile nell'area di lavoro. + Jupyter Book is now trusted in the workspace. + Jupyter Book è ora considerato attendibile nell'area di lavoro. - Book is already trusted in this workspace. - Il libro è già considerato attendibile in questa area di lavoro. + Jupyter Book is already trusted in this workspace. + Il Book è già considerato attendibile in questa area di lavoro. - Book is no longer trusted in this workspace - Il libro non è più considerato attendibile in questa area di lavoro + Jupyter Book is no longer trusted in this workspace + Il Book non è più considerato attendibile in questa area di lavoro - Book is already untrusted in this workspace. - Il libro è già considerato non attendibile in questa area di lavoro. + Jupyter Book is already untrusted in this workspace. + Il Book è già considerato non attendibile in questa area di lavoro. - Book {0} is now pinned in the workspace. - Il libro {0} è stato aggiunto nell'area di lavoro. + Jupyter Book {0} is now pinned in the workspace. + Il Book {0} è stato aggiunto nell'area di lavoro. - Book {0} is no longer pinned in this workspace - Il libro {0} è stato rimosso da questa area di lavoro + Jupyter Book {0} is no longer pinned in this workspace + Il Book {0} è stato rimosso da questa area di lavoro - Failed to find a Table of Contents file in the specified book. - Non è stato possibile trovare un file del sommario nel libro specificato. + Failed to find a Table of Contents file in the specified Jupyter Book. + Non è stato possibile trovare un file del sommario nel Book specificato. - No books are currently selected in the viewlet. - Nessun libro è attualmente selezionato nel viewlet. + No Jupyter Books are currently selected in the viewlet. + Nessun Book è attualmente selezionato nel viewlet. - Select Book Section - Seleziona sezione del libro + Select Jupyter Book Section + Seleziona la sezione Jupyter Book Add to this level @@ -339,12 +363,12 @@ File di configurazione mancante - Open book {0} failed: {1} - L'apertura del book {0} non è riuscita: {1} + Open Jupyter Book {0} failed: {1} + Apertura Jupyter Book {0} non riuscita: {1} - Failed to read book {0}: {1} - Non è stato possibile leggere il libro {0}: {1} + Failed to read Jupyter Book {0}: {1} + Non è possibile leggere Jupyter Book {0}: {1} Open notebook {0} failed: {1} @@ -363,8 +387,8 @@ L'apertura del collegamento {0} non è riuscita: {1} - Close book {0} failed: {1} - La chiusura del libro {0} non è riuscita: {1} + Close Jupyter Book {0} failed: {1} + Chiusura Jupyter Book {0} non riuscita: {1} File {0} already exists in the destination folder {1} @@ -373,12 +397,16 @@ Il file è stato rinominato in {2} per evitare la perdita di dati. - Error while editing book {0}: {1} - Si è verificato un errore durante la modifica del libro {0}: {1} + Error while editing Jupyter Book {0}: {1} + Errore durante la modifica del Book {0}: {1} - Error while selecting a book or a section to edit: {0} - Si è verificato un errore durante la selezione di un libro o di una sezione da modificare: {0} + Error while selecting a Jupyter Book or a section to edit: {0} + Si è verificato un errore durante la selezione di un Jupyter Book o di una sezione da modificare: {0} + + + Failed to find section {0} in {1}. + Non è stato possibile trovare {0} in {1}. URL @@ -393,8 +421,8 @@ Posizione - Add Remote Book - Aggiungi libro remoto + Add Remote Jupyter Book + Aggiungi libro remoto Jupyter GitHub @@ -409,8 +437,8 @@ Versioni - Book - Libro + Jupyter Book + Jupyter Book Version @@ -421,8 +449,8 @@ Lingua - No books are currently available on the provided link - Non sono attualmente disponibili libri nel collegamento fornito + No Jupyter Books are currently available on the provided link + Non sono attualmente disponibili Book nel collegamento fornito The url provided is not a Github release url @@ -445,44 +473,44 @@ - - Remote Book download is in progress - Il download del libro remoto è in corso + Remote Jupyter Book download is in progress + È in corso il download remoto del Jupyter Book - Remote Book download is complete - Il download del libro remoto è stato completato + Remote Jupyter Book download is complete + Download remoto del Jupyter Book completato - Error while downloading remote Book - Si è verificato un errore durante il download del libro remoto + Error while downloading remote Jupyter Book + Errore durante il download remoto di Jupyter Book - Error while decompressing remote Book - Si è verificato un errore durante la decompressione del libro remoto + Error while decompressing remote Jupyter Book + Errore durante la decompressione del Jupyter Book remoto - Error while creating remote Book directory - Si è verificato un errore durante la creazione della directory del libro remoto + Error while creating remote Jupyter Book directory + Si è verificato un errore durante la creazione della directory del Book remoto - Downloading Remote Book - Download del libro remoto + Downloading Remote Jupyter Book + Download del Jupyter Book remoto Resource not Found Risorsa non trovata - Books not Found - Libri non trovati + Jupyter Books not Found + Jupyter Book non trovati Releases not Found Versioni non trovate - The selected book is not valid - Il libro selezionato non è valido + The selected Jupyter Book is not valid + Il Book selezionato non è valido Http Request failed with error: {0} {1} @@ -492,21 +520,21 @@ Downloading to {0} Download di {0} - - New Group - Nuovo gruppo + + New Jupyter Book (Preview) + Nuovo libro Jupyter (anteprima) - - Groups are used to organize Notebooks. - I gruppi vengono usati per organizzare i notebook. + + Jupyter Books are used to organize Notebooks. + I libri Jupyter vengono usati per organizzare i blocchi appunti. - - Browse locations... - Sfoglia posizioni... + + Learn more. + Altre informazioni. - - Select content folder - Seleziona cartella del contenuto + + Content folder + Cartella del contenuto Browse @@ -524,7 +552,7 @@ Save location Salva posizione - + Content folder (Optional) Cartella del contenuto (facoltativo) @@ -533,8 +561,44 @@ Il percorso della cartella del contenuto non esiste - Save location path does not exist - Il percorso di salvataggio non esiste + Save location path does not exist. + Il percorso di salvataggio non esiste. + + + Error while trying to access: {0} + Errore durante il tentativo di accesso: {0} + + + New Notebook (Preview) + Nuovo blocco appunti (anteprima) + + + New Markdown (Preview) + Nuovo markdown (anteprima) + + + File Extension + Estensione file + + + File already exists. Are you sure you want to overwrite this file? + Il file esiste già. Si vuole davvero sovrascrivere il file? + + + Title + Titolo + + + File Name + Nome file + + + Save location path is not valid. + Il percorso di salvataggio non è valido. + + + File {0} already exists in the destination folder + Il file {0} esiste già nella cartella di destinazione @@ -588,6 +652,18 @@ Another Python installation is currently in progress. Waiting for it to complete. È già in corso un'altra installazione di Python. Attendere che venga completata. + + Active Python notebook sessions will be shutdown in order to update. Would you like to proceed now? + Le sessioni del notebook di Python attive verranno arrestate per l'aggiornamento. Procedere ora? + + + Python {0} is now available in Azure Data Studio. The current Python version (3.6.6) will be out of support in December 2021. Would you like to update to Python {0} now? + Python {0} è ora disponibile in Azure Data Studio. La versione corrente di Python (3.6.6) non sarà supportata da dicembre 2021. Eseguire ora l'aggiornamento a Python {0} ? + + + Python {0} will be installed and will replace Python 3.6.6. Some packages may no longer be compatible with the new version or may need to be reinstalled. A notebook will be created to help you reinstall all pip packages. Would you like to continue with the update now? + Python {0} verrà installato e sostituirà Python 3.6.6. Alcuni pacchetti potrebbero non essere più compatibili con la nuova versione o potrebbero dover essere reinstallati. Verrà creato un notebook che consente di reinstallare tutti i pacchetti pip. Continuare con l'aggiornamento ora? + Installing Notebook dependencies failed with error: {0} L'installazione delle dipendenze di Notebook non è riuscita. Errore: {0} @@ -604,6 +680,18 @@ Encountered an error when getting Python user path: {0} Si è verificato un errore durante il recupero del percorso utente di Python: {0} + + Yes + + + + No + No + + + Don't Ask Again + Non chiedere più + @@ -973,8 +1061,8 @@ L'azione {0} non è supportata per questo gestore - Cannot open link {0} as only HTTP and HTTPS links are supported - Non è possibile aprire il collegamento {0} perché sono supportati solo i collegamenti HTTP e HTTPS + Cannot open link {0} as only HTTP, HTTPS, and File links are supported + Non è possibile aprire il collegamento {0} perché sono supportati solo i collegamenti HTTP, HTTPS e file Download and open '{0}'? diff --git a/resources/xlf/it/profiler.it.xlf b/resources/xlf/it/profiler.it.xlf index 13dd9ff9a1..c6eb3734de 100644 --- a/resources/xlf/it/profiler.it.xlf +++ b/resources/xlf/it/profiler.it.xlf @@ -1,6 +1,6 @@  - + Cancel diff --git a/resources/xlf/it/resource-deployment.it.xlf b/resources/xlf/it/resource-deployment.it.xlf index 516875c108..922d398d39 100644 --- a/resources/xlf/it/resource-deployment.it.xlf +++ b/resources/xlf/it/resource-deployment.it.xlf @@ -26,14 +26,6 @@ Run SQL Server container image with docker Esegue l'immagine del contenitore di SQL Server con Docker - - SQL Server Big Data Cluster - Cluster Big Data di SQL Server - - - SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes - Il cluster Big Data di SQL Server consente di distribuire cluster scalabili di contenitori SQL Server, Spark e HDFS in esecuzione in Kubernetes - Version Versione @@ -46,34 +38,6 @@ SQL Server 2019 SQL Server 2019 - - SQL Server 2019 - SQL Server 2019 - - - Deployment target - Destinazione di distribuzione - - - New Azure Kubernetes Service Cluster - Nuovo cluster del servizio Azure Kubernetes - - - Existing Azure Kubernetes Service Cluster - Cluster esistente del servizio Azure Kubernetes - - - Existing Kubernetes Cluster (kubeadm) - Cluster Kubernetes esistente (kubeadm) - - - Existing Azure Red Hat OpenShift cluster - Cluster Azure Red Hat OpenShift esistente - - - Existing OpenShift cluster - Cluster OpenShift esistente - Deploy SQL Server 2017 container images Distribuisci immagini del contenitore di SQL Server 2017 @@ -98,70 +62,6 @@ Port Porta - - SQL Server Big Data Cluster settings - Impostazioni del cluster Big Data di SQL Server - - - Cluster name - Nome del cluster - - - Controller username - Nome utente del controller - - - Password - Password - - - Confirm password - Conferma password - - - Azure settings - Impostazioni di Azure - - - Subscription id - ID sottoscrizione - - - Use my default Azure subscription - Usa la sottoscrizione di Azure predefinita personale - - - Resource group name - Nome del gruppo di risorse - - - Region - Area - - - AKS cluster name - Nome del cluster del servizio Azure Kubernetes - - - VM size - Dimensioni della macchina virtuale - - - VM count - Numero di macchine virtuali - - - Storage class name - Nome della classe di archiviazione - - - Capacity for data (GB) - Capacità per i dati (GB) - - - Capacity for logs (GB) - Capacità per i log (GB) - SQL Server on Windows SQL Server in Windows @@ -170,22 +70,10 @@ Run SQL Server on Windows, select a version to get started. Consente di eseguire SQL Server in Windows. Selezionare una versione per iniziare. - - I accept {0}, {1} and {2}. - Accetto {0}, {1} e {2}. - Microsoft Privacy Statement Informativa sulla privacy di Microsoft - - azdata License Terms - Condizioni di licenza di azdata - - - SQL Server License Terms - Condizioni di licenza di SQL Server - Deployment configuration Configurazione della distribuzione @@ -486,6 +374,22 @@ Accept EULA & Select Accetta contratto di licenza e seleziona + + The '{0}' extension is required to deploy this resource, do you want to install it now? + L'estensione "{0}" è necessaria per distribuire la risorsa, si vuole installarla subito? + + + Install + Installare + + + Installing extension '{0}'... + Installazione dell'estensione "{0}" in corso... + + + Unknown extension '{0}' + Estensione "{0}" sconosciuta + Select the deployment options Seleziona le opzioni di distribuzione @@ -1096,10 +1000,6 @@ - - Failed to load extension: {0}, Error detected in the resource type definition in package.json, check debug console for details. - Non è stato possibile caricare l'estensione: {0}. È stato rilevato un errore nella definizione dei tipi di risorse nel file package.json. Per dettagli, vedere la console di debug. - The resource type: {0} is not defined Il tipo di risorsa {0} non è definito @@ -2222,14 +2122,14 @@ Selezionare una sottoscrizione diversa contenente almeno un server Deployment pre-requisites Prerequisiti di distribuzione - - To proceed, you must accept the terms of the End User License Agreement(EULA) - Per procedere è necessario accettare le condizioni del contratto di licenza - Some tools were still not discovered. Please make sure that they are installed, running and discoverable Alcuni strumenti non sono stati ancora individuati. Assicurarsi che siano installati, in esecuzione e individuabili + + To proceed, you must accept the terms of the End User License Agreement(EULA) + Per procedere è necessario accettare le condizioni del contratto di licenza + Loading required tools information completed Caricamento delle informazioni sugli strumenti necessari completato @@ -2378,6 +2278,10 @@ Selezionare una sottoscrizione diversa contenente almeno un server Azure Data CLI Interfaccia della riga di comando di Azure Data + + The Azure Data CLI extension must be installed to deploy this resource. Please install it through the extension gallery and try again. + Per distribuire la risorsa, è necessario installare l'estensione AZURE Data CLI. Installare l'estensione tramite la raccolta estensioni e riprovare. + Error retrieving version information. See output channel '{0}' for more details Errore durante il recupero delle informazioni sulla versione. Per altri dettagli, vedere il canale di output '{0}' @@ -2386,46 +2290,6 @@ Selezionare una sottoscrizione diversa contenente almeno un server Error retrieving version information.{0}Invalid output received, get version command output: '{1}' Errore durante il recupero delle informazioni sulla versione.{0}È stato ricevuto un output non valido. Ottenere l'output del comando della versione: '{1}' - - deleting previously downloaded Azdata.msi if one exists … - eliminazione del file Azdata.msi scaricato in precedenza se presente… - - - downloading Azdata.msi and installing azdata-cli … - download di Azdata.msi e installazione di azdata-cli… - - - displaying the installation log … - visualizzazione del log di installazione… - - - tapping into the brew repository for azdata-cli … - accesso al repository brew per azdata-cli… - - - updating the brew repository for azdata-cli installation … - aggiornamento del repository brew per l'installazione di azdata-cli… - - - installing azdata … - installazione di azdata… - - - updating repository information … - aggiornamento delle informazioni sul repository… - - - getting packages needed for azdata installation … - recupero dei pacchetti necessari per l'installazione di azdata… - - - downloading and installing the signing key for azdata … - download e installazione della chiave di firma per azdata… - - - adding the azdata repository information … - aggiunta delle informazioni sul repository azdata… - diff --git a/resources/xlf/it/schema-compare.it.xlf b/resources/xlf/it/schema-compare.it.xlf index f013bfa578..04b3042e9e 100644 --- a/resources/xlf/it/schema-compare.it.xlf +++ b/resources/xlf/it/schema-compare.it.xlf @@ -16,28 +16,116 @@ - + - - Ok + + OK OK - + Cancel Annulla + + Source + Origine + + + Target + Destinazione + + + File + File + + + Data-tier Application File (.dacpac) + File dell'applicazione livello dati (con estensione dacpac) + + + Database + Database + + + Type + Tipo + + + Server + Server + + + Database + Database + + + Schema Compare + Confronto schemi + + + A different source schema has been selected. Compare to see the comparison? + È stato selezionato uno schema di origine diverso. Eseguire il confronto? + + + A different target schema has been selected. Compare to see the comparison? + È stato selezionato uno schema di destinazione diverso. Eseguire il confronto? + + + Different source and target schemas have been selected. Compare to see the comparison? + Sono stati selezionati schemi di origine e di destinazione diversi. Eseguire il confronto? + + + Yes + + + + No + No + + + Source file + File di origine + + + Target file + File di destinazione + + + Source Database + Database di origine + + + Target Database + Database di destinazione + + + Source Server + Server di origine + + + Target Server + Server di destinazione + + + default + predefinito + + + Open + Apri + + + Select source file + Selezionare file di origine + + + Select target file + Selezionare il file di destinazione + Reset Reimposta - - Yes - - - - No - No - Options have changed. Recompare to see the comparison? Le opzioni sono state modificate. Ripetere il confronto? @@ -54,6 +142,174 @@ Include Object Types Includi tipi di oggetto + + Compare Details + Dettagli confronto + + + Are you sure you want to update the target? + Aggiornare la destinazione? + + + Press Compare to refresh the comparison. + Fare clic su Confronta per aggiornare il confronto. + + + Generate script to deploy changes to target + Genera script per distribuire le modifiche nella destinazione + + + No changes to script + Non sono presenti modifiche per cui generare lo script + + + Apply changes to target + Applica modifiche alla destinazione + + + No changes to apply + Non sono presenti modifiche da applicare + + + Please note that include/exclude operations can take a moment to calculate affected dependencies + Tenere presente che le operazioni di inclusione/esclusione possono richiedere qualche minuto per calcolare le dipendenze interessate + + + Delete + Elimina + + + Change + Modifica + + + Add + Aggiungi + + + Comparison between Source and Target + Confronto tra origine e destinazione + + + Initializing Comparison. This might take a moment. + Inizializzazione del confronto. L'operazione potrebbe richiedere qualche istante. + + + To compare two schemas, first select a source schema and target schema, then press Compare. + Per confrontare due schemi, selezionare lo schema di origine e quello di destinazione, quindi fare clic su Confronta. + + + No schema differences were found. + Non sono state trovate differenze di schema. + + + Type + Tipo + + + Source Name + Nome origine + + + Include + Includi + + + Action + Azione + + + Target Name + Nome destinazione + + + Generate script is enabled when the target is a database + L'opzione Genera script è abilitata quando la destinazione è un database + + + Apply is enabled when the target is a database + L'opzione Applica è abilitata quando la destinazione è un database + + + Cannot exclude {0}. Included dependents exist, such as {1} + Non è possibile escludere {0}. Esistono dipendenti inclusi, ad esempio {1} + + + Cannot include {0}. Excluded dependents exist, such as {1} + Non è possibile includere {0}. Esistono dipendenti esclusi, ad esempio {1} + + + Cannot exclude {0}. Included dependents exist + Non è possibile escludere {0}. Esistono dipendenti inclusi + + + Cannot include {0}. Excluded dependents exist + Non è possibile includere {0}. Esistono dipendenti esclusi + + + Compare + Confronta + + + Stop + Arresta + + + Generate script + Genera script + + + Options + Opzioni + + + Apply + Applica + + + Switch direction + Cambia direzione + + + Switch source and target + Scambia origine e destinazione + + + Select Source + Seleziona origine + + + Select Target + Seleziona destinazione + + + Open .scmp file + Apri file con estensione scmp + + + Load source, target, and options saved in an .scmp file + Carica origine, destinazione e opzioni salvate in un file con estensione scmp + + + Save .scmp file + Salva file con estensione scmp + + + Save source and target, options, and excluded elements + Salva origine e destinazione, opzioni ed elementi esclusi + + + Save + Salva + + + Do you want to connect to {0}? + Si desidera connettersi a {0}? + + + Select connection + Selezionare connessione + Ignore Table Options Ignora opzioni di tabella @@ -407,7 +663,7 @@ Ruoli database - DatabaseTriggers + Database Triggers Trigger database @@ -426,6 +682,14 @@ External File Formats Formati di file esterni + + External Streams + Flussi esterni + + + External Streaming Jobs + Processi di streaming esterni + External Tables Tabelle esterne @@ -434,6 +698,10 @@ Filegroups Filegroup + + Files + File + File Tables Tabelle file @@ -503,11 +771,11 @@ Firme - StoredProcedures + Stored Procedures Stored procedure - SymmetricKeys + Symmetric Keys Chiavi simmetriche @@ -926,286 +1194,30 @@ Specifies whether differences in table column order should be ignored or updated when you publish to a database. Specifica se le differenze nell'ordine colonne della tabella devono essere ignorate o aggiornate durante la pubblicazione di un database. - - - - - - Ok - OK - - - Cancel - Annulla - - - Source - Origine - - - Target - Destinazione - - - File - File - - - Data-tier Application File (.dacpac) - File dell'applicazione livello dati (con estensione dacpac) - - - Database - Database - - - Type - Tipo - - - Server - Server - - - Database - Database - - - No active connections - Non ci sono connessioni attive - - - Schema Compare - Confronto schemi - - - A different source schema has been selected. Compare to see the comparison? - È stato selezionato uno schema di origine diverso. Eseguire il confronto? - - - A different target schema has been selected. Compare to see the comparison? - È stato selezionato uno schema di destinazione diverso. Eseguire il confronto? - - - Different source and target schemas have been selected. Compare to see the comparison? - Sono stati selezionati schemi di origine e di destinazione diversi. Eseguire il confronto? - - - Yes - - - - No - No - - - Open - Apri - - - default - predefinito - - - - - - - Compare Details - Dettagli confronto - - - Are you sure you want to update the target? - Aggiornare la destinazione? - - - Press Compare to refresh the comparison. - Fare clic su Confronta per aggiornare il confronto. - - - Generate script to deploy changes to target - Genera script per distribuire le modifiche nella destinazione - - - No changes to script - Non sono presenti modifiche per cui generare lo script - - - Apply changes to target - Applica modifiche alla destinazione - - - No changes to apply - Non sono presenti modifiche da applicare - - - Delete - Elimina - - - Change - Modifica - - - Add - Aggiungi - - - Schema Compare - Confronto schemi - - - Source - Origine - - - Target - Destinazione - - - ➔ - - - - Initializing Comparison. This might take a moment. - Inizializzazione del confronto. L'operazione potrebbe richiedere qualche istante. - - - To compare two schemas, first select a source schema and target schema, then press Compare. - Per confrontare due schemi, selezionare lo schema di origine e quello di destinazione, quindi fare clic su Confronta. - - - No schema differences were found. - Non sono state trovate differenze di schema. - Schema Compare failed: {0} Il confronto schemi non è riuscito: {0} - - Type - Tipo - - - Source Name - Nome origine - - - Include - Includi - - - Action - Azione - - - Target Name - Nome destinazione - - - Generate script is enabled when the target is a database - L'opzione Genera script è abilitata quando la destinazione è un database - - - Apply is enabled when the target is a database - L'opzione Applica è abilitata quando la destinazione è un database - - - Compare - Confronta - - - Compare - Confronta - - - Stop - Arresta - - - Stop - Arresta - - - Cancel schema compare failed: '{0}' - L'annullamento del confronto schemi non è riuscito: '{0}' - - - Generate script - Genera script - - - Generate script failed: '{0}' - La generazione dello script non è riuscita: '{0}' - - - Options - Opzioni - - - Options - Opzioni - - - Apply - Applica - - - Yes - - - - Schema Compare Apply failed '{0}' - L'applicazione del confronto schemi non è riuscita: '{0}' - - - Switch direction - Cambia direzione - - - Switch source and target - Scambia origine e destinazione - - - Select Source - Seleziona origine - - - Select Target - Seleziona destinazione - - - Open .scmp file - Apri file con estensione scmp - - - Load source, target, and options saved in an .scmp file - Carica origine, destinazione e opzioni salvate in un file con estensione scmp - - - Open - Apri - - - Open scmp failed: '{0}' - L'apertura del file scmp non è riuscita: '{0}' - - - Save .scmp file - Salva file con estensione scmp - - - Save source and target, options, and excluded elements - Salva origine e destinazione, opzioni ed elementi esclusi - - - Save - Salva - Save scmp failed: '{0}' Il salvataggio del file scmp non è riuscito: '{0}' + + Cancel schema compare failed: '{0}' + L'annullamento del confronto schemi non è riuscito: '{0}' + + + Generate script failed: '{0}' + La generazione dello script non è riuscita: '{0}' + + + Schema Compare Apply failed '{0}' + L'applicazione del confronto schemi non è riuscita: '{0}' + + + Open scmp failed: '{0}' + L'apertura del file scmp non è riuscita: '{0}' + \ No newline at end of file diff --git a/resources/xlf/it/sql.it.xlf b/resources/xlf/it/sql.it.xlf index ae5b2c3635..c35da721b9 100644 --- a/resources/xlf/it/sql.it.xlf +++ b/resources/xlf/it/sql.it.xlf @@ -1,2559 +1,6 @@  - - - - Copying images is not supported - La copia delle immagini non è supportata - - - - - - - Get Started - Attività iniziali - - - Show Getting Started - Mostra introduzione - - - Getting &&Started - && denotes a mnemonic - &&Introduzione - - - - - - - QueryHistory - Cronologia query - - - Whether Query History capture is enabled. If false queries executed will not be captured. - Indica se l'acquisizione della cronologia delle query è abilitata. Se è false, le query eseguite non verranno acquisite. - - - View - Visualizza - - - &&Query History - && denotes a mnemonic - &&Cronologia delle query - - - Query History - Cronologia delle query - - - - - - - Connecting: {0} - Connessione: {0} - - - Running command: {0} - Esecuzione del comando: {0} - - - Opening new query: {0} - Apertura della nuova query: {0} - - - Cannot connect as no server information was provided - Non è possibile connettersi perché non sono state fornite informazioni sul server - - - Could not open URL due to error {0} - Non è stato possibile aprire l'URL a causa dell'errore {0} - - - This will connect to server {0} - Verrà eseguita la connessione al server {0} - - - Are you sure you want to connect? - Connettersi? - - - &&Open - &&Apri - - - Connecting query file - Connessione del file di query - - - - - - - 1 or more tasks are in progress. Are you sure you want to quit? - Sono in corso una o più attività. Uscire comunque? - - - Yes - - - - No - No - - - - - - - Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? - Le funzionalità in anteprima consentono di migliorare l'esperienza in Azure Data Studio offrendo accesso completo a nuove funzionalità e miglioramenti. Per altre informazioni sulle funzionalità in anteprima, vedere [qui] ({0}). Abilitare le funzionalità in anteprima? - - - Yes (recommended) - Sì (scelta consigliata) - - - No - No - - - No, don't show again - Non visualizzare più questo messaggio - - - - - - - Toggle Query History - Attiva/Disattiva cronologia delle query - - - Delete - Elimina - - - Clear All History - Cancella tutta la cronologia - - - Open Query - Apri query - - - Run Query - Esegui query - - - Toggle Query History capture - Attiva/Disattiva acquisizione della cronologia delle query - - - Pause Query History Capture - Sospendi acquisizione della cronologia delle query - - - Start Query History Capture - Avvia acquisizione della cronologia delle query - - - - - - - No queries to display. - Non ci sono query da visualizzare. - - - Query History - QueryHistory - Cronologia delle query - - - - - - - Error - Errore - - - Warning - Avviso - - - Info - Informazioni - - - Ignore - Ignora - - - - - - - Saving results into different format disabled for this data provider. - Il salvataggio dei risultati in un formato diverso è disabilitato per questo provider di dati. - - - Cannot serialize data as no provider has been registered - Non è possibile serializzare i dati perché non è stato registrato alcun provider - - - Serialization failed with an unknown error - La serializzazione non è riuscita e si verificato un errore sconosciuto - - - - - - - Connection is required in order to interact with adminservice - Per interagire con adminservice, è richiesta la connessione - - - No Handler Registered - Non ci sono gestori registrati - - - - - - - Select a file - Seleziona un file - - - - - - - Connection is required in order to interact with Assessment Service - Per interagire con il servizio valutazione è necessaria una connessione - - - No Handler Registered - Non ci sono gestori registrati - - - - - - - Results Grid and Messages - Messaggi e griglia dei risultati - - - Controls the font family. - Controlla la famiglia di caratteri. - - - Controls the font weight. - Controlla lo spessore del carattere. - - - Controls the font size in pixels. - Controlla le dimensioni del carattere in pixel. - - - Controls the letter spacing in pixels. - Controlla la spaziatura tra le lettere in pixel. - - - Controls the row height in pixels - Controlla l'altezza delle righe in pixel - - - Controls the cell padding in pixels - Controlla la spaziatura interna celle in pixel - - - Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells - Ridimensiona automaticamente la larghezza delle colonne sui risultati iniziali. Potrebbero verificarsi problemi di prestazioni con un numero elevato di colonne o celle di grandi dimensioni - - - The maximum width in pixels for auto-sized columns - Larghezza massima in pixel per colonne con ridimensionamento automatico - - - - - - - View - Visualizza - - - Database Connections - Connessioni di database - - - data source connections - connessioni a origine dati - - - data source groups - gruppi di origine dati - - - Startup Configuration - Configurazione di avvio - - - True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown - È true se all'avvio di Azure Data Studio deve essere visualizzata la visualizzazione Server (impostazione predefinita); è false se deve essere visualizzata l'ultima visualizzazione aperta - - - - - - - Disconnect - Disconnetti - - - Refresh - Aggiorna - - - - - - - Preview Features - Funzionalità di anteprima - - - Enable unreleased preview features - Abilita le funzionalità di anteprima non rilasciate - - - Show connect dialog on startup - Mostra la finestra di dialogo della connessione all'avvio - - - Obsolete API Notification - Notifica API obsolete - - - Enable/disable obsolete API usage notification - Abilita/disabilita la notifica di utilizzo di API obsolete - - - - - - - Problems - Problemi - - - - - - - {0} in progress tasks - {0} attività in corso - - - View - Visualizza - - - Tasks - Attività - - - &&Tasks - && denotes a mnemonic - &&Attività - - - - - - - The maximum number of recently used connections to store in the connection list. - Numero massimo di connessioni usate di recente da archiviare nell'elenco delle connessioni. - - - Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. - Motore SQL predefinito da usare. Stabilisce il provider del linguaggio predefinito nei file con estensione sql e il valore predefinito da usare quando si crea una nuova connessione. - - - Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. - Prova ad analizzare il contenuto degli appunti quando si apre la finestra di dialogo di connessione o si esegue un'operazione Incolla. - - - - - - - Server Group color palette used in the Object Explorer viewlet. - Tavolozza dei colori del gruppo di server usata nel viewlet Esplora oggetti. - - - Auto-expand Server Groups in the Object Explorer viewlet. - Espande automaticamente i gruppi di server nel viewlet di Esplora oggetti. - - - (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. - (Anteprima) Usare il nuovo albero del server asincrono per la visualizzazione Server e la finestra di dialogo di connessione con il supporto di nuove funzionalità come i filtri dinamici dei nodi. - - - - - - - Identifier of the account type - Identificatore del tipo di account - - - (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration - (Facoltativa) Icona usata per rappresentare l'account nell'interfaccia utente. Percorso di file o configurazione che supporta i temi - - - Icon path when a light theme is used - Percorso dell'icona quando viene usato un tema chiaro - - - Icon path when a dark theme is used - Percorso dell'icona quando viene usato un tema scuro - - - Contributes icons to account provider. - Aggiunge come contributo le icone al provider di account. - - - - - - - Show Edit Data SQL pane on startup - Mostra riquadro Modifica dati SQL all'avvio - - - - - - - Minimum value of the y axis - Valore minimo dell'asse Y - - - Maximum value of the y axis - Valore massimo dell'asse Y - - - Label for the y axis - Etichetta per l'asse Y - - - Minimum value of the x axis - Valore minimo dell'asse X - - - Maximum value of the x axis - Valore massimo dell'asse X - - - Label for the x axis - Etichetta per l'asse X - - - - - - - Resource Viewer - Visualizzatore risorse - - - - - - - Indicates data property of a data set for a chart. - Indica la proprietà dati di un set di dati per un grafico. - - - - - - - For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 - Per ogni colonna in un set di risultati mostra il valore nella riga 0 sotto forma di numero seguito dal nome della colonna. Ad esempio '1 Attivi', '3 Disabilitati', dove 'Attivi' è il nome della colonna e 1 è il valore presente a riga 1 cella 1 - - - - - - - Displays the results in a simple table - Visualizza i risultati in una tabella semplice - - - - - - - Displays an image, for example one returned by an R query using ggplot2 - Visualizza un'immagine, ad esempio una restituita da una query R che usa ggplot2 - - - What format is expected - is this a JPEG, PNG or other format? - Indica se il formato previsto è JPEG, PNG o di altro tipo. - - - Is this encoded as hex, base64 or some other format? - Indica se viene codificato come hex, base64 o in un altro formato. - - - - - - - Manage - Gestisci - - - Dashboard - Dashboard - - - - - - - The webview that will be displayed in this tab. - Webview che verrà visualizzata in questa scheda. - - - - - - - The controlhost that will be displayed in this tab. - controlhost che verrà visualizzato in questa scheda. - - - - - - - The list of widgets that will be displayed in this tab. - Elenco dei widget che verranno visualizzati in questa scheda. - - - The list of widgets is expected inside widgets-container for extension. - L'elenco dei widget deve trovarsi all'interno del contenitore dei widget per l'estensione. - - - - - - - The list of widgets or webviews that will be displayed in this tab. - Elenco dei widget o delle webview che verranno visualizzati in questa scheda. - - - widgets or webviews are expected inside widgets-container for extension. - i widget o le webview devono trovarsi nel contenitore dei widget per l'estensione. - - - - - - - Unique identifier for this container. - Identificatore univoco per questo contenitore. - - - The container that will be displayed in the tab. - Contenitore che verrà visualizzato nella scheda. - - - Contributes a single or multiple dashboard containers for users to add to their dashboard. - Aggiunge come contributo uno o più container di dashboard che gli utenti possono aggiungere al proprio dashboard. - - - No id in dashboard container specified for extension. - Nel container di dashboard non è stato specificato alcun ID per l'estensione. - - - No container in dashboard container specified for extension. - Nel container di dashboard non è stato specificato alcun contenitore per l'estensione. - - - Exactly 1 dashboard container must be defined per space. - Per ogni spazio è necessario definire un solo container di dashboard. - - - Unknown container type defines in dashboard container for extension. - Nel container di dashboard è stato definito un tipo di contenitore sconosciuto per l'estensione. - - - - - - - Unique identifier for this nav section. Will be passed to the extension for any requests. - Identificatore univoco per questa sezione di spostamento. Verrà passato all'estensione per eventuali richieste. - - - (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration - (Facoltativa) Icona usata per rappresentare la sezione di spostamento nell'interfaccia utente. Percorso di file o configurazione che supporta i temi - - - Icon path when a light theme is used - Percorso dell'icona quando viene usato un tema chiaro - - - Icon path when a dark theme is used - Percorso dell'icona quando viene usato un tema scuro - - - Title of the nav section to show the user. - Titolo della sezione di spostamento da mostrare all'utente. - - - The container that will be displayed in this nav section. - Contenitore che verrà visualizzato in questa sezione di spostamento. - - - The list of dashboard containers that will be displayed in this navigation section. - Elenco di container di dashboard che verrà visualizzato in questa sezione di spostamento. - - - No title in nav section specified for extension. - Nella sezione di spostamento non è stato specificato alcun titolo per l'estensione. - - - No container in nav section specified for extension. - Nella sezione di spostamento non è stato specificato alcun contenitore per l'estensione. - - - Exactly 1 dashboard container must be defined per space. - Per ogni spazio è necessario definire un solo container di dashboard. - - - NAV_SECTION within NAV_SECTION is an invalid container for extension. - Un elemento NAV_SECTION all'interno di un altro elemento NAV_SECTION non è un contenitore valido per l'estensione. - - - - - - - The model-backed view that will be displayed in this tab. - Visualizzazione basata su modello che verrà visualizzata in questa scheda. - - - - - - - Backup - Backup - - - - - - - Restore - Ripristina - - - Restore - Ripristina - - - - - - - Open in Azure Portal - Apri nel portale di Azure - - - - - - - disconnected - disconnesso - - - - - - - Cannot expand as the required connection provider '{0}' was not found - Non è possibile eseguire l'espansione perché il provider di connessione richiesto '{0}' non è stato trovato - - - User canceled - Annullato dall'utente - - - Firewall dialog canceled - Finestra di dialogo del firewall annullata - - - - - - - Connection is required in order to interact with JobManagementService - Per interagire con JobManagementService, è richiesta la connessione - - - No Handler Registered - Non ci sono gestori registrati - - - - - - - An error occured while loading the file browser. - Si è verificato un errore durante il caricamento del visualizzatore file. - - - File browser error - Errore del visualizzatore file - - - - - - - Common id for the provider - ID comune del provider - - - Display Name for the provider - Nome visualizzato del provider - - - Notebook Kernel Alias for the provider - Alias del kernel del notebook per il provider - - - Icon path for the server type - Percorso dell'icona per il tipo di server - - - Options for connection - Opzioni per la connessione - - - - - - - Unique identifier for this tab. Will be passed to the extension for any requests. - Identificatore univoco per questa scheda. Verrà passato all'estensione per eventuali richieste. - - - Title of the tab to show the user. - Titolo della scheda da mostrare all'utente. - - - Description of this tab that will be shown to the user. - Descrizione di questa scheda che verrà mostrata all'utente. - - - Condition which must be true to show this item - Condizione che deve essere vera per mostrare questo elemento - - - Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set - Definisce i tipi di connessione con cui è compatibile questa scheda. Se non viene impostato, il valore predefinito è 'MSSQL' - - - The container that will be displayed in this tab. - Contenitore che verrà visualizzato in questa scheda. - - - Whether or not this tab should always be shown or only when the user adds it. - Indica se questa scheda deve essere sempre visualizzata oppure solo quando viene aggiunta dall'utente. - - - Whether or not this tab should be used as the Home tab for a connection type. - Indica se questa scheda deve essere usata come scheda iniziale per un tipo di connessione. - - - The unique identifier of the group this tab belongs to, value for home group: home. - Identificatore univoco del gruppo a cui appartiene questa scheda, valore per il gruppo home: home. - - - (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration - (Facoltativo) Icona usata per rappresentare questa scheda nell'interfaccia utente. Percorso di file o configurazione che supporta i temi - - - Icon path when a light theme is used - Percorso dell'icona quando viene usato un tema chiaro - - - Icon path when a dark theme is used - Percorso dell'icona quando viene usato un tema scuro - - - Contributes a single or multiple tabs for users to add to their dashboard. - Aggiunge come contributo una o più schede che gli utenti possono aggiungere al proprio dashboard. - - - No title specified for extension. - Non è stato specificato alcun titolo per l'estensione. - - - No description specified to show. - Non è stata specificata alcuna descrizione da mostrare. - - - No container specified for extension. - Non è stato specificato alcun contenitore per l'estensione. - - - Exactly 1 dashboard container must be defined per space - Per ogni spazio è necessario definire un solo container di dashboard - - - Unique identifier for this tab group. - Identificatore univoco per questo gruppo di schede. - - - Title of the tab group. - Titolo del gruppo di schede. - - - Contributes a single or multiple tab groups for users to add to their dashboard. - Fornisce uno o più gruppi di schede che gli utenti possono aggiungere al proprio dashboard. - - - No id specified for tab group. - Nessun ID specificato per il gruppo di schede. - - - No title specified for tab group. - Nessun titolo specificato per il gruppo di schede. - - - Administration - Amministrazione - - - Monitoring - Monitoraggio - - - Performance - Prestazioni - - - Security - Sicurezza - - - Troubleshooting - Risoluzione dei problemi - - - Settings - Impostazioni - - - databases tab - scheda database - - - Databases - Database - - - - - - - succeeded - riuscito - - - failed - non riuscito - - - - - - - Connection error - Errore di connessione - - - Connection failed due to Kerberos error. - La connessione non è riuscita a causa di un errore di Kerberos. - - - Help configuring Kerberos is available at {0} - Le informazioni sulla configurazione di Kerberos sono disponibili all'indirizzo {0} - - - If you have previously connected you may need to re-run kinit. - Se si è già eseguita la connessione, può essere necessario eseguire di nuovo kinit. - - - - - - - Close - Chiudi - - - Adding account... - Aggiunta dell'account... - - - Refresh account was canceled by the user - L'aggiornamento dell'account è stato annullato dall'utente - - - - - - - Query Results - Risultati query - - - Query Editor - Editor di query - - - New Query - Nuova query - - - Query Editor - Editor di query - - - When true, column headers are included when saving results as CSV - Se è impostata su true, le intestazioni di colonna vengono incluse quando si salvano i risultati in formato CSV - - - The custom delimiter to use between values when saving as CSV - Delimitatore personalizzato da usare tra i valori quando si salvano i risultati in formato CSV - - - Character(s) used for seperating rows when saving results as CSV - Caratteri usati per delimitare le righe quando si salvano i risultati in formato CSV - - - Character used for enclosing text fields when saving results as CSV - Carattere usato per racchiudere i campi di testo quando si salvano i risultati in formato CSV - - - File encoding used when saving results as CSV - Codifica di file usata quando si salvano i risultati in formato CSV - - - When true, XML output will be formatted when saving results as XML - Quando è true, l'output XML verrà formattato quando si salvano i risultati in formato XML - - - File encoding used when saving results as XML - Codifica di file usata quando si salvano i risultati in formato XML - - - Enable results streaming; contains few minor visual issues - Abilita lo streaming dei risultati. Contiene alcuni problemi minori relativi a oggetti visivi - - - Configuration options for copying results from the Results View - Opzioni di configurazione per la copia di risultati dalla Visualizzazione risultati - - - Configuration options for copying multi-line results from the Results View - Opzioni di configurazione per la copia di risultati su più righe dalla visualizzazione risultati - - - (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. - (Sperimentale) Usare una tabella ottimizzata per la visualizzazione dei risultati. Alcune funzionalità potrebbero mancare e sono in lavorazione. - - - Should execution time be shown for individual batches - Indicare se visualizzare il tempo di esecuzione per singoli batch - - - Word wrap messages - Messaggi con ritorno a capo automatico - - - The default chart type to use when opening Chart Viewer from a Query Results - Tipo di grafico predefinito da usare quando si apre il visualizzatore grafico dai risultati di una query - - - Tab coloring will be disabled - La colorazione delle schede verrà disabilitata - - - The top border of each editor tab will be colored to match the relevant server group - Al bordo superiore di ogni scheda verrà applicato il colore del gruppo di server pertinente - - - Each editor tab's background color will match the relevant server group - Il colore di sfondo di ogni scheda dell'editor sarà uguale a quello del gruppo di server pertinente - - - Controls how to color tabs based on the server group of their active connection - Controlla come colorare le schede in base al gruppo di server della connessione attiva - - - Controls whether to show the connection info for a tab in the title. - Controlla se visualizzare le informazioni sulla connessione per una scheda nel titolo. - - - Prompt to save generated SQL files - Richiede di salvare i file SQL generati - - - Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call. Any selected text in the query editor will be passed as a parameter - Imposta il tasto di scelta rapida workbench.action.query.shortcut{0} in modo da eseguire il testo del tasto di scelta rapida come una chiamata di procedura. L'eventuale testo selezionato nell'editor di query verrà passato come parametro - - - - - - - Specifies view templates - Specifica i modelli di visualizzazione - - - Specifies session templates - Specifica i modelli di sessione - - - Profiler Filters - Filtri profiler - - - - - - - Script as Create - Genera script come CREATE - - - Script as Drop - Genera script come DROP - - - Select Top 1000 - Genera script come SELECT TOP 1000 - - - Script as Execute - Genera script come EXECUTE - - - Script as Alter - Genera script come ALTER - - - Edit Data - Modifica dati - - - Select Top 1000 - Genera script come SELECT TOP 1000 - - - Take 10 - Take 10 - - - Script as Create - Genera script come CREATE - - - Script as Execute - Genera script come EXECUTE - - - Script as Alter - Genera script come ALTER - - - Script as Drop - Genera script come DROP - - - Refresh - Aggiorna - - - - - - - Commit row failed: - Commit della riga non riuscito: - - - Started executing query at - Esecuzione della query iniziata a - - - Started executing query "{0}" - Esecuzione della query "{0}" avviata - - - Line {0} - Riga {0} - - - Canceling the query failed: {0} - Annullamento della query non riuscito: {0} - - - Update cell failed: - Aggiornamento della cella non riuscito: - - - - - - - No URI was passed when creating a notebook manager - Non è stato passato alcun URI durante la creazione di un gestore di notebook - - - Notebook provider does not exist - Il provider di notebook non esiste - - - - - - - Notebook Editor - Editor di notebook - - - New Notebook - Nuovo notebook - - - New Notebook - Nuovo notebook - - - Set Workspace And Open - Imposta area di lavoro e apri - - - SQL kernel: stop Notebook execution when error occurs in a cell. - Kernel SQL: arresta l'esecuzione di Notebook quando si verifica un errore in una cella. - - - (Preview) show all kernels for the current notebook provider. - (Anteprima) mostrare tutti i kernel per il provider di notebook corrente. - - - Allow notebooks to run Azure Data Studio commands. - Consentire ai notebook di eseguire i comandi di Azure Data Studio. - - - Enable double click to edit for text cells in notebooks - Abilitare il doppio clic per modificare le celle di testo nei notebook - - - Set Rich Text View mode by default for text cells - Impostare la modalità di visualizzazione RTF per impostazione predefinita per le celle di testo - - - (Preview) Save connection name in notebook metadata. - (Anteprima) Salvare il nome della connessione nei metadati del notebook. - - - Controls the line height used in the notebook markdown preview. This number is relative to the font size. - Controlla l'altezza della riga usata nell'anteprima Markdown del notebook. Questo numero è relativo alle dimensioni del carattere. - - - View - Visualizza - - - Search Notebooks - Cerca nei notebook - - - Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). - Consente di configurare i criteri GLOB per escludere file e cartelle nelle ricerche full-text e in Quick Open. Eredita tutti i criteri GLOB dall'impostazione `#files.exclude#`. Per altre informazioni sui criteri GLOB, fare clic [qui](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). - - - The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. - Criterio GLOB da usare per trovare percorsi file. Impostare su True o False per abilitare o disabilitare il criterio. - - - Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. - Controllo aggiuntivo sugli elementi di pari livello di un file corrispondente. Usare $(basename) come variabile del nome file corrispondente. - - - This setting is deprecated and now falls back on "search.usePCRE2". - Questa impostazione è deprecata. Verrà ora eseguito il fallback a "search.usePCRE2". - - - Deprecated. Consider "search.usePCRE2" for advanced regex feature support. - Deprecata. Per il supporto della funzionalità avanzate delle espressioni regex provare a usare "search.usePCRE2". - - - When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. - Se abilitato, il processo searchService verrà mantenuto attivo invece di essere arrestato dopo un'ora di inattività. In questo modo la cache di ricerca dei file rimarrà in memoria. - - - Controls whether to use `.gitignore` and `.ignore` files when searching for files. - Controlla se utilizzare i file `.gitignore` e `.ignore` durante la ricerca di file. - - - Controls whether to use global `.gitignore` and `.ignore` files when searching for files. - Controlla se usare i file `.gitignore` e `.ignore` globali durante la ricerca di file. - - - Whether to include results from a global symbol search in the file results for Quick Open. - Indica se includere i risultati di una ricerca di simboli globale nei risultati dei file per Quick Open. - - - Whether to include results from recently opened files in the file results for Quick Open. - Indica se includere i risultati di file aperti di recente nel file dei risultati per Quick Open. - - - History entries are sorted by relevance based on the filter value used. More relevant entries appear first. - Le voci della cronologia sono ordinate per pertinenza in base al valore di filtro usato. Le voci più pertinenti vengono visualizzate per prime. - - - History entries are sorted by recency. More recently opened entries appear first. - Le voci della cronologia sono ordinate in base alla data. Le voci aperte più di recente vengono visualizzate per prime. - - - Controls sorting order of editor history in quick open when filtering. - Controlla l'ordinamento della cronologia dell'editor in Quick Open quando viene applicato il filtro. - - - Controls whether to follow symlinks while searching. - Controlla se seguire i collegamenti simbolici durante la ricerca. - - - Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. - Esegue la ricera senza fare distinzione tra maiuscole/minuscole se il criterio è tutto minuscolo, in caso contrario esegue la ricerca facendo distinzione tra maiuscole/minuscole. - - - Controls whether the search view should read or modify the shared find clipboard on macOS. - Controlla se il viewlet di ricerca deve leggere o modificare gli appunti di ricerca condivisi in macOS. - - - Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. - Controlla se la ricerca verrà mostrata come visualizzazione nella barra laterale o come pannello nell'area pannelli per ottenere più spazio orizzontale. - - - This setting is deprecated. Please use the search view's context menu instead. - Questa impostazione è deprecata. Usare il menu di scelta rapida della visualizzazione di ricerca. - - - Files with less than 10 results are expanded. Others are collapsed. - I file con meno di 10 risultati vengono espansi. Gli altri vengono compressi. - - - Controls whether the search results will be collapsed or expanded. - Controlla se i risultati della ricerca verranno compressi o espansi. - - - Controls whether to open Replace Preview when selecting or replacing a match. - Controlla se aprire Anteprima sostituzione quando si seleziona o si sostituisce una corrispondenza. - - - Controls whether to show line numbers for search results. - Controlla se visualizzare i numeri di riga per i risultati della ricerca. - - - Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. - Indica se usare il motore regex PCRE2 nella ricerca di testo. In questo modo è possibile usare alcune funzionalità avanzate di regex, come lookahead e backreference. Non sono però supportate tutte le funzionalità di PCRE2, ma solo quelle supportate anche da JavaScript. - - - Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. - Deprecata. PCRE2 verrà usato automaticamente se si usano funzionalità regex supportate solo da PCRE2. - - - Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. - Posiziona la barra azioni a destra quando la visualizzazione di ricerca è stretta e subito dopo il contenuto quando la visualizzazione di ricerca è ampia. - - - Always position the actionbar to the right. - Posiziona sempre la barra azioni a destra. - - - Controls the positioning of the actionbar on rows in the search view. - Controlla il posizionamento in righe della barra azioni nella visualizzazione di ricerca. - - - Search all files as you type. - Cerca in tutti i file durante la digitazione. - - - Enable seeding search from the word nearest the cursor when the active editor has no selection. - Abilita il seeding della ricerca a partire dalla parola più vicina al cursore quando non ci sono selezioni nell'editor attivo. - - - Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. - Aggiorna la query di ricerca dell'area di lavoro in base al testo selezionato dell'editor quando lo stato attivo si trova nella visualizzazione di ricerca. Si verifica in caso di clic o quando si attiva il comando `workbench.views.search.focus`. - - - When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. - Se `#search.searchOnType#` è abilitato, controlla il timeout in millisecondi tra la digitazione di un carattere e l'avvio della ricerca. Non ha effetto quando `search.searchOnType` è disabilitato. - - - Double clicking selects the word under the cursor. - Facendo doppio clic viene selezionata la parola sotto il cursore. - - - Double clicking opens the result in the active editor group. - Facendo doppio clic il risultato viene aperto nel gruppo di editor attivo. - - - Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. - Facendo doppio clic il risultato viene aperto nel gruppo di editor laterale e viene creato un gruppo se non esiste ancora. - - - Configure effect of double clicking a result in a search editor. - Configura l'effetto del doppio clic su un risultato nell'editor della ricerca. - - - Results are sorted by folder and file names, in alphabetical order. - I risultati vengono visualizzati in ordine alfabetico in base ai nomi di file e cartella. - - - Results are sorted by file names ignoring folder order, in alphabetical order. - I risultati vengono visualizzati in ordine alfabetico in base ai nomi file ignorando l'ordine delle cartelle. - - - Results are sorted by file extensions, in alphabetical order. - I risultati vengono visualizzati in ordine alfabetico in base all'estensione del file. - - - Results are sorted by file last modified date, in descending order. - I risultati vengono visualizzati in ordine decrescente in base alla data dell'ultima modifica del file. - - - Results are sorted by count per file, in descending order. - I risultati vengono visualizzati in ordine decrescente in base al conteggio per file. - - - Results are sorted by count per file, in ascending order. - I risultati vengono visualizzati in ordine crescente in base al conteggio per file. - - - Controls sorting order of search results. - Controlla l'ordinamento dei risultati della ricerca. - - - - - - - New Query - Nuova query - - - Run - Esegui - - - Cancel - Annulla - - - Explain - Spiega - - - Actual - Effettivo - - - Disconnect - Disconnetti - - - Change Connection - Cambia connessione - - - Connect - Connetti - - - Enable SQLCMD - Abilita SQLCMD - - - Disable SQLCMD - Disabilita SQLCMD - - - Select Database - Seleziona database - - - Failed to change database - Non è stato possibile modificare il database - - - Failed to change database {0} - Non è stato possibile modificare il database {0} - - - Export as Notebook - Esporta come notebook - - - - - - - OK - OK - - - Close - Chiudi - - - Action - Azione - - - Copy details - Copia dettagli - - - - - - - Add server group - Aggiungi gruppo di server - - - Edit server group - Modifica gruppo di server - - - - - - - Extension - Estensione - - - - - - - Failed to create Object Explorer session - Non è stato possibile creare la sessione di Esplora oggetti - - - Multiple errors: - Più errori: - - - - - - - Error adding account - Errore di aggiunta account - - - Firewall rule error - Errore della regola del firewall - - - - - - - Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window - Alcune delle estensioni caricate usano API obsolete. Per informazioni dettagliate, vedere la scheda Console della finestra Strumenti di sviluppo - - - Don't Show Again - Non visualizzare più questo messaggio - - - - - - - Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. - Identificatore della visualizzazione. Usare questa impostazione per registrare un provider di dati tramite l'API `vscode.window.registerTreeDataProviderForView`, nonché per avviare l'attivazione dell'estensione tramite la registrazione dell'evento `onView:${id}` in `activationEvents`. - - - The human-readable name of the view. Will be shown - Nome leggibile della visualizzazione. Verrà visualizzato - - - Condition which must be true to show this view - Condizione che deve essere vera per mostrare questa visualizzazione - - - Contributes views to the editor - Aggiunge come contributo le visualizzazioni all'editor - - - Contributes views to Data Explorer container in the Activity bar - Aggiunge come contributo le visualizzazioni al contenitore Esplora dati nella barra attività - - - Contributes views to contributed views container - Aggiunge come contributo le visualizzazioni al contenitore delle visualizzazioni aggiunto come contributo - - - Cannot register multiple views with same id `{0}` in the view container `{1}` - Non è possibile registrare più visualizzazioni con stesso ID `{0}` nel contenitore di visualizzazioni `{1}` - - - A view with id `{0}` is already registered in the view container `{1}` - Una visualizzazione con ID `{0}` è già registrata nel contenitore di visualizzazioni `{1}` - - - views must be an array - le visualizzazioni devono essere una matrice - - - property `{0}` is mandatory and must be of type `string` - la proprietà `{0}` è obbligatoria e deve essere di tipo `string` - - - property `{0}` can be omitted or must be of type `string` - la proprietà `{0}` può essere omessa o deve essere di tipo `string` - - - - - - - {0} was replaced with {1} in your user settings. - {0} è stato sostituito con {1} nelle impostazioni utente. - - - {0} was replaced with {1} in your workspace settings. - {0} è stato sostituito con {1} nelle impostazioni dell'area di lavoro. - - - - - - - Manage - Gestisci - - - Show Details - Mostra dettagli - - - Learn More - Altre informazioni - - - Clear all saved accounts - Cancella tutti gli account salvati - - - - - - - Toggle Tasks - Attiva/Disattiva attività - - - - - - - Connection Status - Stato della connessione - - - - - - - User visible name for the tree provider - Nome visibile dell'utente per il provider dell'albero - - - Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` - L'ID del provider deve essere lo stesso di quando si registra il provider di dati dell'albero e deve iniziare con 'connectionDialog/' - - - - - - - Displays results of a query as a chart on the dashboard - Visualizza i risultati di una query sotto forma di grafico nel dashboard - - - Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color - Esegue il mapping di 'nome colonna' al colore. Ad esempio, aggiungere 'column1': red se si vuole usare il colore rosso per questa colonna - - - Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry - Indica la posizione preferita e la visibilità della legenda del grafico. Questi sono i nomi di colonna estratti dalla query e associati all'etichetta di ogni voce del grafico - - - If dataDirection is horizontal, setting this to true uses the first columns value for the legend. - Se dataDirection è impostato su horizontal e si imposta questa opzione su true, per la legenda viene usato il primo valore di ogni colonna. - - - If dataDirection is vertical, setting this to true will use the columns names for the legend. - Se dataDirection è impostato su vertical e si imposta questa opzione su true, per la legenda vengono usati i nomi delle colonne. - - - Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. - Definisce se i dati vengono letti da una colonna (vertical) o da una riga (horizontal). Per la serie temporale questa impostazione viene ignorata perché la direzione deve essere verticale. - - - If showTopNData is set, showing only top N data in the chart. - Se è impostato showTopNData, vengono visualizzati solo i primi N dati del grafico. - - - - - - - Widget used in the dashboards - Widget usato nei dashboard - - - - - - - Show Actions - Mostra azioni - - - Resource Viewer - Visualizzatore risorse - - - - - - - Identifier of the resource. - Identificatore della risorsa. - - - The human-readable name of the view. Will be shown - Nome leggibile della visualizzazione. Verrà visualizzato - - - Path to the resource icon. - Percorso dell'icona della risorsa. - - - Contributes resource to the resource view - Fornisce una risorsa alla visualizzazione risorse - - - property `{0}` is mandatory and must be of type `string` - la proprietà `{0}` è obbligatoria e deve essere di tipo `string` - - - property `{0}` can be omitted or must be of type `string` - la proprietà `{0}` può essere omessa o deve essere di tipo `string` - - - - - - - Resource Viewer Tree - Albero del visualizzatore risorse - - - - - - - Widget used in the dashboards - Widget usato nei dashboard - - - Widget used in the dashboards - Widget usato nei dashboard - - - Widget used in the dashboards - Widget usato nei dashboard - - - - - - - Condition which must be true to show this item - Condizione che deve essere vera per mostrare questo elemento - - - Whether to hide the header of the widget, default value is false - Indica se nascondere l'intestazione del widget. Il valore predefinito è false - - - The title of the container - Titolo del contenitore - - - The row of the component in the grid - Riga del componente nella griglia - - - The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. - rowspan del componente nella griglia. Il valore predefinito è 1. Usare '*' per impostare sul numero di righe della griglia. - - - The column of the component in the grid - Colonna del componente nella griglia - - - The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. - colspan del componente nella griglia. Il valore predefinito è 1. Usare '*' per impostare sul numero di colonne della griglia. - - - Unique identifier for this tab. Will be passed to the extension for any requests. - Identificatore univoco per questa scheda. Verrà passato all'estensione per eventuali richieste. - - - Extension tab is unknown or not installed. - La scheda dell'estensione è sconosciuta o non è installata. - - - - - - - Enable or disable the properties widget - Abilita o disabilita il widget delle proprietà - - - Property values to show - Valori di proprietà da mostrare - - - Display name of the property - Nome visualizzato della proprietà - - - Value in the Database Info Object - Valore nell'oggetto informazioni database - - - Specify specific values to ignore - Specifica i valori da ignorare - - - Recovery Model - Modello di recupero - - - Last Database Backup - Ultimo backup del database - - - Last Log Backup - Ultimo backup del log - - - Compatibility Level - Livello di compatibilità - - - Owner - Proprietario - - - Customizes the database dashboard page - Personalizza la pagina del dashboard del database - - - Search - Cerca - - - Customizes the database dashboard tabs - Personalizza le schede del dashboard del database - - - - - - - Enable or disable the properties widget - Abilita o disabilita il widget delle proprietà - - - Property values to show - Valori di proprietà da mostrare - - - Display name of the property - Nome visualizzato della proprietà - - - Value in the Server Info Object - Valore nell'oggetto informazioni server - - - Version - Versione - - - Edition - Edizione - - - Computer Name - Nome del computer - - - OS Version - Versione del sistema operativo - - - Search - Cerca - - - Customizes the server dashboard page - Personalizza la pagina del dashboard del server - - - Customizes the Server dashboard tabs - Personalizza le schede del dashboard del server - - - - - - - Manage - Gestisci - - - - - - - property `icon` can be omitted or must be either a string or a literal like `{dark, light}` - la proprietà `icon` può essere omessa o deve essere una stringa o un valore letterale come `{dark, light}` - - - - - - - Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more - Aggiunge un widget in grado di eseguire una query su un server o un database e di visualizzare i risultati in vari modi, ovvero sotto forma di grafico, conteggio riepilogativo e altro ancora - - - Unique Identifier used for caching the results of the insight. - Identificatore univoco usato per memorizzare nella cache i risultati dei dati analitici. - - - SQL query to run. This should return exactly 1 resultset. - Query SQL da eseguire. Dovrebbe restituire esattamente un solo set di risultati. - - - [Optional] path to a file that contains a query. Use if 'query' is not set - [Facoltativa] Percorso di un file contenente una query. Usare se 'query' non è impostato - - - [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh - [Facoltativa] Intervallo di aggiornamento automatico in minuti. Se non è impostato, non verrà eseguito alcun aggiornamento automatico - - - Which actions to use - Indica le azioni da usare - - - Target database for the action; can use the format '${ columnName }' to use a data driven column name. - Database di destinazione per l'azione. È possibile usare il formato '${columnName}' per specificare un nome di colonna basata sui dati. - - - Target server for the action; can use the format '${ columnName }' to use a data driven column name. - Server di destinazione per l'azione. È possibile usare il formato '${columnName}' per specificare un nome di colonna basata sui dati. - - - Target user for the action; can use the format '${ columnName }' to use a data driven column name. - Utente di destinazione per l'azione. È possibile usare il formato '${columnName}' per specificare un nome di colonna basata sui dati. - - - Identifier of the insight - Identificatore dei dati analitici - - - Contributes insights to the dashboard palette. - Aggiunge come contributo i dati analitici al pannello del dashboard. - - - - - - - Backup - Backup - - - You must enable preview features in order to use backup - Per usare il backup, è necessario abilitare le funzionalità di anteprima - - - Backup command is not supported for Azure SQL databases. - Il comando di backup non è supportato per i database SQL di Azure. - - - Backup command is not supported in Server Context. Please select a Database and try again. - Il comando di backup non è supportato nel contesto server. Selezionare un database e riprovare. - - - - - - - Restore - Ripristina - - - You must enable preview features in order to use restore - Per usare il ripristino, è necessario abilitare le funzionalità di anteprima - - - Restore command is not supported for Azure SQL databases. - Il comando di ripristino non è supportato per i database SQL di Azure. - - - - - - - Show Recommendations - Mostra elementi consigliati - - - Install Extensions - Installa estensioni - - - Author an Extension... - Crea un'estensione... - - - - - - - Edit Data Session Failed To Connect - Connessione alla sessione di modifica dati non riuscita - - - - - - - OK - OK - - - Cancel - Annulla - - - - - - - Open dashboard extensions - Apri le estensioni del dashboard - - - OK - OK - - - Cancel - Annulla - - - No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. - Al momento non sono installate estensioni del dashboard. Passare a Gestione estensioni per esplorare le estensioni consigliate. - - - - - - - Selected path - Percorso selezionato - - - Files of type - File di tipo - - - OK - OK - - - Discard - Rimuovi - - - - - - - No Connection Profile was passed to insights flyout - Non è stato passato alcun profilo di connessione al riquadro a comparsa dei dati analitici - - - Insights error - Errore nei dati analitici - - - There was an error reading the query file: - Si è verificato un errore durante la lettura del file di query: - - - There was an error parsing the insight config; could not find query array/string or queryfile - Si è verificato un errore durante l'analisi della configurazione dei dati analitici. Non è stato possibile trovare la matrice/stringa di query o il file di query - - - - - - - Azure account - Account Azure - - - Azure tenant - Tenant di Azure - - - - - - - Show Connections - Mostra connessioni - - - Servers - Server - - - Connections - Connessioni - - - - - - - No task history to display. - Non è disponibile alcuna cronologia attività da visualizzare. - - - Task history - TaskHistory - Cronologia attività - - - Task error - Errore attività - - - - - - - Clear List - Cancella elenco - - - Recent connections list cleared - L'elenco delle connessioni recenti è stato cancellato - - - Yes - - - - No - No - - - Are you sure you want to delete all the connections from the list? - Eliminare tutte le connessioni dall'elenco? - - - Yes - - - - No - No - - - Delete - Elimina - - - Get Current Connection String - Ottieni la stringa di connessione corrente - - - Connection string not available - La stringa di connessione non è disponibile - - - No active connection available - Non sono disponibili connessioni attive - - - - - - - Refresh - Aggiorna - - - Edit Connection - Modifica connessione - - - Disconnect - Disconnetti - - - New Connection - Nuova connessione - - - New Server Group - Nuovo gruppo di server - - - Edit Server Group - Modifica gruppo di server - - - Show Active Connections - Mostra connessioni attive - - - Show All Connections - Mostra tutte le connessioni - - - Recent Connections - Connessioni recenti - - - Delete Connection - Elimina connessione - - - Delete Group - Elimina gruppo - - - - - - - Run - Esegui - - - Dispose Edit Failed With Error: - Modifica del metodo Dispose non riuscita. Errore: - - - Stop - Arresta - - - Show SQL Pane - Mostra riquadro SQL - - - Close SQL Pane - Chiudi riquadro SQL - - - - - - - Profiler - Profiler - - - Not connected - Non connesso - - - XEvent Profiler Session stopped unexpectedly on the server {0}. - La sessione del profiler XEvent è stata arrestata in modo imprevisto nel server {0}. - - - Error while starting new session - Si è verificato un errore durante l'avvio della nuova sessione - - - The XEvent Profiler session for {0} has lost events. - Sono presenti eventi persi per la sessione del profiler XEvent per {0}. - - - - - - - Loading - Caricamento in corso - - - Loading completed - Caricamento completato - - - - - - - Server Groups - Gruppi di server - - - OK - OK - - - Cancel - Annulla - - - Server group name - Nome del gruppo di server - - - Group name is required. - Il nome del gruppo è obbligatorio. - - - Group description - Descrizione gruppo - - - Group color - Colore del gruppo - - - - - - - Error adding account - Errore di aggiunta account - - - - - - - Item - Elemento - - - Value - Valore - - - Insight Details - Dettagli delle informazioni dettagliate - - - Property - Proprietà - - - Value - Valore - - - Insights - Dati analitici - - - Items - Elementi - - - Item Details - Dettagli elemento - - - - - - - Cannot start auto OAuth. An auto OAuth is already in progress. - Non è possibile avviare un OAuth automatico perché ne è già in corso uno. - - - - - - - Sort by event - Ordina per evento - - - Sort by column - Ordina per colonna - - - Profiler - Profiler - - - OK - OK - - - Cancel - Annulla - - - - - - - Clear all - Cancella tutto - - - Apply - Applica - - - OK - OK - - - Cancel - Annulla - - - Filters - Filtri - - - Remove this clause - Rimuovi questa clausola - - - Save Filter - Salva filtro - - - Load Filter - Carica filtro - - - Add a clause - Aggiungi una clausola - - - Field - Campo - - - Operator - Operatore - - - Value - Valore - - - Is Null - È Null - - - Is Not Null - Non è Null - - - Contains - Contiene - - - Not Contains - Non contiene - - - Starts With - Inizia con - - - Not Starts With - Non inizia con - - - - - - - Save As CSV - Salva in formato CSV - - - Save As JSON - Salva in formato JSON - - - Save As Excel - Salva in formato Excel - - - Save As XML - Salva in formato XML - - - Copy - Copia - - - Copy With Headers - Copia con intestazioni - - - Select All - Seleziona tutto - - - - - - - Defines a property to show on the dashboard - Definisce una proprietà da mostrare nel dashboard - - - What value to use as a label for the property - Indica il valore da usare come etichetta per la proprietà - - - What value in the object to access for the value - Indica il valore nell'oggetto per accedere al valore - - - Specify values to be ignored - Specifica i valori da ignorare - - - Default value to show if ignored or no value - Valore predefinito da mostrare se l'impostazione viene ignorata o non viene indicato alcun valore - - - A flavor for defining dashboard properties - Versione per la definizione delle proprietà del dashboard - - - Id of the flavor - ID della versione - - - Condition to use this flavor - Condizione per usare questa versione - - - Field to compare to - Campo da usare per il confronto - - - Which operator to use for comparison - Indica l'operatore da usare per il confronto - - - Value to compare the field to - Valore con cui confrontare il campo - - - Properties to show for database page - Proprietà da mostrare per la pagina del database - - - Properties to show for server page - Proprietà da mostrare per la pagina del server - - - Defines that this provider supports the dashboard - Definisce se questo provider supporta il dashboard - - - Provider id (ex. MSSQL) - ID provider, ad esempio MSSQL - - - Property values to show on dashboard - Valori di proprietà da mostrare nel dashboard - - - - - - - Invalid value - Valore non valido - - - {0}. {1} - {0}. {1} - - - - + Loading @@ -2565,438 +12,26 @@ - + - - blank - vuoto + + Hide text labels + Nascondi etichette di testo - - check all checkboxes in column: {0} - selezionare tutte le caselle di controllo nella colonna: {0} + + Show text labels + Mostra etichette di testo - + - - No tree view with id '{0}' registered. - Non è stata registrata alcuna visualizzazione struttura ad albero con ID '{0}'. - - - - - - - Initialize edit data session failed: - L'inizializzazione della sessione di modifica dati non è riuscita: - - - - - - - Identifier of the notebook provider. - Identificatore del provider di notebook. - - - What file extensions should be registered to this notebook provider - Indica le estensioni di file da registrare in questo provider di notebook - - - What kernels should be standard with this notebook provider - Indica i kernel che devono essere standard con questo provider di notebook - - - Contributes notebook providers. - Aggiunge come contributo i provider di notebook. - - - Name of the cell magic, such as '%%sql'. - Nome del comando magic per la cella, ad esempio '%%sql'. - - - The cell language to be used if this cell magic is included in the cell - Lingua da usare per la cella se questo comando magic è incluso nella cella - - - Optional execution target this magic indicates, for example Spark vs SQL - Destinazione di esecuzione facoltativa indicata da questo comando magic, ad esempio Spark rispetto a SQL - - - Optional set of kernels this is valid for, e.g. python3, pyspark, sql - Set facoltativo di kernel per cui è valida questa impostazione, ad esempio python3, pyspark, sql - - - Contributes notebook language. - Aggiunge come contributo la lingua del notebook. - - - - - - - F5 shortcut key requires a code cell to be selected. Please select a code cell to run. - Con il tasto di scelta rapida F5 è richiesta la selezione di una cella di codice. Selezionare una cella di codice da eseguire. - - - Clear result requires a code cell to be selected. Please select a code cell to run. - Con Cancella risultati è richiesta la selezione di una cella di codice. Selezionare una cella di codice da eseguire. - - - - - - - SQL - SQL - - - - - - - Max Rows: - Numero massimo di righe: - - - - - - - Select View - Seleziona visualizzazione - - - Select Session - Seleziona sessione - - - Select Session: - Seleziona sessione: - - - Select View: - Seleziona visualizzazione: - - - Text - Testo - - - Label - Etichetta - - - Value - Valore - - - Details - Dettagli - - - - - - - Time Elapsed - Tempo trascorso - - - Row Count - Numero di righe - - - {0} rows - {0} righe - - - Executing query... - Esecuzione della query... - - - Execution Status - Stato esecuzione - - - Selection Summary - Riepilogo selezioni - - - Average: {0} Count: {1} Sum: {2} - Media: {0} Conteggio: {1} Somma: {2} - - - - - - - Choose SQL Language - Scegli linguaggio SQL - - - Change SQL language provider - Cambia provider del linguaggio SQL - - - SQL Language Flavor - Versione del linguaggio SQL - - - Change SQL Engine Provider - Cambia provider del motore SQL - - - A connection using engine {0} exists. To change please disconnect or change connection - Esiste già una connessione che usa il motore {0}. Per cambiare, disconnettersi o cambiare connessione - - - No text editor active at this time - Al momento non ci sono editor di testo attivi - - - Select Language Provider - Seleziona provider del linguaggio - - - - - - - Error displaying Plotly graph: {0} - Si è verificato un errore durante la visualizzazione del grafo Plotly: {0} - - - - - - - No {0} renderer could be found for output. It has the following MIME types: {1} - Non è stato possibile trovare alcun renderer {0} per l'output. Include i tipi MIME seguenti: {1} - - - (safe) - (sicuro) - - - - - - - Select Top 1000 - Genera script come SELECT TOP 1000 - - - Take 10 - Take 10 - - - Script as Execute - Genera script come EXECUTE - - - Script as Alter - Genera script come ALTER - - - Edit Data - Modifica dati - - - Script as Create - Genera script come CREATE - - - Script as Drop - Genera script come DROP - - - - - - - A NotebookProvider with valid providerId must be passed to this method - È necessario passare a questo metodo un elemento NotebookProvider con providerId valido - - - - - - - A NotebookProvider with valid providerId must be passed to this method - È necessario passare a questo metodo un elemento NotebookProvider con providerId valido - - - no notebook provider found - non è stato trovato alcun provider di notebook - - - No Manager found - Non è stato trovato alcun gestore - - - Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it - Il gestore del notebook {0} non include un gestore di server. Non è possibile eseguirvi operazioni - - - Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it - Il gestore del notebook {0} non include un gestore di contenuti. Non è possibile eseguirvi operazioni - - - Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it - Il gestore del notebook {0} non include un gestore di sessioni. Non è possibile eseguirvi operazioni - - - - - - - Failed to get Azure account token for connection - Non è stato possibile recuperare il token dell'account di Azure per la connessione - - - Connection Not Accepted - Connessione non accettata - - - Yes - - - - No - No - - - Are you sure you want to cancel this connection? - Annullare questa connessione? - - - - - - - OK - OK - - + Close Chiudi - - - - Loading kernels... - Caricamento dei kernel... - - - Changing kernel... - Modifica del kernel... - - - Attach to - Collega a - - - Kernel - Kernel - - - Loading contexts... - Caricamento dei contesti... - - - Change Connection - Cambia connessione - - - Select Connection - Seleziona connessione - - - localhost - localhost - - - No Kernel - Nessun kernel - - - Clear Results - Cancella risultati - - - Trusted - Attendibile - - - Not Trusted - Non attendibile - - - Collapse Cells - Comprimi celle - - - Expand Cells - Espandi celle - - - None - Nessuno - - - New Notebook - Nuovo notebook - - - Find Next String - Trova stringa successiva - - - Find Previous String - Trova stringa precedente - - - - - - - Query Plan - Piano di query - - - - - - - Refresh - Aggiorna - - - - - - - Step {0} - Passaggio {0} - - - - - - - Must be an option from the list - Deve essere un'opzione inclusa nell'elenco - - - Select Box - Casella di selezione - - - @@ -3013,134 +48,260 @@ - + - - Connection - Connessione - - - Connecting - Connessione - - - Connection type - Tipo di connessione - - - Recent Connections - Connessioni recenti - - - Saved Connections - Connessioni salvate - - - Connection Details - Dettagli connessione - - - Connect - Connetti - - - Cancel - Annulla - - - Recent Connections - Connessioni recenti - - - No recent connection - Non ci sono connessioni recenti - - - Saved Connections - Connessioni salvate - - - No saved connection - Non ci sono connessioni salvate + + no data available + dati non disponibili - + - - File browser tree - FileBrowserTree - Albero del visualizzatore file + + Select/Deselect All + Seleziona/Deseleziona tutto - + - - From - Da + + Show Filter + Mostra filtro - - To - A + + Select All + Seleziona tutto - - Create new firewall rule - Crea nuova regola firewall + + Search + Cerca - + + {0} Results + This tells the user how many items are shown in the list. Currently not visible, but read by screen readers. + {0} risultati + + + {0} Selected + This tells the user how many items are selected in the list + {0} selezionati + + + Sort Ascending + Ordinamento crescente + + + Sort Descending + Ordinamento decrescente + + OK OK - + + Clear + Cancella + + Cancel Annulla - - Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. - L'indirizzo IP client non ha accesso al server. Accedere a un account Azure e creare una nuova regola del firewall per consentire l'accesso. - - - Learn more about firewall settings - Altre informazioni sulle impostazioni del firewall - - - Firewall rule - Regola del firewall - - - Add my client IP - Aggiungi IP client personale - - - Add my subnet IP range - Aggiungi intervallo di IP della sottorete personale + + Filter Options + Opzioni del filtro - + - - All files - Tutti i file + + Loading + Caricamento - + - - Could not find query file at any of the following paths : - {0} - Non è stato possibile trovare i file di query nei percorsi seguenti: - {0} + + Loading Error... + Errore di caricamento... - + - - You need to refresh the credentials for this account. - È necessario aggiornare le credenziali per questo account. + + Toggle More + Attiva/Disattiva altro + + + + + + + Azure Data Studio + Azure Data Studio + + + Enable automatic update checks. Azure Data Studio will check for updates automatically and periodically. + Abilita il controllo automatico degli aggiornamenti. Azure Data Studio controlla periodicamente la disponibilità di aggiornamenti in modo automatico. + + + Enable to download and install new Azure Data Studio Versions in the background on Windows + Abilitare questa opzione per scaricare e installare le nuove versioni di Azure Data Studio in background in Windows + + + Show Release Notes after an update. The Release Notes are opened in a new web browser window. + Mostra le note sulla versione dopo un aggiornamento. Le note sulla versione vengono aperte in una nuova finestra del Web browser. + + + The dashboard toolbar action menu + Menu azione barra degli strumenti del dashboard + + + The notebook cell title menu + Menu del titolo della cella del notebook + + + The notebook title menu + Menu del titolo del notebook + + + The notebook toolbar menu + Menu della barra degli strumenti del notebook + + + The dataexplorer view container title action menu + Menu azione titolo contenitore vista dataexplorer + + + The dataexplorer item context menu + Menu di scelta rapida della voce dataexplorer + + + The object explorer item context menu + Menu di scelta rapida elemento Esplora oggetti + + + The connection dialog's browse tree context menu + Menu di scelta rapida dell'albero di visualizzazione della finestra di connessione + + + The data grid item context menu + Menu di scelta rapida elemento griglia dati + + + Sets the security policy for downloading extensions. + Impostare i criteri di sicurezza per il download delle estensioni. + + + Your extension policy does not allow installing extensions. Please change your extension policy and try again. + I criteri di estensione non consentono l'installazione delle estensioni. Modificare i criteri per l'estensione e riprovare. + + + Completed installing {0} extension from VSIX. Please reload Azure Data Studio to enable it. + L'installazione dell'estensione {0} da VSIX è stata completata. Ricaricare Azure Data Studio per abilitarla. + + + Please reload Azure Data Studio to complete the uninstallation of this extension. + Ricaricare Azure Data Studio per completare la disinstallazione di questa estensione. + + + Please reload Azure Data Studio to enable the updated extension. + Ricaricare Azure Data Studio per abilitare l'estensione aggiornata. + + + Please reload Azure Data Studio to enable this extension locally. + Ricaricare Azure Data Studio per abilitare l'estensione in locale. + + + Please reload Azure Data Studio to enable this extension. + Ricaricare Azure Data Studio per abilitare l'estensione. + + + Please reload Azure Data Studio to disable this extension. + Ricaricare Azure Data Studio per disabilitare l'estensione. + + + Please reload Azure Data Studio to complete the uninstallation of the extension {0}. + Ricaricare Azure Data Studio per completare la disinstallazione dell’estensione {0}. + + + Please reload Azure Data Studio to enable this extension in {0}. + Ricaricare Azure Data Studio per abilitare l'estensione in {0}. + + + Installing extension {0} is completed. Please reload Azure Data Studio to enable it. + L'installazione dell'estensione {0} è stata completata. Ricaricare Azure Data Studio per abilitarla. + + + Please reload Azure Data Studio to complete reinstalling the extension {0}. + Ricaricare reload Azure Data Studio per completare la reinstallazione dell'estensione {0}. + + + Marketplace + Marketplace + + + The scenario type for extension recommendations must be provided. + È necessario specificare il tipo di scenario per le estensioni consigliate. + + + Unable to install extension '{0}' as it is not compatible with Azure Data Studio '{1}'. + Non è possibile installare l'estensione '{0}' perché non è compatibile con Azure Data Studio '{1}'. + + + New Query + Nuova query + + + New &&Query + && denotes a mnemonic + Nuova &&query + + + &&New Notebook + && denotes a mnemonic + &&Nuovo notebook + + + Controls the memory available to Azure Data Studio after restart when trying to open large files. Same effect as specifying `--max-memory=NEWSIZE` on the command line. + Controlla la memoria disponibile per Azure Data Studio dopo il riavvio durante il tentativo di aprire file di grandi dimensioni. Il risultato è uguale a quando si specifica `--max-memory=NEWSIZE` sulla riga di comando. + + + Would you like to change Azure Data Studio's UI language to {0} and restart? + Cambiare la lingua dell'interfaccia utente di Azure Data Studio in {0} e riavviare? + + + In order to use Azure Data Studio in {0}, Azure Data Studio needs to restart. + Per usare Azure Data Studio in {0}, Azure Data Studio deve essere riavviato. + + + New SQL File + Nuovo file SQL + + + New Notebook + Nuovo notebook + + + Install Extension from VSIX Package + && denotes a mnemonic + Installare l'estensione dal pacchetto VSIX + + + + + + + Must be an option from the list + Deve essere un'opzione inclusa nell'elenco + + + Select Box + Casella di selezione @@ -3184,1263 +345,59 @@ - + - - Show Notebooks - Mostra notebook - - - Search Results - Risultati della ricerca - - - Search path not found: {0} - Percorso di ricerca non trovato: {0} - - - Notebooks - Notebook + + Copying images is not supported + La copia delle immagini non è supportata - + - - Focus on Current Query - Stato attivo su query corrente - - - Run Query - Esegui query - - - Run Current Query - Esegui query corrente - - - Copy Query With Results - Copia query con risultati - - - Successfully copied query and results. - Copia della query e dei risultati completata. - - - Run Current Query with Actual Plan - Esegui query corrente con piano effettivo - - - Cancel Query - Annulla query - - - Refresh IntelliSense Cache - Aggiorna cache IntelliSense - - - Toggle Query Results - Attiva/Disattiva risultati della query - - - Toggle Focus Between Query And Results - Alterna lo stato attivo tra la query e i risultati - - - Editor parameter is required for a shortcut to be executed - Per consentire l'esecuzione del tasto di scelta rapida, è necessario specificare il parametro Editor - - - Parse Query - Analizza query - - - Commands completed successfully - I comandi sono stati completati - - - Command failed: - Comando non riuscito: - - - Please connect to a server - Connettersi a un server + + A server group with the same name already exists. + Esiste già un gruppo di server con lo stesso nome. - + - - succeeded - riuscito - - - failed - non riuscito - - - in progress - in corso - - - not started - non avviato - - - canceled - annullato - - - canceling - in fase di annullamento + + Widget used in the dashboards + Widget usato nei dashboard - + - - Chart cannot be displayed with the given data - Non è possibile visualizzare il grafico con i dati specificati + + Widget used in the dashboards + Widget usato nei dashboard + + + Widget used in the dashboards + Widget usato nei dashboard + + + Widget used in the dashboards + Widget usato nei dashboard - + - - Error opening link : {0} - Errore durante l'apertura del collegamento: {0} + + Saving results into different format disabled for this data provider. + Il salvataggio dei risultati in un formato diverso è disabilitato per questo provider di dati. - - Error executing command '{0}' : {1} - Errore durante l'esecuzione del comando '{0}': {1} + + Cannot serialize data as no provider has been registered + Non è possibile serializzare i dati perché non è stato registrato alcun provider - - - - - - Copy failed with error {0} - La copia non è riuscita. Errore: {0} - - - Show chart - Mostra grafico - - - Show table - Mostra tabella - - - - - - - <i>Double-click to edit</i> - <i>Fare doppio clic per modificare</i> - - - <i>Add content here...</i> - <i>Aggiungere contenuto qui...</i> - - - - - - - An error occurred refreshing node '{0}': {1} - Si è verificato un errore durante l'aggiornamento del nodo '{0}': {1} - - - - - - - Done - Fatto - - - Cancel - Annulla - - - Generate script - Genera script - - - Next - Avanti - - - Previous - Indietro - - - Tabs are not initialized - Le schede non sono inizializzate - - - - - - - is required. - è obbligatorio. - - - Invalid input. Numeric value expected. - Input non valido. È previsto un valore numerico. - - - - - - - Backup file path - Percorso del file di backup - - - Target database - Database di destinazione - - - Restore - Ripristina - - - Restore database - Ripristina database - - - Database - Database - - - Backup file - File di backup - - - Restore database - Ripristina database - - - Cancel - Annulla - - - Script - Script - - - Source - Origine - - - Restore from - Ripristina da - - - Backup file path is required. - Il percorso del file di backup è obbligatorio. - - - Please enter one or more file paths separated by commas - Immettere uno o più percorsi di file separati da virgole - - - Database - Database - - - Destination - Destinazione - - - Restore to - Ripristina in - - - Restore plan - Piano di ripristino - - - Backup sets to restore - Set di backup da ripristinare - - - Restore database files as - Ripristina file di database come - - - Restore database file details - Dettagli del file di ripristino del database - - - Logical file Name - Nome file logico - - - File type - Tipo di file - - - Original File Name - Nome file originale - - - Restore as - Ripristina come - - - Restore options - Opzioni di ripristino - - - Tail-Log backup - Backup della parte finale del log - - - Server connections - Connessioni server - - - General - Generale - - - Files - File - - - Options - Opzioni - - - - - - - Copy Cell - Copia cella - - - - - - - Done - Fatto - - - Cancel - Annulla - - - - - - - Copy & Open - Copia e apri - - - Cancel - Annulla - - - User code - Codice utente - - - Website - Sito Web - - - - - - - The index {0} is invalid. - L'indice {0} non è valido. - - - - - - - Server Description (optional) - Descrizione del server (facoltativa) - - - - - - - Advanced Properties - Proprietà avanzate - - - Discard - Rimuovi - - - - - - - nbformat v{0}.{1} not recognized - nbformat v{0}.{1} non riconosciuto - - - This file does not have a valid notebook format - Il formato di notebook di questo file non è valido - - - Cell type {0} unknown - Il tipo di cella {0} è sconosciuto - - - Output type {0} not recognized - Il tipo di output {0} non è riconosciuto - - - Data for {0} is expected to be a string or an Array of strings - I dati per {0} devono essere una stringa o una matrice di stringhe - - - Output type {0} not recognized - Il tipo di output {0} non è riconosciuto - - - - - - - Welcome - Introduzione - - - SQL Admin Pack - Admin Pack di SQL - - - SQL Admin Pack - Admin Pack di SQL - - - Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server - Admin Pack per SQL Server è una raccolta delle estensioni più usate per l'amministrazione di database per semplificare la gestione di SQL Server - - - Powershell - PowerShell - - - Write and execute PowerShell scripts using Azure Data Studio's rich query editor - Consente di scrivere ed eseguire script di PowerShell usando l'editor di query avanzato di Azure Data Studio - - - Data Virtualization - Virtualizzazione dei dati - - - Virtualize data with SQL Server 2019 and create external tables using interactive wizards - Virtualizza i dati con SQL Server 2019 e crea tabelle esterne tramite procedure guidate interattive - - - PostgreSQL - PostgreSQL - - - Connect, query, and manage Postgres databases with Azure Data Studio - È possibile connettersi, eseguire query e gestire database Postgres con Azure Data Studio - - - Support for {0} is already installed. - Il supporto per {0} è già installato. - - - The window will reload after installing additional support for {0}. - La finestra verrà ricaricata dopo l'installazione di supporto aggiuntivo per {0}. - - - Installing additional support for {0}... - Installazione di supporto aggiuntivo per {0} in corso... - - - Support for {0} with id {1} could not be found. - Il supporto per {0} con ID {1} non è stato trovato. - - - New connection - Nuova connessione - - - New query - Nuova query - - - New notebook - Nuovo notebook - - - Deploy a server - Distribuisci un server - - - Welcome - Introduzione - - - New - Nuovo - - - Open… - Apri… - - - Open file… - Apri file… - - - Open folder… - Apri cartella… - - - Start Tour - Inizia la presentazione - - - Close quick tour bar - Chiudi barra della presentazione - - - Would you like to take a quick tour of Azure Data Studio? - Visualizzare una presentazione di Azure Data Studio? - - - Welcome! - Introduzione - - - Open folder {0} with path {1} - Apri la cartella {0} con percorso {1} - - - Install - Installa - - - Install {0} keymap - Installa mappatura tastiera {0} - - - Install additional support for {0} - Installa supporto aggiuntivo per {0} - - - Installed - Installato - - - {0} keymap is already installed - Mappatura tastiera {0} è già installata - - - {0} support is already installed - Il supporto {0} è già installato - - - OK - OK - - - Details - Dettagli - - - Background color for the Welcome page. - Colore di sfondo della pagina di benvenuto. - - - - - - - Profiler editor for event text. Readonly - Editor del profiler per il testo dell'evento. Di sola lettura - - - - - - - Failed to save results. - Non è stato possibile salvare i risultati. - - - Choose Results File - Scegli file di risultati - - - CSV (Comma delimited) - CSV (delimitato da virgole) - - - JSON - JSON - - - Excel Workbook - Cartella di lavoro di Excel - - - XML - XML - - - Plain Text - Testo normale - - - Saving file... - Salvataggio del file... - - - Successfully saved results to {0} - I risultati sono stati salvati in {0} - - - Open file - Apri file - - - - - - - Hide text labels - Nascondi etichette di testo - - - Show text labels - Mostra etichette di testo - - - - - - - modelview code editor for view model. - editor del codice modelview per il modello di visualizzazione. - - - - - - - Information - Informazioni - - - Warning - Avviso - - - Error - Errore - - - Show Details - Mostra dettagli - - - Copy - Copia - - - Close - Chiudi - - - Back - Indietro - - - Hide Details - Nascondi dettagli - - - - - - - Accounts - Account - - - Linked accounts - Account collegati - - - Close - Chiudi - - - There is no linked account. Please add an account. - Non sono presenti account collegati. Aggiungere un account. - - - Add an account - Aggiungi un account - - - You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud - Nessun cloud abilitato. Passa a Impostazioni -> Cerca configurazione dell'account Azure -> Abilita almeno un cloud - - - You didn't select any authentication provider. Please try again. - Non è stato selezionato alcun provider di autenticazione. Riprovare. - - - - - - - Execution failed due to an unexpected error: {0} {1} - L'esecuzione non è riuscita a causa di un errore imprevisto: {0} {1} - - - Total execution time: {0} - Tempo di esecuzione totale: {0} - - - Started executing query at Line {0} - L'esecuzione della query a riga {0} è stata avviata - - - Started executing batch {0} - Esecuzione del batch {0} avviata - - - Batch execution time: {0} - Tempo di esecuzione del batch: {0} - - - Copy failed with error {0} - La copia non è riuscita. Errore: {0} - - - - - - - Azure Data Studio - Azure Data Studio - - - Start - Avvia - - - New connection - Nuova connessione - - - New query - Nuova query - - - New notebook - Nuovo notebook - - - Open file - Apri file - - - Open file - Apri file - - - Deploy - Distribuisci - - - New Deployment… - Nuova distribuzione… - - - Recent - Recenti - - - More... - Altro... - - - No recent folders - Non ci sono cartelle recenti - - - Help - Guida - - - Getting started - Attività iniziali - - - Documentation - Documentazione - - - Report issue or feature request - Segnala problema o invia richiesta di funzionalità - - - GitHub repository - Repository GitHub - - - Release notes - Note sulla versione - - - Show welcome page on startup - Mostra la pagina iniziale all'avvio - - - Customize - Personalizza - - - Extensions - Estensioni - - - Download extensions that you need, including the SQL Server Admin pack and more - Download delle estensioni necessarie, tra cui il pacchetto di amministrazione di SQL Server - - - Keyboard Shortcuts - Tasti di scelta rapida - - - Find your favorite commands and customize them - Ricerca e personalizzazione dei comandi preferiti - - - Color theme - Tema colori - - - Make the editor and your code look the way you love - Tutto quel che serve per configurare editor e codice nel modo desiderato - - - Learn - Informazioni - - - Find and run all commands - Trova ed esegui tutti i comandi - - - Rapidly access and search commands from the Command Palette ({0}) - Accesso e ricerca rapida di comandi dal riquadro comandi ({0}) - - - Discover what's new in the latest release - Novità della release più recente - - - New monthly blog posts each month showcasing our new features - Ogni mese nuovi post di blog che illustrano le nuove funzionalità - - - Follow us on Twitter - Seguici su Twitter - - - Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. - È possibile tenersi aggiornati sull'utilizzo di Azure Data Studio nella community e parlare direttamente con i tecnici. - - - - - - - Connect - Connetti - - - Disconnect - Disconnetti - - - Start - Avvia - - - New Session - Nuova sessione - - - Pause - Sospendi - - - Resume - Riprendi - - - Stop - Arresta - - - Clear Data - Cancella dati - - - Are you sure you want to clear the data? - Cancellare i dati? - - - Yes - - - - No - No - - - Auto Scroll: On - Scorrimento automatico: attivato - - - Auto Scroll: Off - Scorrimento automatico: disattivato - - - Toggle Collapsed Panel - Attiva/Disattiva pannello compresso - - - Edit Columns - Modifica colonne - - - Find Next String - Trova la stringa successiva - - - Find Previous String - Trova la stringa precedente - - - Launch Profiler - Avvia profiler - - - Filter… - Filtro… - - - Clear Filter - Cancella filtro - - - Are you sure you want to clear the filters? - Cancellare i filtri? - - - - - - - Events (Filtered): {0}/{1} - Eventi (filtrati): {0}/{1} - - - Events: {0} - Eventi: {0} - - - Event Count - Numero di eventi - - - - - - - no data available - dati non disponibili - - - - - - - Results - Risultati - - - Messages - Messaggi - - - - - - - No script was returned when calling select script on object - Non è stato restituito alcuno script durante la chiamata dello script di selezione sull'oggetto - - - Select - Seleziona - - - Create - Crea - - - Insert - Inserisci - - - Update - Aggiorna - - - Delete - Elimina - - - No script was returned when scripting as {0} on object {1} - Non è stato restituito alcuno script durante la generazione dello script come {0} sull'oggetto {1} - - - Scripting Failed - Generazione dello script non riuscita - - - No script was returned when scripting as {0} - Non è stato restituito alcuno script durante la generazione dello script come {0} - - - - - - - Table header background color - Colore di sfondo dell'intestazione tabella - - - Table header foreground color - Colore primo piano dell'intestazione tabella - - - List/Table background color for the selected and focus item when the list/table is active - Colore di sfondo dell'elenco o della tabella per l'elemento selezionato e con stato attivo quando l'elenco o la tabella è attiva - - - Color of the outline of a cell. - Colore del contorno di una cella. - - - Disabled Input box background. - Sfondo della casella di input disabilitata. - - - Disabled Input box foreground. - Primo piano della casella di input disabilitata. - - - Button outline color when focused. - Colore del contorno del pulsante con stato attivo. - - - Disabled checkbox foreground. - Primo piano della casella di controllo disabilitato. - - - SQL Agent Table background color. - Colore di sfondo della tabella di SQL Agent. - - - SQL Agent table cell background color. - Colore di sfondo delle celle della tabella di SQL Agent. - - - SQL Agent table hover background color. - Colore di sfondo della tabella di SQL Agent al passaggio del mouse. - - - SQL Agent heading background color. - Colore di sfondo dell'intestazione di SQL Agent. - - - SQL Agent table cell border color. - Colore del bordo delle celle della tabella di SQL Agent. - - - Results messages error color. - Colore dell'errore nei messaggi dei risultati. - - - - - - - Backup name - Nome del backup - - - Recovery model - Modello di recupero - - - Backup type - Tipo di backup - - - Backup files - File di backup - - - Algorithm - Algoritmo - - - Certificate or Asymmetric key - Certificato o chiave asimmetrica - - - Media - Supporti - - - Backup to the existing media set - Esegui il backup sul set di supporti esistente - - - Backup to a new media set - Esegui il backup su un nuovo set di supporti - - - Append to the existing backup set - Accoda al set di backup esistente - - - Overwrite all existing backup sets - Sovrascrivi tutti i set di backup esistenti - - - New media set name - Nome del nuovo set di supporti - - - New media set description - Descrizione del nuovo set di supporti - - - Perform checksum before writing to media - Esegui il checksum prima della scrittura sui supporti - - - Verify backup when finished - Verifica il backup al termine - - - Continue on error - Continua in caso di errore - - - Expiration - Scadenza - - - Set backup retain days - Imposta i giorni di mantenimento del backup - - - Copy-only backup - Backup di sola copia - - - Advanced Configuration - Configurazione avanzata - - - Compression - Compressione - - - Set backup compression - Imposta la compressione del backup - - - Encryption - Crittografia - - - Transaction log - Log delle transazioni - - - Truncate the transaction log - Tronca il log delle transazioni - - - Backup the tail of the log - Esegui il backup della coda del log - - - Reliability - Affidabilità - - - Media name is required - Il nome del supporto è obbligatorio - - - No certificate or asymmetric key is available - Non sono disponibili certificati o chiavi asimmetriche - - - Add a file - Aggiungi un file - - - Remove files - Rimuovi file - - - Invalid input. Value must be greater than or equal 0. - Input non valido. Il valore deve essere maggiore o uguale a 0. - - - Script - Script - - - Backup - Backup - - - Cancel - Annulla - - - Only backup to file is supported - È supportato solo il backup su file - - - Backup file path is required - Il percorso del file di backup è obbligatorio + + Serialization failed with an unknown error + La serializzazione non è riuscita e si verificato un errore sconosciuto @@ -4632,407 +589,87 @@ - + - - There is no data provider registered that can provide view data. - Non ci sono provider di dati registrati che possono fornire i dati della visualizzazione. + + Table header background color + Colore di sfondo dell'intestazione tabella - - Refresh - Aggiorna + + Table header foreground color + Colore primo piano dell'intestazione tabella - - Collapse All - Comprimi tutto + + List/Table background color for the selected and focus item when the list/table is active + Colore di sfondo dell'elenco o della tabella per l'elemento selezionato e con stato attivo quando l'elenco o la tabella è attiva - - Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. - Si è verificato un errore durante l'esecuzione del comando {1}: {0}. Il problema può dipendere dall'estensione che aggiunge come contributo {1}. + + Color of the outline of a cell. + Colore del contorno di una cella. + + + Disabled Input box background. + Sfondo della casella di input disabilitata. + + + Disabled Input box foreground. + Primo piano della casella di input disabilitata. + + + Button outline color when focused. + Colore del contorno del pulsante con stato attivo. + + + Disabled checkbox foreground. + Primo piano della casella di controllo disabilitato. + + + SQL Agent Table background color. + Colore di sfondo della tabella di SQL Agent. + + + SQL Agent table cell background color. + Colore di sfondo delle celle della tabella di SQL Agent. + + + SQL Agent table hover background color. + Colore di sfondo della tabella di SQL Agent al passaggio del mouse. + + + SQL Agent heading background color. + Colore di sfondo dell'intestazione di SQL Agent. + + + SQL Agent table cell border color. + Colore del bordo delle celle della tabella di SQL Agent. + + + Results messages error color. + Colore dell'errore nei messaggi dei risultati. - + - - Please select active cell and try again - Selezionare la cella attiva e riprovare + + Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window + Alcune delle estensioni caricate usano API obsolete. Per informazioni dettagliate, vedere la scheda Console della finestra Strumenti di sviluppo - - Run cell - Esegui cella - - - Cancel execution - Annulla esecuzione - - - Error on last run. Click to run again - Si è verificato un errore durante l'ultima esecuzione. Fare clic per ripetere l'esecuzione + + Don't Show Again + Non visualizzare più questo messaggio - + - - Cancel - Annulla + + F5 shortcut key requires a code cell to be selected. Please select a code cell to run. + Con il tasto di scelta rapida F5 è richiesta la selezione di una cella di codice. Selezionare una cella di codice da eseguire. - - The task is failed to cancel. - L'annullamento dell'attività non è riuscito. - - - Script - Script - - - - - - - Toggle More - Attiva/Disattiva altro - - - - - - - Loading - Caricamento - - - - - - - Home - Home page - - - - - - - The "{0}" section has invalid content. Please contact extension owner. - Il contenuto della sezione "{0}" non è valido. Contattare il proprietario dell'estensione. - - - - - - - Jobs - Processi - - - Notebooks - Notebooks - - - Alerts - Avvisi - - - Proxies - Proxy - - - Operators - Operatori - - - - - - - Server Properties - Proprietà server - - - - - - - Database Properties - Proprietà database - - - - - - - Select/Deselect All - Seleziona/Deseleziona tutto - - - - - - - Show Filter - Mostra filtro - - - OK - OK - - - Clear - Cancella - - - Cancel - Annulla - - - - - - - Recent Connections - Connessioni recenti - - - Servers - Server - - - Servers - Server - - - - - - - Backup Files - File di backup - - - All Files - Tutti i file - - - - - - - Search: Type Search Term and press Enter to search or Escape to cancel - Cerca: digitare il termine di ricerca e premere INVIO per cercare oppure ESC per annullare - - - Search - Cerca - - - - - - - Failed to change database - Non è stato possibile modificare il database - - - - - - - Name - Nome - - - Last Occurrence - Ultima occorrenza - - - Enabled - Abilitata - - - Delay Between Responses (in secs) - Ritardo tra le risposte (in sec) - - - Category Name - Nome della categoria - - - - - - - Name - Nome - - - Email Address - Indirizzo di posta elettronica - - - Enabled - Abilitata - - - - - - - Account Name - Nome dell'account - - - Credential Name - Nome della credenziale - - - Description - Descrizione - - - Enabled - Abilitata - - - - - - - loading objects - caricamento oggetti - - - loading databases - caricamento database - - - loading objects completed. - caricamento oggetti completato. - - - loading databases completed. - caricamento database completato. - - - Search by name of type (t:, v:, f:, or sp:) - Ricerca per nome di tipo (t:, v:, f: o sp:) - - - Search databases - Cerca nei database - - - Unable to load objects - Non è possibile caricare gli oggetti - - - Unable to load databases - Non è possibile caricare i database - - - - - - - Loading properties - Caricamento delle proprietà - - - Loading properties completed - Caricamento delle proprietà completato - - - Unable to load dashboard properties - Non è possibile caricare le proprietà del dashboard - - - - - - - Loading {0} - Caricamento di {0} - - - Loading {0} completed - Caricamento di {0} completato - - - Auto Refresh: OFF - Aggiornamento automatico: disattivato - - - Last Updated: {0} {1} - Ultimo aggiornamento: {0} {1} - - - No results to show - Non ci sono risultati da visualizzare - - - - - - - Steps - Passaggi - - - - - - - Save As CSV - Salva in formato CSV - - - Save As JSON - Salva in formato JSON - - - Save As Excel - Salva in formato Excel - - - Save As XML - Salva in formato XML - - - Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. - La codifica dei risultati non verrà salvata quando si esporta in JSON. Ricordarsi di salvare con la codifica desiderata dopo la creazione del file. - - - Save to file is not supported by the backing data source - Il salvataggio nel file non è supportato dall'origine dati di supporto - - - Copy - Copia - - - Copy With Headers - Copia con intestazioni - - - Select All - Seleziona tutto - - - Maximize - Ingrandisci - - - Restore - Ripristina - - - Chart - Grafico - - - Visualizer - Visualizzatore + + Clear result requires a code cell to be selected. Please select a code cell to run. + Con Cancella risultati è richiesta la selezione di una cella di codice. Selezionare una cella di codice da eseguire. @@ -5052,349 +689,495 @@ - + - - Step ID - ID passaggio + + Done + Fatto - - Step Name - Nome del passaggio + + Cancel + Annulla - - Message - Messaggio + + Generate script + Genera script + + + Next + Avanti + + + Previous + Indietro + + + Tabs are not initialized + Le schede non sono inizializzate - + - - Find - Trova + + No tree view with id '{0}' registered. + Non è stata registrata alcuna visualizzazione struttura ad albero con ID '{0}'. - - Find - Trova + + + + + + A NotebookProvider with valid providerId must be passed to this method + È necessario passare a questo metodo un elemento NotebookProvider con providerId valido - - Previous match - Corrispondenza precedente + + no notebook provider found + non è stato trovato alcun provider di notebook - - Next match - Corrispondenza successiva + + No Manager found + Non è stato trovato alcun gestore - + + Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it + Il gestore del notebook {0} non include un gestore di server. Non è possibile eseguirvi operazioni + + + Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it + Il gestore del notebook {0} non include un gestore di contenuti. Non è possibile eseguirvi operazioni + + + Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it + Il gestore del notebook {0} non include un gestore di sessioni. Non è possibile eseguirvi operazioni + + + + + + + A NotebookProvider with valid providerId must be passed to this method + È necessario passare a questo metodo un elemento NotebookProvider con providerId valido + + + + + + + Manage + Gestisci + + + Show Details + Mostra dettagli + + + Learn More + Altre informazioni + + + Clear all saved accounts + Cancella tutti gli account salvati + + + + + + + Preview Features + Funzionalità di anteprima + + + Enable unreleased preview features + Abilita le funzionalità di anteprima non rilasciate + + + Show connect dialog on startup + Mostra la finestra di dialogo della connessione all'avvio + + + Obsolete API Notification + Notifica API obsolete + + + Enable/disable obsolete API usage notification + Abilita/disabilita la notifica di utilizzo di API obsolete + + + + + + + Edit Data Session Failed To Connect + Connessione alla sessione di modifica dati non riuscita + + + + + + + Profiler + Profiler + + + Not connected + Non connesso + + + XEvent Profiler Session stopped unexpectedly on the server {0}. + La sessione del profiler XEvent è stata arrestata in modo imprevisto nel server {0}. + + + Error while starting new session + Si è verificato un errore durante l'avvio della nuova sessione + + + The XEvent Profiler session for {0} has lost events. + Sono presenti eventi persi per la sessione del profiler XEvent per {0}. + + + + + + + Show Actions + Mostra azioni + + + Resource Viewer + Visualizzatore risorse + + + + + + + Information + Informazioni + + + Warning + Avviso + + + Error + Errore + + + Show Details + Mostra dettagli + + + Copy + Copia + + Close Chiudi - - Your search returned a large number of results, only the first 999 matches will be highlighted. - La ricerca ha restituito un numero elevato di risultati. Verranno evidenziate solo le prime 999 corrispondenze. + + Back + Indietro - - {0} of {1} - {0} di {1} - - - No Results - Nessun risultato + + Hide Details + Nascondi dettagli - + - - Horizontal Bar - A barre orizzontali + + OK + OK - - Bar - A barre - - - Line - A linee - - - Pie - A torta - - - Scatter - A dispersione - - - Time Series - Serie temporale - - - Image - Immagine - - - Count - Conteggio - - - Table - Tabella - - - Doughnut - Ad anello - - - Failed to get rows for the dataset to chart. - Non è stato possibile recuperare le righe per il set di dati da rappresentare nel grafico. - - - Chart type '{0}' is not supported. - Il tipo di grafico: '{0}' non è supportato. + + Cancel + Annulla - + - - Parameters - Parametri + + is required. + è obbligatorio. + + + Invalid input. Numeric value expected. + Input non valido. È previsto un valore numerico. - + - - Connected to - Connesso a - - - Disconnected - Disconnesso - - - Unsaved Connections - Connessioni non salvate + + The index {0} is invalid. + L'indice {0} non è valido. - + - - Browse (Preview) - Sfoglia (anteprima) + + blank + vuoto - - Type here to filter the list - Digitare qui per filtrare l'elenco + + check all checkboxes in column: {0} + selezionare tutte le caselle di controllo nella colonna: {0} - - Filter connections - Filtra connessioni - - - Applying filter - Applicazione filtro - - - Removing filter - Rimozione filtro - - - Filter applied - Filtro applicato - - - Filter removed - Filtro rimosso - - - Saved Connections - Connessioni salvate - - - Saved Connections - Connessioni salvate - - - Connection Browser Tree - Albero del visualizzatore connessioni + + Show Actions + Mostra azioni - + - - This extension is recommended by Azure Data Studio. - Questa estensione è consigliata da Azure Data Studio. + + Loading + Caricamento + + + Loading completed + Caricamento completato - + - - Don't Show Again - Non visualizzare più questo messaggio + + Invalid value + Valore non valido - - Azure Data Studio has extension recommendations. - Azure Data Studio include estensioni consigliate. - - - Azure Data Studio has extension recommendations for data visualization. -Once installed, you can select the Visualizer icon to visualize your query results. - Azure Data Studio include estensioni consigliate per la visualizzazione dei dati. -Una volta installato, è possibile selezionare l'icona del visualizzatore per visualizzare i risultati della query. - - - Install All - Installa tutto - - - Show Recommendations - Mostra elementi consigliati - - - The scenario type for extension recommendations must be provided. - È necessario specificare il tipo di scenario per le estensioni consigliate. + + {0}. {1} + {0}. {1} - + - - This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. - Questa pagina delle funzionalità è in anteprima. Le funzionalità in anteprima introducono nuove funzionalità che stanno per diventare una parte permanente del prodotto. Sono stabili, ma richiedono ulteriori miglioramenti per l'accessibilità. Apprezziamo il feedback iniziale degli utenti mentre sono in fase di sviluppo. + + Loading + Caricamento in corso - - Preview - Anteprima - - - Create a connection - Crea una connessione - - - Connect to a database instance through the connection dialog. - Connettersi a un'istanza di database tramite la finestra di dialogo di connessione. - - - Run a query - Esegui una query - - - Interact with data through a query editor. - Interagire con i dati tramite un editor di query. - - - Create a notebook - Crea un notebook - - - Build a new notebook using a native notebook editor. - Creare un nuovo notebook usando un editor di notebook nativo. - - - Deploy a server - Distribuisci un server - - - Create a new instance of a relational data service on the platform of your choice. - Crea una nuova istanza di un servizio dati relazionale nella piattaforma scelta. - - - Resources - Risorse - - - History - Cronologia - - - Name - Nome - - - Location - Posizione - - - Show more - Mostra di più - - - Show welcome page on startup - Mostra la pagina iniziale all'avvio - - - Useful Links - Collegamenti utili - - - Getting Started - Attività iniziali - - - Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. - Scopri le funzionalità offerte da Azure Data Studio e impara a sfruttarle al meglio. - - - Documentation - Documentazione - - - Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. - Visitare il centro documentazione per guide di avvio rapido, guide pratiche e riferimenti per PowerShell, API e così via. - - - Overview of Azure Data Studio - Panoramica di Azure Data Studio - - - Introduction to Azure Data Studio Notebooks | Data Exposed - Introduzione ai notebook di Azure Data Studio | Dati esposti - - - Extensions - Estensioni - - - Show All - Mostra tutto - - - Learn more - Altre informazioni + + Loading completed + Caricamento completato - + - - Date Created: - Data di creazione: + + modelview code editor for view model. + editor del codice modelview per il modello di visualizzazione. - - Notebook Error: - Errore del notebook: + + + + + + Could not find component for type {0} + Non è stato possibile trovare il componente per il tipo {0} - - Job Error: - Errore del processo: + + + + + + Changing editor types on unsaved files is unsupported + La modifica dei tipi di editor per file non salvati non è supportata - - Pinned - Aggiunta + + + + + + Select Top 1000 + Genera script come SELECT TOP 1000 - - Recent Runs - Esecuzioni recenti + + Take 10 + Take 10 - - Past Runs - Esecuzioni precedenti + + Script as Execute + Genera script come EXECUTE + + + Script as Alter + Genera script come ALTER + + + Edit Data + Modifica dati + + + Script as Create + Genera script come CREATE + + + Script as Drop + Genera script come DROP + + + + + + + No script was returned when calling select script on object + Non è stato restituito alcuno script durante la chiamata dello script di selezione sull'oggetto + + + Select + Seleziona + + + Create + Crea + + + Insert + Inserisci + + + Update + Aggiorna + + + Delete + Elimina + + + No script was returned when scripting as {0} on object {1} + Non è stato restituito alcuno script durante la generazione dello script come {0} sull'oggetto {1} + + + Scripting Failed + Generazione dello script non riuscita + + + No script was returned when scripting as {0} + Non è stato restituito alcuno script durante la generazione dello script come {0} + + + + + + + disconnected + disconnesso + + + + + + + Extension + Estensione + + + + + + + Active tab background color for vertical tabs + Colore di sfondo della scheda attiva per le schede verticali + + + Color for borders in dashboard + Colore per i bordi nel dashboard + + + Color of dashboard widget title + Colore del titolo del widget del dashboard + + + Color for dashboard widget subtext + Colore per il sottotesto del widget del dashboard + + + Color for property values displayed in the properties container component + Colore per i valori delle proprietà visualizzati nel componente del contenitore delle proprietà + + + Color for property names displayed in the properties container component + Colore per i nomi proprietà visualizzati nel componente del contenitore delle proprietà + + + Toolbar overflow shadow color + Colore ombra overflow barra degli strumenti + + + + + + + Identifier of the account type + Identificatore del tipo di account + + + (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration + (Facoltativa) Icona usata per rappresentare l'account nell'interfaccia utente. Percorso di file o configurazione che supporta i temi + + + Icon path when a light theme is used + Percorso dell'icona quando viene usato un tema chiaro + + + Icon path when a dark theme is used + Percorso dell'icona quando viene usato un tema scuro + + + Contributes icons to account provider. + Aggiunge come contributo le icone al provider di account. + + + + + + + View applicable rules + Visualizza regole applicabili + + + View applicable rules for {0} + Visualizza regole applicabili per {0} + + + Invoke Assessment + Richiama valutazione + + + Invoke Assessment for {0} + Richiama valutazione per {0} + + + Export As Script + Esporta come script + + + View all rules and learn more on GitHub + Visualizza tutte le regole e altre informazioni su GitHub + + + Create HTML Report + Crea report HTML + + + Report has been saved. Do you want to open it? + Il report è stato salvato. Aprirlo? + + + Open + Apri + + + Cancel + Annulla @@ -5426,390 +1209,6 @@ Una volta installato, è possibile selezionare l'icona del visualizzatore per vi - - - - Chart - Grafico - - - - - - - Operation - Operazione - - - Object - Oggetto - - - Est Cost - Costo stimato - - - Est Subtree Cost - Costo sottoalbero stimato - - - Actual Rows - Righe effettive - - - Est Rows - Righe stimate - - - Actual Executions - Esecuzioni effettive - - - Est CPU Cost - Costo CPU stimato - - - Est IO Cost - Costo IO stimato - - - Parallel - In parallelo - - - Actual Rebinds - Riassociazioni effettive - - - Est Rebinds - Riassociazioni stimate - - - Actual Rewinds - Ripristini effettivi - - - Est Rewinds - Ripristini stimati - - - Partitioned - Partizionato - - - Top Operations - Operazioni più frequenti - - - - - - - No connections found. - Non sono state trovate connessioni. - - - Add Connection - Aggiungi connessione - - - - - - - Add an account... - Aggiungi un account... - - - <Default> - <Predefinito> - - - Loading... - Caricamento... - - - Server group - Gruppo di server - - - <Default> - <Predefinito> - - - Add new group... - Aggiungi nuovo gruppo... - - - <Do not save> - <Non salvare> - - - {0} is required. - {0} è obbligatorio. - - - {0} will be trimmed. - {0} verrà tagliato. - - - Remember password - Memorizza password - - - Account - Account - - - Refresh account credentials - Aggiorna credenziali dell'account - - - Azure AD tenant - Tenant di Azure AD - - - Name (optional) - Nome (facoltativo) - - - Advanced... - Avanzate... - - - You must select an account - È necessario selezionare un account - - - - - - - Database - Database - - - Files and filegroups - File e filegroup - - - Full - Completo - - - Differential - Differenziale - - - Transaction Log - Log delle transazioni - - - Disk - Disco - - - Url - URL - - - Use the default server setting - Usa l'impostazione predefinita del server - - - Compress backup - Comprimi il backup - - - Do not compress backup - Non comprimere il backup - - - Server Certificate - Certificato del server - - - Asymmetric Key - Chiave asimmetrica - - - - - - - You have not opened any folder that contains notebooks/books. - Non è stata aperta alcuna cartella contenente notebook/libri. - - - Open Notebooks - Apri notebook - - - The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. - Il set di risultati contiene solo un subset di tutte le corrispondenze. Eseguire una ricerca più specifica per ridurre il numero di risultati. - - - Search in progress... - - Ricerca in corso - - - - No results found in '{0}' excluding '{1}' - - Non sono stati trovati risultati in '{0}' escludendo '{1}' - - - - No results found in '{0}' - - Non sono stati trovati risultati in '{0}' - - - - No results found excluding '{0}' - - Non sono stati trovati risultati escludendo '{0}' - - - - No results found. Review your settings for configured exclusions and check your gitignore files - - Non sono stati trovati risultati. Rivedere le impostazioni relative alle esclusioni configurate e verificare i file gitignore - - - - Search again - Cerca di nuovo - - - Cancel Search - Annulla ricerca - - - Search again in all files - Cerca di nuovo in tutti i file - - - Open Settings - Apri impostazioni - - - Search returned {0} results in {1} files - La ricerca ha restituito {0} risultati in {1} file - - - Toggle Collapse and Expand - Attiva/Disattiva Comprimi ed espandi - - - Cancel Search - Annulla ricerca - - - Expand All - Espandi tutto - - - Collapse All - Comprimi tutto - - - Clear Search Results - Cancella risultati della ricerca - - - - - - - Connections - Connessioni - - - Connect, query, and manage your connections from SQL Server, Azure, and more. - È possibile connettersi, eseguire query e gestire le connessioni da SQL Server, Azure e altro ancora. - - - 1 - 1 - - - Next - Avanti - - - Notebooks - Notebook - - - Get started creating your own notebook or collection of notebooks in a single place. - Iniziare a creare il proprio notebook o la propria raccolta di notebook in un'unica posizione. - - - 2 - 2 - - - Extensions - Estensioni - - - Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). - Estendere le funzionalità di Azure Data Studio installando le estensioni sviluppate da Microsoft e dalla community di terze parti. - - - 3 - 3 - - - Settings - Impostazioni - - - Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. - Personalizzare Azure Data Studio in base alle proprie preferenze. È possibile configurare impostazioni come il salvataggio automatico e le dimensioni delle schede, personalizzare i tasti di scelta rapida e scegliere il tema colori preferito. - - - 4 - 4 - - - Welcome Page - Pagina iniziale - - - Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. - Individuare le funzionalità principali, i file aperti di recente e le estensioni consigliate nella pagina iniziale. Per altre informazioni su come iniziare a usare Azure Data Studio, vedere i video e la documentazione. - - - 5 - 5 - - - Finish - Fine - - - User Welcome Tour - Presentazione iniziale - - - Hide Welcome Tour - Nascondi presentazione iniziale - - - Read more - Altre informazioni - - - Help - Guida - - - - - - - Delete Row - Elimina riga - - - Revert Current Row - Ripristina la riga corrente - - - @@ -5894,575 +1293,283 @@ Una volta installato, è possibile selezionare l'icona del visualizzatore per vi - + - - Message Panel - Pannello dei messaggi - - - Copy - Copia - - - Copy All - Copia tutto + + Open in Azure Portal + Apri nel portale di Azure - + - - Loading - Caricamento + + Backup name + Nome del backup - - Loading completed - Caricamento completato + + Recovery model + Modello di recupero + + + Backup type + Tipo di backup + + + Backup files + File di backup + + + Algorithm + Algoritmo + + + Certificate or Asymmetric key + Certificato o chiave asimmetrica + + + Media + Supporti + + + Backup to the existing media set + Esegui il backup sul set di supporti esistente + + + Backup to a new media set + Esegui il backup su un nuovo set di supporti + + + Append to the existing backup set + Accoda al set di backup esistente + + + Overwrite all existing backup sets + Sovrascrivi tutti i set di backup esistenti + + + New media set name + Nome del nuovo set di supporti + + + New media set description + Descrizione del nuovo set di supporti + + + Perform checksum before writing to media + Esegui il checksum prima della scrittura sui supporti + + + Verify backup when finished + Verifica il backup al termine + + + Continue on error + Continua in caso di errore + + + Expiration + Scadenza + + + Set backup retain days + Imposta i giorni di mantenimento del backup + + + Copy-only backup + Backup di sola copia + + + Advanced Configuration + Configurazione avanzata + + + Compression + Compressione + + + Set backup compression + Imposta la compressione del backup + + + Encryption + Crittografia + + + Transaction log + Log delle transazioni + + + Truncate the transaction log + Tronca il log delle transazioni + + + Backup the tail of the log + Esegui il backup della coda del log + + + Reliability + Affidabilità + + + Media name is required + Il nome del supporto è obbligatorio + + + No certificate or asymmetric key is available + Non sono disponibili certificati o chiavi asimmetriche + + + Add a file + Aggiungi un file + + + Remove files + Rimuovi file + + + Invalid input. Value must be greater than or equal 0. + Input non valido. Il valore deve essere maggiore o uguale a 0. + + + Script + Script + + + Backup + Backup + + + Cancel + Annulla + + + Only backup to file is supported + È supportato solo il backup su file + + + Backup file path is required + Il percorso del file di backup è obbligatorio - + - - Click on - Fare clic su - - - + Code - + Codice - - - or - o - - - + Text - + Testo - - - to add a code or text cell - per aggiungere una cella di testo o codice + + Backup + Backup - + - - StdIn: - STDIN: + + You must enable preview features in order to use backup + Per usare il backup, è necessario abilitare le funzionalità di anteprima + + + Backup command is not supported outside of a database context. Please select a database and try again. + Il comando Backup non è supportato all'esterno di un contesto di database. Selezionare un database e riprovare. + + + Backup command is not supported for Azure SQL databases. + Il comando di backup non è supportato per i database SQL di Azure. + + + Backup + Backup - + - - Expand code cell contents - Espandi contenuto cella codice + + Database + Database - - Collapse code cell contents - Comprimi contenuto cella di codice + + Files and filegroups + File e filegroup + + + Full + Completo + + + Differential + Differenziale + + + Transaction Log + Log delle transazioni + + + Disk + Disco + + + Url + URL + + + Use the default server setting + Usa l'impostazione predefinita del server + + + Compress backup + Comprimi il backup + + + Do not compress backup + Non comprimere il backup + + + Server Certificate + Certificato del server + + + Asymmetric Key + Chiave asimmetrica - + - - XML Showplan - Showplan XML + + Create Insight + Crea dati analitici - - Results grid - Griglia dei risultati + + Cannot create insight as the active editor is not a SQL Editor + Non è possibile creare i dati analitici perché l'editor attivo non è un editor SQL - - - - - - Add cell - Aggiungi cella + + My-Widget + Widget personale - - Code cell - Cella di codice + + Configure Chart + Configura grafico - - Text cell - Cella di testo + + Copy as image + Copia come immagine - - Move cell down - Sposta cella in basso + + Could not find chart to save + Non è stato possibile trovare il grafico da salvare - - Move cell up - Sposta cella in alto + + Save as image + Salva come immagine - - Delete - Elimina + + PNG + PNG - - Add cell - Aggiungi cella - - - Code cell - Cella di codice - - - Text cell - Cella di testo - - - - - - - SQL kernel error - Errore del kernel SQL - - - A connection must be chosen to run notebook cells - Per eseguire le celle del notebook, è necessario scegliere una connessione - - - Displaying Top {0} rows. - Visualizzazione delle prime {0} righe. - - - - - - - Name - Nome - - - Last Run - Ultima esecuzione - - - Next Run - Prossima esecuzione - - - Enabled - Abilitata - - - Status - Stato - - - Category - Categoria - - - Runnable - Eseguibile - - - Schedule - Pianificazione - - - Last Run Outcome - Risultati ultima esecuzione - - - Previous Runs - Esecuzioni precedenti - - - No Steps available for this job. - Non sono disponibili passaggi per questo processo. - - - Error: - Errore: - - - - - - - Could not find component for type {0} - Non è stato possibile trovare il componente per il tipo {0} - - - - - - - Find - Trova - - - Find - Trova - - - Previous match - Risultato precedente - - - Next match - Risultato successivo - - - Close - Chiudi - - - Your search returned a large number of results, only the first 999 matches will be highlighted. - La ricerca ha restituito un numero elevato di risultati. Verranno evidenziate solo le prime 999 corrispondenze. - - - {0} of {1} - {0} di {1} - - - No Results - Nessun risultato - - - - - - - Name - Nome - - - Schema - Schema - - - Type - Tipo - - - - - - - Run Query - Esegui query - - - - - - - No {0}renderer could be found for output. It has the following MIME types: {1} - Non è stato possibile trovare alcun renderer {0} per l'output. Include i tipi MIME seguenti: {1} - - - safe - sicuro - - - No component could be found for selector {0} - Non è stato possibile trovare alcun componente per il selettore {0} - - - Error rendering component: {0} - Si è verificato un errore durante il rendering del componente: {0} - - - - - - - Loading... - Caricamento... - - - - - - - Loading... - Caricamento... - - - - - - - Edit - Modifica - - - Exit - Esci - - - Refresh - Aggiorna - - - Show Actions - Mostra azioni - - - Delete Widget - Elimina widget - - - Click to unpin - Fare clic per rimuovere - - - Click to pin - Fare clic per aggiungere - - - Open installed features - Apri funzionalità installate - - - Collapse Widget - Comprimi widget - - - Expand Widget - Espandi widget - - - - - - - {0} is an unknown container. - {0} è un contenitore sconosciuto. - - - - - - - Name - Nome - - - Target Database - Database di destinazione - - - Last Run - Ultima esecuzione - - - Next Run - Prossima esecuzione - - - Status - Stato - - - Last Run Outcome - Risultati ultima esecuzione - - - Previous Runs - Esecuzioni precedenti - - - No Steps available for this job. - Non sono disponibili passaggi per questo processo. - - - Error: - Errore: - - - Notebook Error: - Errore del notebook: - - - - - - - Loading Error... - Errore di caricamento... - - - - - - - Show Actions - Mostra azioni - - - No matching item found - Non sono stati trovati elementi corrispondenti - - - Filtered search list to 1 item - Elenco di ricerca filtrato per 1 elemento - - - Filtered search list to {0} items - Elenco di ricerca filtrato per {0} elementi - - - - - - - Failed - Non riuscito - - - Succeeded - Riuscito - - - Retry - Riprova - - - Cancelled - Annullato - - - In Progress - In corso - - - Status Unknown - Stato sconosciuto - - - Executing - In esecuzione - - - Waiting for Thread - In attesa del thread - - - Between Retries - Tra tentativi - - - Idle - Inattivo - - - Suspended - Sospeso - - - [Obsolete] - [Obsoleto] - - - Yes - - - - No - No - - - Not Scheduled - Non pianificato - - - Never Run - Mai eseguito - - - - - - - Bold - Grassetto - - - Italic - Corsivo - - - Underline - Sottolineato - - - Highlight - Evidenziazione - - - Code - Codice - - - Link - Collegamento - - - List - Elenco - - - Ordered list - Elenco ordinato - - - Image - Immagine - - - Markdown preview toggle - off - Disattivazione anteprima Markdown - - - Heading - Intestazione - - - Heading 1 - Intestazione 1 - - - Heading 2 - Intestazione 2 - - - Heading 3 - Intestazione 3 - - - Paragraph - Paragrafo - - - Insert link - Inserire il collegamento - - - Insert image - Inserisci immagine - - - Rich Text View - Visualizzazione RTF - - - Split View - Doppia visualizzazione - - - Markdown View - Visualizzazione Markdown + + Saved Chart to path: {0} + Grafico salvato nel percorso: {0} @@ -6550,19 +1657,411 @@ Una volta installato, è possibile selezionare l'icona del visualizzatore per vi - + - + + Chart + Grafico + + + + + + + Horizontal Bar + A barre orizzontali + + + Bar + A barre + + + Line + A linee + + + Pie + A torta + + + Scatter + A dispersione + + + Time Series + Serie temporale + + + Image + Immagine + + + Count + Conteggio + + + Table + Tabella + + + Doughnut + Ad anello + + + Failed to get rows for the dataset to chart. + Non è stato possibile recuperare le righe per il set di dati da rappresentare nel grafico. + + + Chart type '{0}' is not supported. + Il tipo di grafico: '{0}' non è supportato. + + + + + + + Built-in Charts + Grafici predefiniti + + + The maximum number of rows for charts to display. Warning: increasing this may impact performance. + Numero massimo di righe per i grafici da visualizzare. Avviso: l'aumento di questo valore può influire sulle prestazioni. + + + + + + Close Chiudi - + - - A server group with the same name already exists. - Esiste già un gruppo di server con lo stesso nome. + + Series {0} + Serie {0} + + + + + + + Table does not contain a valid image + La tabella non contiene un'immagine valida + + + + + + + Maximum row count for built-in charts has been exceeded, only the first {0} rows are used. To configure the value, you can open user settings and search for: 'builtinCharts.maxRowCount'. + È stato superato il numero massimo di righe per i grafici predefiniti. Vengono usate solo {0} prime righe. Per configurare il valore, è possibile aprire le impostazioni utente e cercare: 'builtinCharts.maxRowCount'. + + + Don't Show Again + Non visualizzare più questo messaggio + + + + + + + Connecting: {0} + Connessione: {0} + + + Running command: {0} + Esecuzione del comando: {0} + + + Opening new query: {0} + Apertura della nuova query: {0} + + + Cannot connect as no server information was provided + Non è possibile connettersi perché non sono state fornite informazioni sul server + + + Could not open URL due to error {0} + Non è stato possibile aprire l'URL a causa dell'errore {0} + + + This will connect to server {0} + Verrà eseguita la connessione al server {0} + + + Are you sure you want to connect? + Connettersi? + + + &&Open + &&Apri + + + Connecting query file + Connessione del file di query + + + + + + + {0} was replaced with {1} in your user settings. + {0} è stato sostituito con {1} nelle impostazioni utente. + + + {0} was replaced with {1} in your workspace settings. + {0} è stato sostituito con {1} nelle impostazioni dell'area di lavoro. + + + + + + + The maximum number of recently used connections to store in the connection list. + Numero massimo di connessioni usate di recente da archiviare nell'elenco delle connessioni. + + + Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. + Motore SQL predefinito da usare. Stabilisce il provider del linguaggio predefinito nei file con estensione sql e il valore predefinito da usare quando si crea una nuova connessione. + + + Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. + Prova ad analizzare il contenuto degli appunti quando si apre la finestra di dialogo di connessione o si esegue un'operazione Incolla. + + + + + + + Connection Status + Stato della connessione + + + + + + + Common id for the provider + ID comune del provider + + + Display Name for the provider + Nome visualizzato del provider + + + Notebook Kernel Alias for the provider + Alias del kernel del notebook per il provider + + + Icon path for the server type + Percorso dell'icona per il tipo di server + + + Options for connection + Opzioni per la connessione + + + + + + + User visible name for the tree provider + Nome visibile dell'utente per il provider dell'albero + + + Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` + L'ID del provider deve essere lo stesso di quando si registra il provider di dati dell'albero e deve iniziare con 'connectionDialog/' + + + + + + + Unique identifier for this container. + Identificatore univoco per questo contenitore. + + + The container that will be displayed in the tab. + Contenitore che verrà visualizzato nella scheda. + + + Contributes a single or multiple dashboard containers for users to add to their dashboard. + Aggiunge come contributo uno o più container di dashboard che gli utenti possono aggiungere al proprio dashboard. + + + No id in dashboard container specified for extension. + Nel container di dashboard non è stato specificato alcun ID per l'estensione. + + + No container in dashboard container specified for extension. + Nel container di dashboard non è stato specificato alcun contenitore per l'estensione. + + + Exactly 1 dashboard container must be defined per space. + Per ogni spazio è necessario definire un solo container di dashboard. + + + Unknown container type defines in dashboard container for extension. + Nel container di dashboard è stato definito un tipo di contenitore sconosciuto per l'estensione. + + + + + + + The controlhost that will be displayed in this tab. + controlhost che verrà visualizzato in questa scheda. + + + + + + + The "{0}" section has invalid content. Please contact extension owner. + Il contenuto della sezione "{0}" non è valido. Contattare il proprietario dell'estensione. + + + + + + + The list of widgets or webviews that will be displayed in this tab. + Elenco dei widget o delle webview che verranno visualizzati in questa scheda. + + + widgets or webviews are expected inside widgets-container for extension. + i widget o le webview devono trovarsi nel contenitore dei widget per l'estensione. + + + + + + + The model-backed view that will be displayed in this tab. + Visualizzazione basata su modello che verrà visualizzata in questa scheda. + + + + + + + Unique identifier for this nav section. Will be passed to the extension for any requests. + Identificatore univoco per questa sezione di spostamento. Verrà passato all'estensione per eventuali richieste. + + + (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration + (Facoltativa) Icona usata per rappresentare la sezione di spostamento nell'interfaccia utente. Percorso di file o configurazione che supporta i temi + + + Icon path when a light theme is used + Percorso dell'icona quando viene usato un tema chiaro + + + Icon path when a dark theme is used + Percorso dell'icona quando viene usato un tema scuro + + + Title of the nav section to show the user. + Titolo della sezione di spostamento da mostrare all'utente. + + + The container that will be displayed in this nav section. + Contenitore che verrà visualizzato in questa sezione di spostamento. + + + The list of dashboard containers that will be displayed in this navigation section. + Elenco di container di dashboard che verrà visualizzato in questa sezione di spostamento. + + + No title in nav section specified for extension. + Nella sezione di spostamento non è stato specificato alcun titolo per l'estensione. + + + No container in nav section specified for extension. + Nella sezione di spostamento non è stato specificato alcun contenitore per l'estensione. + + + Exactly 1 dashboard container must be defined per space. + Per ogni spazio è necessario definire un solo container di dashboard. + + + NAV_SECTION within NAV_SECTION is an invalid container for extension. + Un elemento NAV_SECTION all'interno di un altro elemento NAV_SECTION non è un contenitore valido per l'estensione. + + + + + + + The webview that will be displayed in this tab. + Webview che verrà visualizzata in questa scheda. + + + + + + + The list of widgets that will be displayed in this tab. + Elenco dei widget che verranno visualizzati in questa scheda. + + + The list of widgets is expected inside widgets-container for extension. + L'elenco dei widget deve trovarsi all'interno del contenitore dei widget per l'estensione. + + + + + + + Edit + Modifica + + + Exit + Esci + + + Refresh + Aggiorna + + + Show Actions + Mostra azioni + + + Delete Widget + Elimina widget + + + Click to unpin + Fare clic per rimuovere + + + Click to pin + Fare clic per aggiungere + + + Open installed features + Apri funzionalità installate + + + Collapse Widget + Comprimi widget + + + Expand Widget + Espandi widget + + + + + + + {0} is an unknown container. + {0} è un contenitore sconosciuto. @@ -6582,111 +2081,1025 @@ Una volta installato, è possibile selezionare l'icona del visualizzatore per vi - + - - Create Insight - Crea dati analitici + + Unique identifier for this tab. Will be passed to the extension for any requests. + Identificatore univoco per questa scheda. Verrà passato all'estensione per eventuali richieste. - - Cannot create insight as the active editor is not a SQL Editor - Non è possibile creare i dati analitici perché l'editor attivo non è un editor SQL + + Title of the tab to show the user. + Titolo della scheda da mostrare all'utente. - - My-Widget - Widget personale + + Description of this tab that will be shown to the user. + Descrizione di questa scheda che verrà mostrata all'utente. - - Configure Chart - Configura grafico + + Condition which must be true to show this item + Condizione che deve essere vera per mostrare questo elemento - - Copy as image - Copia come immagine + + Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set + Definisce i tipi di connessione con cui è compatibile questa scheda. Se non viene impostato, il valore predefinito è 'MSSQL' - - Could not find chart to save - Non è stato possibile trovare il grafico da salvare + + The container that will be displayed in this tab. + Contenitore che verrà visualizzato in questa scheda. - - Save as image - Salva come immagine + + Whether or not this tab should always be shown or only when the user adds it. + Indica se questa scheda deve essere sempre visualizzata oppure solo quando viene aggiunta dall'utente. - - PNG - PNG + + Whether or not this tab should be used as the Home tab for a connection type. + Indica se questa scheda deve essere usata come scheda iniziale per un tipo di connessione. - - Saved Chart to path: {0} - Grafico salvato nel percorso: {0} + + The unique identifier of the group this tab belongs to, value for home group: home. + Identificatore univoco del gruppo a cui appartiene questa scheda, valore per il gruppo home: home. + + + (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration + (Facoltativo) Icona usata per rappresentare questa scheda nell'interfaccia utente. Percorso di file o configurazione che supporta i temi + + + Icon path when a light theme is used + Percorso dell'icona quando viene usato un tema chiaro + + + Icon path when a dark theme is used + Percorso dell'icona quando viene usato un tema scuro + + + Contributes a single or multiple tabs for users to add to their dashboard. + Aggiunge come contributo una o più schede che gli utenti possono aggiungere al proprio dashboard. + + + No title specified for extension. + Non è stato specificato alcun titolo per l'estensione. + + + No description specified to show. + Non è stata specificata alcuna descrizione da mostrare. + + + No container specified for extension. + Non è stato specificato alcun contenitore per l'estensione. + + + Exactly 1 dashboard container must be defined per space + Per ogni spazio è necessario definire un solo container di dashboard + + + Unique identifier for this tab group. + Identificatore univoco per questo gruppo di schede. + + + Title of the tab group. + Titolo del gruppo di schede. + + + Contributes a single or multiple tab groups for users to add to their dashboard. + Fornisce uno o più gruppi di schede che gli utenti possono aggiungere al proprio dashboard. + + + No id specified for tab group. + Nessun ID specificato per il gruppo di schede. + + + No title specified for tab group. + Nessun titolo specificato per il gruppo di schede. + + + Administration + Amministrazione + + + Monitoring + Monitoraggio + + + Performance + Prestazioni + + + Security + Sicurezza + + + Troubleshooting + Risoluzione dei problemi + + + Settings + Impostazioni + + + databases tab + scheda database + + + Databases + Database - + - - Add code - Aggiungi codice + + Manage + Gestisci - - Add text - Aggiungi testo + + Dashboard + Dashboard - - Create File - Crea file + + + + + + Manage + Gestisci - - Could not display contents: {0} - Non è stato possibile visualizzare il contenuto: {0} + + + + + + property `icon` can be omitted or must be either a string or a literal like `{dark, light}` + la proprietà `icon` può essere omessa o deve essere una stringa o un valore letterale come `{dark, light}` - - Add cell - Aggiungi cella + + + + + + Defines a property to show on the dashboard + Definisce una proprietà da mostrare nel dashboard - - Code cell - Cella di codice + + What value to use as a label for the property + Indica il valore da usare come etichetta per la proprietà - - Text cell - Cella di testo + + What value in the object to access for the value + Indica il valore nell'oggetto per accedere al valore - - Run all - Esegui tutti + + Specify values to be ignored + Specifica i valori da ignorare - - Cell - Cella + + Default value to show if ignored or no value + Valore predefinito da mostrare se l'impostazione viene ignorata o non viene indicato alcun valore - - Code - Codice + + A flavor for defining dashboard properties + Versione per la definizione delle proprietà del dashboard - - Text - Testo + + Id of the flavor + ID della versione - - Run Cells - Esegui celle + + Condition to use this flavor + Condizione per usare questa versione - - < Previous - < Indietro + + Field to compare to + Campo da usare per il confronto - - Next > - Avanti > + + Which operator to use for comparison + Indica l'operatore da usare per il confronto - - cell with URI {0} was not found in this model - la cella con URI {0} non è stata trovata in questo modello + + Value to compare the field to + Valore con cui confrontare il campo - - Run Cells failed - See error in output of the currently selected cell for more information. - Comando Esegui celle non riuscito. Per altre informazioni, vedere l'errore nell'output della cella attualmente selezionata. + + Properties to show for database page + Proprietà da mostrare per la pagina del database + + + Properties to show for server page + Proprietà da mostrare per la pagina del server + + + Defines that this provider supports the dashboard + Definisce se questo provider supporta il dashboard + + + Provider id (ex. MSSQL) + ID provider, ad esempio MSSQL + + + Property values to show on dashboard + Valori di proprietà da mostrare nel dashboard + + + + + + + Condition which must be true to show this item + Condizione che deve essere vera per mostrare questo elemento + + + Whether to hide the header of the widget, default value is false + Indica se nascondere l'intestazione del widget. Il valore predefinito è false + + + The title of the container + Titolo del contenitore + + + The row of the component in the grid + Riga del componente nella griglia + + + The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. + rowspan del componente nella griglia. Il valore predefinito è 1. Usare '*' per impostare sul numero di righe della griglia. + + + The column of the component in the grid + Colonna del componente nella griglia + + + The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. + colspan del componente nella griglia. Il valore predefinito è 1. Usare '*' per impostare sul numero di colonne della griglia. + + + Unique identifier for this tab. Will be passed to the extension for any requests. + Identificatore univoco per questa scheda. Verrà passato all'estensione per eventuali richieste. + + + Extension tab is unknown or not installed. + La scheda dell'estensione è sconosciuta o non è installata. + + + + + + + Database Properties + Proprietà database + + + + + + + Enable or disable the properties widget + Abilita o disabilita il widget delle proprietà + + + Property values to show + Valori di proprietà da mostrare + + + Display name of the property + Nome visualizzato della proprietà + + + Value in the Database Info Object + Valore nell'oggetto informazioni database + + + Specify specific values to ignore + Specifica i valori da ignorare + + + Recovery Model + Modello di recupero + + + Last Database Backup + Ultimo backup del database + + + Last Log Backup + Ultimo backup del log + + + Compatibility Level + Livello di compatibilità + + + Owner + Proprietario + + + Customizes the database dashboard page + Personalizza la pagina del dashboard del database + + + Search + Cerca + + + Customizes the database dashboard tabs + Personalizza le schede del dashboard del database + + + + + + + Server Properties + Proprietà server + + + + + + + Enable or disable the properties widget + Abilita o disabilita il widget delle proprietà + + + Property values to show + Valori di proprietà da mostrare + + + Display name of the property + Nome visualizzato della proprietà + + + Value in the Server Info Object + Valore nell'oggetto informazioni server + + + Version + Versione + + + Edition + Edizione + + + Computer Name + Nome del computer + + + OS Version + Versione del sistema operativo + + + Search + Cerca + + + Customizes the server dashboard page + Personalizza la pagina del dashboard del server + + + Customizes the Server dashboard tabs + Personalizza le schede del dashboard del server + + + + + + + Home + Home page + + + + + + + Failed to change database + Non è stato possibile modificare il database + + + + + + + Show Actions + Mostra azioni + + + No matching item found + Non sono stati trovati elementi corrispondenti + + + Filtered search list to 1 item + Elenco di ricerca filtrato per 1 elemento + + + Filtered search list to {0} items + Elenco di ricerca filtrato per {0} elementi + + + + + + + Name + Nome + + + Schema + Schema + + + Type + Tipo + + + + + + + loading objects + caricamento oggetti + + + loading databases + caricamento database + + + loading objects completed. + caricamento oggetti completato. + + + loading databases completed. + caricamento database completato. + + + Search by name of type (t:, v:, f:, or sp:) + Ricerca per nome di tipo (t:, v:, f: o sp:) + + + Search databases + Cerca nei database + + + Unable to load objects + Non è possibile caricare gli oggetti + + + Unable to load databases + Non è possibile caricare i database + + + + + + + Run Query + Esegui query + + + + + + + Loading {0} + Caricamento di {0} + + + Loading {0} completed + Caricamento di {0} completato + + + Auto Refresh: OFF + Aggiornamento automatico: disattivato + + + Last Updated: {0} {1} + Ultimo aggiornamento: {0} {1} + + + No results to show + Non ci sono risultati da visualizzare + + + + + + + Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more + Aggiunge un widget in grado di eseguire una query su un server o un database e di visualizzare i risultati in vari modi, ovvero sotto forma di grafico, conteggio riepilogativo e altro ancora + + + Unique Identifier used for caching the results of the insight. + Identificatore univoco usato per memorizzare nella cache i risultati dei dati analitici. + + + SQL query to run. This should return exactly 1 resultset. + Query SQL da eseguire. Dovrebbe restituire esattamente un solo set di risultati. + + + [Optional] path to a file that contains a query. Use if 'query' is not set + [Facoltativa] Percorso di un file contenente una query. Usare se 'query' non è impostato + + + [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh + [Facoltativa] Intervallo di aggiornamento automatico in minuti. Se non è impostato, non verrà eseguito alcun aggiornamento automatico + + + Which actions to use + Indica le azioni da usare + + + Target database for the action; can use the format '${ columnName }' to use a data driven column name. + Database di destinazione per l'azione. È possibile usare il formato '${columnName}' per specificare un nome di colonna basata sui dati. + + + Target server for the action; can use the format '${ columnName }' to use a data driven column name. + Server di destinazione per l'azione. È possibile usare il formato '${columnName}' per specificare un nome di colonna basata sui dati. + + + Target user for the action; can use the format '${ columnName }' to use a data driven column name. + Utente di destinazione per l'azione. È possibile usare il formato '${columnName}' per specificare un nome di colonna basata sui dati. + + + Identifier of the insight + Identificatore dei dati analitici + + + Contributes insights to the dashboard palette. + Aggiunge come contributo i dati analitici al pannello del dashboard. + + + + + + + Chart cannot be displayed with the given data + Non è possibile visualizzare il grafico con i dati specificati + + + + + + + Displays results of a query as a chart on the dashboard + Visualizza i risultati di una query sotto forma di grafico nel dashboard + + + Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color + Esegue il mapping di 'nome colonna' al colore. Ad esempio, aggiungere 'column1': red se si vuole usare il colore rosso per questa colonna + + + Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry + Indica la posizione preferita e la visibilità della legenda del grafico. Questi sono i nomi di colonna estratti dalla query e associati all'etichetta di ogni voce del grafico + + + If dataDirection is horizontal, setting this to true uses the first columns value for the legend. + Se dataDirection è impostato su horizontal e si imposta questa opzione su true, per la legenda viene usato il primo valore di ogni colonna. + + + If dataDirection is vertical, setting this to true will use the columns names for the legend. + Se dataDirection è impostato su vertical e si imposta questa opzione su true, per la legenda vengono usati i nomi delle colonne. + + + Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. + Definisce se i dati vengono letti da una colonna (vertical) o da una riga (horizontal). Per la serie temporale questa impostazione viene ignorata perché la direzione deve essere verticale. + + + If showTopNData is set, showing only top N data in the chart. + Se è impostato showTopNData, vengono visualizzati solo i primi N dati del grafico. + + + + + + + Minimum value of the y axis + Valore minimo dell'asse Y + + + Maximum value of the y axis + Valore massimo dell'asse Y + + + Label for the y axis + Etichetta per l'asse Y + + + Minimum value of the x axis + Valore minimo dell'asse X + + + Maximum value of the x axis + Valore massimo dell'asse X + + + Label for the x axis + Etichetta per l'asse X + + + + + + + Indicates data property of a data set for a chart. + Indica la proprietà dati di un set di dati per un grafico. + + + + + + + For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 + Per ogni colonna in un set di risultati mostra il valore nella riga 0 sotto forma di numero seguito dal nome della colonna. Ad esempio '1 Attivi', '3 Disabilitati', dove 'Attivi' è il nome della colonna e 1 è il valore presente a riga 1 cella 1 + + + + + + + Displays an image, for example one returned by an R query using ggplot2 + Visualizza un'immagine, ad esempio una restituita da una query R che usa ggplot2 + + + What format is expected - is this a JPEG, PNG or other format? + Indica se il formato previsto è JPEG, PNG o di altro tipo. + + + Is this encoded as hex, base64 or some other format? + Indica se viene codificato come hex, base64 o in un altro formato. + + + + + + + Displays the results in a simple table + Visualizza i risultati in una tabella semplice + + + + + + + Loading properties + Caricamento delle proprietà + + + Loading properties completed + Caricamento delle proprietà completato + + + Unable to load dashboard properties + Non è possibile caricare le proprietà del dashboard + + + + + + + Database Connections + Connessioni di database + + + data source connections + connessioni a origine dati + + + data source groups + gruppi di origine dati + + + Saved connections are sorted by the dates they were added. + Le connessioni salvate vengono ordinate in base alle date aggiunte. + + + Saved connections are sorted by their display names alphabetically. + Le connessioni salvate vengono ordinate in base ai rispettivi nomi visualizzati in ordine alfabetico. + + + Controls sorting order of saved connections and connection groups. + Controllare l'ordinamento delle connessioni salvate e dei gruppi di connessioni. + + + Startup Configuration + Configurazione di avvio + + + True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown + È true se all'avvio di Azure Data Studio deve essere visualizzata la visualizzazione Server (impostazione predefinita); è false se deve essere visualizzata l'ultima visualizzazione aperta + + + + + + + Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. + Identificatore della visualizzazione. Usare questa impostazione per registrare un provider di dati tramite l'API `vscode.window.registerTreeDataProviderForView`, nonché per avviare l'attivazione dell'estensione tramite la registrazione dell'evento `onView:${id}` in `activationEvents`. + + + The human-readable name of the view. Will be shown + Nome leggibile della visualizzazione. Verrà visualizzato + + + Condition which must be true to show this view + Condizione che deve essere vera per mostrare questa visualizzazione + + + Contributes views to the editor + Aggiunge come contributo le visualizzazioni all'editor + + + Contributes views to Data Explorer container in the Activity bar + Aggiunge come contributo le visualizzazioni al contenitore Esplora dati nella barra attività + + + Contributes views to contributed views container + Aggiunge come contributo le visualizzazioni al contenitore delle visualizzazioni aggiunto come contributo + + + Cannot register multiple views with same id `{0}` in the view container `{1}` + Non è possibile registrare più visualizzazioni con stesso ID `{0}` nel contenitore di visualizzazioni `{1}` + + + A view with id `{0}` is already registered in the view container `{1}` + Una visualizzazione con ID `{0}` è già registrata nel contenitore di visualizzazioni `{1}` + + + views must be an array + le visualizzazioni devono essere una matrice + + + property `{0}` is mandatory and must be of type `string` + la proprietà `{0}` è obbligatoria e deve essere di tipo `string` + + + property `{0}` can be omitted or must be of type `string` + la proprietà `{0}` può essere omessa o deve essere di tipo `string` + + + + + + + Servers + Server + + + Connections + Connessioni + + + Show Connections + Mostra connessioni + + + + + + + Disconnect + Disconnetti + + + Refresh + Aggiorna + + + + + + + Show Edit Data SQL pane on startup + Mostra riquadro Modifica dati SQL all'avvio + + + + + + + Run + Esegui + + + Dispose Edit Failed With Error: + Modifica del metodo Dispose non riuscita. Errore: + + + Stop + Arresta + + + Show SQL Pane + Mostra riquadro SQL + + + Close SQL Pane + Chiudi riquadro SQL + + + + + + + Max Rows: + Numero massimo di righe: + + + + + + + Delete Row + Elimina riga + + + Revert Current Row + Ripristina la riga corrente + + + + + + + Save As CSV + Salva in formato CSV + + + Save As JSON + Salva in formato JSON + + + Save As Excel + Salva in formato Excel + + + Save As XML + Salva in formato XML + + + Copy + Copia + + + Copy With Headers + Copia con intestazioni + + + Select All + Seleziona tutto + + + + + + + Dashboard Tabs ({0}) + Schede del dashboard ({0}) + + + Id + ID + + + Title + Titolo + + + Description + Descrizione + + + Dashboard Insights ({0}) + Dati analitici dashboard ({0}) + + + Id + ID + + + Name + Nome + + + When + Quando + + + + + + + Gets extension information from the gallery + Recupera informazioni sull'estensione dalla raccolta + + + Extension id + ID estensione + + + Extension '{0}' not found. + L'estensione '{0}' non è stata trovata. + + + + + + + Show Recommendations + Mostra elementi consigliati + + + Install Extensions + Installa estensioni + + + Author an Extension... + Crea un'estensione... + + + + + + + Don't Show Again + Non visualizzare più questo messaggio + + + Azure Data Studio has extension recommendations. + Azure Data Studio include estensioni consigliate. + + + Azure Data Studio has extension recommendations for data visualization. +Once installed, you can select the Visualizer icon to visualize your query results. + Azure Data Studio include estensioni consigliate per la visualizzazione dei dati. +Una volta installato, è possibile selezionare l'icona del visualizzatore per visualizzare i risultati della query. + + + Install All + Installa tutto + + + Show Recommendations + Mostra elementi consigliati + + + The scenario type for extension recommendations must be provided. + È necessario specificare il tipo di scenario per le estensioni consigliate. + + + + + + + This extension is recommended by Azure Data Studio. + Questa estensione è consigliata da Azure Data Studio. + + + + + + + Jobs + Processi + + + Notebooks + Notebooks + + + Alerts + Avvisi + + + Proxies + Proxy + + + Operators + Operatori + + + + + + + Name + Nome + + + Last Occurrence + Ultima occorrenza + + + Enabled + Abilitata + + + Delay Between Responses (in secs) + Ritardo tra le risposte (in sec) + + + Category Name + Nome della categoria @@ -6906,257 +3319,187 @@ Errore: {1} - + - - View applicable rules - Visualizza regole applicabili + + Step ID + ID passaggio - - View applicable rules for {0} - Visualizza regole applicabili per {0} + + Step Name + Nome del passaggio - - Invoke Assessment - Richiama valutazione - - - Invoke Assessment for {0} - Richiama valutazione per {0} - - - Export As Script - Esporta come script - - - View all rules and learn more on GitHub - Visualizza tutte le regole e altre informazioni su GitHub - - - Create HTML Report - Crea report HTML - - - Report has been saved. Do you want to open it? - Il report è stato salvato. Aprirlo? - - - Open - Apri - - - Cancel - Annulla + + Message + Messaggio - + - - Data - Dati - - - Connection - Connessione - - - Query Editor - Editor di query - - - Notebook - Notebook - - - Dashboard - Dashboard - - - Profiler - Profiler + + Steps + Passaggi - + - - Dashboard Tabs ({0}) - Schede del dashboard ({0}) - - - Id - ID - - - Title - Titolo - - - Description - Descrizione - - - Dashboard Insights ({0}) - Dati analitici dashboard ({0}) - - - Id - ID - - + Name Nome - - When - Quando + + Last Run + Ultima esecuzione + + + Next Run + Prossima esecuzione + + + Enabled + Abilitata + + + Status + Stato + + + Category + Categoria + + + Runnable + Eseguibile + + + Schedule + Pianificazione + + + Last Run Outcome + Risultati ultima esecuzione + + + Previous Runs + Esecuzioni precedenti + + + No Steps available for this job. + Non sono disponibili passaggi per questo processo. + + + Error: + Errore: - + - - Table does not contain a valid image - La tabella non contiene un'immagine valida + + Date Created: + Data di creazione: + + + Notebook Error: + Errore del notebook: + + + Job Error: + Errore del processo: + + + Pinned + Aggiunta + + + Recent Runs + Esecuzioni recenti + + + Past Runs + Esecuzioni precedenti - + - - More - Altro + + Name + Nome - - Edit - Modifica + + Target Database + Database di destinazione - - Close - Chiudi + + Last Run + Ultima esecuzione - - Convert Cell - Converti cella + + Next Run + Prossima esecuzione - - Run Cells Above - Esegui celle sopra + + Status + Stato - - Run Cells Below - Esegui celle sotto + + Last Run Outcome + Risultati ultima esecuzione - - Insert Code Above - Inserisci codice sopra + + Previous Runs + Esecuzioni precedenti - - Insert Code Below - Inserisci codice sotto + + No Steps available for this job. + Non sono disponibili passaggi per questo processo. - - Insert Text Above - Inserisci testo sopra + + Error: + Errore: - - Insert Text Below - Inserisci testo sotto - - - Collapse Cell - Comprimi cella - - - Expand Cell - Espandi cella - - - Make parameter cell - Crea cella parametri - - - Remove parameter cell - Rimuovi cella parametri - - - Clear Result - Cancella risultato + + Notebook Error: + Errore del notebook: - + - - An error occurred while starting the notebook session - Si è verificato un errore durante l'avvio della sessione del notebook + + Name + Nome - - Server did not start for unknown reason - Il server non è stato avviato per motivi sconosciuti + + Email Address + Indirizzo di posta elettronica - - Kernel {0} was not found. The default kernel will be used instead. - Il kernel {0} non è stato trovato. Verrà usato il kernel predefinito. + + Enabled + Abilitata - + - - Series {0} - Serie {0} + + Account Name + Nome dell'account - - - - - - Close - Chiudi + + Credential Name + Nome della credenziale - - - - - - # Injected-Parameters - - N. parametri inseriti - + + Description + Descrizione - - Please select a connection to run cells for this kernel - Selezionare una connessione per eseguire le celle per questo kernel - - - Failed to delete cell. - Non è stato possibile eliminare la cella. - - - Failed to change kernel. Kernel {0} will be used. Error was: {1} - Non è stato possibile modificare il kernel. Verrà usato il kernel {0}. Errore: {1} - - - Failed to change kernel due to error: {0} - Non è stato possibile modificare il kernel a causa dell'errore: {0} - - - Changing context failed: {0} - La modifica del contesto non è riuscita: {0} - - - Could not start session: {0} - Non è stato possibile avviare la sessione: {0} - - - A client session error occurred when closing the notebook: {0} - Si è verificato un errore della sessione client durante la chiusura del notebook: {0} - - - Can't find notebook manager for provider {0} - Non è possibile trovare il gestore di notebook per il provider {0} + + Enabled + Abilitata @@ -7228,6 +3571,3317 @@ Errore: {1} + + + + More + Altro + + + Edit + Modifica + + + Close + Chiudi + + + Convert Cell + Converti cella + + + Run Cells Above + Esegui celle sopra + + + Run Cells Below + Esegui celle sotto + + + Insert Code Above + Inserisci codice sopra + + + Insert Code Below + Inserisci codice sotto + + + Insert Text Above + Inserisci testo sopra + + + Insert Text Below + Inserisci testo sotto + + + Collapse Cell + Comprimi cella + + + Expand Cell + Espandi cella + + + Make parameter cell + Crea cella parametri + + + Remove parameter cell + Rimuovi cella parametri + + + Clear Result + Cancella risultato + + + + + + + Add cell + Aggiungi cella + + + Code cell + Cella di codice + + + Text cell + Cella di testo + + + Move cell down + Sposta cella in basso + + + Move cell up + Sposta cella in alto + + + Delete + Elimina + + + Add cell + Aggiungi cella + + + Code cell + Cella di codice + + + Text cell + Cella di testo + + + + + + + Parameters + Parametri + + + + + + + Please select active cell and try again + Selezionare la cella attiva e riprovare + + + Run cell + Esegui cella + + + Cancel execution + Annulla esecuzione + + + Error on last run. Click to run again + Si è verificato un errore durante l'ultima esecuzione. Fare clic per ripetere l'esecuzione + + + + + + + Expand code cell contents + Espandi contenuto cella codice + + + Collapse code cell contents + Comprimi contenuto cella di codice + + + + + + + Bold + Grassetto + + + Italic + Corsivo + + + Underline + Sottolineato + + + Highlight + Evidenziazione + + + Code + Codice + + + Link + Collegamento + + + List + Elenco + + + Ordered list + Elenco ordinato + + + Image + Immagine + + + Markdown preview toggle - off + Disattivazione anteprima Markdown + + + Heading + Intestazione + + + Heading 1 + Intestazione 1 + + + Heading 2 + Intestazione 2 + + + Heading 3 + Intestazione 3 + + + Paragraph + Paragrafo + + + Insert link + Inserire il collegamento + + + Insert image + Inserisci immagine + + + Rich Text View + Visualizzazione RTF + + + Split View + Doppia visualizzazione + + + Markdown View + Visualizzazione Markdown + + + + + + + No {0}renderer could be found for output. It has the following MIME types: {1} + Non è stato possibile trovare alcun renderer {0} per l'output. Include i tipi MIME seguenti: {1} + + + safe + sicuro + + + No component could be found for selector {0} + Non è stato possibile trovare alcun componente per il selettore {0} + + + Error rendering component: {0} + Si è verificato un errore durante il rendering del componente: {0} + + + + + + + Click on + Fare clic su + + + + Code + + Codice + + + or + o + + + + Text + + Testo + + + to add a code or text cell + per aggiungere una cella di testo o codice + + + Add a code cell + Aggiungere cella di codice + + + Add a text cell + Aggiungi una cella di testo + + + + + + + StdIn: + STDIN: + + + + + + + <i>Double-click to edit</i> + <i>Fare doppio clic per modificare</i> + + + <i>Add content here...</i> + <i>Aggiungere contenuto qui...</i> + + + + + + + Find + Trova + + + Find + Trova + + + Previous match + Corrispondenza precedente + + + Next match + Corrispondenza successiva + + + Close + Chiudi + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + La ricerca ha restituito un numero elevato di risultati. Verranno evidenziate solo le prime 999 corrispondenze. + + + {0} of {1} + {0} di {1} + + + No Results + Nessun risultato + + + + + + + Add code + Aggiungi codice + + + Add text + Aggiungi testo + + + Create File + Crea file + + + Could not display contents: {0} + Non è stato possibile visualizzare il contenuto: {0} + + + Add cell + Aggiungi cella + + + Code cell + Cella di codice + + + Text cell + Cella di testo + + + Run all + Esegui tutti + + + Cell + Cella + + + Code + Codice + + + Text + Testo + + + Run Cells + Esegui celle + + + < Previous + < Indietro + + + Next > + Avanti > + + + cell with URI {0} was not found in this model + la cella con URI {0} non è stata trovata in questo modello + + + Run Cells failed - See error in output of the currently selected cell for more information. + Comando Esegui celle non riuscito. Per altre informazioni, vedere l'errore nell'output della cella attualmente selezionata. + + + + + + + New Notebook + Nuovo notebook + + + New Notebook + Nuovo notebook + + + Set Workspace And Open + Imposta area di lavoro e apri + + + SQL kernel: stop Notebook execution when error occurs in a cell. + Kernel SQL: arresta l'esecuzione di Notebook quando si verifica un errore in una cella. + + + (Preview) show all kernels for the current notebook provider. + (Anteprima) mostrare tutti i kernel per il provider di notebook corrente. + + + Allow notebooks to run Azure Data Studio commands. + Consentire ai notebook di eseguire i comandi di Azure Data Studio. + + + Enable double click to edit for text cells in notebooks + Abilitare il doppio clic per modificare le celle di testo nei notebook + + + Text is displayed as Rich Text (also known as WYSIWYG). + Il testo viene visualizzato come testo RTF, noto anche come WYSIWYG. + + + Markdown is displayed on the left, with a preview of the rendered text on the right. + Markdown visualizzato a sinistra, con un'anteprima del testo di cui è stato eseguito il rendering a destra. + + + Text is displayed as Markdown. + Il testo viene visualizzato come Markdown. + + + The default editing mode used for text cells + Modalità di modifica predefinita usata per le celle di testo + + + (Preview) Save connection name in notebook metadata. + (Anteprima) Salvare il nome della connessione nei metadati del notebook. + + + Controls the line height used in the notebook markdown preview. This number is relative to the font size. + Controlla l'altezza della riga usata nell'anteprima Markdown del notebook. Questo numero è relativo alle dimensioni del carattere. + + + (Preview) Show rendered notebook in diff editor. + (Anteprima) Visualizzare il notebook di cui è eseguito il rendering nell'editor diff. + + + The maximum number of changes stored in the undo history for the notebook Rich Text editor. + Numero massimo di modifiche archiviate nella cronologia di annullamento per l'editor di testo RTF del notebook. + + + Search Notebooks + Cerca nei notebook + + + Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). + Consente di configurare i criteri GLOB per escludere file e cartelle nelle ricerche full-text e in Quick Open. Eredita tutti i criteri GLOB dall'impostazione `#files.exclude#`. Per altre informazioni sui criteri GLOB, fare clic [qui](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). + + + The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. + Criterio GLOB da usare per trovare percorsi file. Impostare su True o False per abilitare o disabilitare il criterio. + + + Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. + Controllo aggiuntivo sugli elementi di pari livello di un file corrispondente. Usare $(basename) come variabile del nome file corrispondente. + + + This setting is deprecated and now falls back on "search.usePCRE2". + Questa impostazione è deprecata. Verrà ora eseguito il fallback a "search.usePCRE2". + + + Deprecated. Consider "search.usePCRE2" for advanced regex feature support. + Deprecata. Per il supporto della funzionalità avanzate delle espressioni regex provare a usare "search.usePCRE2". + + + When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. + Se abilitato, il processo searchService verrà mantenuto attivo invece di essere arrestato dopo un'ora di inattività. In questo modo la cache di ricerca dei file rimarrà in memoria. + + + Controls whether to use `.gitignore` and `.ignore` files when searching for files. + Controlla se utilizzare i file `.gitignore` e `.ignore` durante la ricerca di file. + + + Controls whether to use global `.gitignore` and `.ignore` files when searching for files. + Controlla se usare i file `.gitignore` e `.ignore` globali durante la ricerca di file. + + + Whether to include results from a global symbol search in the file results for Quick Open. + Indica se includere i risultati di una ricerca di simboli globale nei risultati dei file per Quick Open. + + + Whether to include results from recently opened files in the file results for Quick Open. + Indica se includere i risultati di file aperti di recente nel file dei risultati per Quick Open. + + + History entries are sorted by relevance based on the filter value used. More relevant entries appear first. + Le voci della cronologia sono ordinate per pertinenza in base al valore di filtro usato. Le voci più pertinenti vengono visualizzate per prime. + + + History entries are sorted by recency. More recently opened entries appear first. + Le voci della cronologia sono ordinate in base alla data. Le voci aperte più di recente vengono visualizzate per prime. + + + Controls sorting order of editor history in quick open when filtering. + Controlla l'ordinamento della cronologia dell'editor in Quick Open quando viene applicato il filtro. + + + Controls whether to follow symlinks while searching. + Controlla se seguire i collegamenti simbolici durante la ricerca. + + + Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. + Esegue la ricera senza fare distinzione tra maiuscole/minuscole se il criterio è tutto minuscolo, in caso contrario esegue la ricerca facendo distinzione tra maiuscole/minuscole. + + + Controls whether the search view should read or modify the shared find clipboard on macOS. + Controlla se il viewlet di ricerca deve leggere o modificare gli appunti di ricerca condivisi in macOS. + + + Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. + Controlla se la ricerca verrà mostrata come visualizzazione nella barra laterale o come pannello nell'area pannelli per ottenere più spazio orizzontale. + + + This setting is deprecated. Please use the search view's context menu instead. + Questa impostazione è deprecata. Usare il menu di scelta rapida della visualizzazione di ricerca. + + + Files with less than 10 results are expanded. Others are collapsed. + I file con meno di 10 risultati vengono espansi. Gli altri vengono compressi. + + + Controls whether the search results will be collapsed or expanded. + Controlla se i risultati della ricerca verranno compressi o espansi. + + + Controls whether to open Replace Preview when selecting or replacing a match. + Controlla se aprire Anteprima sostituzione quando si seleziona o si sostituisce una corrispondenza. + + + Controls whether to show line numbers for search results. + Controlla se visualizzare i numeri di riga per i risultati della ricerca. + + + Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. + Indica se usare il motore regex PCRE2 nella ricerca di testo. In questo modo è possibile usare alcune funzionalità avanzate di regex, come lookahead e backreference. Non sono però supportate tutte le funzionalità di PCRE2, ma solo quelle supportate anche da JavaScript. + + + Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. + Deprecata. PCRE2 verrà usato automaticamente se si usano funzionalità regex supportate solo da PCRE2. + + + Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. + Posiziona la barra azioni a destra quando la visualizzazione di ricerca è stretta e subito dopo il contenuto quando la visualizzazione di ricerca è ampia. + + + Always position the actionbar to the right. + Posiziona sempre la barra azioni a destra. + + + Controls the positioning of the actionbar on rows in the search view. + Controlla il posizionamento in righe della barra azioni nella visualizzazione di ricerca. + + + Search all files as you type. + Cerca in tutti i file durante la digitazione. + + + Enable seeding search from the word nearest the cursor when the active editor has no selection. + Abilita il seeding della ricerca a partire dalla parola più vicina al cursore quando non ci sono selezioni nell'editor attivo. + + + Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. + Aggiorna la query di ricerca dell'area di lavoro in base al testo selezionato dell'editor quando lo stato attivo si trova nella visualizzazione di ricerca. Si verifica in caso di clic o quando si attiva il comando `workbench.views.search.focus`. + + + When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. + Se `#search.searchOnType#` è abilitato, controlla il timeout in millisecondi tra la digitazione di un carattere e l'avvio della ricerca. Non ha effetto quando `search.searchOnType` è disabilitato. + + + Double clicking selects the word under the cursor. + Facendo doppio clic viene selezionata la parola sotto il cursore. + + + Double clicking opens the result in the active editor group. + Facendo doppio clic il risultato viene aperto nel gruppo di editor attivo. + + + Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. + Facendo doppio clic il risultato viene aperto nel gruppo di editor laterale e viene creato un gruppo se non esiste ancora. + + + Configure effect of double clicking a result in a search editor. + Configura l'effetto del doppio clic su un risultato nell'editor della ricerca. + + + Results are sorted by folder and file names, in alphabetical order. + I risultati vengono visualizzati in ordine alfabetico in base ai nomi di file e cartella. + + + Results are sorted by file names ignoring folder order, in alphabetical order. + I risultati vengono visualizzati in ordine alfabetico in base ai nomi file ignorando l'ordine delle cartelle. + + + Results are sorted by file extensions, in alphabetical order. + I risultati vengono visualizzati in ordine alfabetico in base all'estensione del file. + + + Results are sorted by file last modified date, in descending order. + I risultati vengono visualizzati in ordine decrescente in base alla data dell'ultima modifica del file. + + + Results are sorted by count per file, in descending order. + I risultati vengono visualizzati in ordine decrescente in base al conteggio per file. + + + Results are sorted by count per file, in ascending order. + I risultati vengono visualizzati in ordine crescente in base al conteggio per file. + + + Controls sorting order of search results. + Controlla l'ordinamento dei risultati della ricerca. + + + + + + + Loading kernels... + Caricamento dei kernel... + + + Changing kernel... + Modifica del kernel... + + + Attach to + Collega a + + + Kernel + Kernel + + + Loading contexts... + Caricamento dei contesti... + + + Change Connection + Cambia connessione + + + Select Connection + Seleziona connessione + + + localhost + localhost + + + No Kernel + Nessun kernel + + + This notebook cannot run with parameters as the kernel is not supported. Please use the supported kernels and format. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Questo notebook non può essere eseguito con parametri perché il kernel non è supportato. Usare i kernel e il formato supportati. [Altre informazioni] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + This notebook cannot run with parameters until a parameter cell is added. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Il notebook non può essere eseguito con parametri finché non viene aggiunta una cella di parametri. [Altre informazioni] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + This notebook cannot run with parameters until there are parameters added to the parameter cell. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Il notebook non può essere eseguito con parametri finché non vengono aggiunti parametri alla cella dei parametri. [Altre informazioni] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + Clear Results + Cancella risultati + + + Trusted + Attendibile + + + Not Trusted + Non attendibile + + + Collapse Cells + Comprimi celle + + + Expand Cells + Espandi celle + + + Run with Parameters + Esegui con parametri + + + None + Nessuno + + + New Notebook + Nuovo notebook + + + Find Next String + Trova stringa successiva + + + Find Previous String + Trova stringa precedente + + + + + + + Notebook Editor + Notebook Editor + + + + + + + Search Results + Risultati della ricerca + + + Search path not found: {0} + Percorso di ricerca non trovato: {0} + + + Notebooks + Notebook + + + + + + + You have not opened any folder that contains notebooks/books. + Non è stata aperta alcuna cartella contenente notebook/libri. + + + Open Notebooks + Apri notebook + + + The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. + Il set di risultati contiene solo un subset di tutte le corrispondenze. Eseguire una ricerca più specifica per ridurre il numero di risultati. + + + Search in progress... - + Ricerca in corso - + + + No results found in '{0}' excluding '{1}' - + Non sono stati trovati risultati in '{0}' escludendo '{1}' - + + + No results found in '{0}' - + Non sono stati trovati risultati in '{0}' - + + + No results found excluding '{0}' - + Non sono stati trovati risultati escludendo '{0}' - + + + No results found. Review your settings for configured exclusions and check your gitignore files - + Non sono stati trovati risultati. Rivedere le impostazioni relative alle esclusioni configurate e verificare i file gitignore - + + + Search again + Cerca di nuovo + + + Search again in all files + Cerca di nuovo in tutti i file + + + Open Settings + Apri impostazioni + + + Search returned {0} results in {1} files + La ricerca ha restituito {0} risultati in {1} file + + + Toggle Collapse and Expand + Attiva/Disattiva Comprimi ed espandi + + + Cancel Search + Annulla ricerca + + + Expand All + Espandi tutto + + + Collapse All + Comprimi tutto + + + Clear Search Results + Cancella risultati della ricerca + + + + + + + Search: Type Search Term and press Enter to search or Escape to cancel + Cerca: digitare il termine di ricerca e premere INVIO per cercare oppure ESC per annullare + + + Search + Cerca + + + + + + + cell with URI {0} was not found in this model + la cella con URI {0} non è stata trovata in questo modello + + + Run Cells failed - See error in output of the currently selected cell for more information. + Comando Esegui celle non riuscito. Per altre informazioni, vedere l'errore nell'output della cella attualmente selezionata. + + + + + + + Please run this cell to view outputs. + Eseguire questa cella per visualizzare gli output. + + + + + + + This view is empty. Add a cell to this view by clicking the Insert Cells button. + Questa vista è vuota. Aggiungere una cella a questa vista facendo clic sul pulsante Inserisci celle. + + + + + + + Copy failed with error {0} + La copia non è riuscita. Errore: {0} + + + Show chart + Mostra grafico + + + Show table + Mostra tabella + + + + + + + No {0} renderer could be found for output. It has the following MIME types: {1} + Non è stato possibile trovare alcun renderer {0} per l'output. Include i tipi MIME seguenti: {1} + + + (safe) + (sicuro) + + + + + + + Error displaying Plotly graph: {0} + Si è verificato un errore durante la visualizzazione del grafo Plotly: {0} + + + + + + + No connections found. + Non sono state trovate connessioni. + + + Add Connection + Aggiungi connessione + + + + + + + Server Group color palette used in the Object Explorer viewlet. + Tavolozza dei colori del gruppo di server usata nel viewlet Esplora oggetti. + + + Auto-expand Server Groups in the Object Explorer viewlet. + Espande automaticamente i gruppi di server nel viewlet di Esplora oggetti. + + + (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. + (Anteprima) Usare il nuovo albero del server asincrono per la visualizzazione Server e la finestra di dialogo di connessione con il supporto di nuove funzionalità come i filtri dinamici dei nodi. + + + + + + + Data + Dati + + + Connection + Connessione + + + Query Editor + Editor di query + + + Notebook + Notebook + + + Dashboard + Dashboard + + + Profiler + Profiler + + + Built-in Charts + Grafici predefiniti + + + + + + + Specifies view templates + Specifica i modelli di visualizzazione + + + Specifies session templates + Specifica i modelli di sessione + + + Profiler Filters + Filtri profiler + + + + + + + Connect + Connetti + + + Disconnect + Disconnetti + + + Start + Avvia + + + New Session + Nuova sessione + + + Pause + Sospendi + + + Resume + Riprendi + + + Stop + Arresta + + + Clear Data + Cancella dati + + + Are you sure you want to clear the data? + Cancellare i dati? + + + Yes + + + + No + No + + + Auto Scroll: On + Scorrimento automatico: attivato + + + Auto Scroll: Off + Scorrimento automatico: disattivato + + + Toggle Collapsed Panel + Attiva/Disattiva pannello compresso + + + Edit Columns + Modifica colonne + + + Find Next String + Trova la stringa successiva + + + Find Previous String + Trova la stringa precedente + + + Launch Profiler + Avvia profiler + + + Filter… + Filtro… + + + Clear Filter + Cancella filtro + + + Are you sure you want to clear the filters? + Cancellare i filtri? + + + + + + + Select View + Seleziona visualizzazione + + + Select Session + Seleziona sessione + + + Select Session: + Seleziona sessione: + + + Select View: + Seleziona visualizzazione: + + + Text + Testo + + + Label + Etichetta + + + Value + Valore + + + Details + Dettagli + + + + + + + Find + Trova + + + Find + Trova + + + Previous match + Risultato precedente + + + Next match + Risultato successivo + + + Close + Chiudi + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + La ricerca ha restituito un numero elevato di risultati. Verranno evidenziate solo le prime 999 corrispondenze. + + + {0} of {1} + {0} di {1} + + + No Results + Nessun risultato + + + + + + + Profiler editor for event text. Readonly + Editor del profiler per il testo dell'evento. Di sola lettura + + + + + + + Events (Filtered): {0}/{1} + Eventi (filtrati): {0}/{1} + + + Events: {0} + Eventi: {0} + + + Event Count + Numero di eventi + + + + + + + Save As CSV + Salva in formato CSV + + + Save As JSON + Salva in formato JSON + + + Save As Excel + Salva in formato Excel + + + Save As XML + Salva in formato XML + + + Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. + La codifica dei risultati non verrà salvata quando si esporta in JSON. Ricordarsi di salvare con la codifica desiderata dopo la creazione del file. + + + Save to file is not supported by the backing data source + Il salvataggio nel file non è supportato dall'origine dati di supporto + + + Copy + Copia + + + Copy With Headers + Copia con intestazioni + + + Select All + Seleziona tutto + + + Maximize + Ingrandisci + + + Restore + Ripristina + + + Chart + Grafico + + + Visualizer + Visualizzatore + + + + + + + Choose SQL Language + Scegli linguaggio SQL + + + Change SQL language provider + Cambia provider del linguaggio SQL + + + SQL Language Flavor + Versione del linguaggio SQL + + + Change SQL Engine Provider + Cambia provider del motore SQL + + + A connection using engine {0} exists. To change please disconnect or change connection + Esiste già una connessione che usa il motore {0}. Per cambiare, disconnettersi o cambiare connessione + + + No text editor active at this time + Al momento non ci sono editor di testo attivi + + + Select Language Provider + Seleziona provider del linguaggio + + + + + + + XML Showplan + Showplan XML + + + Results grid + Griglia dei risultati + + + Max row count for filtering/sorting has been exceeded. To update it, you can go to User Settings and change the setting: 'queryEditor.results.inMemoryDataProcessingThreshold' + È stato superato il numero massimo di righe per il filtraggio o l'ordinamento. Per aggiornarlo, è possibile passare alle impostazioni utente e modificare l'impostazione 'queryEditor.results.inMemoryDataProcessingThreshold' + + + + + + + Focus on Current Query + Stato attivo su query corrente + + + Run Query + Esegui query + + + Run Current Query + Esegui query corrente + + + Copy Query With Results + Copia query con risultati + + + Successfully copied query and results. + Copia della query e dei risultati completata. + + + Run Current Query with Actual Plan + Esegui query corrente con piano effettivo + + + Cancel Query + Annulla query + + + Refresh IntelliSense Cache + Aggiorna cache IntelliSense + + + Toggle Query Results + Attiva/Disattiva risultati della query + + + Toggle Focus Between Query And Results + Alterna lo stato attivo tra la query e i risultati + + + Editor parameter is required for a shortcut to be executed + Per consentire l'esecuzione del tasto di scelta rapida, è necessario specificare il parametro Editor + + + Parse Query + Analizza query + + + Commands completed successfully + I comandi sono stati completati + + + Command failed: + Comando non riuscito: + + + Please connect to a server + Connettersi a un server + + + + + + + Message Panel + Pannello dei messaggi + + + Copy + Copia + + + Copy All + Copia tutto + + + + + + + Query Results + Risultati query + + + New Query + Nuova query + + + Query Editor + Editor di query + + + When true, column headers are included when saving results as CSV + Se è impostata su true, le intestazioni di colonna vengono incluse quando si salvano i risultati in formato CSV + + + The custom delimiter to use between values when saving as CSV + Delimitatore personalizzato da usare tra i valori quando si salvano i risultati in formato CSV + + + Character(s) used for seperating rows when saving results as CSV + Caratteri usati per delimitare le righe quando si salvano i risultati in formato CSV + + + Character used for enclosing text fields when saving results as CSV + Carattere usato per racchiudere i campi di testo quando si salvano i risultati in formato CSV + + + File encoding used when saving results as CSV + Codifica di file usata quando si salvano i risultati in formato CSV + + + When true, XML output will be formatted when saving results as XML + Quando è true, l'output XML verrà formattato quando si salvano i risultati in formato XML + + + File encoding used when saving results as XML + Codifica di file usata quando si salvano i risultati in formato XML + + + Enable results streaming; contains few minor visual issues + Abilita lo streaming dei risultati. Contiene alcuni problemi minori relativi a oggetti visivi + + + Configuration options for copying results from the Results View + Opzioni di configurazione per la copia di risultati dalla Visualizzazione risultati + + + Configuration options for copying multi-line results from the Results View + Opzioni di configurazione per la copia di risultati su più righe dalla visualizzazione risultati + + + (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. + (Sperimentale) Usare una tabella ottimizzata per la visualizzazione dei risultati. Alcune funzionalità potrebbero mancare e sono in lavorazione. + + + Controls the max number of rows allowed to do filtering and sorting in memory. If the number is exceeded, sorting and filtering will be disabled. Warning: Increasing this may impact performance. + Controlla il numero massimo di righe consentite per l'applicazione di filtri e ordinamento in memoria. Se il numero viene superato, l'ordinamento e il filtro verranno disabilitati. Avviso: l'aumento di questo valore può influire sulle prestazioni. + + + Whether to open the file in Azure Data Studio after the result is saved. + Indica se aprire il file in Azure Data Studio dopo il salvataggio del risultato. + + + Should execution time be shown for individual batches + Indicare se visualizzare il tempo di esecuzione per singoli batch + + + Word wrap messages + Messaggi con ritorno a capo automatico + + + The default chart type to use when opening Chart Viewer from a Query Results + Tipo di grafico predefinito da usare quando si apre il visualizzatore grafico dai risultati di una query + + + Tab coloring will be disabled + La colorazione delle schede verrà disabilitata + + + The top border of each editor tab will be colored to match the relevant server group + Al bordo superiore di ogni scheda verrà applicato il colore del gruppo di server pertinente + + + Each editor tab's background color will match the relevant server group + Il colore di sfondo di ogni scheda dell'editor sarà uguale a quello del gruppo di server pertinente + + + Controls how to color tabs based on the server group of their active connection + Controlla come colorare le schede in base al gruppo di server della connessione attiva + + + Controls whether to show the connection info for a tab in the title. + Controlla se visualizzare le informazioni sulla connessione per una scheda nel titolo. + + + Prompt to save generated SQL files + Richiede di salvare i file SQL generati + + + Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call or query execution. Any selected text in the query editor will be passed as a parameter at the end of your query, or you can reference it with {arg} + Impostare l'associazione dei tasti workbench.action.query.shortcut{0} per eseguire il testo del collegamento come chiamata di routine o esecuzione di query. Il testo selezionato nell'editor di query verrà passato come parametro alla fine della query oppure è possibile fare riferimento a esso con {arg} + + + + + + + New Query + Nuova query + + + Run + Esegui + + + Cancel + Annulla + + + Explain + Spiega + + + Actual + Effettivo + + + Disconnect + Disconnetti + + + Change Connection + Cambia connessione + + + Connect + Connetti + + + Enable SQLCMD + Abilita SQLCMD + + + Disable SQLCMD + Disabilita SQLCMD + + + Select Database + Seleziona database + + + Failed to change database + Non è stato possibile modificare il database + + + Failed to change database: {0} + Non è stato possibile modificare il database: {0} + + + Export as Notebook + Esporta come notebook + + + + + + + Query Editor + Query Editor + + + + + + + Results + Risultati + + + Messages + Messaggi + + + + + + + Time Elapsed + Tempo trascorso + + + Row Count + Numero di righe + + + {0} rows + {0} righe + + + Executing query... + Esecuzione della query... + + + Execution Status + Stato esecuzione + + + Selection Summary + Riepilogo selezioni + + + Average: {0} Count: {1} Sum: {2} + Media: {0} Conteggio: {1} Somma: {2} + + + + + + + Results Grid and Messages + Messaggi e griglia dei risultati + + + Controls the font family. + Controlla la famiglia di caratteri. + + + Controls the font weight. + Controlla lo spessore del carattere. + + + Controls the font size in pixels. + Controlla le dimensioni del carattere in pixel. + + + Controls the letter spacing in pixels. + Controlla la spaziatura tra le lettere in pixel. + + + Controls the row height in pixels + Controlla l'altezza delle righe in pixel + + + Controls the cell padding in pixels + Controlla la spaziatura interna celle in pixel + + + Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells + Ridimensiona automaticamente la larghezza delle colonne sui risultati iniziali. Potrebbero verificarsi problemi di prestazioni con un numero elevato di colonne o celle di grandi dimensioni + + + The maximum width in pixels for auto-sized columns + Larghezza massima in pixel per colonne con ridimensionamento automatico + + + + + + + Toggle Query History + Attiva/Disattiva cronologia delle query + + + Delete + Elimina + + + Clear All History + Cancella tutta la cronologia + + + Open Query + Apri query + + + Run Query + Esegui query + + + Toggle Query History capture + Attiva/Disattiva acquisizione della cronologia delle query + + + Pause Query History Capture + Sospendi acquisizione della cronologia delle query + + + Start Query History Capture + Avvia acquisizione della cronologia delle query + + + + + + + succeeded + riuscito + + + failed + non riuscito + + + + + + + No queries to display. + Non ci sono query da visualizzare. + + + Query History + QueryHistory + Cronologia delle query + + + + + + + QueryHistory + Cronologia query + + + Whether Query History capture is enabled. If false queries executed will not be captured. + Indica se l'acquisizione della cronologia delle query è abilitata. Se è false, le query eseguite non verranno acquisite. + + + Clear All History + Cancella tutta la cronologia + + + Pause Query History Capture + Sospendi acquisizione della cronologia delle query + + + Start Query History Capture + Avvia acquisizione della cronologia delle query + + + View + Visualizza + + + &&Query History + && denotes a mnemonic + &&Cronologia delle query + + + Query History + Cronologia delle query + + + + + + + Query Plan + Piano di query + + + + + + + Query Plan Editor + Query Plan Editor + + + + + + + Operation + Operazione + + + Object + Oggetto + + + Est Cost + Costo stimato + + + Est Subtree Cost + Costo sottoalbero stimato + + + Actual Rows + Righe effettive + + + Est Rows + Righe stimate + + + Actual Executions + Esecuzioni effettive + + + Est CPU Cost + Costo CPU stimato + + + Est IO Cost + Costo IO stimato + + + Parallel + In parallelo + + + Actual Rebinds + Riassociazioni effettive + + + Est Rebinds + Riassociazioni stimate + + + Actual Rewinds + Ripristini effettivi + + + Est Rewinds + Ripristini stimati + + + Partitioned + Partizionato + + + Top Operations + Operazioni più frequenti + + + + + + + Resource Viewer + Visualizzatore risorse + + + + + + + Refresh + Aggiorna + + + + + + + Error opening link : {0} + Errore durante l'apertura del collegamento: {0} + + + Error executing command '{0}' : {1} + Errore durante l'esecuzione del comando '{0}': {1} + + + + + + + Resource Viewer Tree + Albero del visualizzatore risorse + + + + + + + Identifier of the resource. + Identificatore della risorsa. + + + The human-readable name of the view. Will be shown + Nome leggibile della visualizzazione. Verrà visualizzato + + + Path to the resource icon. + Percorso dell'icona della risorsa. + + + Contributes resource to the resource view + Fornisce una risorsa alla visualizzazione risorse + + + property `{0}` is mandatory and must be of type `string` + la proprietà `{0}` è obbligatoria e deve essere di tipo `string` + + + property `{0}` can be omitted or must be of type `string` + la proprietà `{0}` può essere omessa o deve essere di tipo `string` + + + + + + + Restore + Ripristina + + + Restore + Ripristina + + + + + + + You must enable preview features in order to use restore + Per usare il ripristino, è necessario abilitare le funzionalità di anteprima + + + Restore command is not supported outside of a server context. Please select a server or database and try again. + Il comando Ripristina non è supportato all'esterno di un contesto del server. Selezionare un server o un database e riprovare. + + + Restore command is not supported for Azure SQL databases. + Il comando di ripristino non è supportato per i database SQL di Azure. + + + Restore + Ripristina + + + + + + + Script as Create + Genera script come CREATE + + + Script as Drop + Genera script come DROP + + + Select Top 1000 + Genera script come SELECT TOP 1000 + + + Script as Execute + Genera script come EXECUTE + + + Script as Alter + Genera script come ALTER + + + Edit Data + Modifica dati + + + Select Top 1000 + Genera script come SELECT TOP 1000 + + + Take 10 + Take 10 + + + Script as Create + Genera script come CREATE + + + Script as Execute + Genera script come EXECUTE + + + Script as Alter + Genera script come ALTER + + + Script as Drop + Genera script come DROP + + + Refresh + Aggiorna + + + + + + + An error occurred refreshing node '{0}': {1} + Si è verificato un errore durante l'aggiornamento del nodo '{0}': {1} + + + + + + + {0} in progress tasks + {0} attività in corso + + + View + Visualizza + + + Tasks + Attività + + + &&Tasks + && denotes a mnemonic + &&Attività + + + + + + + Toggle Tasks + Attiva/Disattiva attività + + + + + + + succeeded + riuscito + + + failed + non riuscito + + + in progress + in corso + + + not started + non avviato + + + canceled + annullato + + + canceling + in fase di annullamento + + + + + + + No task history to display. + Non è disponibile alcuna cronologia attività da visualizzare. + + + Task history + TaskHistory + Cronologia attività + + + Task error + Errore attività + + + + + + + Cancel + Annulla + + + The task failed to cancel. + Impossibile annullare l'attività. + + + Script + Script + + + + + + + There is no data provider registered that can provide view data. + Non ci sono provider di dati registrati che possono fornire i dati della visualizzazione. + + + Refresh + Aggiorna + + + Collapse All + Comprimi tutto + + + Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. + Si è verificato un errore durante l'esecuzione del comando {1}: {0}. Il problema può dipendere dall'estensione che aggiunge come contributo {1}. + + + + + + + OK + OK + + + Close + Chiudi + + + + + + + Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? + Le funzionalità in anteprima consentono di migliorare l'esperienza in Azure Data Studio offrendo accesso completo a nuove funzionalità e miglioramenti. Per altre informazioni sulle funzionalità in anteprima, vedere [qui] ({0}). Abilitare le funzionalità in anteprima? + + + Yes (recommended) + Sì (scelta consigliata) + + + No + No + + + No, don't show again + Non visualizzare più questo messaggio + + + + + + + This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. + Questa pagina delle funzionalità è in anteprima. Le funzionalità in anteprima introducono nuove funzionalità che stanno per diventare una parte permanente del prodotto. Sono stabili, ma richiedono ulteriori miglioramenti per l'accessibilità. Apprezziamo il feedback iniziale degli utenti mentre sono in fase di sviluppo. + + + Preview + Anteprima + + + Create a connection + Crea una connessione + + + Connect to a database instance through the connection dialog. + Connettersi a un'istanza di database tramite la finestra di dialogo di connessione. + + + Run a query + Esegui una query + + + Interact with data through a query editor. + Interagire con i dati tramite un editor di query. + + + Create a notebook + Crea un notebook + + + Build a new notebook using a native notebook editor. + Creare un nuovo notebook usando un editor di notebook nativo. + + + Deploy a server + Distribuisci un server + + + Create a new instance of a relational data service on the platform of your choice. + Crea una nuova istanza di un servizio dati relazionale nella piattaforma scelta. + + + Resources + Risorse + + + History + Cronologia + + + Name + Nome + + + Location + Posizione + + + Show more + Mostra di più + + + Show welcome page on startup + Mostra la pagina iniziale all'avvio + + + Useful Links + Collegamenti utili + + + Getting Started + Attività iniziali + + + Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. + Scopri le funzionalità offerte da Azure Data Studio e impara a sfruttarle al meglio. + + + Documentation + Documentazione + + + Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. + Visitare il centro documentazione per guide di avvio rapido, guide pratiche e riferimenti per PowerShell, API e così via. + + + Videos + Video + + + Overview of Azure Data Studio + Panoramica di Azure Data Studio + + + Introduction to Azure Data Studio Notebooks | Data Exposed + Introduzione ai notebook di Azure Data Studio | Dati esposti + + + Extensions + Estensioni + + + Show All + Mostra tutto + + + Learn more + Altre informazioni + + + + + + + Connections + Connessioni + + + Connect, query, and manage your connections from SQL Server, Azure, and more. + È possibile connettersi, eseguire query e gestire le connessioni da SQL Server, Azure e altro ancora. + + + 1 + 1 + + + Next + Avanti + + + Notebooks + Notebook + + + Get started creating your own notebook or collection of notebooks in a single place. + Iniziare a creare il proprio notebook o la propria raccolta di notebook in un'unica posizione. + + + 2 + 2 + + + Extensions + Estensioni + + + Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). + Estendere le funzionalità di Azure Data Studio installando le estensioni sviluppate da Microsoft e dalla community di terze parti. + + + 3 + 3 + + + Settings + Impostazioni + + + Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. + Personalizzare Azure Data Studio in base alle proprie preferenze. È possibile configurare impostazioni come il salvataggio automatico e le dimensioni delle schede, personalizzare i tasti di scelta rapida e scegliere il tema colori preferito. + + + 4 + 4 + + + Welcome Page + Pagina iniziale + + + Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. + Individuare le funzionalità principali, i file aperti di recente e le estensioni consigliate nella pagina iniziale. Per altre informazioni su come iniziare a usare Azure Data Studio, vedere i video e la documentazione. + + + 5 + 5 + + + Finish + Fine + + + User Welcome Tour + Presentazione iniziale + + + Hide Welcome Tour + Nascondi presentazione iniziale + + + Read more + Altre informazioni + + + Help + Guida + + + + + + + Welcome + Introduzione + + + SQL Admin Pack + Admin Pack di SQL + + + SQL Admin Pack + Admin Pack di SQL + + + Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server + Admin Pack per SQL Server è una raccolta delle estensioni più usate per l'amministrazione di database per semplificare la gestione di SQL Server + + + SQL Server Agent + SQL Server Agent + + + SQL Server Profiler + SQL Server Profiler + + + SQL Server Import + Importazione di SQL Server + + + SQL Server Dacpac + SQL Server Dacpac + + + Powershell + PowerShell + + + Write and execute PowerShell scripts using Azure Data Studio's rich query editor + Consente di scrivere ed eseguire script di PowerShell usando l'editor di query avanzato di Azure Data Studio + + + Data Virtualization + Virtualizzazione dei dati + + + Virtualize data with SQL Server 2019 and create external tables using interactive wizards + Virtualizza i dati con SQL Server 2019 e crea tabelle esterne tramite procedure guidate interattive + + + PostgreSQL + PostgreSQL + + + Connect, query, and manage Postgres databases with Azure Data Studio + È possibile connettersi, eseguire query e gestire database Postgres con Azure Data Studio + + + Support for {0} is already installed. + Il supporto per {0} è già installato. + + + The window will reload after installing additional support for {0}. + La finestra verrà ricaricata dopo l'installazione di supporto aggiuntivo per {0}. + + + Installing additional support for {0}... + Installazione di supporto aggiuntivo per {0} in corso... + + + Support for {0} with id {1} could not be found. + Il supporto per {0} con ID {1} non è stato trovato. + + + New connection + Nuova connessione + + + New query + Nuova query + + + New notebook + Nuovo notebook + + + Deploy a server + Distribuisci un server + + + Welcome + Introduzione + + + New + Nuovo + + + Open… + Apri… + + + Open file… + Apri file… + + + Open folder… + Apri cartella… + + + Start Tour + Inizia la presentazione + + + Close quick tour bar + Chiudi barra della presentazione + + + Would you like to take a quick tour of Azure Data Studio? + Visualizzare una presentazione di Azure Data Studio? + + + Welcome! + Introduzione + + + Open folder {0} with path {1} + Apri la cartella {0} con percorso {1} + + + Install + Installa + + + Install {0} keymap + Installa mappatura tastiera {0} + + + Install additional support for {0} + Installa supporto aggiuntivo per {0} + + + Installed + Installato + + + {0} keymap is already installed + Mappatura tastiera {0} è già installata + + + {0} support is already installed + Il supporto {0} è già installato + + + OK + OK + + + Details + Dettagli + + + Background color for the Welcome page. + Colore di sfondo della pagina di benvenuto. + + + + + + + Azure Data Studio + Azure Data Studio + + + Start + Avvia + + + New connection + Nuova connessione + + + New query + Nuova query + + + New notebook + Nuovo notebook + + + Open file + Apri file + + + Open file + Apri file + + + Deploy + Distribuisci + + + New Deployment… + Nuova distribuzione… + + + Recent + Recenti + + + More... + Altro... + + + No recent folders + Non ci sono cartelle recenti + + + Help + Guida + + + Getting started + Attività iniziali + + + Documentation + Documentazione + + + Report issue or feature request + Segnala problema o invia richiesta di funzionalità + + + GitHub repository + Repository GitHub + + + Release notes + Note sulla versione + + + Show welcome page on startup + Mostra la pagina iniziale all'avvio + + + Customize + Personalizza + + + Extensions + Estensioni + + + Download extensions that you need, including the SQL Server Admin pack and more + Download delle estensioni necessarie, tra cui il pacchetto di amministrazione di SQL Server + + + Keyboard Shortcuts + Tasti di scelta rapida + + + Find your favorite commands and customize them + Ricerca e personalizzazione dei comandi preferiti + + + Color theme + Tema colori + + + Make the editor and your code look the way you love + Tutto quel che serve per configurare editor e codice nel modo desiderato + + + Learn + Informazioni + + + Find and run all commands + Trova ed esegui tutti i comandi + + + Rapidly access and search commands from the Command Palette ({0}) + Accesso e ricerca rapida di comandi dal riquadro comandi ({0}) + + + Discover what's new in the latest release + Novità della release più recente + + + New monthly blog posts each month showcasing our new features + Ogni mese nuovi post di blog che illustrano le nuove funzionalità + + + Follow us on Twitter + Seguici su Twitter + + + Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. + È possibile tenersi aggiornati sull'utilizzo di Azure Data Studio nella community e parlare direttamente con i tecnici. + + + + + + + Accounts + Account + + + Linked accounts + Account collegati + + + Close + Chiudi + + + There is no linked account. Please add an account. + Non sono presenti account collegati. Aggiungere un account. + + + Add an account + Aggiungi un account + + + You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud + Nessun cloud abilitato. Passa a Impostazioni -> Cerca configurazione dell'account Azure -> Abilita almeno un cloud + + + You didn't select any authentication provider. Please try again. + Non è stato selezionato alcun provider di autenticazione. Riprovare. + + + + + + + Error adding account + Errore di aggiunta account + + + + + + + You need to refresh the credentials for this account. + È necessario aggiornare le credenziali per questo account. + + + + + + + Close + Chiudi + + + Adding account... + Aggiunta dell'account... + + + Refresh account was canceled by the user + L'aggiornamento dell'account è stato annullato dall'utente + + + + + + + Azure account + Account Azure + + + Azure tenant + Tenant di Azure + + + + + + + Copy & Open + Copia e apri + + + Cancel + Annulla + + + User code + Codice utente + + + Website + Sito Web + + + + + + + Cannot start auto OAuth. An auto OAuth is already in progress. + Non è possibile avviare un OAuth automatico perché ne è già in corso uno. + + + + + + + Connection is required in order to interact with adminservice + Per interagire con adminservice, è richiesta la connessione + + + No Handler Registered + Non ci sono gestori registrati + + + + + + + Connection is required in order to interact with Assessment Service + Per interagire con il servizio valutazione è necessaria una connessione + + + No Handler Registered + Non ci sono gestori registrati + + + + + + + Advanced Properties + Proprietà avanzate + + + Discard + Rimuovi + + + + + + + Server Description (optional) + Descrizione del server (facoltativa) + + + + + + + Clear List + Cancella elenco + + + Recent connections list cleared + L'elenco delle connessioni recenti è stato cancellato + + + Yes + + + + No + No + + + Are you sure you want to delete all the connections from the list? + Eliminare tutte le connessioni dall'elenco? + + + Yes + + + + No + No + + + Delete + Elimina + + + Get Current Connection String + Ottieni la stringa di connessione corrente + + + Connection string not available + La stringa di connessione non è disponibile + + + No active connection available + Non sono disponibili connessioni attive + + + + + + + Browse + Sfoglia + + + Type here to filter the list + Digitare qui per filtrare l'elenco + + + Filter connections + Filtra connessioni + + + Applying filter + Applicazione filtro + + + Removing filter + Rimozione filtro + + + Filter applied + Filtro applicato + + + Filter removed + Filtro rimosso + + + Saved Connections + Connessioni salvate + + + Saved Connections + Connessioni salvate + + + Connection Browser Tree + Albero del visualizzatore connessioni + + + + + + + Connection error + Errore di connessione + + + Connection failed due to Kerberos error. + La connessione non è riuscita a causa di un errore di Kerberos. + + + Help configuring Kerberos is available at {0} + Le informazioni sulla configurazione di Kerberos sono disponibili all'indirizzo {0} + + + If you have previously connected you may need to re-run kinit. + Se si è già eseguita la connessione, può essere necessario eseguire di nuovo kinit. + + + + + + + Connection + Connessione + + + Connecting + Connessione + + + Connection type + Tipo di connessione + + + Recent + Recenti + + + Connection Details + Dettagli connessione + + + Connect + Connetti + + + Cancel + Annulla + + + Recent Connections + Connessioni recenti + + + No recent connection + Non ci sono connessioni recenti + + + + + + + Failed to get Azure account token for connection + Non è stato possibile recuperare il token dell'account di Azure per la connessione + + + Connection Not Accepted + Connessione non accettata + + + Yes + + + + No + No + + + Are you sure you want to cancel this connection? + Annullare questa connessione? + + + + + + + Add an account... + Aggiungi un account... + + + <Default> + <Predefinito> + + + Loading... + Caricamento... + + + Server group + Gruppo di server + + + <Default> + <Predefinito> + + + Add new group... + Aggiungi nuovo gruppo... + + + <Do not save> + <Non salvare> + + + {0} is required. + {0} è obbligatorio. + + + {0} will be trimmed. + {0} verrà tagliato. + + + Remember password + Memorizza password + + + Account + Account + + + Refresh account credentials + Aggiorna credenziali dell'account + + + Azure AD tenant + Tenant di Azure AD + + + Name (optional) + Nome (facoltativo) + + + Advanced... + Avanzate... + + + You must select an account + È necessario selezionare un account + + + + + + + Connected to + Connesso a + + + Disconnected + Disconnesso + + + Unsaved Connections + Connessioni non salvate + + + + + + + Open dashboard extensions + Apri le estensioni del dashboard + + + OK + OK + + + Cancel + Annulla + + + No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. + Al momento non sono installate estensioni del dashboard. Passare a Gestione estensioni per esplorare le estensioni consigliate. + + + + + + + Step {0} + Passaggio {0} + + + + + + + Done + Fatto + + + Cancel + Annulla + + + + + + + Initialize edit data session failed: + L'inizializzazione della sessione di modifica dati non è riuscita: + + + + + + + OK + OK + + + Close + Chiudi + + + Action + Azione + + + Copy details + Copia dettagli + + + + + + + Error + Errore + + + Warning + Avviso + + + Info + Informazioni + + + Ignore + Ignora + + + + + + + Selected path + Percorso selezionato + + + Files of type + File di tipo + + + OK + OK + + + Discard + Rimuovi + + + + + + + Select a file + Seleziona un file + + + + + + + File browser tree + FileBrowserTree + Albero del visualizzatore file + + + + + + + An error occured while loading the file browser. + Si è verificato un errore durante il caricamento del visualizzatore file. + + + File browser error + Errore del visualizzatore file + + + + + + + All files + Tutti i file + + + + + + + Copy Cell + Copia cella + + + + + + + No Connection Profile was passed to insights flyout + Non è stato passato alcun profilo di connessione al riquadro a comparsa dei dati analitici + + + Insights error + Errore nei dati analitici + + + There was an error reading the query file: + Si è verificato un errore durante la lettura del file di query: + + + There was an error parsing the insight config; could not find query array/string or queryfile + Si è verificato un errore durante l'analisi della configurazione dei dati analitici. Non è stato possibile trovare la matrice/stringa di query o il file di query + + + + + + + Item + Elemento + + + Value + Valore + + + Insight Details + Dettagli delle informazioni dettagliate + + + Property + Proprietà + + + Value + Valore + + + Insights + Dati analitici + + + Items + Elementi + + + Item Details + Dettagli elemento + + + + + + + Could not find query file at any of the following paths : + {0} + Non è stato possibile trovare i file di query nei percorsi seguenti: + {0} + + + + + + + Failed + Non riuscito + + + Succeeded + Riuscito + + + Retry + Riprova + + + Cancelled + Annullato + + + In Progress + In corso + + + Status Unknown + Stato sconosciuto + + + Executing + In esecuzione + + + Waiting for Thread + In attesa del thread + + + Between Retries + Tra tentativi + + + Idle + Inattivo + + + Suspended + Sospeso + + + [Obsolete] + [Obsoleto] + + + Yes + + + + No + No + + + Not Scheduled + Non pianificato + + + Never Run + Mai eseguito + + + + + + + Connection is required in order to interact with JobManagementService + Per interagire con JobManagementService, è richiesta la connessione + + + No Handler Registered + Non ci sono gestori registrati + + + + + + + SQL + SQL + + + @@ -7256,6 +6910,22 @@ Errore: {1} + + + + An error occurred while starting the notebook session + Si è verificato un errore durante l'avvio della sessione del notebook + + + Server did not start for unknown reason + Il server non è stato avviato per motivi sconosciuti + + + Kernel {0} was not found. The default kernel will be used instead. + Il kernel {0} non è stato trovato. Verrà usato il kernel predefinito. + + + @@ -7268,11 +6938,738 @@ Errore: {1} - + - - Changing editor types on unsaved files is unsupported - La modifica dei tipi di editor per file non salvati non è supportata + + # Injected-Parameters + + N. parametri inseriti + + + + Please select a connection to run cells for this kernel + Selezionare una connessione per eseguire le celle per questo kernel + + + Failed to delete cell. + Non è stato possibile eliminare la cella. + + + Failed to change kernel. Kernel {0} will be used. Error was: {1} + Non è stato possibile modificare il kernel. Verrà usato il kernel {0}. Errore: {1} + + + Failed to change kernel due to error: {0} + Non è stato possibile modificare il kernel a causa dell'errore: {0} + + + Changing context failed: {0} + La modifica del contesto non è riuscita: {0} + + + Could not start session: {0} + Non è stato possibile avviare la sessione: {0} + + + A client session error occurred when closing the notebook: {0} + Si è verificato un errore della sessione client durante la chiusura del notebook: {0} + + + Can't find notebook manager for provider {0} + Non è possibile trovare il gestore di notebook per il provider {0} + + + + + + + No URI was passed when creating a notebook manager + Non è stato passato alcun URI durante la creazione di un gestore di notebook + + + Notebook provider does not exist + Il provider di notebook non esiste + + + + + + + A view with the name {0} already exists in this notebook. + Una vista con il nome {0} esiste già in questo notebook. + + + + + + + SQL kernel error + Errore del kernel SQL + + + A connection must be chosen to run notebook cells + Per eseguire le celle del notebook, è necessario scegliere una connessione + + + Displaying Top {0} rows. + Visualizzazione delle prime {0} righe. + + + + + + + Rich Text + RTF + + + Split View + Doppia visualizzazione + + + Markdown + Markdown + + + + + + + nbformat v{0}.{1} not recognized + nbformat v{0}.{1} non riconosciuto + + + This file does not have a valid notebook format + Il formato di notebook di questo file non è valido + + + Cell type {0} unknown + Il tipo di cella {0} è sconosciuto + + + Output type {0} not recognized + Il tipo di output {0} non è riconosciuto + + + Data for {0} is expected to be a string or an Array of strings + I dati per {0} devono essere una stringa o una matrice di stringhe + + + Output type {0} not recognized + Il tipo di output {0} non è riconosciuto + + + + + + + Identifier of the notebook provider. + Identificatore del provider di notebook. + + + What file extensions should be registered to this notebook provider + Indica le estensioni di file da registrare in questo provider di notebook + + + What kernels should be standard with this notebook provider + Indica i kernel che devono essere standard con questo provider di notebook + + + Contributes notebook providers. + Aggiunge come contributo i provider di notebook. + + + Name of the cell magic, such as '%%sql'. + Nome del comando magic per la cella, ad esempio '%%sql'. + + + The cell language to be used if this cell magic is included in the cell + Lingua da usare per la cella se questo comando magic è incluso nella cella + + + Optional execution target this magic indicates, for example Spark vs SQL + Destinazione di esecuzione facoltativa indicata da questo comando magic, ad esempio Spark rispetto a SQL + + + Optional set of kernels this is valid for, e.g. python3, pyspark, sql + Set facoltativo di kernel per cui è valida questa impostazione, ad esempio python3, pyspark, sql + + + Contributes notebook language. + Aggiunge come contributo la lingua del notebook. + + + + + + + Loading... + Caricamento... + + + + + + + Refresh + Aggiorna + + + Edit Connection + Modifica connessione + + + Disconnect + Disconnetti + + + New Connection + Nuova connessione + + + New Server Group + Nuovo gruppo di server + + + Edit Server Group + Modifica gruppo di server + + + Show Active Connections + Mostra connessioni attive + + + Show All Connections + Mostra tutte le connessioni + + + Delete Connection + Elimina connessione + + + Delete Group + Elimina gruppo + + + + + + + Failed to create Object Explorer session + Non è stato possibile creare la sessione di Esplora oggetti + + + Multiple errors: + Più errori: + + + + + + + Cannot expand as the required connection provider '{0}' was not found + Non è possibile eseguire l'espansione perché il provider di connessione richiesto '{0}' non è stato trovato + + + User canceled + Annullato dall'utente + + + Firewall dialog canceled + Finestra di dialogo del firewall annullata + + + + + + + Loading... + Caricamento... + + + + + + + Recent Connections + Connessioni recenti + + + Servers + Server + + + Servers + Server + + + + + + + Sort by event + Ordina per evento + + + Sort by column + Ordina per colonna + + + Profiler + Profiler + + + OK + OK + + + Cancel + Annulla + + + + + + + Clear all + Cancella tutto + + + Apply + Applica + + + OK + OK + + + Cancel + Annulla + + + Filters + Filtri + + + Remove this clause + Rimuovi questa clausola + + + Save Filter + Salva filtro + + + Load Filter + Carica filtro + + + Add a clause + Aggiungi una clausola + + + Field + Campo + + + Operator + Operatore + + + Value + Valore + + + Is Null + È Null + + + Is Not Null + Non è Null + + + Contains + Contiene + + + Not Contains + Non contiene + + + Starts With + Inizia con + + + Not Starts With + Non inizia con + + + + + + + Commit row failed: + Commit della riga non riuscito: + + + Started executing query at + Esecuzione della query iniziata a + + + Started executing query "{0}" + Esecuzione della query "{0}" avviata + + + Line {0} + Riga {0} + + + Canceling the query failed: {0} + Annullamento della query non riuscito: {0} + + + Update cell failed: + Aggiornamento della cella non riuscito: + + + + + + + Execution failed due to an unexpected error: {0} {1} + L'esecuzione non è riuscita a causa di un errore imprevisto: {0} {1} + + + Total execution time: {0} + Tempo di esecuzione totale: {0} + + + Started executing query at Line {0} + L'esecuzione della query a riga {0} è stata avviata + + + Started executing batch {0} + Esecuzione del batch {0} avviata + + + Batch execution time: {0} + Tempo di esecuzione del batch: {0} + + + Copy failed with error {0} + La copia non è riuscita. Errore: {0} + + + + + + + Failed to save results. + Non è stato possibile salvare i risultati. + + + Choose Results File + Scegli file di risultati + + + CSV (Comma delimited) + CSV (delimitato da virgole) + + + JSON + JSON + + + Excel Workbook + Cartella di lavoro di Excel + + + XML + XML + + + Plain Text + Testo normale + + + Saving file... + Salvataggio del file... + + + Successfully saved results to {0} + I risultati sono stati salvati in {0} + + + Open file + Apri file + + + + + + + From + Da + + + To + A + + + Create new firewall rule + Crea nuova regola firewall + + + OK + OK + + + Cancel + Annulla + + + Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. + L'indirizzo IP client non ha accesso al server. Accedere a un account Azure e creare una nuova regola del firewall per consentire l'accesso. + + + Learn more about firewall settings + Altre informazioni sulle impostazioni del firewall + + + Firewall rule + Regola del firewall + + + Add my client IP + Aggiungi IP client personale + + + Add my subnet IP range + Aggiungi intervallo di IP della sottorete personale + + + + + + + Error adding account + Errore di aggiunta account + + + Firewall rule error + Errore della regola del firewall + + + + + + + Backup file path + Percorso del file di backup + + + Target database + Database di destinazione + + + Restore + Ripristina + + + Restore database + Ripristina database + + + Database + Database + + + Backup file + File di backup + + + Restore database + Ripristina database + + + Cancel + Annulla + + + Script + Script + + + Source + Origine + + + Restore from + Ripristina da + + + Backup file path is required. + Il percorso del file di backup è obbligatorio. + + + Please enter one or more file paths separated by commas + Immettere uno o più percorsi di file separati da virgole + + + Database + Database + + + Destination + Destinazione + + + Restore to + Ripristina in + + + Restore plan + Piano di ripristino + + + Backup sets to restore + Set di backup da ripristinare + + + Restore database files as + Ripristina file di database come + + + Restore database file details + Dettagli del file di ripristino del database + + + Logical file Name + Nome file logico + + + File type + Tipo di file + + + Original File Name + Nome file originale + + + Restore as + Ripristina come + + + Restore options + Opzioni di ripristino + + + Tail-Log backup + Backup della parte finale del log + + + Server connections + Connessioni server + + + General + Generale + + + Files + File + + + Options + Opzioni + + + + + + + Backup Files + File di backup + + + All Files + Tutti i file + + + + + + + Server Groups + Gruppi di server + + + OK + OK + + + Cancel + Annulla + + + Server group name + Nome del gruppo di server + + + Group name is required. + Il nome del gruppo è obbligatorio. + + + Group description + Descrizione gruppo + + + Group color + Colore del gruppo + + + + + + + Add server group + Aggiungi gruppo di server + + + Edit server group + Modifica gruppo di server + + + + + + + 1 or more tasks are in progress. Are you sure you want to quit? + Sono in corso una o più attività. Uscire comunque? + + + Yes + + + + No + No + + + + + + + Get Started + Attività iniziali + + + Show Getting Started + Mostra introduzione + + + Getting &&Started + && denotes a mnemonic + &&Introduzione diff --git a/resources/xlf/ja/admin-tool-ext-win.ja.xlf b/resources/xlf/ja/admin-tool-ext-win.ja.xlf index 9ca1a1a4be..540cc06c93 100644 --- a/resources/xlf/ja/admin-tool-ext-win.ja.xlf +++ b/resources/xlf/ja/admin-tool-ext-win.ja.xlf @@ -20,7 +20,7 @@ - + No ConnectionContext provided for handleLaunchSsmsMinPropertiesDialogCommand diff --git a/resources/xlf/ja/agent.ja.xlf b/resources/xlf/ja/agent.ja.xlf index 8d2f50563d..2124e28841 100644 --- a/resources/xlf/ja/agent.ja.xlf +++ b/resources/xlf/ja/agent.ja.xlf @@ -1,230 +1,18 @@  - + - - New Schedule - 新しいスケジュール - - + OK OK - + Cancel キャンセル - - Schedule Name - スケジュール名 - - - Schedules - スケジュール - - - - - Create Proxy - プロキシの作成 - - - Edit Proxy - プロキシの編集 - - - General - 全般 - - - Proxy name - プロキシ名 - - - Credential name - 資格情報名 - - - Description - 説明 - - - Subsystem - サブシステム - - - Operating system (CmdExec) - オペレーティング システム (CmdExec) - - - Replication Snapshot - レプリケーション スナップショット - - - Replication Transaction-Log Reader - レプリケーション トランザクション ログ リーダー - - - Replication Distributor - レプリケーション ディストリビューター - - - Replication Merge - レプリケーション マージ - - - Replication Queue Reader - レプリケーション キュー リーダー - - - SQL Server Analysis Services Query - SQL Server Analysis Services クエリ - - - SQL Server Analysis Services Command - SQL Server Analysis Services コマンド - - - SQL Server Integration Services Package - SQL Server Integration Services パッケージ - - - PowerShell - PowerShell - - - Active to the following subsytems - 次のサブシステムに対してアクティブ - - - - - - - Job Schedules - ジョブ スケジュール - - - OK - OK - - - Cancel - キャンセル - - - Available Schedules: - 利用可能なスケジュール: - - - Name - 名前 - - - ID - ID - - - Description - 説明 - - - - - - - Create Operator - 演算子の作成 - - - Edit Operator - 演算子の編集 - - - General - 全般 - - - Notifications - 通知 - - - Name - 名前 - - - Enabled - 有効 - - - E-mail Name - 電子メール名 - - - Pager E-mail Name - ポケットベル電子メール名 - - - Monday - 月曜日 - - - Tuesday - 火曜日 - - - Wednesday - 水曜日 - - - Thursday - 木曜日 - - - Friday - 金曜日 - - - Saturday - 土曜日 - - - Sunday - 日曜日 - - - Workday begin - 始業時刻 - - - Workday end - 終業時刻 - - - Pager on duty schedule - ポケットベルの受信スケジュール - - - Alert list - アラートの一覧 - - - Alert name - アラート名 - - - E-mail - 電子メール - - - Pager - ポケットベル - - - - + Locate Database Files - @@ -416,159 +204,39 @@ - + - - General - 全般 + + Job Schedules + ジョブ スケジュール - - Steps - ステップ + + OK + OK - - Schedules - スケジュール + + Cancel + キャンセル - - Alerts - アラート + + Available Schedules: + 利用可能なスケジュール: - - Notifications - 通知 - - - The name of the job cannot be blank. - ジョブの名前を空白にすることはできません。 - - + Name 名前 - - Owner - 所有者 + + ID + ID - - Category - カテゴリ - - + Description 説明 - - Enabled - 有効 - - - Job step list - ジョブ ステップの一覧 - - - Step - ステップ - - - Type - 種類 - - - On Success - 成功時 - - - On Failure - 失敗時 - - - New Step - 新しいステップ - - - Edit Step - ステップの編集 - - - Delete Step - ステップの削除 - - - Move Step Up - ステップを上に移動 - - - Move Step Down - ステップを下に移動 - - - Start step - ステップの開始 - - - Actions to perform when the job completes - ジョブ完了時に実行するアクション - - - Email - 電子メール - - - Page - ページ - - - Write to the Windows Application event log - Windows アプリケーション イベント ログに書き込む - - - Automatically delete job - 自動的にジョブを削除 - - - Schedules list - スケジュールの一覧 - - - Pick Schedule - スケジュールを選択 - - - Schedule Name - スケジュール名 - - - Alerts list - アラート一覧 - - - New Alert - 新しいアラート - - - Alert Name - アラート名 - - - Enabled - 有効 - - - Type - 種類 - - - New Job - 新しいジョブ - - - Edit Job - ジョブの編集 - - + Create Alert @@ -778,10 +446,6 @@ Additional notification message to send 送信する付加的な通知メッセージ - - Delay between responses - 応答間の遅延 - Delay Minutes 遅延 (分) @@ -792,51 +456,251 @@ - + - - OK - OK + + Create Operator + 演算子の作成 - - Cancel - キャンセル + + Edit Operator + 演算子の編集 + + + General + 全般 + + + Notifications + 通知 + + + Name + 名前 + + + Enabled + 有効 + + + E-mail Name + 電子メール名 + + + Pager E-mail Name + ポケットベル電子メール名 + + + Monday + 月曜日 + + + Tuesday + 火曜日 + + + Wednesday + 水曜日 + + + Thursday + 木曜日 + + + Friday + 金曜日 + + + Saturday + 土曜日 + + + Sunday + 日曜日 + + + Workday begin + 始業時刻 + + + Workday end + 終業時刻 + + + Pager on duty schedule + ポケットベルの受信スケジュール + + + Alert list + アラートの一覧 + + + Alert name + アラート名 + + + E-mail + 電子メール + + + Pager + ポケットベル - + - - Proxy update failed '{0}' - プロキシの更新に失敗しました '{0}' + + General + 全般 - - Proxy '{0}' updated successfully - プロキシ '{0}' が正常に更新されました + + Steps + ステップ - - Proxy '{0}' created successfully - プロキシ '{0}' が正常に作成されました + + Schedules + スケジュール + + + Alerts + アラート + + + Notifications + 通知 + + + The name of the job cannot be blank. + ジョブの名前を空白にすることはできません。 + + + Name + 名前 + + + Owner + 所有者 + + + Category + カテゴリ + + + Description + 説明 + + + Enabled + 有効 + + + Job step list + ジョブ ステップの一覧 + + + Step + ステップ + + + Type + 種類 + + + On Success + 成功時 + + + On Failure + 失敗時 + + + New Step + 新しいステップ + + + Edit Step + ステップの編集 + + + Delete Step + ステップの削除 + + + Move Step Up + ステップを上に移動 + + + Move Step Down + ステップを下に移動 + + + Start step + ステップの開始 + + + Actions to perform when the job completes + ジョブ完了時に実行するアクション + + + Email + 電子メール + + + Page + ページ + + + Write to the Windows Application event log + Windows アプリケーション イベント ログに書き込む + + + Automatically delete job + 自動的にジョブを削除 + + + Schedules list + スケジュールの一覧 + + + Pick Schedule + スケジュールを選択 + + + Remove Schedule + スケジュールの削除 + + + Alerts list + アラート一覧 + + + New Alert + 新しいアラート + + + Alert Name + アラート名 + + + Enabled + 有効 + + + Type + 種類 + + + New Job + 新しいジョブ + + + Edit Job + ジョブの編集 - - - - Step update failed '{0}' - ステップの更新に失敗しました '{0}' - - - Job name must be provided - ジョブ名を指定する必要があります - - - Step name must be provided - ステップ名を指定する必要があります - - - - + When the job completes @@ -872,7 +736,55 @@ - + + + + Step update failed '{0}' + ステップの更新に失敗しました '{0}' + + + Job name must be provided + ジョブ名を指定する必要があります + + + Step name must be provided + ステップ名を指定する必要があります + + + + + + + This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! + この機能は開発中です。最新の変更内容を試す場合には、最新のインサイダー ビルドをご確認ください。 + + + Template updated successfully + テンプレートが正常に更新されました + + + Template update failure + テンプレートの更新エラー + + + The notebook must be saved before being scheduled. Please save and then retry scheduling again. + ノートブックは、スケジュールする前に保存する必要があります。保存してから、もう一度スケジュールを再試行してください。 + + + Add new connection + 新しい接続の追加 + + + Select a connection + 接続の選択 + + + Please select a valid connection + 有効な接続を選択してください。 + + + + Alert update failed '{0}' @@ -892,11 +804,223 @@ - + - - This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! - この機能は開発中です。最新の変更内容を試す場合には、最新のインサイダー ビルドをご確認ください。 + + Create Proxy + プロキシの作成 + + + Edit Proxy + プロキシの編集 + + + General + 全般 + + + Proxy name + プロキシ名 + + + Credential name + 資格情報名 + + + Description + 説明 + + + Subsystem + サブシステム + + + Operating system (CmdExec) + オペレーティング システム (CmdExec) + + + Replication Snapshot + レプリケーション スナップショット + + + Replication Transaction-Log Reader + レプリケーション トランザクション ログ リーダー + + + Replication Distributor + レプリケーション ディストリビューター + + + Replication Merge + レプリケーション マージ + + + Replication Queue Reader + レプリケーション キュー リーダー + + + SQL Server Analysis Services Query + SQL Server Analysis Services クエリ + + + SQL Server Analysis Services Command + SQL Server Analysis Services コマンド + + + SQL Server Integration Services Package + SQL Server Integration Services パッケージ + + + PowerShell + PowerShell + + + + + + + Proxy update failed '{0}' + プロキシの更新に失敗しました '{0}' + + + Proxy '{0}' updated successfully + プロキシ '{0}' が正常に更新されました + + + Proxy '{0}' created successfully + プロキシ '{0}' が正常に作成されました + + + + + + + New Notebook Job + 新しいノートブック ジョブ + + + Edit Notebook Job + ノートブック ジョブの編集 + + + General + 全般 + + + Notebook Details + ノートブックの詳細 + + + Notebook Path + ノートブックのパス + + + Storage Database + 記憶域のデータベース + + + Execution Database + 実行データベース + + + Select Database + データベースの選択 + + + Job Details + ジョブの詳細 + + + Name + 名前 + + + Owner + 所有者 + + + Schedules list + スケジュールの一覧 + + + Pick Schedule + スケジュールの選択 + + + Remove Schedule + スケジュールの削除 + + + Description + 説明 + + + Select a notebook to schedule from PC + PC からスケジュールするノートブックを選択する + + + Select a database to store all notebook job metadata and results + すべてのノートブック ジョブのメタデータと結果を格納するデータベースを選択します + + + Select a database against which notebook queries will run + ノートブックのクエリを実行するデータベースを選択します + + + + + + + When the notebook completes + ノートブックが完了した場合 + + + When the notebook fails + ノートブックが失敗した場合 + + + When the notebook succeeds + ノートブックが成功した場合 + + + Notebook name must be provided + ノートブック名を指定する必要があります + + + Template path must be provided + テンプレート パスを指定する必要があります + + + Invalid notebook path + 無効なノートブック パス + + + Select storage database + ストレージ データベースの選択 + + + Select execution database + 実行データベースの選択 + + + Job with similar name already exists + 同様の名前のジョブが既に存在しています。 + + + Notebook update failed '{0}' + ノートブックの更新に失敗しました '{0}' + + + Notebook creation failed '{0}' + ノートブックの作成に失敗しました '{0}' + + + Notebook '{0}' updated successfully + ノートブック '{0}' が正常に更新されました + + + Notebook '{0}' created successfully + ノートブック '{0}' が正常に作成されました diff --git a/resources/xlf/ja/azurecore.ja.xlf b/resources/xlf/ja/azurecore.ja.xlf index 0d7e94297c..e7ee69c84e 100644 --- a/resources/xlf/ja/azurecore.ja.xlf +++ b/resources/xlf/ja/azurecore.ja.xlf @@ -126,6 +126,10 @@ Error fetching resource groups for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} アカウント {0} ({1}) サブスクリプション {2} ({3}) テナント {4} のリソース グループの取り込みでエラーが発生しました: {5} + + Error fetching locations for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} + アカウント {0} ({1}) サブスクリプション {2} ({3}) テナント {4} の場所の取り込みでエラーが発生しました: {5} + Invalid query 無効なクエリ @@ -379,7 +383,7 @@ SQL Server - Azure Arc - Azure Arc enabled PostgreSQL Hyperscale + Azure Arc-enabled PostgreSQL Hyperscale Azure Arc 対応 PostgreSQL Hyperscale @@ -411,7 +415,7 @@ Azure 認証で不明なエラーが発生しました - Specifed tenant with ID '{0}' not found. + Specified tenant with ID '{0}' not found. ID '{0}' の指定されたテナントが見つかりません。 @@ -419,7 +423,7 @@ 認証で何かが失敗したか、またはトークンがシステムから削除されています。アカウントを Azure Data Studio にもう一度追加してください。 - Token retrival failed with an error. Open developer tools to view the error + Token retrieval failed with an error. Open developer tools to view the error トークンの取得がエラーで失敗しました。開発者ツールを開いてエラーを表示してください @@ -513,6 +517,14 @@ Failed to get credential for account {0}. Please go to the accounts dialog and refresh the account. アカウント {0} の資格情報を取得できませんでした。アカウント ダイアログに移動して、アカウントを更新してください。 + + Requests from this account have been throttled. To retry, please select a smaller number of subscriptions. + このアカウントからの要求は抑えられています。再試行するには、より小さいサブスクリプション数を選択してください。 + + + An error occured while loading Azure resources: {0} + Azure リソースの読み込み中にエラーが発生しました: {0} + @@ -703,6 +715,14 @@ + + + + Azure Monitor Workspace + Azure Monitor Workspace + + + diff --git a/resources/xlf/ja/big-data-cluster.ja.xlf b/resources/xlf/ja/big-data-cluster.ja.xlf index ba32758a14..0575ca944c 100644 --- a/resources/xlf/ja/big-data-cluster.ja.xlf +++ b/resources/xlf/ja/big-data-cluster.ja.xlf @@ -60,6 +60,126 @@ Ignore SSL verification errors against SQL Server Big Data Cluster endpoints such as HDFS, Spark, and Controller if true HDFS、Spark、コントローラーなどの SQL Server ビッグ データ クラスター エンドポイントに対する SSL 検証エラーを無視する (true の場合) + + SQL Server Big Data Cluster + SQL Server ビッグ データ クラスター + + + SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes + SQL Server ビッグ データ クラスターを使用すると、Kubernetes で実行されている SQL Server、Spark、および HDFS のコンテナーのスケーラブルなクラスターをデプロイできます。 + + + Version + バージョン + + + SQL Server 2019 + SQL Server 2019 + + + Deployment target + デプロイ ターゲット + + + New Azure Kubernetes Service Cluster + 新しい Azure Kubernetes Service クラスター + + + Existing Azure Kubernetes Service Cluster + 既存の Azure Kubernetes Service クラスター + + + Existing Kubernetes Cluster (kubeadm) + 既存の Kubernetes クラスター (kubeadm) + + + Existing Azure Red Hat OpenShift cluster + 既存の Azure Red Hat OpenShift クラスター + + + Existing OpenShift cluster + 既存の OpenShift クラスター + + + SQL Server Big Data Cluster settings + SQL Server ビッグ データ クラスターの設定 + + + Cluster name + クラスター名 + + + Controller username + コントローラーのユーザー名 + + + Password + パスワード + + + Confirm password + パスワードの確認 + + + Azure settings + Azure の設定 + + + Subscription id + サブスクリプション ID + + + Use my default Azure subscription + 既定の Azure サブスクリプションを使用する + + + Resource group name + リソース グループ名 + + + Region + リージョン + + + AKS cluster name + AKS クラスター名 + + + VM size + VM サイズ + + + VM count + VM 数 + + + Storage class name + ストレージ クラス名 + + + Capacity for data (GB) + データの容量 (GB) + + + Capacity for logs (GB) + ログの容量 (GB) + + + I accept {0}, {1} and {2}. + {0}、{1}、{2} に同意します。 + + + Microsoft Privacy Statement + Microsoft プライバシー ステートメント + + + azdata License Terms + azdata ライセンス条項 + + + SQL Server License Terms + SQL Server ライセンス条項 + diff --git a/resources/xlf/ja/cms.ja.xlf b/resources/xlf/ja/cms.ja.xlf index 55907003f7..c132855eb4 100644 --- a/resources/xlf/ja/cms.ja.xlf +++ b/resources/xlf/ja/cms.ja.xlf @@ -424,15 +424,7 @@ - - - - Loading ... - 読み込み中... - - - - + No resources found @@ -440,7 +432,7 @@ - + Add Central Management Server... @@ -448,15 +440,27 @@ - + + + + Unexpected error occurred while loading saved servers {0} + 保存されたサーバー {0} の読み込み中に予期しないエラーが発生しました。 + + + Loading ... + 読み込み中... + + + + Central Management Server Group already has a Registered Server with the name {0} 中央管理サーバー グループには、既に {0} という名前の登録済みサーバーがあります - Azure SQL Database Servers cannot be used as Central Management Servers - Azure SQL Database サーバーは、Central Management Servers として使用できません + Azure SQL Servers cannot be used as Central Management Servers + Azure SQL サーバーは、Central Management Servers として使用できません Are you sure you want to delete @@ -500,7 +504,7 @@ - + You cannot add a shared registered server with the same name as the Configuration Server diff --git a/resources/xlf/ja/dacpac.ja.xlf b/resources/xlf/ja/dacpac.ja.xlf index f2ef6b1249..b3ccabb910 100644 --- a/resources/xlf/ja/dacpac.ja.xlf +++ b/resources/xlf/ja/dacpac.ja.xlf @@ -1,16 +1,84 @@  - + + + Dacpac + データ層アプリケーション パッケージ + + + Full path to folder where .DACPAC and .BACPAC files are saved by default + 既定で、.DACPAC と .BACPAC ファイルが保存されるフォルダーの完全パス + + + + + + + Target Server + ターゲット サーバー + + + Source Server + ソース サーバー + + + Source Database + ソース データベース + + + Target Database + ターゲット データベース + + + File Location + ファイルの場所 + + + Select file + ファイルの選択 + + + Summary of settings + 設定の概要 + + + Version + バージョン + + + Setting + 設定 + + + Value + + + + Database Name + データベース名 + + + Open + 開く + + + Upgrade Existing Database + 既存のデータベースのアップグレード + + + New Database + 新しいデータベース + {0} of the deploy actions listed may result in data loss. Please ensure you have a backup or snapshot available in the event of an issue with the deployment. リストされている {0} のデプロイ操作によってデータが失われる可能性があります。デプロイで生じる問題に備えて、バックアップまたはスナップショットが使用可能であることを確認してください。 - + Proceed despite possible data loss データ損失の可能性にかかわらず続行します - + No data loss will occur from the listed deploy actions. リストされているデプロイ アクションによってデータ損失は生じません。 @@ -54,19 +122,11 @@ Save 保存 - - File Location - ファイルの場所 - - + Version (use x.x.x.x where x is a number) バージョン (形式は x.x.x.x。x は数字) - - Open - 開く - - + Deploy a data-tier application .dacpac file to an instance of SQL Server [Deploy Dacpac] データ層アプリケーションの .dacpac ファイルを SQL Server インスタンスにデプロイします [Dacpac のデプロイ] @@ -82,49 +142,9 @@ Export the schema and data from a database to the logical .bacpac file format [Export Bacpac] データベースのスキーマとデータを論理 .bacpac ファイル形式にエクスポートします [Bacpac のエクスポート] - - Database Name - データベース名 - - - Upgrade Existing Database - 既存のデータベースのアップグレード - - - New Database - 新しいデータベース - - - Target Database - ターゲット データベース - - - Target Server - ターゲット サーバー - - - Source Server - ソース サーバー - - - Source Database - ソース データベース - - - Version - バージョン - - - Setting - 設定 - - - Value - - - - default - 既定 + + Data-tier Application Wizard + データ層アプリケーション ウィザード Select an Operation @@ -174,18 +194,66 @@ Generate Script スクリプトの生成 + + You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. + ウィザードを閉じた後、タスク ビューでスクリプト生成の状態を表示できます。完了すると、生成されたスクリプトが開きます。 + + + default + 既定 + + + Deploy plan operations + デプロイ プランの操作 + + + A database with the same name already exists on the instance of SQL Server + SQL Server のインスタンスに同じ名前のデータベースが既に存在します。 + + + Undefined name + 未定義の名前 + + + File name cannot end with a period + ファイル名の末尾をピリオドにすることはできません + + + File name cannot be whitespace + ファイル名を空白にすることはできません + + + Invalid file characters + ファイル文字が無効です + + + This file name is reserved for use by Windows. Choose another name and try again + このファイル名は Windows による使用のために予約されています。別の名前を選んで再実行してください + + + Reserved file name. Choose another name and try again + 予約済みのファイル名です。別の名前を選択して、もう一度お試しください + + + File name cannot end with a whitespace + ファイル名の末尾を空白にすることはできません + + + File name is over 255 characters + ファイル名が 255 文字を超えています + Generating deploy plan failed '{0}' デプロイ計画の生成に失敗しました '{0}' + + Generating deploy script failed '{0}' + デプロイ スクリプトの生成に失敗しました '{0}' + {0} operation failed '{1}' {0} 操作に失敗しました '{1}' - - You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. - ウィザードを閉じた後、タスク ビューでスクリプト生成の状態を表示できます。完了すると、生成されたスクリプトが開きます。 - \ No newline at end of file diff --git a/resources/xlf/ja/import.ja.xlf b/resources/xlf/ja/import.ja.xlf index 29f781b9d0..aa1acd50cf 100644 --- a/resources/xlf/ja/import.ja.xlf +++ b/resources/xlf/ja/import.ja.xlf @@ -1,7 +1,143 @@  - + + + Flat File Import configuration + フラット ファイル インポートの構成 + + + [Optional] Log debug output to the console (View -> Output) and then select appropriate output channel from the dropdown + [省略可能] コンソールへのデバッグ出力をログに記録し ([表示] -> [出力])、ドロップダウンから適切な出力チャネルを選択します + + + + + + + {0} Started + {0} が開始されました + + + Starting {0} + {0} の開始中 + + + Failed to start {0}: {1} + {0}を開始できませんでした: {1} + + + Installing {0} to {1} + {0} を {1} にインストールしています + + + Installing {0} Service + {0} サービスをインストールしています + + + Installed {0} + {0} がインストールされました + + + Downloading {0} + {0} をダウンロードしています + + + ({0} KB) + ({0} KB) + + + Downloading {0} + {0} をダウンロードしています + + + Done downloading {0} + {0} のダウンロードが完了しました + + + Extracted {0} ({1}/{2}) + {0} を抽出しました ({1}/{2}) + + + + + + + Give Feedback + フィードバックの送信 + + + service component could not start + サービス コンポーネントを開始できませんでした + + + Server the database is in + データベースが含まれるサーバー + + + Database the table is created in + テーブルが作成されているデータベース + + + Invalid file location. Please try a different input file + ファイルの場所が無効です。別の入力ファイルをお試しください + + + Browse + 参照 + + + Open + 開く + + + Location of the file to be imported + インポートするファイルの場所 + + + New table name + 新しいテーブル名 + + + Table schema + テーブル スキーマ + + + Import Data + データのインポート + + + Next + 次へ + + + Column Name + 列名 + + + Data Type + データ型 + + + Primary Key + 主キー + + + Allow Nulls + Null を許容 + + + This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. + この操作によって、最初の 50 行までのプレビューを下に生成するために入力ファイル構造が分析されました。 + + + This operation was unsuccessful. Please try a different input file. + この操作は失敗しました。別の入力ファイルをお試しください。 + + + Refresh + 最新の情報に更新 + Import information 情報のインポート @@ -34,90 +170,14 @@ ✔ You have successfully inserted the data into a table. ✔ テーブルにデータを正常に挿入しました。 - - - - - - This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. - この操作によって、最初の 50 行までのプレビューを下に生成するために入力ファイル構造が分析されました。 - - - This operation was unsuccessful. Please try a different input file. - この操作は失敗しました。別の入力ファイルをお試しください。 - - - Refresh - 最新の情報に更新 - - - - - - - Import Data - データのインポート - - - Next - 次へ - - - Column Name - 列名 - - - Data Type - データ型 - - - Primary Key - 主キー - - - Allow Nulls - Null を許容 - - - - - - - Server the database is in - データベースが含まれるサーバー - - - Database the table is created in - テーブルが作成されているデータベース - - - Browse - 参照 - - - Open - 開く - - - Location of the file to be imported - インポートするファイルの場所 - - - New table name - 新しいテーブル名 - - - Table schema - テーブル スキーマ - - - - - Please connect to a server before using this wizard. このウィザードを使用する前に、サーバーに接続してください。 + + SQL Server Import extension does not support this type of connection + SQL Server Import 拡張機能は、この種類の接続をサポートしていません + Import flat file wizard フラット ファイルのインポート ウィザード @@ -144,60 +204,4 @@ - - - - Give Feedback - フィードバックの送信 - - - service component could not start - サービス コンポーネントを開始できませんでした - - - - - - - Service Started - サービスが開始しました - - - Starting service - サービスを開始しています - - - Failed to start Import service{0} - インポート サービス {0} を開始できませんでした - - - Installing {0} service to {1} - {0} サービスを {1} にインストールしています - - - Installing Service - サービスをインストールしています - - - Installed - インストール済み - - - Downloading {0} - {0} をダウンロードしています - - - ({0} KB) - ({0} KB) - - - Downloading Service - サービスをダウンロードしています - - - Done! - 完了 - - - \ No newline at end of file diff --git a/resources/xlf/ja/notebook.ja.xlf b/resources/xlf/ja/notebook.ja.xlf index 5ec28f0aaa..f17526f81e 100644 --- a/resources/xlf/ja/notebook.ja.xlf +++ b/resources/xlf/ja/notebook.ja.xlf @@ -22,6 +22,14 @@ Local path to a preexisting python installation used by Notebooks. ノートブックで使用される、以前から存在する Python インストールのローカル パス。 + + Do not show prompt to update Python. + Python の更新を確認するメッセージを表示しません。 + + + The amount of time (in minutes) to wait before shutting down a server after all notebooks are closed. (Enter 0 to not shutdown) + すべてのノートブックが閉じられた後、サーバーをシャットダウンするまでの待機時間 (分)。(シャットダウンしない場合は ”0” を入力してください) + Override editor default settings in the Notebook editor. Settings include background color, current line color and border Notebook エディターの既定の設定をオーバーライドします。設定には、背景色、現在の線の色、境界線が含まれます @@ -50,6 +58,10 @@ Notebooks that are pinned by the user for the current workspace ユーザーによって現在のワークスペースにピン留めされているノートブック + + Allow Jupyter server to run as root user + Allow Jupyter server to run as root user + New Notebook 新しいノートブック @@ -139,24 +151,24 @@ Jupyter ブック - Save Book - ブックの保存 + Save Jupyter Book + Jupyter ブックの保存 - Trust Book - 信頼ブック + Trust Jupyter Book + Jupyter ブックの信頼 - Search Book - ブックの検索 + Search Jupyter Book + Jupyter ブックの検索 Notebooks ノートブック - Provided Books - 指定されたブック + Provided Jupyter Books + 提供されている Jupyter ブック Pinned notebooks @@ -174,17 +186,29 @@ Close Jupyter Book Jupyter ブックを閉じる - - Close Jupyter Notebook - Jupyter Notebook を閉じる + + Close Notebook + ノートブックを閉じる + + + Remove Notebook + ノートブックの削除 + + + Add Notebook + ノートブックの追加 + + + Add Markdown File + マークダウン ファイルの追加 Reveal in Books ブックで公開する - Create Book (Preview) - ブックの作成 (プレビュー) + Create Jupyter Book + Jupyter ブックの作成 Open Notebooks in Folder @@ -263,8 +287,8 @@ フォルダーの選択 - Select Book - ブックの選択 + Select Jupyter Book + Jupyter ブックの選択 Folder already exists. Are you sure you want to delete and replace this folder? @@ -283,40 +307,40 @@ 外部リンクを開く - Book is now trusted in the workspace. - ブックはワークスペースで信頼されるようになりました。 + Jupyter Book is now trusted in the workspace. + Jupyter ブックはワークスペースで信頼されるようになりました。 - Book is already trusted in this workspace. - ブックはこのワークスペースで既に信頼されています。 + Jupyter Book is already trusted in this workspace. + Jupyter ブックはこのワークスペースで既に信頼されています。 - Book is no longer trusted in this workspace - ブックはこのワークスペースで信頼されなくなりました + Jupyter Book is no longer trusted in this workspace + Jupyter ブックはこのワークスペースで信頼されなくなりました - Book is already untrusted in this workspace. - ブックは既にこのワークスペースで信頼されていません。 + Jupyter Book is already untrusted in this workspace. + Jupyter ブックは既にこのワークスペースで信頼されていません。 - Book {0} is now pinned in the workspace. - ブック {0} はワークスペースにピン留めされました。 + Jupyter Book {0} is now pinned in the workspace. + Jupyter ブック {0} はワークスペースにピン留めされました。 - Book {0} is no longer pinned in this workspace - ブック {0} はこのワークスペースにピン留めされなくなりました + Jupyter Book {0} is no longer pinned in this workspace + Jupyter ブック {0} はもうこのワークスペースにピン留めされていません - Failed to find a Table of Contents file in the specified book. - 指定されたブックに目次ファイルが見つかりませんでした。 + Failed to find a Table of Contents file in the specified Jupyter Book. + 指定された Jupyter ブックに目次ファイルが見つかりませんでした。 - No books are currently selected in the viewlet. - ビューレットに現在選択されているブックがありません。 + No Jupyter Books are currently selected in the viewlet. + ビューレットに現在選択されている Jupyter ブックがありません。 - Select Book Section - ブック セクションの選択 + Select Jupyter Book Section + Jupyter ブックのセクションを選択 Add to this level @@ -339,12 +363,12 @@ 構成ファイルが見つかりません - Open book {0} failed: {1} - ブック {0} を開けませんでした: {1} + Open Jupyter Book {0} failed: {1} + Jupyter ブック {0} を開くことができませんでした: {1} - Failed to read book {0}: {1} - ブック {0} の読み取りに失敗しました: {1} + Failed to read Jupyter Book {0}: {1} + Jupyter ブック {0} を読み取ることができませんでした: {1} Open notebook {0} failed: {1} @@ -363,8 +387,8 @@ リンク {0} を開けませんでした。{1} - Close book {0} failed: {1} - ブック {0} を閉じられませんでした: {1} + Close Jupyter Book {0} failed: {1} + Jupyter ブック {0} を閉じることができませんでした: {1} File {0} already exists in the destination folder {1} @@ -373,12 +397,16 @@ データの損失を防ぐために、ファイルの名前が {2} に変更されました。 - Error while editing book {0}: {1} - ブック {0} の編集中にエラーが発生しました: {1} + Error while editing Jupyter Book {0}: {1} + Jupyter ブック {0} の編集中にエラーが発生しました: {1} - Error while selecting a book or a section to edit: {0} - 編集するブックまたはセクションの選択中にエラーが発生しました: {0} + Error while selecting a Jupyter Book or a section to edit: {0} + 編集する Jupyter ブックまたはセクションの選択中にエラーが発生しました: {0} + + + Failed to find section {0} in {1}. + {1} にセクション {0} が見つかりませんでした。 URL @@ -393,8 +421,8 @@ 場所 - Add Remote Book - リモート ブックの追加 + Add Remote Jupyter Book + リモート Jupyter ブックの追加 GitHub @@ -409,8 +437,8 @@ リリース - Book - ブック + Jupyter Book + Jupyter ブック Version @@ -421,8 +449,8 @@ 言語 - No books are currently available on the provided link - 指定されたリンクで現在利用可能なブックがありません + No Jupyter Books are currently available on the provided link + 指定されたリンクで現在利用可能な Jupyter ブックがありません The url provided is not a Github release url @@ -445,44 +473,44 @@ - - Remote Book download is in progress - リモート ブックのダウンロードが進行中です + Remote Jupyter Book download is in progress + リモート Jupyter ブックのダウンロードが進行中です - Remote Book download is complete - リモート ブックのダウンロードが完了しました + Remote Jupyter Book download is complete + リモート Jupyter ブックのダウンロードが完了しました - Error while downloading remote Book - リモート ブックのダウンロード中にエラーが発生しました + Error while downloading remote Jupyter Book + リモート Jupyter ブックのダウンロード中にエラーが発生しました - Error while decompressing remote Book - リモート ブックの圧縮解除中にエラーが発生しました + Error while decompressing remote Jupyter Book + リモート Jupyter ブックの圧縮解除中にエラーが発生しました - Error while creating remote Book directory - リモート ブック ディレクトリの作成中にエラーが発生しました + Error while creating remote Jupyter Book directory + リモート Jupyter ブック ディレクトリの作成中にエラーが発生しました - Downloading Remote Book - リモート ブックをダウンロードしています + Downloading Remote Jupyter Book + リモート Jupyter ブックのダウンロード Resource not Found リソースが見つかりません。 - Books not Found - ブックが見つかりません + Jupyter Books not Found + Jupyter ブックが見つかりません Releases not Found リリースが見つかりません - The selected book is not valid - 選択したブックは無効です + The selected Jupyter Book is not valid + 選択した Jupyter ブックは無効です Http Request failed with error: {0} {1} @@ -492,21 +520,21 @@ Downloading to {0} {0} にダウンロードしています - - New Group - 新しいグループ + + New Jupyter Book (Preview) + 新しい Jupyter ブック (プレビュー) - - Groups are used to organize Notebooks. - グループは、ノートブックを整理するために使用されます。 + + Jupyter Books are used to organize Notebooks. + Jupyter ブックは、ノートブックを整理するために使用されます。 - - Browse locations... - 場所の参照... + + Learn more. + 詳細情報。 - - Select content folder - コンテンツ フォルダーの選択 + + Content folder + コンテンツ フォルダー Browse @@ -524,7 +552,7 @@ Save location 保存場所 - + Content folder (Optional) コンテンツ フォルダー (省略可能) @@ -533,8 +561,44 @@ コンテンツ フォルダーのパスが存在しません - Save location path does not exist - 保存場所のパスが存在しません + Save location path does not exist. + 保存場所のパスが存在しません。 + + + Error while trying to access: {0} + アクセスしようとしているときにエラーが発生しました: {0} + + + New Notebook (Preview) + 新しいノートブック (プレビュー) + + + New Markdown (Preview) + 新しいマークダウン (プレビュー) + + + File Extension + ファイル拡張子 + + + File already exists. Are you sure you want to overwrite this file? + ファイルは既に存在します。このファイルを上書きしますか? + + + Title + タイトル + + + File Name + ファイル名 + + + Save location path is not valid. + 保存場所のパスが無効です。 + + + File {0} already exists in the destination folder + 移動先のフォルダーにファイル {0} が既に存在します @@ -588,6 +652,18 @@ Another Python installation is currently in progress. Waiting for it to complete. 別の Python のインストールが現在進行中です。完了するのを待っています。 + + Active Python notebook sessions will be shutdown in order to update. Would you like to proceed now? + 更新のために、アクティブな Python ノートブック セッションがシャットダウンされます。今すぐ続行しますか? + + + Python {0} is now available in Azure Data Studio. The current Python version (3.6.6) will be out of support in December 2021. Would you like to update to Python {0} now? + Python {0} が Azure Data Studio で利用できるようになりました。現在の Python バージョン (3.6.6) は、2021 年 12 月にサポートされなくなります。今すぐ Python {0} に更新しますか? + + + Python {0} will be installed and will replace Python 3.6.6. Some packages may no longer be compatible with the new version or may need to be reinstalled. A notebook will be created to help you reinstall all pip packages. Would you like to continue with the update now? + Python {0} がインストールされ、Python 3.6.6 が置換されます。一部のパッケージは、新しいバージョンとの互換性がなくなったか、再インストールが必要になる可能性があります。すべての pip パッケージの再インストールを支援するためにノートブックが作成されます。今すぐ更新を続行しますか? + Installing Notebook dependencies failed with error: {0} Notebook 依存関係のインストールに失敗しました。エラー: {0} @@ -604,6 +680,18 @@ Encountered an error when getting Python user path: {0} Python ユーザー パスの取得時にエラーが発生しました: {0} + + Yes + はい + + + No + いいえ + + + Don't Ask Again + 今後このメッセージを表示しない + @@ -973,8 +1061,8 @@ このハンドラーではアクション {0} はサポートされていません - Cannot open link {0} as only HTTP and HTTPS links are supported - HTTP リンクと HTTPS リンクのみがサポートされているため、リンク {0} を開くことができません + Cannot open link {0} as only HTTP, HTTPS, and File links are supported + HTTP、HTTPS、およびファイル リンクのみがサポートされているため、リンク {0} を開けません Download and open '{0}'? diff --git a/resources/xlf/ja/profiler.ja.xlf b/resources/xlf/ja/profiler.ja.xlf index b5fa883822..fe725b0765 100644 --- a/resources/xlf/ja/profiler.ja.xlf +++ b/resources/xlf/ja/profiler.ja.xlf @@ -1,6 +1,6 @@  - + Cancel diff --git a/resources/xlf/ja/resource-deployment.ja.xlf b/resources/xlf/ja/resource-deployment.ja.xlf index 521731a262..0da80ab6a5 100644 --- a/resources/xlf/ja/resource-deployment.ja.xlf +++ b/resources/xlf/ja/resource-deployment.ja.xlf @@ -26,14 +26,6 @@ Run SQL Server container image with docker Docker を使用して SQL Server コンテナー イメージを実行する - - SQL Server Big Data Cluster - SQL Server ビッグ データ クラスター - - - SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes - SQL Server ビッグ データ クラスターを使用すると、Kubernetes で実行されている SQL Server、Spark、および HDFS のコンテナーのスケーラブルなクラスターをデプロイできます。 - Version バージョン @@ -46,34 +38,6 @@ SQL Server 2019 SQL Server 2019 - - SQL Server 2019 - SQL Server 2019 - - - Deployment target - デプロイ ターゲット - - - New Azure Kubernetes Service Cluster - 新しい Azure Kubernetes Service クラスター - - - Existing Azure Kubernetes Service Cluster - 既存の Azure Kubernetes Service クラスター - - - Existing Kubernetes Cluster (kubeadm) - 既存の Kubernetes クラスター (kubeadm) - - - Existing Azure Red Hat OpenShift cluster - 既存の Azure Red Hat OpenShift クラスター - - - Existing OpenShift cluster - 既存の OpenShift クラスター - Deploy SQL Server 2017 container images SQL Server 2017 コンテナー イメージのデプロイ @@ -98,70 +62,6 @@ Port ポート - - SQL Server Big Data Cluster settings - SQL Server ビッグ データ クラスターの設定 - - - Cluster name - クラスター名 - - - Controller username - コントローラーのユーザー名 - - - Password - パスワード - - - Confirm password - パスワードの確認 - - - Azure settings - Azure の設定 - - - Subscription id - サブスクリプション ID - - - Use my default Azure subscription - 既定の Azure サブスクリプションを使用する - - - Resource group name - リソース グループ名 - - - Region - リージョン - - - AKS cluster name - AKS クラスター名 - - - VM size - VM サイズ - - - VM count - VM 数 - - - Storage class name - ストレージ クラス名 - - - Capacity for data (GB) - データの容量 (GB) - - - Capacity for logs (GB) - ログの容量 (GB) - SQL Server on Windows SQL Server on Windows @@ -170,22 +70,10 @@ Run SQL Server on Windows, select a version to get started. SQL Server on Windows を実行し、開始するバージョンを選択します。 - - I accept {0}, {1} and {2}. - {0}、{1}、{2} に同意します。 - Microsoft Privacy Statement Microsoft のプライバシーに関する声明 - - azdata License Terms - azdata ライセンス条項 - - - SQL Server License Terms - SQL Server ライセンス条項 - Deployment configuration デプロイ構成 @@ -486,6 +374,22 @@ Accept EULA & Select EULA に同意して選択 + + The '{0}' extension is required to deploy this resource, do you want to install it now? + このリソースを展開するには、'{0}' の拡張機能が必要です。今すぐインストールしますか? + + + Install + インストール + + + Installing extension '{0}'... + 拡張機能 '{0}' をインストールしています... + + + Unknown extension '{0}' + 不明な拡張機能 '{0}' + Select the deployment options デプロイ オプションを選択します @@ -1096,10 +1000,6 @@ - - Failed to load extension: {0}, Error detected in the resource type definition in package.json, check debug console for details. - 拡張機能を読み込めませんでした: {0}。package.json のリソースの種類の定義でエラーが検出されました。詳しくは、デバッグ コンソールを確認してください。 - The resource type: {0} is not defined リソースの種類: {0} が定義されていません @@ -2222,14 +2122,14 @@ Select a different subscription containing at least one server Deployment pre-requisites デプロイの前提条件 - - To proceed, you must accept the terms of the End User License Agreement(EULA) - 進めるには、エンド ユーザー使用許諾契約 (EULA) の条件に同意する必要があります。 - Some tools were still not discovered. Please make sure that they are installed, running and discoverable 一部のツールがまだ検出されていません。それらがインストールされており、実行中で検出可能であることを確認してください + + To proceed, you must accept the terms of the End User License Agreement(EULA) + 進めるには、エンド ユーザー使用許諾契約 (EULA) の条件に同意する必要があります。 + Loading required tools information completed 必要なツール情報の読み込みが完了しました @@ -2378,6 +2278,10 @@ Select a different subscription containing at least one server Azure Data CLI Azure Data CLI + + The Azure Data CLI extension must be installed to deploy this resource. Please install it through the extension gallery and try again. + このリソースをデプロイするには、Azure Data CLI 拡張機能をインストールする必要があります。拡張機能ギャラリーを使用してインストールしてから、もう一度お試しください。 + Error retrieving version information. See output channel '{0}' for more details バージョン情報の取得でエラーが発生しました。詳細については、出力チャネル '{0}' を参照してください @@ -2386,46 +2290,6 @@ Select a different subscription containing at least one server Error retrieving version information.{0}Invalid output received, get version command output: '{1}' バージョン情報の取得でエラーが発生しました。{0}無効な出力を受け取りました。バージョン取得コマンドの出力: '{1}' - - deleting previously downloaded Azdata.msi if one exists … - 以前にダウンロードされた Azdata.msi が存在する場合にそれを削除しています... - - - downloading Azdata.msi and installing azdata-cli … - Azdata.msi をダウンロードして、azdata cli をインストールしています... - - - displaying the installation log … - インストール ログを表示しています... - - - tapping into the brew repository for azdata-cli … - azdata-cli に brew リポジトリを利用しています... - - - updating the brew repository for azdata-cli installation … - azdata-cli インストール用に brew リポジトリを更新しています... - - - installing azdata … - azdata をインストールしています... - - - updating repository information … - リポジトリ情報を更新しています... - - - getting packages needed for azdata installation … - azdata インストールに必要なパッケージを取得しています... - - - downloading and installing the signing key for azdata … - azdata の署名キーをダウンロードしてインストールしています... - - - adding the azdata repository information … - azdata リポジトリ情報を追加しています... - diff --git a/resources/xlf/ja/schema-compare.ja.xlf b/resources/xlf/ja/schema-compare.ja.xlf index 7877efc34e..423b693148 100644 --- a/resources/xlf/ja/schema-compare.ja.xlf +++ b/resources/xlf/ja/schema-compare.ja.xlf @@ -16,28 +16,116 @@ - + - - Ok + + OK OK - + Cancel キャンセル + + Source + ソース + + + Target + ターゲット + + + File + ファイル + + + Data-tier Application File (.dacpac) + データ層アプリケーション ファイル (.dacpac) + + + Database + データベース + + + Type + 種類 + + + Server + サーバー + + + Database + データベース + + + Schema Compare + Schema Compare + + + A different source schema has been selected. Compare to see the comparison? + 別のソース スキーマが選択されました。比較を表示して比較しますか? + + + A different target schema has been selected. Compare to see the comparison? + 別のターゲット スキーマが選択されました。比較を表示して比較しますか? + + + Different source and target schemas have been selected. Compare to see the comparison? + 異なるソース スキーマとターゲット スキーマが選択されています。比較を表示して比較しますか? + + + Yes + はい + + + No + いいえ + + + Source file + ソース ファイル + + + Target file + ターゲット ファイル + + + Source Database + ソース データベース + + + Target Database + ターゲット データベース + + + Source Server + ソース サーバー + + + Target Server + ターゲット サーバー + + + default + 既定 + + + Open + 開く + + + Select source file + ソース ファイルの選択 + + + Select target file + ターゲット ファイルの選択 + Reset リセット - - Yes - はい - - - No - いいえ - Options have changed. Recompare to see the comparison? オプションが変更されました。比較を表示して再比較しますか? @@ -54,6 +142,174 @@ Include Object Types オブジェクトの種類を含める + + Compare Details + 詳細の比較 + + + Are you sure you want to update the target? + ターゲットを更新しますか? + + + Press Compare to refresh the comparison. + 比較を更新するには、[比較] を押します。 + + + Generate script to deploy changes to target + ターゲットに変更をデプロイするスクリプトを生成します + + + No changes to script + スクリプトに変更はありません + + + Apply changes to target + ターゲットに変更を適用する + + + No changes to apply + 適用する変更はありません + + + Please note that include/exclude operations can take a moment to calculate affected dependencies + 対象の依存関係を計算するために、包含/除外操作に少し時間がかかる場合があることにご注意ください + + + Delete + 削除 + + + Change + 変更 + + + Add + 追加 + + + Comparison between Source and Target + ソースとターゲットの比較 + + + Initializing Comparison. This might take a moment. + 比較を初期化します。しばらく時間がかかる場合があります。 + + + To compare two schemas, first select a source schema and target schema, then press Compare. + 2 つのスキーマを比較するには、最初にソース スキーマとターゲット スキーマを選択し、[比較] を押します。 + + + No schema differences were found. + スキーマの違いは見つかりませんでした。 + + + Type + 種類 + + + Source Name + ソース名 + + + Include + 包含 + + + Action + アクション + + + Target Name + ターゲット名 + + + Generate script is enabled when the target is a database + ターゲットがデータベースの場合にスクリプトの生成が有効になります + + + Apply is enabled when the target is a database + ターゲットがデータベースの場合に適用が有効になります + + + Cannot exclude {0}. Included dependents exist, such as {1} + {0} を除外することはできません。対象の依存関係が存在します ({1} など) + + + Cannot include {0}. Excluded dependents exist, such as {1} + {0} を含めることはできません。対象外の依存関係が存在します ({1} など) + + + Cannot exclude {0}. Included dependents exist + {0} を除外することはできません。対象の依存関係が存在します + + + Cannot include {0}. Excluded dependents exist + {0} を含めることはできません。対象外の依存関係が存在します + + + Compare + 比較 + + + Stop + 停止 + + + Generate script + スクリプトの生成 + + + Options + オプション​​ + + + Apply + 適用 + + + Switch direction + 方向の切り替え + + + Switch source and target + ソースとターゲットの切り替え + + + Select Source + ソースの選択 + + + Select Target + ターゲットの選択 + + + Open .scmp file + .scmp ファイルを開く + + + Load source, target, and options saved in an .scmp file + .scmp ファイルに保存されたソース、ターゲット、およびオプションを読み込みます + + + Save .scmp file + .scmp ファイルを保存 + + + Save source and target, options, and excluded elements + ソース、ターゲット、オプション、および除外された要素を保存します + + + Save + 保存 + + + Do you want to connect to {0}? + {0} に接続しますか? + + + Select connection + 接続の選択 + Ignore Table Options テーブル オプションを無視する @@ -407,8 +663,8 @@ データベース ロール - DatabaseTriggers - DatabaseTriggers + Database Triggers + データベース トリガー Defaults @@ -426,6 +682,14 @@ External File Formats 外部ファイル形式 + + External Streams + 外部ストリーム + + + External Streaming Jobs + 外部ストリーミング ジョブ + External Tables 外部テーブル @@ -434,6 +698,10 @@ Filegroups ファイル グループ + + Files + ファイル + File Tables ファイル テーブル @@ -503,12 +771,12 @@ 署名 - StoredProcedures - StoredProcedures + Stored Procedures + ストアド プロシージャ - SymmetricKeys - SymmetricKeys + Symmetric Keys + 対称キー Synonyms @@ -926,286 +1194,30 @@ Specifies whether differences in table column order should be ignored or updated when you publish to a database. データベースに公開するときに、テーブルの列の順序の違いを無視するか、更新するかを指定します。 - - - - - - Ok - OK - - - Cancel - キャンセル - - - Source - ソース - - - Target - ターゲット - - - File - ファイル - - - Data-tier Application File (.dacpac) - データ層アプリケーション ファイル (.dacpac) - - - Database - データベース - - - Type - 種類 - - - Server - サーバー - - - Database - データベース - - - No active connections - アクティブな接続がありません - - - Schema Compare - Schema Compare - - - A different source schema has been selected. Compare to see the comparison? - 別のソース スキーマが選択されました。比較を表示して比較しますか? - - - A different target schema has been selected. Compare to see the comparison? - 別のターゲット スキーマが選択されました。比較を表示して比較しますか? - - - Different source and target schemas have been selected. Compare to see the comparison? - 異なるソース スキーマとターゲット スキーマが選択されています。比較を表示して比較しますか? - - - Yes - はい - - - No - いいえ - - - Open - 開く - - - default - 既定 - - - - - - - Compare Details - 詳細の比較 - - - Are you sure you want to update the target? - ターゲットを更新しますか? - - - Press Compare to refresh the comparison. - 比較を更新するには、[比較] を押します。 - - - Generate script to deploy changes to target - ターゲットに変更をデプロイするスクリプトを生成します - - - No changes to script - スクリプトに変更はありません - - - Apply changes to target - ターゲットに変更を適用する - - - No changes to apply - 適用する変更はありません - - - Delete - 削除 - - - Change - 変更 - - - Add - 追加 - - - Schema Compare - Schema Compare - - - Source - ソース - - - Target - ターゲット - - - ➔ - - - - Initializing Comparison. This might take a moment. - 比較を初期化します。しばらく時間がかかる場合があります。 - - - To compare two schemas, first select a source schema and target schema, then press Compare. - 2 つのスキーマを比較するには、最初にソース スキーマとターゲット スキーマを選択し、[比較] を押します。 - - - No schema differences were found. - スキーマの違いは見つかりませんでした。 - Schema Compare failed: {0} Schema Compare に失敗しました: {0} - - Type - 種類 - - - Source Name - ソース名 - - - Include - 包含 - - - Action - アクション - - - Target Name - ターゲット名 - - - Generate script is enabled when the target is a database - ターゲットがデータベースの場合にスクリプトの生成が有効になります - - - Apply is enabled when the target is a database - ターゲットがデータベースの場合に適用が有効になります - - - Compare - 比較 - - - Compare - 比較 - - - Stop - 停止 - - - Stop - 停止 - - - Cancel schema compare failed: '{0}' - スキーマ比較を取り消すことができませんでした: '{0}' - - - Generate script - スクリプトの生成 - - - Generate script failed: '{0}' - スクリプトを生成できませんでした: '{0}' - - - Options - オプション​​ - - - Options - オプション​​ - - - Apply - 適用 - - - Yes - はい - - - Schema Compare Apply failed '{0}' - Schema Compare を適用できませんでした '{0}' - - - Switch direction - 方向の切り替え - - - Switch source and target - ソースとターゲットの切り替え - - - Select Source - ソースの選択 - - - Select Target - ターゲットの選択 - - - Open .scmp file - .scmp ファイルを開く - - - Load source, target, and options saved in an .scmp file - .scmp ファイルに保存されたソース、ターゲット、およびオプションを読み込みます - - - Open - 開く - - - Open scmp failed: '{0}' - scmp を開くことができませんでした: '{0}' - - - Save .scmp file - .scmp ファイルを保存 - - - Save source and target, options, and excluded elements - ソース、ターゲット、オプション、および除外された要素を保存します - - - Save - 保存 - Save scmp failed: '{0}' scmp を保存できませんでした: '{0}' + + Cancel schema compare failed: '{0}' + スキーマ比較を取り消すことができませんでした: '{0}' + + + Generate script failed: '{0}' + スクリプトを生成できませんでした: '{0}' + + + Schema Compare Apply failed '{0}' + Schema Compare を適用できませんでした '{0}' + + + Open scmp failed: '{0}' + scmp を開くことができませんでした: '{0}' + \ No newline at end of file diff --git a/resources/xlf/ja/sql.ja.xlf b/resources/xlf/ja/sql.ja.xlf index 0b3e34d8ce..f391537ec5 100644 --- a/resources/xlf/ja/sql.ja.xlf +++ b/resources/xlf/ja/sql.ja.xlf @@ -1,2251 +1,6 @@  - - - - Copying images is not supported - イメージのコピーはサポートされていません - - - - - - - Get Started - はじめに - - - Show Getting Started - 「はじめに」を表示する - - - Getting &&Started - && denotes a mnemonic - はじめに(&&S) - - - - - - - QueryHistory - クエリ履歴 - - - Whether Query History capture is enabled. If false queries executed will not be captured. - Query History キャプチャが有効かどうか。false の場合、実行されたクエリはキャプチャされません。 - - - View - 表示 - - - &&Query History - && denotes a mnemonic - Query History (&&Q) - - - Query History - Query History - - - - - - - Connecting: {0} - 接続中: {0} - - - Running command: {0} - 実行中のコマンド: {0} - - - Opening new query: {0} - 新しいクエリを開いています: {0} - - - Cannot connect as no server information was provided - サーバー情報が提供されていないため接続できません - - - Could not open URL due to error {0} - エラー {0} により URL を開くことができませんでした - - - This will connect to server {0} - これにより、サーバー {0} に接続されます - - - Are you sure you want to connect? - 接続しますか? - - - &&Open - 開く(&&O) - - - Connecting query file - クエリ ファイルへの接続中 - - - - - - - 1 or more tasks are in progress. Are you sure you want to quit? - 1 つ以上のタスクを実行中です。終了してもよろしいですか? - - - Yes - はい - - - No - いいえ - - - - - - - Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? - プレビュー機能により、新機能と機能改善にフル アクセスできることで、Azure Data Studio のエクスペリエンスが拡張されます。プレビュー機能の詳細については、[ここ] ({0}) を参照してください。プレビュー機能を有効にしますか? - - - Yes (recommended) - はい (推奨) - - - No - いいえ - - - No, don't show again - いいえ、今後は表示しない - - - - - - - Toggle Query History - Query History の切り替え - - - Delete - 削除 - - - Clear All History - すべての履歴をクリア - - - Open Query - クエリを開く - - - Run Query - クエリの実行 - - - Toggle Query History capture - Query History キャプチャの切り替え - - - Pause Query History Capture - Query History キャプチャの一時停止 - - - Start Query History Capture - Query History キャプチャの開始 - - - - - - - No queries to display. - 表示するクエリがありません。 - - - Query History - QueryHistory - Query History - - - - - - - Error - エラー - - - Warning - 警告 - - - Info - 情報 - - - Ignore - 無視する - - - - - - - Saving results into different format disabled for this data provider. - このデータ プロバイダーに対して無効になっている別の形式で結果を保存しています。 - - - Cannot serialize data as no provider has been registered - プロバイダーが登録されていないため、データをシリアル化できません - - - Serialization failed with an unknown error - 不明なエラーにより、シリアル化に失敗しました - - - - - - - Connection is required in order to interact with adminservice - 管理サービスとの対話には接続が必須です - - - No Handler Registered - 登録されているハンドラーがありません - - - - - - - Select a file - ファイルの選択 - - - - - - - Connection is required in order to interact with Assessment Service - 評価サービスとの対話には接続が必要です - - - No Handler Registered - 登録されているハンドラーがありません - - - - - - - Results Grid and Messages - 結果グリッドとメッセージ - - - Controls the font family. - フォント ファミリを制御します。 - - - Controls the font weight. - フォントの太さを制御します。 - - - Controls the font size in pixels. - フォント サイズ (ピクセル単位) を制御します。 - - - Controls the letter spacing in pixels. - 文字間隔 (ピクセル単位) を制御します。 - - - Controls the row height in pixels - ピクセル単位で行の高さを制御する - - - Controls the cell padding in pixels - セルの埋め込みをピクセル単位で制御します - - - Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells - 最初の結果について、列の幅を自動サイズ設定します。多数の列がある場合や、大きいセルがある場合、パフォーマンスの問題が発生する可能性があります - - - The maximum width in pixels for auto-sized columns - 自動サイズ設定される列の最大幅 (ピクセル単位) - - - - - - - View - 表示 - - - Database Connections - データベース接続 - - - data source connections - データ ソース接続 - - - data source groups - データソース グループ - - - Startup Configuration - 起動の構成 - - - True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown - Azure Data Studio の起動時にサーバー ビューを表示する場合には true (既定)。最後に開いたビューを表示する場合には false - - - - - - - Disconnect - 切断 - - - Refresh - 最新の情報に更新 - - - - - - - Preview Features - プレビュー機能 - - - Enable unreleased preview features - 未リリースのプレビュー機能を有効にする - - - Show connect dialog on startup - 起動時に接続ダイアログを表示 - - - Obsolete API Notification - 古い API 通知 - - - Enable/disable obsolete API usage notification - 古い API 使用状況通知を有効または無効にする - - - - - - - Problems - 問題 - - - - - - - {0} in progress tasks - {0} 個のタスクが進行中です - - - View - 表示 - - - Tasks - タスク - - - &&Tasks - && denotes a mnemonic - タスク(&&T) - - - - - - - The maximum number of recently used connections to store in the connection list. - 接続リストに格納する最近使用された接続の最大数。 - - - Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. - 使用する既定の SQL エンジン。.sql ファイル内の既定の言語プロバイダーが駆動され、新しい接続が作成されるときに既定で使用されます。 - - - Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. - 接続ダイアログが開いたり、解析が実行されたりするときにクリップボードの内容の解析を試行します。 - - - - - - - Server Group color palette used in the Object Explorer viewlet. - オブジェクト エクスプローラー ビューレットで使用するサーバー グループ カラー パレット。 - - - Auto-expand Server Groups in the Object Explorer viewlet. - オブジェクト エクスプローラー ビューレットの自動展開サーバー グループ。 - - - (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. - (プレビュー) 動的ノード フィルターなどの新機能をサポートする、新しい非同期サーバー ツリーをサーバー ビューおよび接続ダイアログに使用します。 - - - - - - - Identifier of the account type - アカウントの種類の識別子 - - - (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration - (省略可能) UI の accpunt を表すために使用するアイコン。ファイル パスまたはテーマを設定可能な構成のいずれかです - - - Icon path when a light theme is used - 明るいテーマを使用した場合のアイコンのパス - - - Icon path when a dark theme is used - 暗いテーマを使用した場合のアイコンのパス - - - Contributes icons to account provider. - アカウント プロバイダーにアイコンを提供します。 - - - - - - - Show Edit Data SQL pane on startup - 起動時にデータ SQL の編集ペインを表示する - - - - - - - Minimum value of the y axis - Y 軸の最小値 - - - Maximum value of the y axis - Y 軸の最大値 - - - Label for the y axis - Y 軸のラベル - - - Minimum value of the x axis - X 軸の最小値 - - - Maximum value of the x axis - X 軸の最大値 - - - Label for the x axis - X 軸のラベル - - - - - - - Resource Viewer - リソース ビューアー - - - - - - - Indicates data property of a data set for a chart. - グラフのデータ セットのデータ プロパティを示します。 - - - - - - - For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 - 結果セットの各列について、行 0 の値をカウントとして表示し、その後に列名が続きます。たとえば、'1 正常'、'3 異常' をサポートします。ここで、'正常' は列名、1 は行 1 セル 1 の値です。 - - - - - - - Displays the results in a simple table - 単純なテーブルに結果を表示する - - - - - - - Displays an image, for example one returned by an R query using ggplot2 - イメージを表示します。例: ggplot2 を使用して R クエリによって返されたイメージ - - - What format is expected - is this a JPEG, PNG or other format? - 必要な形式は何ですか。JPEG、PNG、またはその他の形式ですか? - - - Is this encoded as hex, base64 or some other format? - これは 16 進数、base64 または、他の形式でエンコードされていますか? - - - - - - - Manage - 管理 - - - Dashboard - ダッシュボード - - - - - - - The webview that will be displayed in this tab. - このタブに表示される Web ビュー。 - - - - - - - The controlhost that will be displayed in this tab. - このタブに表示される controlhost。 - - - - - - - The list of widgets that will be displayed in this tab. - このタブに表示されるウィジェットのリスト。 - - - The list of widgets is expected inside widgets-container for extension. - 拡張には、ウィジェット コンテナー内にウィジェットのリストが必要です。 - - - - - - - The list of widgets or webviews that will be displayed in this tab. - このタブに表示されるウィジェットまたは Web ビューのリスト。 - - - widgets or webviews are expected inside widgets-container for extension. - ウィジェットや Web ビューが拡張機能用のウィジェット コンテナー内に必要です。 - - - - - - - Unique identifier for this container. - このコンテナーの一意の識別子。 - - - The container that will be displayed in the tab. - タブに表示されるコンテナー。 - - - Contributes a single or multiple dashboard containers for users to add to their dashboard. - 単一または複数のダッシュ ボード コンテナーを提供し、ユーザーが自分のダッシュボードに追加できるようにします。 - - - No id in dashboard container specified for extension. - ダッシュボード コンテナーに、拡張用に指定された ID はありません。 - - - No container in dashboard container specified for extension. - ダッシュボード コンテナーに、拡張用に指定されたコンテナーはありません。 - - - Exactly 1 dashboard container must be defined per space. - 空間ごとにダッシュボード コンテナーを 1 つだけ定義する必要があります。 - - - Unknown container type defines in dashboard container for extension. - 拡張用にダッシュボード コンテナーで定義されているコンテナーの種類が不明です。 - - - - - - - Unique identifier for this nav section. Will be passed to the extension for any requests. - このナビゲーション セクションの一意の識別子。すべての要求で拡張機能に渡されます。 - - - (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration - (省略可能) UI でこのナビゲーション セクションを表すために使用されるアイコン。ファイル パスまたはテーマを設定可能な構成のいずれかです - - - Icon path when a light theme is used - 明るいテーマを使用した場合のアイコンのパス - - - Icon path when a dark theme is used - 暗いテーマを使用した場合のアイコンのパス - - - Title of the nav section to show the user. - ユーザーに表示するナビゲーション セクションのタイトル。 - - - The container that will be displayed in this nav section. - このナビゲーション セクションに表示されるコンテナー。 - - - The list of dashboard containers that will be displayed in this navigation section. - このナビゲーション セクションに表示されるダッシュボード コンテナーのリスト。 - - - No title in nav section specified for extension. - ナビゲーション セクションに、拡張用に指定されたタイトルはありません。 - - - No container in nav section specified for extension. - ナビゲーション セクションに、拡張用に指定されたコンテナーはありません。 - - - Exactly 1 dashboard container must be defined per space. - 空間ごとにダッシュボード コンテナーを 1 つだけ定義する必要があります。 - - - NAV_SECTION within NAV_SECTION is an invalid container for extension. - NAV_SECTION 内の NAV_SECTION は拡張用に無効なコンテナーです。 - - - - - - - The model-backed view that will be displayed in this tab. - このタブに表示されるモデルに基づくビュー。 - - - - - - - Backup - バックアップ - - - - - - - Restore - 復元 - - - Restore - 復元 - - - - - - - Open in Azure Portal - Azure Portal で開きます - - - - - - - disconnected - 切断されました - - - - - - - Cannot expand as the required connection provider '{0}' was not found - 必要な接続プロバイダー '{0}' が見つからないため、展開できません - - - User canceled - ユーザーによる取り消し - - - Firewall dialog canceled - ファイアウォール ダイアログが取り消されました - - - - - - - Connection is required in order to interact with JobManagementService - JobManagementService と対話するには接続が必須です - - - No Handler Registered - 登録されているハンドラーがありません - - - - - - - An error occured while loading the file browser. - ファイル ブラウザーの読み込み中にエラーが発生しました。 - - - File browser error - ファイル ブラウザーのエラー - - - - - - - Common id for the provider - プロバイダーの共通 ID - - - Display Name for the provider - プロバイダーの表示名 - - - Notebook Kernel Alias for the provider - プロバイダーの Notebook カーネル別名 - - - Icon path for the server type - サーバーの種類のアイコン パス - - - Options for connection - 接続のオプション - - - - - - - Unique identifier for this tab. Will be passed to the extension for any requests. - このタブの一意の識別子。すべての要求で拡張機能に渡されます。 - - - Title of the tab to show the user. - ユーザーを表示するタブのタイトル。 - - - Description of this tab that will be shown to the user. - ユーザーに表示されるこのタブの説明。 - - - Condition which must be true to show this item - この項目を表示するために true にする必要がある条件 - - - Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set - このタブと互換性のある接続の種類を定義します。設定されていない場合、既定値は 'MSSQL' に設定されます - - - The container that will be displayed in this tab. - このタブに表示されるコンテナー。 - - - Whether or not this tab should always be shown or only when the user adds it. - このタブを常に表示するか、またはユーザーが追加したときにのみ表示するかどうか。 - - - Whether or not this tab should be used as the Home tab for a connection type. - このタブを接続の種類の [ホーム] タブとして使用するかどうか。 - - - The unique identifier of the group this tab belongs to, value for home group: home. - このタブが属しているグループの一意識別子。ホーム グループの値: home。 - - - (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration - (省略可能) UI でこのタブを表すために使用されるアイコン。ファイル パスまたはテーマを設定可能な構成のいずれかです - - - Icon path when a light theme is used - 明るいテーマを使用した場合のアイコンのパス - - - Icon path when a dark theme is used - 暗いテーマを使用した場合のアイコンのパス - - - Contributes a single or multiple tabs for users to add to their dashboard. - ユーザーがダッシュボードに追加する 1 つまたは、複数のタブを提供します。 - - - No title specified for extension. - 拡張機能にタイトルが指定されていません。 - - - No description specified to show. - 表示するよう指定された説明はありません。 - - - No container specified for extension. - 拡張機能にコンテナーが指定されていません。 - - - Exactly 1 dashboard container must be defined per space - 空間ごとにダッシュボード コンテナーを 1 つだけ定義する必要があります - - - Unique identifier for this tab group. - このタブ グループの一意識別子。 - - - Title of the tab group. - タブ グループのタイトル。 - - - Contributes a single or multiple tab groups for users to add to their dashboard. - ユーザーがダッシュボードに追加するための 1 つまたは複数のタブ グループを提供します。 - - - No id specified for tab group. - タブ グループの ID が指定されていません。 - - - No title specified for tab group. - タブ グループのタイトルが指定されていません。 - - - Administration - 管理 - - - Monitoring - 監視中 - - - Performance - パフォーマンス - - - Security - セキュリティ - - - Troubleshooting - トラブルシューティング - - - Settings - 設定 - - - databases tab - データベース タブ - - - Databases - データベース - - - - - - - succeeded - 成功 - - - failed - 失敗 - - - - - - - Connection error - 接続エラー - - - Connection failed due to Kerberos error. - 接続は、Kerberos エラーのため失敗しました。 - - - Help configuring Kerberos is available at {0} - Kerberos を構成するためのヘルプを {0} で確認できます - - - If you have previously connected you may need to re-run kinit. - 以前に接続した場合は、kinit を再実行しなければならない場合があります。 - - - - - - - Close - 閉じる - - - Adding account... - アカウントを追加しています... - - - Refresh account was canceled by the user - ユーザーがアカウントの更新をキャンセルしました - - - - - - - Query Results - クエリ結果 - - - Query Editor - クエリ エディター - - - New Query - 新しいクエリ - - - Query Editor - クエリ エディター - - - When true, column headers are included when saving results as CSV - true の場合、CSV として結果を保存する際に列ヘッダーが組み込まれます - - - The custom delimiter to use between values when saving as CSV - CSV として保存するときに値の間に使用するカスタム区切り記号 - - - Character(s) used for seperating rows when saving results as CSV - 結果を CSV として保存するときに行を区切るために使用する文字 - - - Character used for enclosing text fields when saving results as CSV - 結果を CSV として保存するときにテキスト フィールドを囲むために使用する文字 - - - File encoding used when saving results as CSV - 結果を CSV として保存するときに使用するファイル エンコード - - - When true, XML output will be formatted when saving results as XML - true の場合、XML として結果を保存すると XML 出力がフォーマットされます - - - File encoding used when saving results as XML - 結果を XML として保存するときに使用されるファイル エンコード - - - Enable results streaming; contains few minor visual issues - 結果のストリーミングを有効にします。視覚上の小さな問題がいくつかあります - - - Configuration options for copying results from the Results View - 結果を結果ビューからコピーするための構成オプション - - - Configuration options for copying multi-line results from the Results View - 複数行の結果を結果ビューからコピーするための構成オプション - - - (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. - (試験的) 結果の最適化されたテーブルを使用します。一部の機能がなく、準備中の場合があります。 - - - Should execution time be shown for individual batches - 各バッチの実行時間を表示するかどうか - - - Word wrap messages - メッセージを右端で折り返す - - - The default chart type to use when opening Chart Viewer from a Query Results - クエリ結果からグラフ ビューアーを開くときに使用する既定のグラフの種類 - - - Tab coloring will be disabled - タブの色指定は無効になります - - - The top border of each editor tab will be colored to match the relevant server group - 各エディター タブの上部境界線は、関連するサーバー グループと同じ色になります - - - Each editor tab's background color will match the relevant server group - 各エディター タブの背景色は、関連するサーバー グループと同じになります - - - Controls how to color tabs based on the server group of their active connection - アクティブな接続のサーバー グループに基づいてタブに色を付ける方法を制御します - - - Controls whether to show the connection info for a tab in the title. - タイトルにタブの接続情報を表示するかを制御します。 - - - Prompt to save generated SQL files - 生成された SQL ファイルを保存するかをプロンプトで確認する - - - Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call. Any selected text in the query editor will be passed as a parameter - ショートカット テキストをプロシージャ呼び出しとして実行するにはキーバインド workbench.action.query.shortcut{0} を設定します。クエリ エディターで選択したテキストはパラメーターとして渡されます - - - - - - - Specifies view templates - ビュー テンプレートを指定する - - - Specifies session templates - セッション テンプレートを指定する - - - Profiler Filters - Profiler フィルター - - - - - - - Script as Create - 作成としてのスクリプト - - - Script as Drop - ドロップとしてのスクリプト - - - Select Top 1000 - 上位 1000 を選択する - - - Script as Execute - 実行としてのスクリプト - - - Script as Alter - 変更としてのスクリプト - - - Edit Data - データの編集 - - - Select Top 1000 - 上位 1000 を選択する - - - Take 10 - 10 個 - - - Script as Create - 作成としてのスクリプト - - - Script as Execute - 実行としてのスクリプト - - - Script as Alter - 変更としてのスクリプト - - - Script as Drop - ドロップとしてのスクリプト - - - Refresh - 最新の情報に更新 - - - - - - - Commit row failed: - 行のコミットに失敗しました: - - - Started executing query at - 次の場所でクエリの実行を開始しました: - - - Started executing query "{0}" - クエリ「{0}」の実行を開始しました - - - Line {0} - 行 {0} - - - Canceling the query failed: {0} - 失敗したクエリのキャンセル中: {0} - - - Update cell failed: - セルの更新が失敗しました: - - - - - - - No URI was passed when creating a notebook manager - ノートブック マネージャーを作成するときに URI が渡されませんでした - - - Notebook provider does not exist - ノートブック プロバイダーが存在しません - - - - - - - Notebook Editor - ノートブック エディター - - - New Notebook - 新しいノートブック - - - New Notebook - 新しいノートブック - - - Set Workspace And Open - ワークスペースを設定して開く - - - SQL kernel: stop Notebook execution when error occurs in a cell. - SQL カーネル: セルでエラーが発生したときに Notebook の実行を停止します。 - - - (Preview) show all kernels for the current notebook provider. - (プレビュー) 現在のノートブック プロバイダーのすべてのカーネルを表示します。 - - - Allow notebooks to run Azure Data Studio commands. - ノートブックでの Azure Data Studio コマンドの実行を許可します。 - - - Enable double click to edit for text cells in notebooks - ノートブックのテキスト セルのダブルクリックして編集を有効する - - - Set Rich Text View mode by default for text cells - 既定でテキスト セルにリッチ テキスト表示モードを設定する - - - (Preview) Save connection name in notebook metadata. - (プレビュー) ノートブック メタデータに接続名を保存します。 - - - Controls the line height used in the notebook markdown preview. This number is relative to the font size. - ノートブック マークダウン プレビューで使用される行の高さを制御します。この数値はフォント サイズを基準とします。 - - - View - 表示 - - - Search Notebooks - ノートブックの検索 - - - Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). - フルテキスト検索および Quick Open でファイルやフォルダーを除外するための glob パターンを構成します。'#files.exclude#' 設定からすべての glob パターンを継承します。glob パターンの詳細については、[こちら](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options) を参照してください。 - - - The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. - ファイル パスの照合基準となる glob パターン。これを true または false に設定すると、パターンがそれぞれ有効/無効になります。 - - - Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. - 一致するファイルの兄弟をさらにチェックします。一致するファイル名の変数として $(basename) を使用します。 - - - This setting is deprecated and now falls back on "search.usePCRE2". - この設定は推奨されず、現在 "search.usePCRE2" にフォール バックします。 - - - Deprecated. Consider "search.usePCRE2" for advanced regex feature support. - 推奨されません。高度な正規表現機能サポートのために "search.usePCRE2" の利用を検討してください。 - - - When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. - 有効にすると、searchService プロセスは 1 時間操作がない場合でもシャットダウンされず、アクティブな状態に保たれます。これにより、ファイル検索キャッシュがメモリに保持されます。 - - - Controls whether to use `.gitignore` and `.ignore` files when searching for files. - ファイルを検索するときに、`.gitignore` ファイルと `.ignore` ファイルを使用するかどうかを制御します。 - - - Controls whether to use global `.gitignore` and `.ignore` files when searching for files. - ファイルを検索するときに、グローバルの `.gitignore` と `.ignore` ファイルを使用するかどうかを制御します。 - - - Whether to include results from a global symbol search in the file results for Quick Open. - グローバル シンボル検索の結果を、Quick Open の結果ファイルに含めるかどうか。 - - - Whether to include results from recently opened files in the file results for Quick Open. - 最近開いたファイルの結果を、Quick Open の結果ファイルに含めるかどうか。 - - - History entries are sorted by relevance based on the filter value used. More relevant entries appear first. - 履歴エントリは、使用されるフィルター値に基づいて関連性によって並び替えられます。関連性の高いエントリが最初に表示されます。 - - - History entries are sorted by recency. More recently opened entries appear first. - 履歴エントリは、新しい順に並べ替えられます。最近開いたエントリが最初に表示されます。 - - - Controls sorting order of editor history in quick open when filtering. - フィルター処理時に、 Quick Open におけるエディター履歴の並べ替え順序を制御します。 - - - Controls whether to follow symlinks while searching. - 検索中にシンボリック リンクをたどるかどうかを制御します。 - - - Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. - すべて小文字のパターンの場合、大文字と小文字を区別しないで検索し、そうでない場合は大文字と小文字を区別して検索します。 - - - Controls whether the search view should read or modify the shared find clipboard on macOS. - macOS で検索ビューが共有の検索クリップボードを読み取りまたは変更するかどうかを制御します。 - - - Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. - 検索をサイドバーのビューとして表示するか、より水平方向の空間をとるためにパネル領域のパネルとして表示するかを制御します。 - - - This setting is deprecated. Please use the search view's context menu instead. - この設定は非推奨です。代わりに検索ビューのコンテキスト メニューをお使いください。 - - - Files with less than 10 results are expanded. Others are collapsed. - 結果が 10 件未満のファイルが展開されます。他のファイルは折りたたまれます。 - - - Controls whether the search results will be collapsed or expanded. - 検索結果を折りたたむか展開するかどうかを制御します。 - - - Controls whether to open Replace Preview when selecting or replacing a match. - 一致項目を選択するか置換するときに、置換のプレビューを開くかどうかを制御します。 - - - Controls whether to show line numbers for search results. - 検索結果に行番号を表示するかどうかを制御します。 - - - Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. - テキスト検索に PCRE2 正規表現エンジンを使用するかどうか。これにより、先読みや後方参照といった高度な正規表現機能を使用できるようになります。ただし、すべての PCRE2 機能がサポートされているわけではありません。JavaScript によってサポートされる機能のみが使用できます。 - - - Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. - 廃止されました。PCRE2 でのみサポートされている正規表現機能を使用すると、PCRE2 が自動的に使用されます。 - - - Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. - 検索ビューが狭い場合はアクションバーを右に、検索ビューが広い場合はコンテンツの直後にアクションバーを配置します。 - - - Always position the actionbar to the right. - アクションバーを常に右側に表示します。 - - - Controls the positioning of the actionbar on rows in the search view. - 検索ビューの行内のアクションバーの位置を制御します。 - - - Search all files as you type. - 入力中の文字列を全てのファイルから検索する。 - - - Enable seeding search from the word nearest the cursor when the active editor has no selection. - アクティブなエディターで何も選択されていないときに、カーソルに最も近い語からのシード検索を有効にします。 - - - Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. - 検索ビューにフォーカスを置いたときに、ワークスペースの検索クエリが、エディターで選択されているテキストに更新されます。これは、クリックされたときか、'workbench.views.search.focus' コマンドがトリガーされたときに発生します。 - - - When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. - '#search.searchOnType#' を有効にすると、文字が入力されてから検索が開始されるまでのタイムアウト (ミリ秒) が制御されます。'search.searchOnType' が無効になっている場合には影響しません。 - - - Double clicking selects the word under the cursor. - ダブルクリックすると、カーソルの下にある単語が選択されます。 - - - Double clicking opens the result in the active editor group. - ダブルクリックすると、アクティブなエディター グループに結果が開きます。 - - - Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. - ダブルクリックすると、結果はエディター グループの横に開かれ、まだ存在しない場合は作成されます。 - - - Configure effect of double clicking a result in a search editor. - 検索エディターで結果をダブル クリックした場合の効果を構成します。 - - - Results are sorted by folder and file names, in alphabetical order. - 結果はフォルダー名とファイル名でアルファベット順に並べ替えられます。 - - - Results are sorted by file names ignoring folder order, in alphabetical order. - 結果はフォルダーの順序を無視したファイル名でアルファベット順に並べ替えられます。 - - - Results are sorted by file extensions, in alphabetical order. - 結果は、ファイル拡張子でアルファベット順に並べ替えられます。 - - - Results are sorted by file last modified date, in descending order. - 結果は、ファイルの最終更新日で降順に並べ替えられます。 - - - Results are sorted by count per file, in descending order. - 結果は、ファイルあたりの数で降順に並べ替えられます。 - - - Results are sorted by count per file, in ascending order. - 結果は、ファイルごとのカウントで昇順に並べ替えられます。 - - - Controls sorting order of search results. - 検索結果の並べ替え順序を制御します。 - - - - - - - New Query - 新しいクエリ - - - Run - 実行 - - - Cancel - キャンセル - - - Explain - 説明 - - - Actual - 実際 - - - Disconnect - 切断 - - - Change Connection - 接続の変更 - - - Connect - 接続 - - - Enable SQLCMD - SQLCMD を有効にする - - - Disable SQLCMD - SQLCMD を無効にする - - - Select Database - データベースの選択 - - - Failed to change database - データベースを変更できませんでした - - - Failed to change database {0} - データベース {0} を変更できませんでした - - - Export as Notebook - ノートブックとしてエクスポート - - - - - - - OK - OK - - - Close - 閉じる - - - Action - アクション - - - Copy details - コピーの詳細 - - - - - - - Add server group - サーバー グループを追加する - - - Edit server group - サーバー グループの編集 - - - - - - - Extension - 拡張 - - - - - - - Failed to create Object Explorer session - オブジェクト エクスプローラー セッションを作成できませんでした - - - Multiple errors: - 複数のエラー: - - - - - - - Error adding account - アカウントの追加でのエラー - - - Firewall rule error - ファイアウォール規則のエラー - - - - - - - Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window - 読み込まれた拡張機能の一部は古い API を使用しています。[開発者ツール] ウィンドウの [コンソール] タブで詳細情報を確認してください。 - - - Don't Show Again - 今後表示しない - - - - - - - Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. - ビューの識別子。`vscode.window.registerTreeDataProviderForView` API を介してデータ プロバイダーを登録するには、これを使用します。また、`onView:${id}` イベントを `activationEvents` に登録することによって、拡張機能のアクティブ化をトリガーするためにも使用できます。 - - - The human-readable name of the view. Will be shown - ビューの判読できる名前。これが表示されます - - - Condition which must be true to show this view - このビューを表示するために満たす必要がある条件 - - - Contributes views to the editor - ビューをエディターに提供します - - - Contributes views to Data Explorer container in the Activity bar - アクティビティ バーのデータ エクスプローラー コンテナーにビューを提供します - - - Contributes views to contributed views container - コントリビューション ビュー コンテナーにビューを提供します - - - Cannot register multiple views with same id `{0}` in the view container `{1}` - ビュー コンテナー '{1}'に同じ ID '{0}' のビューを複数登録できません - - - A view with id `{0}` is already registered in the view container `{1}` - ビュー ID `{0}` はビュー コンテナー `{1}` に既に登録されています - - - views must be an array - ビューは配列にする必要があります - - - property `{0}` is mandatory and must be of type `string` - プロパティ `{0}` は必須で、`string` 型でなければなりません - - - property `{0}` can be omitted or must be of type `string` - プロパティ `{0}` は省略するか、`string` 型にする必要があります - - - - - - - {0} was replaced with {1} in your user settings. - ユーザー設定の {0} は {1} に置き換えられました。 - - - {0} was replaced with {1} in your workspace settings. - ワークスペース設定の {0} は {1} に置き換えられました。 - - - - - - - Manage - 管理 - - - Show Details - 詳細の表示 - - - Learn More - 詳細情報 - - - Clear all saved accounts - 保存されているすべてのアカウントのクリア - - - - - - - Toggle Tasks - タスクの切り替え - - - - - - - Connection Status - 接続状態 - - - - - - - User visible name for the tree provider - ツリー プロバイダーのユーザー表示名 - - - Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` - プロバイダーの ID は、ツリー データ プロバイダーを登録するときと同じである必要があり、'connectionDialog/' で始まる必要があります - - - - - - - Displays results of a query as a chart on the dashboard - ダッシュボード上のグラフとしてクエリの結果を表示します - - - Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color - '列名' -> 色をマップします。たとえば、「'column1': red」を追加して、この列で赤色が使用されるようにします - - - Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry - グラフの凡例の優先される位置と表示範囲を示します。これはクエリに基づく列名で、各グラフ項目のラベルにマップされます - - - If dataDirection is horizontal, setting this to true uses the first columns value for the legend. - dataDirection が横の場合、true に設定すると凡例に最初の列値が使用されます。 - - - If dataDirection is vertical, setting this to true will use the columns names for the legend. - dataDirection が縦の場合、true に設定すると凡例に列名が使用されます。 - - - Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. - データを列 (縦) 方向から、または行 (横) 方向から読み取るかを定義します。時系列の場合、方向は縦にする必要があるため、これは無視されます。 - - - If showTopNData is set, showing only top N data in the chart. - showTopNData を設定すると、上位 N 個のデータのみがグラフに表示されます。 - - - - - - - Widget used in the dashboards - ダッシュ ボードで使用されているウィジェット - - - - - - - Show Actions - アクションの表示 - - - Resource Viewer - リソース ビューアー - - - - - - - Identifier of the resource. - リソースの識別子。 - - - The human-readable name of the view. Will be shown - ビューの判読できる名前。これが表示されます - - - Path to the resource icon. - リソース アイコンへのパス。 - - - Contributes resource to the resource view - リソースをリソース ビューに提供します - - - property `{0}` is mandatory and must be of type `string` - プロパティ `{0}` は必須で、`string` 型でなければなりません - - - property `{0}` can be omitted or must be of type `string` - プロパティ `{0}` は省略するか、`string` 型にする必要があります - - - - - - - Resource Viewer Tree - リソース ビューアー ツリー - - - - - - - Widget used in the dashboards - ダッシュ ボードで使用されているウィジェット - - - Widget used in the dashboards - ダッシュ ボードで使用されているウィジェット - - - Widget used in the dashboards - ダッシュ ボードで使用されているウィジェット - - - - - - - Condition which must be true to show this item - この項目を表示するために true にする必要がある条件 - - - Whether to hide the header of the widget, default value is false - ウィジェットのヘッダーを非表示にするかどうか。既定値は false です。 - - - The title of the container - コンテナーのタイトル - - - The row of the component in the grid - グリッド内のコンポーネントの行 - - - The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. - グリッド内のコンポーネントの rowspan。既定値は 1 です。グリッド内の行数に設定するには '*' を使用します。 - - - The column of the component in the grid - グリッド内のコンポーネントの列 - - - The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. - グリッドのコンポーネントの colspan。既定値は 1 です。グリッドの列数に設定するには '*' を使用します。 - - - Unique identifier for this tab. Will be passed to the extension for any requests. - このタブの一意の識別子。すべての要求で拡張機能に渡されます。 - - - Extension tab is unknown or not installed. - 拡張機能タブが不明またはインストールされていません。 - - - - - - - Enable or disable the properties widget - プロパティ ウィジェットを有効または無効にする - - - Property values to show - 表示するプロパティ値 - - - Display name of the property - プロパティの表示名 - - - Value in the Database Info Object - データベース情報オブジェクトの値 - - - Specify specific values to ignore - 無視する特定の値を指定します - - - Recovery Model - 復旧モデル - - - Last Database Backup - 前回のデータベース バックアップ - - - Last Log Backup - 最終ログ バックアップ - - - Compatibility Level - 互換性レベル - - - Owner - 所有者 - - - Customizes the database dashboard page - データベース ダッシュボード ページをカスタマイズする - - - Search - 検索 - - - Customizes the database dashboard tabs - データベース ダッシュボード タブをカスタマイズする - - - - - - - Enable or disable the properties widget - プロパティ ウィジェットを有効または無効にする - - - Property values to show - 表示するプロパティ値 - - - Display name of the property - プロパティの表示名 - - - Value in the Server Info Object - サーバー情報オブジェクトの値 - - - Version - バージョン - - - Edition - エディション - - - Computer Name - コンピューター名 - - - OS Version - OS バージョン - - - Search - 検索 - - - Customizes the server dashboard page - サーバー ダッシュ ボード ページをカスタマイズします - - - Customizes the Server dashboard tabs - サーバー ダッシュボードのタブをカスタマイズします - - - - - - - Manage - 管理 - - - - - - - property `icon` can be omitted or must be either a string or a literal like `{dark, light}` - プロパティ `icon` は省略するか、文字列または `{dark, light}` などのリテラルにする必要があります - - - - - - - Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more - ウィジェットを追加します。そこでは、サーバーまたはデータベースのクエリを実行して、その結果をグラフや集計されたカウントなどの複数の方法で表示できます - - - Unique Identifier used for caching the results of the insight. - 分析情報の結果をキャッシュするために使用される一意識別子。 - - - SQL query to run. This should return exactly 1 resultset. - 実行する SQL クエリ。返す結果セットは 1 つのみでなければなりません。 - - - [Optional] path to a file that contains a query. Use if 'query' is not set - [省略可能] クエリを含むファイルへのパス。'クエリ' が設定されていない場合に使用します - - - [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh - [省略可能] 分単位の自動更新間隔。設定しないと、自動更新されません - - - Which actions to use - 使用するアクション - - - Target database for the action; can use the format '${ columnName }' to use a data driven column name. - アクションのターゲット データベース。形式 '${ columnName }' を使用して、データ ドリブン列名を使用できます。 - - - Target server for the action; can use the format '${ columnName }' to use a data driven column name. - アクションのターゲット サーバー。形式 '${ columnName }' を使用して、データ ドリブン列名を使用できます。 - - - Target user for the action; can use the format '${ columnName }' to use a data driven column name. - アクションのターゲット ユーザー。形式 '${ columnName }' を使用して、データ ドリブン列名を使用できます。 - - - Identifier of the insight - 分析情報の識別子 - - - Contributes insights to the dashboard palette. - ダッシュボード パレットに分析情報を提供します。 - - - - - - - Backup - バックアップ - - - You must enable preview features in order to use backup - バックアップを使用するにはプレビュー機能を有効にする必要があります - - - Backup command is not supported for Azure SQL databases. - Azure SQL データベースでは、バックアップ コマンドはサポートされていません。 - - - Backup command is not supported in Server Context. Please select a Database and try again. - バックアップ コマンドは、サーバー コンテキストではサポートされていません。データベースを選択して、もう一度お試しください。 - - - - - - - Restore - 復元 - - - You must enable preview features in order to use restore - 復元を使用するには、プレビュー機能を有効にする必要があります - - - Restore command is not supported for Azure SQL databases. - Azure SQL データベースでは、復元コマンドはサポートされていません。 - - - - - - - Show Recommendations - 推奨事項を表示 - - - Install Extensions - 拡張機能のインストール - - - Author an Extension... - 拡張機能の作成... - - - - - - - Edit Data Session Failed To Connect - 編集データ セッションの接続に失敗しました - - - - - - - OK - OK - - - Cancel - キャンセル - - - - - - - Open dashboard extensions - ダッシュボードの拡張機能を開く - - - OK - OK - - - Cancel - キャンセル - - - No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. - まだダッシュボードの拡張機能がインストールされていません。拡張機能マネージャーに移動し、推奨される拡張機能をご確認ください。 - - - - - - - Selected path - 選択されたパス - - - Files of type - ファイルの種類 - - - OK - OK - - - Discard - 破棄 - - - - - - - No Connection Profile was passed to insights flyout - 分析情報ポップアップに渡された接続プロファイルはありませんでした - - - Insights error - 分析情報エラー - - - There was an error reading the query file: - クエリ ファイルの読み取り中にエラーが発生しました: - - - There was an error parsing the insight config; could not find query array/string or queryfile - 分析情報の構成の解析中にエラーが発生しました。クエリ配列/文字列、またはクエリ ファイルが見つかりませんでした - - - - - - - Azure account - Azure アカウント - - - Azure tenant - Azure テナント - - - - - - - Show Connections - 接続の表示 - - - Servers - サーバー - - - Connections - 接続 - - - - - - - No task history to display. - 表示するタスク履歴がありません。 - - - Task history - TaskHistory - タスク履歴 - - - Task error - タスク エラー - - - - - - - Clear List - リストのクリア - - - Recent connections list cleared - 最近の接続履歴をクリアしました - - - Yes - はい - - - No - いいえ - - - Are you sure you want to delete all the connections from the list? - 一覧からすべての接続を削除してよろしいですか? - - - Yes - はい - - - No - いいえ - - - Delete - 削除 - - - Get Current Connection String - 現在の接続文字列を取得する - - - Connection string not available - 接続文字列は使用できません - - - No active connection available - 使用できるアクティブな接続がありません - - - - - - - Refresh - 最新の情報に更新 - - - Edit Connection - 接続の編集 - - - Disconnect - 切断 - - - New Connection - 新しい接続 - - - New Server Group - 新しいサーバー グループ - - - Edit Server Group - サーバー グループの編集 - - - Show Active Connections - アクティブな接続を表示 - - - Show All Connections - すべての接続を表示 - - - Recent Connections - 最近の接続 - - - Delete Connection - 接続の削除 - - - Delete Group - グループの削除 - - - - - - - Run - 実行 - - - Dispose Edit Failed With Error: - 編集内容の破棄がエラーで失敗しました: - - - Stop - 停止 - - - Show SQL Pane - SQL ペインの表示 - - - Close SQL Pane - SQL ペインを閉じる - - - - - - - Profiler - プロファイラー - - - Not connected - 未接続 - - - XEvent Profiler Session stopped unexpectedly on the server {0}. - サーバー {0} で XEvent Profiler セッションが予期せず停止しました。 - - - Error while starting new session - 新しいセッションを開始中にエラーが発生しました - - - The XEvent Profiler session for {0} has lost events. - {0} の XEvent Profiler セッションのイベントが失われました。 - - - - + Loading @@ -2257,746 +12,26 @@ - + - - Server Groups - サーバー グループ + + Hide text labels + テキスト ラベルの非表示 - - OK - OK - - - Cancel - キャンセル - - - Server group name - サーバー グループ名 - - - Group name is required. - グループ名が必須です。 - - - Group description - グループの説明 - - - Group color - グループの色 + + Show text labels + テキスト ラベルの表示 - + - - Error adding account - アカウントの追加でのエラー - - - - - - - Item - アイテム - - - Value - - - - Insight Details - 分析情報の詳細 - - - Property - プロパティ - - - Value - - - - Insights - 分析情報 - - - Items - アイテム - - - Item Details - アイテムの詳細 - - - - - - - Cannot start auto OAuth. An auto OAuth is already in progress. - 自動 OAuth を開始できません。自動 OAuth は既に進行中です。 - - - - - - - Sort by event - イベントで並べ替え - - - Sort by column - 列で並べ替え - - - Profiler - プロファイラー - - - OK - OK - - - Cancel - キャンセル - - - - - - - Clear all - すべてクリア - - - Apply - 適用 - - - OK - OK - - - Cancel - キャンセル - - - Filters - フィルター - - - Remove this clause - この句を削除する - - - Save Filter - フィルターを保存する - - - Load Filter - フィルターを読み込む - - - Add a clause - 句を追加する - - - Field - フィールド - - - Operator - 演算子 - - - Value - - - - Is Null - Null である - - - Is Not Null - Null でない - - - Contains - 含む - - - Not Contains - 含まない - - - Starts With - 次で始まる - - - Not Starts With - 次で始まらない - - - - - - - Save As CSV - CSV として保存 - - - Save As JSON - JSON として保存 - - - Save As Excel - Excel として保存 - - - Save As XML - XML として保存 - - - Copy - コピー - - - Copy With Headers - ヘッダー付きでコピー - - - Select All - すべて選択 - - - - - - - Defines a property to show on the dashboard - ダッシュ ボードに表示するプロパティを定義します - - - What value to use as a label for the property - プロパティのラベルとして使用する値 - - - What value in the object to access for the value - 値にアクセスするためのオブジェクト内の値 - - - Specify values to be ignored - 無視される値を指定します - - - Default value to show if ignored or no value - 無視されるか値がない場合に表示される既定値です - - - A flavor for defining dashboard properties - ダッシュボードのプロパティを定義するためのフレーバー - - - Id of the flavor - フレーバーの ID - - - Condition to use this flavor - このフレーバーを使用する条件 - - - Field to compare to - 比較するフィールド - - - Which operator to use for comparison - 比較に使用する演算子 - - - Value to compare the field to - フィールドを比較する値 - - - Properties to show for database page - データベース ページに表示するプロパティ - - - Properties to show for server page - サーバー ページに表示するプロパティ - - - Defines that this provider supports the dashboard - このプロバイダーがダッシュボードをサポートすることを定義します - - - Provider id (ex. MSSQL) - プロバイダー ID (例: MSSQL) - - - Property values to show on dashboard - ダッシュボードに表示するプロパティ値 - - - - - - - Invalid value - 無効な値 - - - {0}. {1} - {0}。{1} - - - - - - - Loading - 読み込み中 - - - Loading completed - 読み込み完了 - - - - - - - blank - 空白 - - - check all checkboxes in column: {0} - 列 {0} のすべてのチェック ボックスをオンにする - - - - - - - No tree view with id '{0}' registered. - ID '{0}' のツリー ビューは登録されていません。 - - - - - - - Initialize edit data session failed: - 編集データ セッションを初期化できませんでした: - - - - - - - Identifier of the notebook provider. - ノートブック プロバイダーの識別子。 - - - What file extensions should be registered to this notebook provider - このノートブック プロバイダーにどのファイル拡張子を登録する必要があるか - - - What kernels should be standard with this notebook provider - このノートブック プロバイダーへの標準装備が必要なカーネル - - - Contributes notebook providers. - ノートブック プロバイダーを提供します。 - - - Name of the cell magic, such as '%%sql'. - '%%sql' などのセル マジックの名前。 - - - The cell language to be used if this cell magic is included in the cell - このセル マジックがセルに含まれる場合に使用されるセルの言語 - - - Optional execution target this magic indicates, for example Spark vs SQL - Spark / SQL など、このマジックが示すオプションの実行対象 - - - Optional set of kernels this is valid for, e.g. python3, pyspark, sql - これが有効なカーネルのオプションのセット (python3、pyspark、sql など) - - - Contributes notebook language. - ノートブックの言語を提供します。 - - - - - - - F5 shortcut key requires a code cell to be selected. Please select a code cell to run. - F5 ショートカット キーでは、コード セルを選択する必要があります。実行するコード セルを選択してください。 - - - Clear result requires a code cell to be selected. Please select a code cell to run. - 結果をクリアするには、コード セルを選択する必要があります。実行するコード セルを選択してください。 - - - - - - - SQL - SQL - - - - - - - Max Rows: - 最大行数: - - - - - - - Select View - ビューの選択 - - - Select Session - セッションの選択 - - - Select Session: - セッションを選択: - - - Select View: - ビューを選択: - - - Text - テキスト - - - Label - ラベル - - - Value - - - - Details - 詳細 - - - - - - - Time Elapsed - 経過時間 - - - Row Count - 行数 - - - {0} rows - {0} 行 - - - Executing query... - クエリを実行しています... - - - Execution Status - 実行状態 - - - Selection Summary - 選択の要約 - - - Average: {0} Count: {1} Sum: {2} - 平均: {0} 数: {1} 合計: {2} - - - - - - - Choose SQL Language - SQL 言語の選択 - - - Change SQL language provider - SQL 言語プロバイダーの変更 - - - SQL Language Flavor - SQL 言語のフレーバー - - - Change SQL Engine Provider - SQL エンジン プロバイダーの変更 - - - A connection using engine {0} exists. To change please disconnect or change connection - エンジン {0} を使用している接続が存在します。変更するには、切断するか、接続を変更してください - - - No text editor active at this time - 現時点でアクティブなテキスト エディターはありません - - - Select Language Provider - 言語プロバイダーの選択 - - - - - - - Error displaying Plotly graph: {0} - Plotly グラフの表示エラー: {0} - - - - - - - No {0} renderer could be found for output. It has the following MIME types: {1} - 出力用の {0} レンダラーが見つかりませんでした。次の MIME の種類があります: {1}。 - - - (safe) - (安全) - - - - - - - Select Top 1000 - 上位 1000 を選択する - - - Take 10 - 10 個 - - - Script as Execute - 実行としてのスクリプト - - - Script as Alter - 変更としてのスクリプト - - - Edit Data - データの編集 - - - Script as Create - 作成としてのスクリプト - - - Script as Drop - ドロップとしてのスクリプト - - - - - - - A NotebookProvider with valid providerId must be passed to this method - 有効な providerId を持つ NotebookProvider をこのメソッドに渡す必要があります - - - - - - - A NotebookProvider with valid providerId must be passed to this method - 有効な providerId を持つ NotebookProvider をこのメソッドに渡す必要があります - - - no notebook provider found - ノートブック プロバイダーが見つかりません - - - No Manager found - マネージャーが見つかりません - - - Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it - ノートブック {0} の Notebook Manager にサーバー マネージャーがありません。それに対して操作を実行できません - - - Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it - ノートブック {0} の Notebook Manager にコンテンツ マネージャーがありません。それに対して操作を実行できません - - - Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it - ノートブック {0} の Notebook Manager にセッション マネージャーがありません。それに対して操作を実行できません - - - - - - - Failed to get Azure account token for connection - 接続用の Azure アカウント トークンの取得に失敗しました - - - Connection Not Accepted - 接続が承認されていません - - - Yes - はい - - - No - いいえ - - - Are you sure you want to cancel this connection? - この接続をキャンセルしてもよろしいですか? - - - - - - - OK - OK - - + Close 閉じる - - - - Loading kernels... - カーネルを読み込んでいます... - - - Changing kernel... - カーネルを変更しています... - - - Attach to - 接続先: - - - Kernel - カーネル - - - Loading contexts... - コンテキストを読み込んでいます... - - - Change Connection - 接続の変更 - - - Select Connection - 接続を選択 - - - localhost - localhost - - - No Kernel - カーネルなし - - - Clear Results - 結果のクリア - - - Trusted - 信頼されています - - - Not Trusted - 信頼されていません - - - Collapse Cells - セルを折りたたむ - - - Expand Cells - セルを展開する - - - None - なし - - - New Notebook - 新しいノートブック - - - Find Next String - 次の文字列を検索 - - - Find Previous String - 前の文字列を検索 - - - - - - - Query Plan - クエリ プラン - - - - - - - Refresh - 最新の情報に更新 - - - - - - - Step {0} - ステップ {0} - - - - - - - Must be an option from the list - 一覧からオプションを選択する必要があります - - - Select Box - ボックスを選択 - - - @@ -3013,134 +48,260 @@ - + - - Connection - 接続 - - - Connecting - 接続しています - - - Connection type - 接続の種類 - - - Recent Connections - 最近の接続 - - - Saved Connections - 保存された接続 - - - Connection Details - 接続の詳細 - - - Connect - 接続 - - - Cancel - キャンセル - - - Recent Connections - 最近の接続 - - - No recent connection - 最近の接続はありません - - - Saved Connections - 保存された接続 - - - No saved connection - 保存された接続はありません + + no data available + 利用できるデータはありません - + - - File browser tree - FileBrowserTree - ファイル ブラウザー ツリー + + Select/Deselect All + すべて選択/選択解除 - + - - From - 開始 + + Show Filter + フィルターの表示 - - To - 終了 + + Select All + すべて選択 - - Create new firewall rule - 新しいファイアウォール規則の作成 + + Search + 検索 - + + {0} Results + This tells the user how many items are shown in the list. Currently not visible, but read by screen readers. + {0} 件の結果 + + + {0} Selected + This tells the user how many items are selected in the list + {0} 件選択済み + + + Sort Ascending + 昇順で並べ替え + + + Sort Descending + 降順で並べ替え + + OK OK - + + Clear + クリア + + Cancel キャンセル - - Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. - このクライアント IP アドレスではサーバーにアクセスできません。アクセスできるようにするには、Azure アカウントにサインインし、新しいファイアウォール規則を作成します。 - - - Learn more about firewall settings - ファイアウォール設定の詳細情報 - - - Firewall rule - ファイアウォール規則 - - - Add my client IP - 自分のクライアント IP アドレスを追加 - - - Add my subnet IP range - 自分のサブネット IP 範囲を追加 + + Filter Options + フィルター オプション - + - - All files - すべてのファイル + + Loading + 読み込み中 - + - - Could not find query file at any of the following paths : - {0} - クエリ ファイルが、次のどのパスにも見つかりませんでした: - {0} + + Loading Error... + 読み込みエラー... - + - - You need to refresh the credentials for this account. - このアカウントの資格情報を更新する必要があります。 + + Toggle More + 詳細の切り替え + + + + + + + Azure Data Studio + Azure Data Studio + + + Enable automatic update checks. Azure Data Studio will check for updates automatically and periodically. + 自動更新チェックを有効にします。Azure Data Studio は、更新プログラムを自動的かつ定期的に確認します。 + + + Enable to download and install new Azure Data Studio Versions in the background on Windows + Windows で新しい Azure Data Studio バージョンをバックグラウンドでダウンロードしてインストールできるようにする + + + Show Release Notes after an update. The Release Notes are opened in a new web browser window. + 更新後にリリース ノートを表示します。リリース ノートが新しい Web ブラウザー ウィンドウで開きます。 + + + The dashboard toolbar action menu + ダッシュボード ツールバーのアクション メニュー + + + The notebook cell title menu + ノートブックのセル タイトル メニュー + + + The notebook title menu + ノートブックのタイトル メニュー + + + The notebook toolbar menu + ノートブックのツール バー メニュー + + + The dataexplorer view container title action menu + dataexplorer ビュー コンテナーのタイトル アクション メニュー + + + The dataexplorer item context menu + データエクスプローラー項目のコンテキスト メニュー + + + The object explorer item context menu + オブジェクト エクスプローラー項目のコンテキスト メニュー + + + The connection dialog's browse tree context menu + 接続ダイアログの閲覧ツリーのコンテキスト メニュー + + + The data grid item context menu + データ グリッド項目のコンテキスト メニュー + + + Sets the security policy for downloading extensions. + 拡張機能をダウンロードするためのセキュリティ ポリシーを設定します。 + + + Your extension policy does not allow installing extensions. Please change your extension policy and try again. + 拡張機能のポリシーでは、拡張機能のインストールは許可されていません。拡張機能ポリシーを変更して、もう一度お試しください。 + + + Completed installing {0} extension from VSIX. Please reload Azure Data Studio to enable it. + VSIX からの {0} 拡張機能のインストールが完了しました。有効にするには、Azure Data Studio を再度読み込んでください。 + + + Please reload Azure Data Studio to complete the uninstallation of this extension. + この拡張機能のアンインストールを完了するには、Azure Data Studio を再度読み込んでください。 + + + Please reload Azure Data Studio to enable the updated extension. + 更新された拡張機能を有効にするには、Azure Data Studio を再度読み込んでください。 + + + Please reload Azure Data Studio to enable this extension locally. + この拡張機能をローカルで有効にするには、Azure Data Studio を再度読み込んでください。 + + + Please reload Azure Data Studio to enable this extension. + この拡張機能を有効にするには、Azure Data Studio を再度読み込んでください。 + + + Please reload Azure Data Studio to disable this extension. + 更新された拡張機能を無効にするには、Azure Data Studio を再度読み込んでください。 + + + Please reload Azure Data Studio to complete the uninstallation of the extension {0}. + 拡張機能 {0}のアンインストールを完了するには、Azure Data Studio を再度読み込んでください。 + + + Please reload Azure Data Studio to enable this extension in {0}. + この拡張機能を {0} で有効にするには、Azure Data Studio を再度読み込んでください。 + + + Installing extension {0} is completed. Please reload Azure Data Studio to enable it. + 拡張機能 {0} のインストールが完了しました。これを有効にするには、Azure Data Studio を再度読み込んでください。 + + + Please reload Azure Data Studio to complete reinstalling the extension {0}. + 拡張機能 {0}の再インストールを完了するには、Azure Data Studio を再度読み込んでください。 + + + Marketplace + マーケット プレース + + + The scenario type for extension recommendations must be provided. + 拡張機能の推奨事項のシナリオの種類を指定する必要があります。 + + + Unable to install extension '{0}' as it is not compatible with Azure Data Studio '{1}'. + Azure Data Studio '{1}' と互換性がないため、拡張機能 '{0}' をインストールできません。 + + + New Query + 新しいクエリ + + + New &&Query + && denotes a mnemonic + 新しいクエリ(&Q) + + + &&New Notebook + && denotes a mnemonic + 新しいノートブック(&N) + + + Controls the memory available to Azure Data Studio after restart when trying to open large files. Same effect as specifying `--max-memory=NEWSIZE` on the command line. + 大きなファイルを開こうとすると再起動後に Azure Data Studio に対して使用できるメモリを制御します。コマンド ラインで '--max-memory=NEWSIZE' を指定する場合と同じ効果があります。 + + + Would you like to change Azure Data Studio's UI language to {0} and restart? + Azure Data Studio の UI 言語を {0} に変更して再起動しますか? + + + In order to use Azure Data Studio in {0}, Azure Data Studio needs to restart. + {0}で Azure Data Studio を使用するには、Azure Data Studio を再起動する必要があります。 + + + New SQL File + 新しい SQL ファイル + + + New Notebook + 新しいノートブック + + + Install Extension from VSIX Package + && denotes a mnemonic + VSIX パッケージから拡張機能をインストールする + + + + + + + Must be an option from the list + 一覧からオプションを選択する必要があります + + + Select Box + ボックスを選択 @@ -3184,1263 +345,59 @@ - + - - Show Notebooks - ノートブックの表示 - - - Search Results - 検索結果 - - - Search path not found: {0} - 検索パスが見つかりません: {0} - - - Notebooks - ノートブック + + Copying images is not supported + イメージのコピーはサポートされていません - + - - Focus on Current Query - 現在のクエリにフォーカスを移動する - - - Run Query - クエリの実行 - - - Run Current Query - 現在のクエリを実行 - - - Copy Query With Results - 結果を含むクエリのコピー - - - Successfully copied query and results. - クエリと結果が正常にコピーされました。 - - - Run Current Query with Actual Plan - 実際のプランで現在のクエリを実行 - - - Cancel Query - クエリのキャンセル - - - Refresh IntelliSense Cache - IntelliSense キャッシュの更新 - - - Toggle Query Results - クエリ結果の切り替え - - - Toggle Focus Between Query And Results - クエリと結果の間のフォーカスの切り替え - - - Editor parameter is required for a shortcut to be executed - ショートカットを実行するにはエディター パラメーターが必須です - - - Parse Query - クエリの解析 - - - Commands completed successfully - コマンドが正常に完了しました - - - Command failed: - コマンドが失敗しました: - - - Please connect to a server - サーバーに接続してください + + A server group with the same name already exists. + 同じ名前のサーバー グループが既に存在します。 - + - - succeeded - 成功 - - - failed - 失敗 - - - in progress - 進行中 - - - not started - 未開始 - - - canceled - キャンセル済み - - - canceling - キャンセル中 + + Widget used in the dashboards + ダッシュ ボードで使用されているウィジェット - + - - Chart cannot be displayed with the given data - 指定されたデータでグラフを表示できません + + Widget used in the dashboards + ダッシュ ボードで使用されているウィジェット + + + Widget used in the dashboards + ダッシュ ボードで使用されているウィジェット + + + Widget used in the dashboards + ダッシュ ボードで使用されているウィジェット - + - - Error opening link : {0} - リンクを開いているときにエラーが発生しました: {0} + + Saving results into different format disabled for this data provider. + このデータ プロバイダーに対して無効になっている別の形式で結果を保存しています。 - - Error executing command '{0}' : {1} - コマンド '{0}' の実行でエラーが発生しました: {1} + + Cannot serialize data as no provider has been registered + プロバイダーが登録されていないため、データをシリアル化できません - - - - - - Copy failed with error {0} - エラー {0} でコピーに失敗しました - - - Show chart - グラフの表示 - - - Show table - テーブルの表示 - - - - - - - <i>Double-click to edit</i> - <i>ダブルクリックして編集</i> - - - <i>Add content here...</i> - <i>ここにコンテンツを追加...</i> - - - - - - - An error occurred refreshing node '{0}': {1} - ノード '{0}' の更新でエラーが発生しました: {1} - - - - - - - Done - 完了 - - - Cancel - キャンセル - - - Generate script - スクリプトの生成 - - - Next - 次へ - - - Previous - 前へ - - - Tabs are not initialized - タブが初期化されていません - - - - - - - is required. - が必須です。 - - - Invalid input. Numeric value expected. - 無効な入力です。数値が必要です。 - - - - - - - Backup file path - バックアップ ファイルのパス - - - Target database - ターゲット データベース - - - Restore - 復元 - - - Restore database - データベースの復元 - - - Database - データベース - - - Backup file - バックアップ ファイル - - - Restore database - データベースの復元 - - - Cancel - キャンセル - - - Script - スクリプト - - - Source - ソース - - - Restore from - 復元元 - - - Backup file path is required. - バックアップ ファイルのパスが必須です。 - - - Please enter one or more file paths separated by commas - 1つまたは複数のファイル パスをコンマで区切って入力してください。 - - - Database - データベース - - - Destination - ターゲット - - - Restore to - 復元先 - - - Restore plan - 復元計画 - - - Backup sets to restore - 復元するバックアップ セット - - - Restore database files as - データベース ファイルを名前を付けて復元 - - - Restore database file details - データベース ファイルの詳細を復元する - - - Logical file Name - 論理ファイル名 - - - File type - ファイルの種類 - - - Original File Name - 元のファイル名 - - - Restore as - 復元ファイル名 - - - Restore options - 復元オプション - - - Tail-Log backup - ログ末尾のバックアップ - - - Server connections - サーバーの接続 - - - General - 全般 - - - Files - ファイル - - - Options - オプション​​ - - - - - - - Copy Cell - セルをコピー - - - - - - - Done - 完了 - - - Cancel - キャンセル - - - - - - - Copy & Open - コピーして開く - - - Cancel - キャンセル - - - User code - ユーザー コード - - - Website - Web サイト - - - - - - - The index {0} is invalid. - インデックス {0} が無効です。 - - - - - - - Server Description (optional) - サーバーの説明 (省略可能) - - - - - - - Advanced Properties - 詳細プロパティ - - - Discard - 破棄 - - - - - - - nbformat v{0}.{1} not recognized - 認識されない nbformat v{0}.{1} - - - This file does not have a valid notebook format - このファイルは有効なノートブック形式ではありません - - - Cell type {0} unknown - セルの種類 {0} が不明 - - - Output type {0} not recognized - 出力の種類 {0} を認識できません - - - Data for {0} is expected to be a string or an Array of strings - {0} のデータは、文字列または文字列の配列である必要があります - - - Output type {0} not recognized - 出力の種類 {0} を認識できません - - - - - - - Welcome - ようこそ - - - SQL Admin Pack - SQL 管理パック - - - SQL Admin Pack - SQL 管理パック - - - Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server - SQL Server の管理パックは、一般的なデータベース管理拡張機能のコレクションであり、SQL Server の管理に役立ちます - - - Powershell - PowerShell - - - Write and execute PowerShell scripts using Azure Data Studio's rich query editor - Azure Data Studio のリッチ クエリ エディターを使用して PowerShell スクリプトを作成して実行します - - - Data Virtualization - データ仮想化 - - - Virtualize data with SQL Server 2019 and create external tables using interactive wizards - SQL Server 2019 を使用してデータを仮想化し、インタラクティブなウィザードを使用して外部テーブルを作成します - - - PostgreSQL - PostgreSQL - - - Connect, query, and manage Postgres databases with Azure Data Studio - Azure Data Studio で Postgres データベースを接続、クエリ、および管理します - - - Support for {0} is already installed. - {0} のサポートは既にインストールされています。 - - - The window will reload after installing additional support for {0}. - {0} に追加のサポートをインストールしたあと、ウィンドウが再度読み込まれます。 - - - Installing additional support for {0}... - {0} に追加のサポートをインストールしています... - - - Support for {0} with id {1} could not be found. - ID {1} のサポート {0} は見つかりませんでした。 - - - New connection - 新しい接続 - - - New query - 新しいクエリ - - - New notebook - 新しいノートブック - - - Deploy a server - サーバーのデプロイ - - - Welcome - ようこそ - - - New - 新規 - - - Open… - 開く… - - - Open file… - ファイルを開く… - - - Open folder… - フォルダーを開く - - - Start Tour - ツアーの開始 - - - Close quick tour bar - クイック ツアー バーを閉じる - - - Would you like to take a quick tour of Azure Data Studio? - Azure Data Studio のクイック ツアーを開始しますか? - - - Welcome! - ようこそ - - - Open folder {0} with path {1} - パス {1} のフォルダー {0} を開く - - - Install - インストール - - - Install {0} keymap - {0} キーマップのインストール - - - Install additional support for {0} - {0} に追加のサポートをインストールする - - - Installed - インストール済み - - - {0} keymap is already installed - {0} キーマップは既にインストールされています - - - {0} support is already installed - {0} のサポートは既にインストールされています - - - OK - OK - - - Details - 詳細 - - - Background color for the Welcome page. - ウェルカム ページの背景色。 - - - - - - - Profiler editor for event text. Readonly - イベント テキストの Profiler エディター。読み取り専用 - - - - - - - Failed to save results. - 結果を保存できませんでした。 - - - Choose Results File - 結果ファイルの選択 - - - CSV (Comma delimited) - CSV (コンマ区切り) - - - JSON - JSON - - - Excel Workbook - Excel ブック - - - XML - XML - - - Plain Text - プレーン テキスト - - - Saving file... - ファイルを保存しています... - - - Successfully saved results to {0} - 結果が {0} に正常に保存されました - - - Open file - ファイルを開く - - - - - - - Hide text labels - テキスト ラベルの非表示 - - - Show text labels - テキスト ラベルの表示 - - - - - - - modelview code editor for view model. - ビュー モデル用のモードビュー コード エディター。 - - - - - - - Information - 情報 - - - Warning - 警告 - - - Error - エラー - - - Show Details - 詳細の表示 - - - Copy - コピー - - - Close - 閉じる - - - Back - 戻る - - - Hide Details - 詳細を表示しない - - - - - - - Accounts - アカウント - - - Linked accounts - リンクされたアカウント - - - Close - 閉じる - - - There is no linked account. Please add an account. - リンクされているアカウントはありません。アカウントを追加してください。 - - - Add an account - アカウントを追加する - - - You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud - 有効にされているクラウドがありません。[設定] -> [Azure アカウント構成の検索] に移動し、 少なくとも 1 つのクラウドを有効にしてください - - - You didn't select any authentication provider. Please try again. - 認証プロバイダーを選択していません。もう一度お試しください。 - - - - - - - Execution failed due to an unexpected error: {0} {1} - 予期しないエラーにより、実行が失敗しました: {0} {1} - - - Total execution time: {0} - 総実行時間: {0} - - - Started executing query at Line {0} - 行 {0} でのクエリの実行が開始されました - - - Started executing batch {0} - バッチ {0} の実行を開始しました - - - Batch execution time: {0} - バッチ実行時間: {0} - - - Copy failed with error {0} - エラー {0} でコピーに失敗しました - - - - - - - Azure Data Studio - Azure Data Studio - - - Start - 開始 - - - New connection - 新しい接続 - - - New query - 新しいクエリ - - - New notebook - 新しいノートブック - - - Open file - ファイルを開く - - - Open file - ファイルを開く - - - Deploy - デプロイ - - - New Deployment… - 新しいデプロイ… - - - Recent - 最近 - - - More... - その他... - - - No recent folders - 最近使用したフォルダーなし - - - Help - ヘルプ - - - Getting started - はじめに - - - Documentation - ドキュメント - - - Report issue or feature request - 問題または機能要求を報告する - - - GitHub repository - GitHub リポジトリ - - - Release notes - リリース ノート - - - Show welcome page on startup - 起動時にウェルカム ページを表示する - - - Customize - カスタマイズ - - - Extensions - 拡張 - - - Download extensions that you need, including the SQL Server Admin pack and more - SQL Server 管理パックなど、必要な拡張機能をダウンロードする - - - Keyboard Shortcuts - キーボード ショートカット - - - Find your favorite commands and customize them - お気に入りのコマンドを見つけてカスタマイズする - - - Color theme - 配色テーマ - - - Make the editor and your code look the way you love - エディターとコードの外観を自由に設定します - - - Learn - 詳細 - - - Find and run all commands - すべてのコマンドの検索と実行 - - - Rapidly access and search commands from the Command Palette ({0}) - コマンド パレット ({0}) にすばやくアクセスしてコマンドを検索します - - - Discover what's new in the latest release - 最新リリースの新機能を見る - - - New monthly blog posts each month showcasing our new features - 毎月新機能を紹介する新しいブログ記事 - - - Follow us on Twitter - Twitter でフォローする - - - Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. - コミュニティがどのように Azure Data Studio を使用しているかについて、最新情報を把握し、エンジニアと直接話し合います。 - - - - - - - Connect - 接続 - - - Disconnect - 切断 - - - Start - 開始 - - - New Session - 新しいセッション - - - Pause - 一時停止 - - - Resume - 再開 - - - Stop - 停止 - - - Clear Data - データのクリア - - - Are you sure you want to clear the data? - データをクリアしますか? - - - Yes - はい - - - No - いいえ - - - Auto Scroll: On - 自動スクロール: オン - - - Auto Scroll: Off - 自動スクロール: オフ - - - Toggle Collapsed Panel - 折りたたんだパネルを切り替える - - - Edit Columns - 列の編集 - - - Find Next String - 次の文字列を検索 - - - Find Previous String - 前の文字列を検索 - - - Launch Profiler - Profiler を起動 - - - Filter… - フィルター... - - - Clear Filter - フィルターのクリア - - - Are you sure you want to clear the filters? - フィルターをクリアしますか? - - - - - - - Events (Filtered): {0}/{1} - イベント (フィルター処理済み): {0}/{1} - - - Events: {0} - イベント: {0} - - - Event Count - イベント数 - - - - - - - no data available - 利用できるデータはありません - - - - - - - Results - 結果 - - - Messages - メッセージ - - - - - - - No script was returned when calling select script on object - オブジェクトに対するスクリプトの選択を呼び出したときに返されたスクリプトはありません - - - Select - 選択 - - - Create - 作成 - - - Insert - 挿入 - - - Update - 更新 - - - Delete - 削除 - - - No script was returned when scripting as {0} on object {1} - オブジェクト {1} に対する {0} としてスクリプトを作成したときに返されたスクリプトはありません - - - Scripting Failed - スクリプト作成に失敗しました - - - No script was returned when scripting as {0} - {0} としてスクリプトを作成したときに返されたスクリプトはありません - - - - - - - Table header background color - テーブル ヘッダーの背景色 - - - Table header foreground color - テーブル ヘッダーの前景色 - - - List/Table background color for the selected and focus item when the list/table is active - リスト/テーブルがアクティブなときに選択した項目とフォーカスのある項目のリスト/テーブル背景色 - - - Color of the outline of a cell. - セルの枠線の色。 - - - Disabled Input box background. - 入力ボックスの背景が無効にされました。 - - - Disabled Input box foreground. - 入力ボックスの前景が無効にされました。 - - - Button outline color when focused. - フォーカスしたときのボタンの外枠の色。 - - - Disabled checkbox foreground. - チェック ボックスの前景が無効にされました。 - - - SQL Agent Table background color. - SQL Agent のテーブル背景色。 - - - SQL Agent table cell background color. - SQL エージェントのテーブル セル背景色。 - - - SQL Agent table hover background color. - SQL Agent のテーブル ホバー背景色。 - - - SQL Agent heading background color. - SQL Agent の見出し背景色。 - - - SQL Agent table cell border color. - SQL Agent のテーブル セル枠線色。 - - - Results messages error color. - 結果メッセージのエラー色。 - - - - - - - Backup name - バックアップ名 - - - Recovery model - 復旧モデル - - - Backup type - バックアップの種類 - - - Backup files - バックアップ ファイル - - - Algorithm - アルゴリズム - - - Certificate or Asymmetric key - 証明書または非対称キー - - - Media - メディア - - - Backup to the existing media set - 既存のメディア セットにバックアップ - - - Backup to a new media set - 新しいメディア セットにバックアップ - - - Append to the existing backup set - 既存のバックアップ セットに追加 - - - Overwrite all existing backup sets - 既存のすべてのバックアップ セットを上書きする - - - New media set name - 新しいメディア セット名 - - - New media set description - 新しいメディア セットの説明 - - - Perform checksum before writing to media - メディアに書き込む前にチェックサムを行う - - - Verify backup when finished - 完了時にバックアップを検証する - - - Continue on error - エラー時に続行 - - - Expiration - 有効期限 - - - Set backup retain days - バックアップ保持日数の設定 - - - Copy-only backup - コピーのみのバックアップ - - - Advanced Configuration - 高度な構成 - - - Compression - 圧縮 - - - Set backup compression - バックアップの圧縮の設定 - - - Encryption - 暗号化 - - - Transaction log - トランザクション ログ - - - Truncate the transaction log - トランザクション ログの切り捨て - - - Backup the tail of the log - ログ末尾のバックアップ - - - Reliability - 信頼性 - - - Media name is required - メディア名が必須です - - - No certificate or asymmetric key is available - 使用可能な証明書または非対称キーがありません - - - Add a file - ファイルを追加 - - - Remove files - ファイルを削除 - - - Invalid input. Value must be greater than or equal 0. - 入力が無効です。値は 0 以上でなければなりません。 - - - Script - スクリプト - - - Backup - バックアップ - - - Cancel - キャンセル - - - Only backup to file is supported - ファイルへのバックアップのみがサポートされています - - - Backup file path is required - バックアップ ファイルのパスが必須です + + Serialization failed with an unknown error + 不明なエラーにより、シリアル化に失敗しました @@ -4632,407 +589,87 @@ - + - - There is no data provider registered that can provide view data. - ビュー データを提供できるデータ プロバイダーが登録されていません。 + + Table header background color + テーブル ヘッダーの背景色 - - Refresh - 最新の情報に更新 + + Table header foreground color + テーブル ヘッダーの前景色 - - Collapse All - すべて折りたたむ + + List/Table background color for the selected and focus item when the list/table is active + リスト/テーブルがアクティブなときに選択した項目とフォーカスのある項目のリスト/テーブル背景色 - - Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. - コマンド {1} の実行中にエラー {0} が発生しました。{1} を提供する拡張機能が原因である可能性があります。 + + Color of the outline of a cell. + セルの枠線の色。 + + + Disabled Input box background. + 入力ボックスの背景が無効にされました。 + + + Disabled Input box foreground. + 入力ボックスの前景が無効にされました。 + + + Button outline color when focused. + フォーカスしたときのボタンの外枠の色。 + + + Disabled checkbox foreground. + チェック ボックスの前景が無効にされました。 + + + SQL Agent Table background color. + SQL Agent のテーブル背景色。 + + + SQL Agent table cell background color. + SQL エージェントのテーブル セル背景色。 + + + SQL Agent table hover background color. + SQL Agent のテーブル ホバー背景色。 + + + SQL Agent heading background color. + SQL Agent の見出し背景色。 + + + SQL Agent table cell border color. + SQL Agent のテーブル セル枠線色。 + + + Results messages error color. + 結果メッセージのエラー色。 - + - - Please select active cell and try again - アクティブなセルを選択して、もう一度お試しください + + Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window + 読み込まれた拡張機能の一部は古い API を使用しています。[開発者ツール] ウィンドウの [コンソール] タブで詳細情報を確認してください。 - - Run cell - セルの実行 - - - Cancel execution - 実行のキャンセル - - - Error on last run. Click to run again - 最後の実行でエラーが発生しました。もう一度実行するにはクリックしてください + + Don't Show Again + 今後表示しない - + - - Cancel - キャンセル + + F5 shortcut key requires a code cell to be selected. Please select a code cell to run. + F5 ショートカット キーでは、コード セルを選択する必要があります。実行するコード セルを選択してください。 - - The task is failed to cancel. - タスクをキャンセルできませんでした。 - - - Script - スクリプト - - - - - - - Toggle More - 詳細の切り替え - - - - - - - Loading - 読み込み中 - - - - - - - Home - ホーム - - - - - - - The "{0}" section has invalid content. Please contact extension owner. - "{0}" セクションに無効なコンテンツがあります。機能拡張の所有者にお問い合わせください。 - - - - - - - Jobs - ジョブ - - - Notebooks - ノートブック - - - Alerts - アラート - - - Proxies - プロキシ - - - Operators - 演算子 - - - - - - - Server Properties - サーバーのプロパティ - - - - - - - Database Properties - データベースのプロパティ - - - - - - - Select/Deselect All - すべて選択/選択解除 - - - - - - - Show Filter - フィルターの表示 - - - OK - OK - - - Clear - クリア - - - Cancel - キャンセル - - - - - - - Recent Connections - 最近の接続 - - - Servers - サーバー - - - Servers - サーバー - - - - - - - Backup Files - バックアップ ファイル - - - All Files - すべてのファイル - - - - - - - Search: Type Search Term and press Enter to search or Escape to cancel - 検索: 検索語句を入力し Enter を押して検索するか、Esc を押して取り消します - - - Search - 検索 - - - - - - - Failed to change database - データベースを変更できませんでした - - - - - - - Name - 名前 - - - Last Occurrence - 最後の発生 - - - Enabled - 有効 - - - Delay Between Responses (in secs) - 応答間の遅延 (秒) - - - Category Name - カテゴリ名 - - - - - - - Name - 名前 - - - Email Address - 電子メール アドレス - - - Enabled - 有効 - - - - - - - Account Name - アカウント名 - - - Credential Name - 資格情報名 - - - Description - 説明 - - - Enabled - 有効 - - - - - - - loading objects - オブジェクトを読み込んでいます - - - loading databases - データベースを読み込んでいます - - - loading objects completed. - オブジェクトの読み込みが完了しました。 - - - loading databases completed. - データベースの読み込みが完了しました。 - - - Search by name of type (t:, v:, f:, or sp:) - 型の名前で検索する (t:、v:、f:、sp:) - - - Search databases - 検索データベース - - - Unable to load objects - オブジェクトを読み込めません - - - Unable to load databases - データベースを読み込めません - - - - - - - Loading properties - プロパティを読み込んでいます... - - - Loading properties completed - プロパティの読み込みが完了しました - - - Unable to load dashboard properties - ダッシュボードのプロパティを読み込めません - - - - - - - Loading {0} - {0} を読み込んでいます - - - Loading {0} completed - {0} の読み込みが完了しました - - - Auto Refresh: OFF - 自動更新: オフ - - - Last Updated: {0} {1} - 最終更新日: {0} {1} - - - No results to show - 表示する結果がありません。 - - - - - - - Steps - ステップ - - - - - - - Save As CSV - CSV として保存 - - - Save As JSON - JSON として保存 - - - Save As Excel - Excel として保存 - - - Save As XML - XML として保存 - - - Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. - JSON にエクスポートするときに結果のエンコードは保存されません。ファイルが作成されたら、目的のエンコードで保存することを忘れないでください。 - - - Save to file is not supported by the backing data source - バッキング データ ソースでファイルへの保存はサポートされていません - - - Copy - コピー - - - Copy With Headers - ヘッダー付きでコピー - - - Select All - すべて選択 - - - Maximize - 最大化 - - - Restore - 復元 - - - Chart - グラフ - - - Visualizer - ビジュアライザー + + Clear result requires a code cell to be selected. Please select a code cell to run. + 結果をクリアするには、コード セルを選択する必要があります。実行するコード セルを選択してください。 @@ -5052,349 +689,495 @@ - + - - Step ID - ステップ ID + + Done + 完了 - - Step Name - ステップ名 + + Cancel + キャンセル - - Message - メッセージ + + Generate script + スクリプトの生成 + + + Next + 次へ + + + Previous + 前へ + + + Tabs are not initialized + タブが初期化されていません - + - - Find - 検索 + + No tree view with id '{0}' registered. + ID '{0}' のツリー ビューは登録されていません。 - - Find - 検索 + + + + + + A NotebookProvider with valid providerId must be passed to this method + 有効な providerId を持つ NotebookProvider をこのメソッドに渡す必要があります - - Previous match - 前の一致項目 + + no notebook provider found + ノートブック プロバイダーが見つかりません - - Next match - 次の一致項目 + + No Manager found + マネージャーが見つかりません - + + Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it + ノートブック {0} の Notebook Manager にサーバー マネージャーがありません。それに対して操作を実行できません + + + Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it + ノートブック {0} の Notebook Manager にコンテンツ マネージャーがありません。それに対して操作を実行できません + + + Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it + ノートブック {0} の Notebook Manager にセッション マネージャーがありません。それに対して操作を実行できません + + + + + + + A NotebookProvider with valid providerId must be passed to this method + 有効な providerId を持つ NotebookProvider をこのメソッドに渡す必要があります + + + + + + + Manage + 管理 + + + Show Details + 詳細の表示 + + + Learn More + 詳細情報 + + + Clear all saved accounts + 保存されているすべてのアカウントのクリア + + + + + + + Preview Features + プレビュー機能 + + + Enable unreleased preview features + 未リリースのプレビュー機能を有効にする + + + Show connect dialog on startup + 起動時に接続ダイアログを表示 + + + Obsolete API Notification + 古い API 通知 + + + Enable/disable obsolete API usage notification + 古い API 使用状況通知を有効または無効にする + + + + + + + Edit Data Session Failed To Connect + 編集データ セッションの接続に失敗しました + + + + + + + Profiler + プロファイラー + + + Not connected + 未接続 + + + XEvent Profiler Session stopped unexpectedly on the server {0}. + サーバー {0} で XEvent Profiler セッションが予期せず停止しました。 + + + Error while starting new session + 新しいセッションを開始中にエラーが発生しました + + + The XEvent Profiler session for {0} has lost events. + {0} の XEvent Profiler セッションのイベントが失われました。 + + + + + + + Show Actions + アクションの表示 + + + Resource Viewer + リソース ビューアー + + + + + + + Information + 情報 + + + Warning + 警告 + + + Error + エラー + + + Show Details + 詳細の表示 + + + Copy + コピー + + Close 閉じる - - Your search returned a large number of results, only the first 999 matches will be highlighted. - 検索で多数の結果が返されました。最初の 999 件の一致のみ強調表示されます。 + + Back + 戻る - - {0} of {1} - {0}/{1} 件 - - - No Results - 結果なし + + Hide Details + 詳細を表示しない - + - - Horizontal Bar - 水平バー + + OK + OK - - Bar - バー - - - Line - 直線 - - - Pie - - - - Scatter - 散布 - - - Time Series - 時系列 - - - Image - イメージ - - - Count - カウント - - - Table - テーブル - - - Doughnut - ドーナツ - - - Failed to get rows for the dataset to chart. - グラフを作成するデータセットの行を取得できませんでした。 - - - Chart type '{0}' is not supported. - グラフの種類 '{0}' はサポートされていません。 + + Cancel + キャンセル - + - - Parameters - パラメーター + + is required. + が必須です。 + + + Invalid input. Numeric value expected. + 無効な入力です。数値が必要です。 - + - - Connected to - 接続先 - - - Disconnected - 切断 - - - Unsaved Connections - 保存されていない接続 + + The index {0} is invalid. + インデックス {0} が無効です。 - + - - Browse (Preview) - 参照 (プレビュー) + + blank + 空白 - - Type here to filter the list - 一覧にフィルターをかけるには、ここに入力します + + check all checkboxes in column: {0} + 列 {0} のすべてのチェック ボックスをオンにする - - Filter connections - 接続のフィルター - - - Applying filter - フィルターを適用しています - - - Removing filter - フィルターを削除しています - - - Filter applied - フィルター適用済み - - - Filter removed - フィルターが削除されました - - - Saved Connections - 保存された接続 - - - Saved Connections - 保存された接続 - - - Connection Browser Tree - 接続ブラウザー ツリー + + Show Actions + アクションの表示 - + - - This extension is recommended by Azure Data Studio. - この拡張機能は Azure Data Studio で推奨されます。 + + Loading + 読み込み中 + + + Loading completed + 読み込み完了 - + - - Don't Show Again - 今後表示しない + + Invalid value + 無効な値 - - Azure Data Studio has extension recommendations. - Azure Data Studio には拡張機能の推奨事項があります。 - - - Azure Data Studio has extension recommendations for data visualization. -Once installed, you can select the Visualizer icon to visualize your query results. - Azure Data Studio には、データ可視化の拡張機能の推奨事項があります。 -インストールすると、ビジュアライザー アイコンを選択して、クエリ結果を視覚化できます。 - - - Install All - すべてをインストール - - - Show Recommendations - 推奨事項を表示 - - - The scenario type for extension recommendations must be provided. - 拡張機能の推奨事項のシナリオの種類を指定する必要があります。 + + {0}. {1} + {0}。{1} - + - - This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. - この機能ページはプレビュー段階です。プレビュー機能では、製品の永続的な部分になる予定の新しい機能が導入されています。これらは安定していますが、追加のアクセシビリティの改善が必要です。開発中の早期のフィードバックを歓迎しています。 + + Loading + 読み込み中 - - Preview - プレビュー + + Loading completed + 読み込み完了 - - Create a connection - 接続の作成 + + + + + + modelview code editor for view model. + ビュー モデル用のモードビュー コード エディター。 - - Connect to a database instance through the connection dialog. - 接続ダイアログを使用してデータベース インスタンスに接続します。 + + + + + + Could not find component for type {0} + 型 {0} のコンポーネントが見つかりませんでした - - Run a query - クエリの実行 + + + + + + Changing editor types on unsaved files is unsupported + 保存されていないファイルでの編集者の種類の変更はサポートされていません - - Interact with data through a query editor. - クエリ エディターを使用してデータを操作します。 + + + + + + Select Top 1000 + 上位 1000 を選択する - - Create a notebook - ノートブックの作成 + + Take 10 + 10 個 - - Build a new notebook using a native notebook editor. - ネイティブのノートブック エディターを使用して、新しいノートブックを作成します。 + + Script as Execute + 実行としてのスクリプト - - Deploy a server - サーバーのデプロイ + + Script as Alter + 変更としてのスクリプト - - Create a new instance of a relational data service on the platform of your choice. - 選択したプラットフォームでリレーショナル データ サービスの新しいインスタンスを作成します。 + + Edit Data + データの編集 - - Resources - リソース + + Script as Create + 作成としてのスクリプト - - History - 履歴 + + Script as Drop + ドロップとしてのスクリプト - - Name - 名前 + + + + + + No script was returned when calling select script on object + オブジェクトに対するスクリプトの選択を呼び出したときに返されたスクリプトはありません - - Location - 場所 + + Select + 選択 - - Show more - さらに表示 + + Create + 作成 - - Show welcome page on startup - 起動時にウェルカム ページを表示する + + Insert + 挿入 - - Useful Links - 役に立つリンク + + Update + 更新 - - Getting Started - はじめに + + Delete + 削除 - - Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. - Azure Data Studio によって提供される機能を検出し、それらを最大限に活用する方法について説明します。 + + No script was returned when scripting as {0} on object {1} + オブジェクト {1} に対する {0} としてスクリプトを作成したときに返されたスクリプトはありません - - Documentation - ドキュメント + + Scripting Failed + スクリプト作成に失敗しました - - Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. - PowerShell、API などのクイックスタート、攻略ガイド、リファレンスについては、ドキュメント センターを参照してください。 + + No script was returned when scripting as {0} + {0} としてスクリプトを作成したときに返されたスクリプトはありません - - Overview of Azure Data Studio - Azure Data Studio の概要 + + + + + + disconnected + 切断されました - - Introduction to Azure Data Studio Notebooks | Data Exposed - Azure Data Studio ノートブックの概要 | 公開されたデータ - - - Extensions + + + + + + Extension 拡張 - - Show All - すべて表示 + + + + + + Active tab background color for vertical tabs + 垂直タブのアクティブなタブの背景色 - - Learn more - 詳細情報 + + Color for borders in dashboard + ダッシュボードの境界線の色 + + + Color of dashboard widget title + ダッシュボード ウィジェットのタイトルの色 + + + Color for dashboard widget subtext + ダッシュボード ウィジェット サブテキストの色 + + + Color for property values displayed in the properties container component + プロパティ コンテナー コンポーネントに表示されるプロパティ色の値 + + + Color for property names displayed in the properties container component + プロパティ コンテナー コンポーネントに表示されるプロパティ名の色 + + + Toolbar overflow shadow color + ツールバーのオーバーフローの影の色 - + - - Date Created: - 作成日: + + Identifier of the account type + アカウントの種類の識別子 - - Notebook Error: - ノートブック エラー: + + (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration + (省略可能) UI の accpunt を表すために使用するアイコン。ファイル パスまたはテーマを設定可能な構成のいずれかです - - Job Error: - ジョブ エラー: + + Icon path when a light theme is used + 明るいテーマを使用した場合のアイコンのパス - - Pinned - ピン留めされました + + Icon path when a dark theme is used + 暗いテーマを使用した場合のアイコンのパス - - Recent Runs - 最近の実行 + + Contributes icons to account provider. + アカウント プロバイダーにアイコンを提供します。 - - Past Runs - 過去の実行 + + + + + + View applicable rules + 適用可能な規則を表示する + + + View applicable rules for {0} + {0} に適用可能な規則を表示する + + + Invoke Assessment + 評価の呼び出し + + + Invoke Assessment for {0} + {0} の評価の呼び出し + + + Export As Script + スクリプトとしてエクスポート + + + View all rules and learn more on GitHub + すべての規則を表示し、GitHub の詳細を確認する + + + Create HTML Report + HTML レポートの作成 + + + Report has been saved. Do you want to open it? + レポートが保存されました。開きますか? + + + Open + 開く + + + Cancel + キャンセル @@ -5426,390 +1209,6 @@ Once installed, you can select the Visualizer icon to visualize your query resul - - - - Chart - グラフ - - - - - - - Operation - 操作 - - - Object - オブジェクト - - - Est Cost - 推定コスト - - - Est Subtree Cost - サブ ツリーの推定コスト - - - Actual Rows - 実際の行数 - - - Est Rows - 推定行数 - - - Actual Executions - 実際の実行 - - - Est CPU Cost - 推定 CPU コスト - - - Est IO Cost - 推定 IO コスト - - - Parallel - 並列 - - - Actual Rebinds - 実際の再バインド数 - - - Est Rebinds - 再バインドの推定数 - - - Actual Rewinds - 実際の巻き戻し数 - - - Est Rewinds - 巻き戻しの推定数 - - - Partitioned - パーティション分割 - - - Top Operations - 上位操作 - - - - - - - No connections found. - 接続が見つかりません。 - - - Add Connection - 接続の追加 - - - - - - - Add an account... - アカウントを追加する... - - - <Default> - <既定> - - - Loading... - 読み込んでいます... - - - Server group - サーバー グループ - - - <Default> - <既定> - - - Add new group... - 新しいグループを追加する... - - - <Do not save> - <保存しない> - - - {0} is required. - {0} が必須です。 - - - {0} will be trimmed. - {0} がトリミングされます。 - - - Remember password - パスワードを記憶する - - - Account - アカウント - - - Refresh account credentials - アカウントの資格情報を更新 - - - Azure AD tenant - Azure AD テナント - - - Name (optional) - 名前 (省略可能) - - - Advanced... - 詳細設定... - - - You must select an account - アカウントを選択する必要があります - - - - - - - Database - データベース - - - Files and filegroups - ファイルとファイル グループ - - - Full - 完全 - - - Differential - 差分 - - - Transaction Log - トランザクション ログ - - - Disk - ディスク - - - Url - URL - - - Use the default server setting - 既定のサーバー設定を使用する - - - Compress backup - バックアップの圧縮 - - - Do not compress backup - バックアップを圧縮しない - - - Server Certificate - サーバー証明書 - - - Asymmetric Key - 非対称キー - - - - - - - You have not opened any folder that contains notebooks/books. - ノートブックまたはブックを格納するフォルダーを開いていません。 - - - Open Notebooks - ノートブックを開く - - - The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. - 結果セットにはすべての一致項目のサブセットのみが含まれています。より限定的な検索条件を入力して、検索結果を絞り込んでください。 - - - Search in progress... - - 検索中です... - - - No results found in '{0}' excluding '{1}' - - '{0}' に '{1}' を除外した結果はありません - - - - No results found in '{0}' - - '{0}' に結果はありません - - - - No results found excluding '{0}' - - '{0}' を除外した結果はありませんでした - - - - No results found. Review your settings for configured exclusions and check your gitignore files - - 結果がありません。除外構成の設定を確認し、gitignore ファイルを調べてください - - - - Search again - もう一度検索 - - - Cancel Search - 検索のキャンセル - - - Search again in all files - すべてのファイルでもう一度検索してください - - - Open Settings - 設定を開く - - - Search returned {0} results in {1} files - 検索により {1} 個のファイル内の {0} 件の結果が返されました - - - Toggle Collapse and Expand - 折りたたみと展開の切り替え - - - Cancel Search - 検索のキャンセル - - - Expand All - すべて展開 - - - Collapse All - すべて折りたたむ - - - Clear Search Results - 検索結果のクリア - - - - - - - Connections - 接続 - - - Connect, query, and manage your connections from SQL Server, Azure, and more. - SQL Server、Azure などからの接続を接続、クエリ、および管理します。 - - - 1 - 1 - - - Next - 次へ - - - Notebooks - ノートブック - - - Get started creating your own notebook or collection of notebooks in a single place. - 1 か所で独自のノートブックまたはノートブックのコレクションの作成を開始します。 - - - 2 - 2 - - - Extensions - 拡張 - - - Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). - Microsoft (私たち) だけでなくサードパーティ コミュニティ (あなた) が開発した拡張機能をインストールすることにより、Azure Data Studio の機能を拡張します。 - - - 3 - 3 - - - Settings - 設定 - - - Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. - 好みに応じて Azure Data Studio をカスタマイズします。自動保存やタブ サイズなどの設定の構成、キーボード ショートカットのカスタマイズ、好きな配色テーマへの切り替えを行うことができます。 - - - 4 - 4 - - - Welcome Page - ウェルカム ページ - - - Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. - ウェルカム ページで、トップの機能、最近開いたファイル、推奨される拡張機能がわかります。Azure Data Studio で作業を開始する方法の詳細については、ビデオとドキュメントをご覧ください。 - - - 5 - 5 - - - Finish - 完了 - - - User Welcome Tour - ユーザー紹介ツアー - - - Hide Welcome Tour - 紹介ツアーの非表示 - - - Read more - 詳細情報 - - - Help - ヘルプ - - - - - - - Delete Row - 行の削除 - - - Revert Current Row - 現在の行を元に戻す - - - @@ -5894,575 +1293,283 @@ Once installed, you can select the Visualizer icon to visualize your query resul - + - - Message Panel - メッセージ パネル - - - Copy - コピー - - - Copy All - すべてコピー + + Open in Azure Portal + Azure Portal で開きます - + - - Loading - 読み込み中 + + Backup name + バックアップ名 - - Loading completed - 読み込み完了 + + Recovery model + 復旧モデル + + + Backup type + バックアップの種類 + + + Backup files + バックアップ ファイル + + + Algorithm + アルゴリズム + + + Certificate or Asymmetric key + 証明書または非対称キー + + + Media + メディア + + + Backup to the existing media set + 既存のメディア セットにバックアップ + + + Backup to a new media set + 新しいメディア セットにバックアップ + + + Append to the existing backup set + 既存のバックアップ セットに追加 + + + Overwrite all existing backup sets + 既存のすべてのバックアップ セットを上書きする + + + New media set name + 新しいメディア セット名 + + + New media set description + 新しいメディア セットの説明 + + + Perform checksum before writing to media + メディアに書き込む前にチェックサムを行う + + + Verify backup when finished + 完了時にバックアップを検証する + + + Continue on error + エラー時に続行 + + + Expiration + 有効期限 + + + Set backup retain days + バックアップ保持日数の設定 + + + Copy-only backup + コピーのみのバックアップ + + + Advanced Configuration + 高度な構成 + + + Compression + 圧縮 + + + Set backup compression + バックアップの圧縮の設定 + + + Encryption + 暗号化 + + + Transaction log + トランザクション ログ + + + Truncate the transaction log + トランザクション ログの切り捨て + + + Backup the tail of the log + ログ末尾のバックアップ + + + Reliability + 信頼性 + + + Media name is required + メディア名が必須です + + + No certificate or asymmetric key is available + 使用可能な証明書または非対称キーがありません + + + Add a file + ファイルを追加 + + + Remove files + ファイルを削除 + + + Invalid input. Value must be greater than or equal 0. + 入力が無効です。値は 0 以上でなければなりません。 + + + Script + スクリプト + + + Backup + バックアップ + + + Cancel + キャンセル + + + Only backup to file is supported + ファイルへのバックアップのみがサポートされています + + + Backup file path is required + バックアップ ファイルのパスが必須です - + - - Click on - 次をクリック - - - + Code - + コード - - - or - または - - - + Text - + テキスト - - - to add a code or text cell - コードまたはテキストのセルを追加するため + + Backup + バックアップ - + - - StdIn: - StdIn: + + You must enable preview features in order to use backup + バックアップを使用するにはプレビュー機能を有効にする必要があります + + + Backup command is not supported outside of a database context. Please select a database and try again. + バックアップ コマンドは、データベース コンテキストの外ではサポートされていません。データベースを選択して、もう一度お試しください。 + + + Backup command is not supported for Azure SQL databases. + Azure SQL データベースでは、バックアップ コマンドはサポートされていません。 + + + Backup + バックアップ - + - - Expand code cell contents - コード セルの内容の展開 + + Database + データベース - - Collapse code cell contents - コード セル コンテンツを折りたたむ + + Files and filegroups + ファイルとファイル グループ + + + Full + 完全 + + + Differential + 差分 + + + Transaction Log + トランザクション ログ + + + Disk + ディスク + + + Url + URL + + + Use the default server setting + 既定のサーバー設定を使用する + + + Compress backup + バックアップの圧縮 + + + Do not compress backup + バックアップを圧縮しない + + + Server Certificate + サーバー証明書 + + + Asymmetric Key + 非対称キー - + - - XML Showplan - XML プラン表示 + + Create Insight + 分析情報の作成 - - Results grid - 結果グリッド + + Cannot create insight as the active editor is not a SQL Editor + アクティブなエディターが SQL エディターではないため、分析情報を作成できません - - - - - - Add cell - セルの追加 + + My-Widget + マイ ウィジェット - - Code cell - コード セル + + Configure Chart + グラフの構成 - - Text cell - テキスト セル + + Copy as image + イメージとしてコピー - - Move cell down - セルを下に移動します + + Could not find chart to save + 保存するグラフが見つかりませんでした - - Move cell up - セルを上に移動します + + Save as image + イメージとして保存 - - Delete - 削除 + + PNG + PNG - - Add cell - セルの追加 - - - Code cell - コード セル - - - Text cell - テキスト セル - - - - - - - SQL kernel error - SQL カーネル エラー - - - A connection must be chosen to run notebook cells - ノートブックのセルを実行するには、接続を選択する必要があります - - - Displaying Top {0} rows. - 上位 {0} 行を表示しています。 - - - - - - - Name - 名前 - - - Last Run - 前回の実行 - - - Next Run - 次回の実行 - - - Enabled - 有効 - - - Status - 状態 - - - Category - カテゴリ - - - Runnable - 実行可能 - - - Schedule - スケジュール - - - Last Run Outcome - 前回の実行の結果 - - - Previous Runs - 以前の実行 - - - No Steps available for this job. - このジョブに利用できるステップはありません。 - - - Error: - エラー: - - - - - - - Could not find component for type {0} - 型 {0} のコンポーネントが見つかりませんでした - - - - - - - Find - 検索 - - - Find - 検索 - - - Previous match - 前の一致項目 - - - Next match - 次の一致項目 - - - Close - 閉じる - - - Your search returned a large number of results, only the first 999 matches will be highlighted. - 検索で多数の結果が返されました。最初の 999 件の一致のみ強調表示されます。 - - - {0} of {1} - {0} / {1} 件 - - - No Results - 結果なし - - - - - - - Name - 名前 - - - Schema - スキーマ - - - Type - 種類 - - - - - - - Run Query - クエリの実行 - - - - - - - No {0}renderer could be found for output. It has the following MIME types: {1} - 出力用の {0} レンダラーが見つかりませんでした。次の MIME の種類があります: {1} - - - safe - 安全 - - - No component could be found for selector {0} - セレクター {0} のコンポーネントが見つかりませんでした - - - Error rendering component: {0} - コンポーネントのレンダリング エラー: {0} - - - - - - - Loading... - 読み込んでいます... - - - - - - - Loading... - 読み込んでいます... - - - - - - - Edit - 編集 - - - Exit - 終了 - - - Refresh - 最新の情報に更新 - - - Show Actions - アクションの表示 - - - Delete Widget - ウィジェットの削除 - - - Click to unpin - クリックしてピン留めを外します - - - Click to pin - クリックしてピン留めします - - - Open installed features - インストールされている機能を開く - - - Collapse Widget - ウィジェットの折りたたみ - - - Expand Widget - ウィジェットの展開 - - - - - - - {0} is an unknown container. - {0} は不明なコンテナーです。 - - - - - - - Name - 名前 - - - Target Database - ターゲット データベース - - - Last Run - 前回の実行 - - - Next Run - 次回の実行 - - - Status - 状態 - - - Last Run Outcome - 前回の実行の結果 - - - Previous Runs - 以前の実行 - - - No Steps available for this job. - このジョブに利用できるステップはありません。 - - - Error: - エラー: - - - Notebook Error: - ノートブック エラー: - - - - - - - Loading Error... - 読み込みエラー... - - - - - - - Show Actions - アクションの表示 - - - No matching item found - 一致する項目が見つかりませんでした - - - Filtered search list to 1 item - 検索一覧が 1 項目にフィルター処理されました - - - Filtered search list to {0} items - 検索一覧が {0} 項目にフィルター処理されました - - - - - - - Failed - 失敗 - - - Succeeded - 成功 - - - Retry - 再試行 - - - Cancelled - 取り消されました - - - In Progress - 進行中 - - - Status Unknown - 不明な状態 - - - Executing - 実行中 - - - Waiting for Thread - スレッドを待機しています - - - Between Retries - 再試行の間 - - - Idle - アイドル状態 - - - Suspended - 中断中 - - - [Obsolete] - [古い] - - - Yes - はい - - - No - いいえ - - - Not Scheduled - スケジュールが設定されていません - - - Never Run - 実行しない - - - - - - - Bold - 太字 - - - Italic - 斜体 - - - Underline - 下線を付ける - - - Highlight - 強調表示 - - - Code - コード - - - Link - リンク - - - List - リスト - - - Ordered list - 順序指定済みリスト - - - Image - イメージ - - - Markdown preview toggle - off - マークダウン プレビューの切り替え - オフ - - - Heading - 見出し - - - Heading 1 - 見出し 1 - - - Heading 2 - 見出し 2 - - - Heading 3 - 見出し 3 - - - Paragraph - 段落 - - - Insert link - リンクの挿入 - - - Insert image - 画像の挿入 - - - Rich Text View - リッチ テキスト ビュー - - - Split View - 分割ビュー - - - Markdown View - マークダウン ビュー + + Saved Chart to path: {0} + グラフが保存されたパス: {0} @@ -6550,19 +1657,411 @@ Once installed, you can select the Visualizer icon to visualize your query resul - + - + + Chart + グラフ + + + + + + + Horizontal Bar + 水平バー + + + Bar + バー + + + Line + 直線 + + + Pie + + + + Scatter + 散布 + + + Time Series + 時系列 + + + Image + イメージ + + + Count + カウント + + + Table + テーブル + + + Doughnut + ドーナツ + + + Failed to get rows for the dataset to chart. + グラフを作成するデータセットの行を取得できませんでした。 + + + Chart type '{0}' is not supported. + グラフの種類 '{0}' はサポートされていません。 + + + + + + + Built-in Charts + 組み込みグラフ + + + The maximum number of rows for charts to display. Warning: increasing this may impact performance. + グラフに表示する最大の行数です。警告: これを大きくするとパフォーマンスに影響が及ぶ場合があります。 + + + + + + Close 閉じる - + - - A server group with the same name already exists. - 同じ名前のサーバー グループが既に存在します。 + + Series {0} + 系列 {0} + + + + + + + Table does not contain a valid image + テーブルに有効なイメージが含まれていません + + + + + + + Maximum row count for built-in charts has been exceeded, only the first {0} rows are used. To configure the value, you can open user settings and search for: 'builtinCharts.maxRowCount'. + 組み込みグラフの最大行カウントを超過しました。最初の {0} 行だけが使用されます。値を構成するには、ユーザー設定を開き、'builtinCharts.maxRowCount' を検索してください。 + + + Don't Show Again + 今後表示しない + + + + + + + Connecting: {0} + 接続中: {0} + + + Running command: {0} + 実行中のコマンド: {0} + + + Opening new query: {0} + 新しいクエリを開いています: {0} + + + Cannot connect as no server information was provided + サーバー情報が提供されていないため接続できません + + + Could not open URL due to error {0} + エラー {0} により URL を開くことができませんでした + + + This will connect to server {0} + これにより、サーバー {0} に接続されます + + + Are you sure you want to connect? + 接続しますか? + + + &&Open + 開く(&&O) + + + Connecting query file + クエリ ファイルへの接続中 + + + + + + + {0} was replaced with {1} in your user settings. + ユーザー設定の {0} は {1} に置き換えられました。 + + + {0} was replaced with {1} in your workspace settings. + ワークスペース設定の {0} は {1} に置き換えられました。 + + + + + + + The maximum number of recently used connections to store in the connection list. + 接続リストに格納する最近使用された接続の最大数。 + + + Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. + 使用する既定の SQL エンジン。.sql ファイル内の既定の言語プロバイダーが駆動され、新しい接続が作成されるときに既定で使用されます。 + + + Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. + 接続ダイアログが開いたり、解析が実行されたりするときにクリップボードの内容の解析を試行します。 + + + + + + + Connection Status + 接続状態 + + + + + + + Common id for the provider + プロバイダーの共通 ID + + + Display Name for the provider + プロバイダーの表示名 + + + Notebook Kernel Alias for the provider + プロバイダーの Notebook カーネル別名 + + + Icon path for the server type + サーバーの種類のアイコン パス + + + Options for connection + 接続のオプション + + + + + + + User visible name for the tree provider + ツリー プロバイダーのユーザー表示名 + + + Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` + プロバイダーの ID は、ツリー データ プロバイダーを登録するときと同じである必要があり、'connectionDialog/' で始まる必要があります + + + + + + + Unique identifier for this container. + このコンテナーの一意の識別子。 + + + The container that will be displayed in the tab. + タブに表示されるコンテナー。 + + + Contributes a single or multiple dashboard containers for users to add to their dashboard. + 単一または複数のダッシュ ボード コンテナーを提供し、ユーザーが自分のダッシュボードに追加できるようにします。 + + + No id in dashboard container specified for extension. + ダッシュボード コンテナーに、拡張用に指定された ID はありません。 + + + No container in dashboard container specified for extension. + ダッシュボード コンテナーに、拡張用に指定されたコンテナーはありません。 + + + Exactly 1 dashboard container must be defined per space. + 空間ごとにダッシュボード コンテナーを 1 つだけ定義する必要があります。 + + + Unknown container type defines in dashboard container for extension. + 拡張用にダッシュボード コンテナーで定義されているコンテナーの種類が不明です。 + + + + + + + The controlhost that will be displayed in this tab. + このタブに表示される controlhost。 + + + + + + + The "{0}" section has invalid content. Please contact extension owner. + "{0}" セクションに無効なコンテンツがあります。機能拡張の所有者にお問い合わせください。 + + + + + + + The list of widgets or webviews that will be displayed in this tab. + このタブに表示されるウィジェットまたは Web ビューのリスト。 + + + widgets or webviews are expected inside widgets-container for extension. + ウィジェットや Web ビューが拡張機能用のウィジェット コンテナー内に必要です。 + + + + + + + The model-backed view that will be displayed in this tab. + このタブに表示されるモデルに基づくビュー。 + + + + + + + Unique identifier for this nav section. Will be passed to the extension for any requests. + このナビゲーション セクションの一意の識別子。すべての要求で拡張機能に渡されます。 + + + (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration + (省略可能) UI でこのナビゲーション セクションを表すために使用されるアイコン。ファイル パスまたはテーマを設定可能な構成のいずれかです + + + Icon path when a light theme is used + 明るいテーマを使用した場合のアイコンのパス + + + Icon path when a dark theme is used + 暗いテーマを使用した場合のアイコンのパス + + + Title of the nav section to show the user. + ユーザーに表示するナビゲーション セクションのタイトル。 + + + The container that will be displayed in this nav section. + このナビゲーション セクションに表示されるコンテナー。 + + + The list of dashboard containers that will be displayed in this navigation section. + このナビゲーション セクションに表示されるダッシュボード コンテナーのリスト。 + + + No title in nav section specified for extension. + ナビゲーション セクションに、拡張用に指定されたタイトルはありません。 + + + No container in nav section specified for extension. + ナビゲーション セクションに、拡張用に指定されたコンテナーはありません。 + + + Exactly 1 dashboard container must be defined per space. + 空間ごとにダッシュボード コンテナーを 1 つだけ定義する必要があります。 + + + NAV_SECTION within NAV_SECTION is an invalid container for extension. + NAV_SECTION 内の NAV_SECTION は拡張用に無効なコンテナーです。 + + + + + + + The webview that will be displayed in this tab. + このタブに表示される Web ビュー。 + + + + + + + The list of widgets that will be displayed in this tab. + このタブに表示されるウィジェットのリスト。 + + + The list of widgets is expected inside widgets-container for extension. + 拡張には、ウィジェット コンテナー内にウィジェットのリストが必要です。 + + + + + + + Edit + 編集 + + + Exit + 終了 + + + Refresh + 最新の情報に更新 + + + Show Actions + アクションの表示 + + + Delete Widget + ウィジェットの削除 + + + Click to unpin + クリックしてピン留めを外します + + + Click to pin + クリックしてピン留めします + + + Open installed features + インストールされている機能を開く + + + Collapse Widget + ウィジェットの折りたたみ + + + Expand Widget + ウィジェットの展開 + + + + + + + {0} is an unknown container. + {0} は不明なコンテナーです。 @@ -6582,111 +2081,1025 @@ Once installed, you can select the Visualizer icon to visualize your query resul - + - - Create Insight - 分析情報の作成 + + Unique identifier for this tab. Will be passed to the extension for any requests. + このタブの一意の識別子。すべての要求で拡張機能に渡されます。 - - Cannot create insight as the active editor is not a SQL Editor - アクティブなエディターが SQL エディターではないため、分析情報を作成できません + + Title of the tab to show the user. + ユーザーを表示するタブのタイトル。 - - My-Widget - マイ ウィジェット + + Description of this tab that will be shown to the user. + ユーザーに表示されるこのタブの説明。 - - Configure Chart - グラフの構成 + + Condition which must be true to show this item + この項目を表示するために true にする必要がある条件 - - Copy as image - イメージとしてコピー + + Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set + このタブと互換性のある接続の種類を定義します。設定されていない場合、既定値は 'MSSQL' に設定されます - - Could not find chart to save - 保存するグラフが見つかりませんでした + + The container that will be displayed in this tab. + このタブに表示されるコンテナー。 - - Save as image - イメージとして保存 + + Whether or not this tab should always be shown or only when the user adds it. + このタブを常に表示するか、またはユーザーが追加したときにのみ表示するかどうか。 - - PNG - PNG + + Whether or not this tab should be used as the Home tab for a connection type. + このタブを接続の種類の [ホーム] タブとして使用するかどうか。 - - Saved Chart to path: {0} - グラフが保存されたパス: {0} + + The unique identifier of the group this tab belongs to, value for home group: home. + このタブが属しているグループの一意識別子。ホーム グループの値: home。 + + + (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration + (省略可能) UI でこのタブを表すために使用されるアイコン。ファイル パスまたはテーマを設定可能な構成のいずれかです + + + Icon path when a light theme is used + 明るいテーマを使用した場合のアイコンのパス + + + Icon path when a dark theme is used + 暗いテーマを使用した場合のアイコンのパス + + + Contributes a single or multiple tabs for users to add to their dashboard. + ユーザーがダッシュボードに追加する 1 つまたは、複数のタブを提供します。 + + + No title specified for extension. + 拡張機能にタイトルが指定されていません。 + + + No description specified to show. + 表示するよう指定された説明はありません。 + + + No container specified for extension. + 拡張機能にコンテナーが指定されていません。 + + + Exactly 1 dashboard container must be defined per space + 空間ごとにダッシュボード コンテナーを 1 つだけ定義する必要があります + + + Unique identifier for this tab group. + このタブ グループの一意識別子。 + + + Title of the tab group. + タブ グループのタイトル。 + + + Contributes a single or multiple tab groups for users to add to their dashboard. + ユーザーがダッシュボードに追加するための 1 つまたは複数のタブ グループを提供します。 + + + No id specified for tab group. + タブ グループの ID が指定されていません。 + + + No title specified for tab group. + タブ グループのタイトルが指定されていません。 + + + Administration + 管理 + + + Monitoring + 監視中 + + + Performance + パフォーマンス + + + Security + セキュリティ + + + Troubleshooting + トラブルシューティング + + + Settings + 設定 + + + databases tab + データベース タブ + + + Databases + データベース - + - - Add code - コードの追加 + + Manage + 管理 - - Add text - テキストの追加 + + Dashboard + ダッシュボード - - Create File - ファイルの作成 + + + + + + Manage + 管理 - - Could not display contents: {0} - コンテンツを表示できませんでした: {0} + + + + + + property `icon` can be omitted or must be either a string or a literal like `{dark, light}` + プロパティ `icon` は省略するか、文字列または `{dark, light}` などのリテラルにする必要があります - - Add cell - セルの追加 + + + + + + Defines a property to show on the dashboard + ダッシュ ボードに表示するプロパティを定義します - - Code cell - コード セル + + What value to use as a label for the property + プロパティのラベルとして使用する値 - - Text cell - テキスト セル + + What value in the object to access for the value + 値にアクセスするためのオブジェクト内の値 - - Run all - すべて実行 + + Specify values to be ignored + 無視される値を指定します - - Cell - セル + + Default value to show if ignored or no value + 無視されるか値がない場合に表示される既定値です - - Code - コード + + A flavor for defining dashboard properties + ダッシュボードのプロパティを定義するためのフレーバー - - Text - テキスト + + Id of the flavor + フレーバーの ID - - Run Cells - セルの実行 + + Condition to use this flavor + このフレーバーを使用する条件 - - < Previous - < 前へ + + Field to compare to + 比較するフィールド - - Next > - 次へ > + + Which operator to use for comparison + 比較に使用する演算子 - - cell with URI {0} was not found in this model - URI {0} を含むセルは、このモデルには見つかりませんでした + + Value to compare the field to + フィールドを比較する値 - - Run Cells failed - See error in output of the currently selected cell for more information. - セルの実行に失敗しました。詳細については、現在選択されているセルの出力内のエラーをご覧ください。 + + Properties to show for database page + データベース ページに表示するプロパティ + + + Properties to show for server page + サーバー ページに表示するプロパティ + + + Defines that this provider supports the dashboard + このプロバイダーがダッシュボードをサポートすることを定義します + + + Provider id (ex. MSSQL) + プロバイダー ID (例: MSSQL) + + + Property values to show on dashboard + ダッシュボードに表示するプロパティ値 + + + + + + + Condition which must be true to show this item + この項目を表示するために true にする必要がある条件 + + + Whether to hide the header of the widget, default value is false + ウィジェットのヘッダーを非表示にするかどうか。既定値は false です。 + + + The title of the container + コンテナーのタイトル + + + The row of the component in the grid + グリッド内のコンポーネントの行 + + + The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. + グリッド内のコンポーネントの rowspan。既定値は 1 です。グリッド内の行数に設定するには '*' を使用します。 + + + The column of the component in the grid + グリッド内のコンポーネントの列 + + + The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. + グリッドのコンポーネントの colspan。既定値は 1 です。グリッドの列数に設定するには '*' を使用します。 + + + Unique identifier for this tab. Will be passed to the extension for any requests. + このタブの一意の識別子。すべての要求で拡張機能に渡されます。 + + + Extension tab is unknown or not installed. + 拡張機能タブが不明またはインストールされていません。 + + + + + + + Database Properties + データベースのプロパティ + + + + + + + Enable or disable the properties widget + プロパティ ウィジェットを有効または無効にする + + + Property values to show + 表示するプロパティ値 + + + Display name of the property + プロパティの表示名 + + + Value in the Database Info Object + データベース情報オブジェクトの値 + + + Specify specific values to ignore + 無視する特定の値を指定します + + + Recovery Model + 復旧モデル + + + Last Database Backup + 前回のデータベース バックアップ + + + Last Log Backup + 最終ログ バックアップ + + + Compatibility Level + 互換性レベル + + + Owner + 所有者 + + + Customizes the database dashboard page + データベース ダッシュボード ページをカスタマイズする + + + Search + 検索 + + + Customizes the database dashboard tabs + データベース ダッシュボード タブをカスタマイズする + + + + + + + Server Properties + サーバーのプロパティ + + + + + + + Enable or disable the properties widget + プロパティ ウィジェットを有効または無効にする + + + Property values to show + 表示するプロパティ値 + + + Display name of the property + プロパティの表示名 + + + Value in the Server Info Object + サーバー情報オブジェクトの値 + + + Version + バージョン + + + Edition + エディション + + + Computer Name + コンピューター名 + + + OS Version + OS バージョン + + + Search + 検索 + + + Customizes the server dashboard page + サーバー ダッシュ ボード ページをカスタマイズします + + + Customizes the Server dashboard tabs + サーバー ダッシュボードのタブをカスタマイズします + + + + + + + Home + ホーム + + + + + + + Failed to change database + データベースを変更できませんでした + + + + + + + Show Actions + アクションの表示 + + + No matching item found + 一致する項目が見つかりませんでした + + + Filtered search list to 1 item + 検索一覧が 1 項目にフィルター処理されました + + + Filtered search list to {0} items + 検索一覧が {0} 項目にフィルター処理されました + + + + + + + Name + 名前 + + + Schema + スキーマ + + + Type + 種類 + + + + + + + loading objects + オブジェクトを読み込んでいます + + + loading databases + データベースを読み込んでいます + + + loading objects completed. + オブジェクトの読み込みが完了しました。 + + + loading databases completed. + データベースの読み込みが完了しました。 + + + Search by name of type (t:, v:, f:, or sp:) + 型の名前で検索する (t:、v:、f:、sp:) + + + Search databases + 検索データベース + + + Unable to load objects + オブジェクトを読み込めません + + + Unable to load databases + データベースを読み込めません + + + + + + + Run Query + クエリの実行 + + + + + + + Loading {0} + {0} を読み込んでいます + + + Loading {0} completed + {0} の読み込みが完了しました + + + Auto Refresh: OFF + 自動更新: オフ + + + Last Updated: {0} {1} + 最終更新日: {0} {1} + + + No results to show + 表示する結果がありません。 + + + + + + + Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more + ウィジェットを追加します。そこでは、サーバーまたはデータベースのクエリを実行して、その結果をグラフや集計されたカウントなどの複数の方法で表示できます + + + Unique Identifier used for caching the results of the insight. + 分析情報の結果をキャッシュするために使用される一意識別子。 + + + SQL query to run. This should return exactly 1 resultset. + 実行する SQL クエリ。返す結果セットは 1 つのみでなければなりません。 + + + [Optional] path to a file that contains a query. Use if 'query' is not set + [省略可能] クエリを含むファイルへのパス。'クエリ' が設定されていない場合に使用します + + + [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh + [省略可能] 分単位の自動更新間隔。設定しないと、自動更新されません + + + Which actions to use + 使用するアクション + + + Target database for the action; can use the format '${ columnName }' to use a data driven column name. + アクションのターゲット データベース。形式 '${ columnName }' を使用して、データ ドリブン列名を使用できます。 + + + Target server for the action; can use the format '${ columnName }' to use a data driven column name. + アクションのターゲット サーバー。形式 '${ columnName }' を使用して、データ ドリブン列名を使用できます。 + + + Target user for the action; can use the format '${ columnName }' to use a data driven column name. + アクションのターゲット ユーザー。形式 '${ columnName }' を使用して、データ ドリブン列名を使用できます。 + + + Identifier of the insight + 分析情報の識別子 + + + Contributes insights to the dashboard palette. + ダッシュボード パレットに分析情報を提供します。 + + + + + + + Chart cannot be displayed with the given data + 指定されたデータでグラフを表示できません + + + + + + + Displays results of a query as a chart on the dashboard + ダッシュボード上のグラフとしてクエリの結果を表示します + + + Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color + '列名' -> 色をマップします。たとえば、「'column1': red」を追加して、この列で赤色が使用されるようにします + + + Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry + グラフの凡例の優先される位置と表示範囲を示します。これはクエリに基づく列名で、各グラフ項目のラベルにマップされます + + + If dataDirection is horizontal, setting this to true uses the first columns value for the legend. + dataDirection が横の場合、true に設定すると凡例に最初の列値が使用されます。 + + + If dataDirection is vertical, setting this to true will use the columns names for the legend. + dataDirection が縦の場合、true に設定すると凡例に列名が使用されます。 + + + Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. + データを列 (縦) 方向から、または行 (横) 方向から読み取るかを定義します。時系列の場合、方向は縦にする必要があるため、これは無視されます。 + + + If showTopNData is set, showing only top N data in the chart. + showTopNData を設定すると、上位 N 個のデータのみがグラフに表示されます。 + + + + + + + Minimum value of the y axis + Y 軸の最小値 + + + Maximum value of the y axis + Y 軸の最大値 + + + Label for the y axis + Y 軸のラベル + + + Minimum value of the x axis + X 軸の最小値 + + + Maximum value of the x axis + X 軸の最大値 + + + Label for the x axis + X 軸のラベル + + + + + + + Indicates data property of a data set for a chart. + グラフのデータ セットのデータ プロパティを示します。 + + + + + + + For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 + 結果セットの各列について、行 0 の値をカウントとして表示し、その後に列名が続きます。たとえば、'1 正常'、'3 異常' をサポートします。ここで、'正常' は列名、1 は行 1 セル 1 の値です。 + + + + + + + Displays an image, for example one returned by an R query using ggplot2 + イメージを表示します。例: ggplot2 を使用して R クエリによって返されたイメージ + + + What format is expected - is this a JPEG, PNG or other format? + 必要な形式は何ですか。JPEG、PNG、またはその他の形式ですか? + + + Is this encoded as hex, base64 or some other format? + これは 16 進数、base64 または、他の形式でエンコードされていますか? + + + + + + + Displays the results in a simple table + 単純なテーブルに結果を表示する + + + + + + + Loading properties + プロパティを読み込んでいます... + + + Loading properties completed + プロパティの読み込みが完了しました + + + Unable to load dashboard properties + ダッシュボードのプロパティを読み込めません + + + + + + + Database Connections + データベース接続 + + + data source connections + データ ソース接続 + + + data source groups + データソース グループ + + + Saved connections are sorted by the dates they were added. + 保存された接続は、追加された日付順に並べ替えられます。 + + + Saved connections are sorted by their display names alphabetically. + 保存された接続は、表示名のアルファベット順に並べ替えられます。 + + + Controls sorting order of saved connections and connection groups. + 保存された接続と接続グループの並べ替え順序を制御します。 + + + Startup Configuration + 起動の構成 + + + True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown + Azure Data Studio の起動時にサーバー ビューを表示する場合には true (既定)。最後に開いたビューを表示する場合には false + + + + + + + Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. + ビューの識別子。`vscode.window.registerTreeDataProviderForView` API を介してデータ プロバイダーを登録するには、これを使用します。また、`onView:${id}` イベントを `activationEvents` に登録することによって、拡張機能のアクティブ化をトリガーするためにも使用できます。 + + + The human-readable name of the view. Will be shown + ビューの判読できる名前。これが表示されます + + + Condition which must be true to show this view + このビューを表示するために満たす必要がある条件 + + + Contributes views to the editor + ビューをエディターに提供します + + + Contributes views to Data Explorer container in the Activity bar + アクティビティ バーのデータ エクスプローラー コンテナーにビューを提供します + + + Contributes views to contributed views container + コントリビューション ビュー コンテナーにビューを提供します + + + Cannot register multiple views with same id `{0}` in the view container `{1}` + ビュー コンテナー '{1}'に同じ ID '{0}' のビューを複数登録できません + + + A view with id `{0}` is already registered in the view container `{1}` + ビュー ID `{0}` はビュー コンテナー `{1}` に既に登録されています + + + views must be an array + ビューは配列にする必要があります + + + property `{0}` is mandatory and must be of type `string` + プロパティ `{0}` は必須で、`string` 型でなければなりません + + + property `{0}` can be omitted or must be of type `string` + プロパティ `{0}` は省略するか、`string` 型にする必要があります + + + + + + + Servers + サーバー + + + Connections + 接続 + + + Show Connections + 接続の表示 + + + + + + + Disconnect + 切断 + + + Refresh + 最新の情報に更新 + + + + + + + Show Edit Data SQL pane on startup + 起動時にデータ SQL の編集ペインを表示する + + + + + + + Run + 実行 + + + Dispose Edit Failed With Error: + 編集内容の破棄がエラーで失敗しました: + + + Stop + 停止 + + + Show SQL Pane + SQL ペインの表示 + + + Close SQL Pane + SQL ペインを閉じる + + + + + + + Max Rows: + 最大行数: + + + + + + + Delete Row + 行の削除 + + + Revert Current Row + 現在の行を元に戻す + + + + + + + Save As CSV + CSV として保存 + + + Save As JSON + JSON として保存 + + + Save As Excel + Excel として保存 + + + Save As XML + XML として保存 + + + Copy + コピー + + + Copy With Headers + ヘッダー付きでコピー + + + Select All + すべて選択 + + + + + + + Dashboard Tabs ({0}) + ダッシュボード タブ ({0}) + + + Id + ID + + + Title + タイトル + + + Description + 説明 + + + Dashboard Insights ({0}) + ダッシュボード分析情報 ({0}) + + + Id + ID + + + Name + 名前 + + + When + タイミング + + + + + + + Gets extension information from the gallery + ギャラリーから拡張機能情報を取得します + + + Extension id + 拡張機能 ID + + + Extension '{0}' not found. + 拡張機能 '{0}' が見つかりませんでした。 + + + + + + + Show Recommendations + 推奨事項を表示 + + + Install Extensions + 拡張機能のインストール + + + Author an Extension... + 拡張機能の作成... + + + + + + + Don't Show Again + 今後表示しない + + + Azure Data Studio has extension recommendations. + Azure Data Studio には拡張機能の推奨事項があります。 + + + Azure Data Studio has extension recommendations for data visualization. +Once installed, you can select the Visualizer icon to visualize your query results. + Azure Data Studio には、データ可視化の拡張機能の推奨事項があります。 +インストールすると、ビジュアライザー アイコンを選択して、クエリ結果を視覚化できます。 + + + Install All + すべてをインストール + + + Show Recommendations + 推奨事項を表示 + + + The scenario type for extension recommendations must be provided. + 拡張機能の推奨事項のシナリオの種類を指定する必要があります。 + + + + + + + This extension is recommended by Azure Data Studio. + この拡張機能は Azure Data Studio で推奨されます。 + + + + + + + Jobs + ジョブ + + + Notebooks + ノートブック + + + Alerts + アラート + + + Proxies + プロキシ + + + Operators + 演算子 + + + + + + + Name + 名前 + + + Last Occurrence + 最後の発生 + + + Enabled + 有効 + + + Delay Between Responses (in secs) + 応答間の遅延 (秒) + + + Category Name + カテゴリ名 @@ -6906,257 +3319,187 @@ Error: {1} - + - - View applicable rules - 適用可能な規則を表示する + + Step ID + ステップ ID - - View applicable rules for {0} - {0} に適用可能な規則を表示する + + Step Name + ステップ名 - - Invoke Assessment - 評価の呼び出し - - - Invoke Assessment for {0} - {0} の評価の呼び出し - - - Export As Script - スクリプトとしてエクスポート - - - View all rules and learn more on GitHub - すべての規則を表示し、GitHub の詳細を確認する - - - Create HTML Report - HTML レポートの作成 - - - Report has been saved. Do you want to open it? - レポートが保存されました。開きますか? - - - Open - 開く - - - Cancel - キャンセル + + Message + メッセージ - + - - Data - データ - - - Connection - 接続 - - - Query Editor - クエリ エディター - - - Notebook - ノートブック - - - Dashboard - ダッシュボード - - - Profiler - Profiler + + Steps + ステップ - + - - Dashboard Tabs ({0}) - ダッシュボード タブ ({0}) - - - Id - ID - - - Title - タイトル - - - Description - 説明 - - - Dashboard Insights ({0}) - ダッシュボード分析情報 ({0}) - - - Id - ID - - + Name 名前 - - When - タイミング + + Last Run + 前回の実行 + + + Next Run + 次回の実行 + + + Enabled + 有効 + + + Status + 状態 + + + Category + カテゴリ + + + Runnable + 実行可能 + + + Schedule + スケジュール + + + Last Run Outcome + 前回の実行の結果 + + + Previous Runs + 以前の実行 + + + No Steps available for this job. + このジョブに利用できるステップはありません。 + + + Error: + エラー: - + - - Table does not contain a valid image - テーブルに有効なイメージが含まれていません + + Date Created: + 作成日: + + + Notebook Error: + ノートブック エラー: + + + Job Error: + ジョブ エラー: + + + Pinned + ピン留めされました + + + Recent Runs + 最近の実行 + + + Past Runs + 過去の実行 - + - - More - その他 + + Name + 名前 - - Edit - 編集 + + Target Database + ターゲット データベース - - Close - 閉じる + + Last Run + 前回の実行 - - Convert Cell - セルの変換 + + Next Run + 次回の実行 - - Run Cells Above - 上のセルの実行 + + Status + 状態 - - Run Cells Below - 下のセルの実行 + + Last Run Outcome + 前回の実行の結果 - - Insert Code Above - コードを上に挿入 + + Previous Runs + 以前の実行 - - Insert Code Below - コードを下に挿入 + + No Steps available for this job. + このジョブに利用できるステップはありません。 - - Insert Text Above - テキストを上に挿入 + + Error: + エラー: - - Insert Text Below - テキストを下に挿入 - - - Collapse Cell - セルを折りたたむ - - - Expand Cell - セルの展開 - - - Make parameter cell - パラメーター セルの作成 - - - Remove parameter cell - パラメーター セルの削除 - - - Clear Result - 結果のクリア + + Notebook Error: + ノートブック エラー: - + - - An error occurred while starting the notebook session - ノートブック セッションの開始中にエラーが発生しました。 + + Name + 名前 - - Server did not start for unknown reason - 不明な理由によりサーバーが起動しませんでした + + Email Address + 電子メール アドレス - - Kernel {0} was not found. The default kernel will be used instead. - カーネル {0} が見つかりませんでした。既定のカーネルが代わりに使用されます。 + + Enabled + 有効 - + - - Series {0} - 系列 {0} + + Account Name + アカウント名 - - - - - - Close - 閉じる + + Credential Name + 資格情報名 - - - - - - # Injected-Parameters - - # Injected-Parameters - + + Description + 説明 - - Please select a connection to run cells for this kernel - このカーネルのセルを実行する接続を選択してください - - - Failed to delete cell. - セルの削除に失敗しました。 - - - Failed to change kernel. Kernel {0} will be used. Error was: {1} - カーネルの変更に失敗しました。カーネル {0} が使用されます。エラー: {1} - - - Failed to change kernel due to error: {0} - 次のエラーにより、カーネルの変更に失敗しました: {0} - - - Changing context failed: {0} - コンテキストの変更に失敗しました: {0} - - - Could not start session: {0} - セッションを開始できませんでした: {0} - - - A client session error occurred when closing the notebook: {0} - ノートブックを閉じるときにクライアント セッション エラーが発生しました: {0} - - - Can't find notebook manager for provider {0} - プロバイダー {0} のノートブック マネージャーが見つかりません + + Enabled + 有効 @@ -7228,6 +3571,3317 @@ Error: {1} + + + + More + その他 + + + Edit + 編集 + + + Close + 閉じる + + + Convert Cell + セルの変換 + + + Run Cells Above + 上のセルの実行 + + + Run Cells Below + 下のセルの実行 + + + Insert Code Above + コードを上に挿入 + + + Insert Code Below + コードを下に挿入 + + + Insert Text Above + テキストを上に挿入 + + + Insert Text Below + テキストを下に挿入 + + + Collapse Cell + セルを折りたたむ + + + Expand Cell + セルの展開 + + + Make parameter cell + パラメーター セルの作成 + + + Remove parameter cell + パラメーター セルの削除 + + + Clear Result + 結果のクリア + + + + + + + Add cell + セルの追加 + + + Code cell + コード セル + + + Text cell + テキスト セル + + + Move cell down + セルを下に移動します + + + Move cell up + セルを上に移動します + + + Delete + 削除 + + + Add cell + セルの追加 + + + Code cell + コード セル + + + Text cell + テキスト セル + + + + + + + Parameters + パラメーター + + + + + + + Please select active cell and try again + アクティブなセルを選択して、もう一度お試しください + + + Run cell + セルの実行 + + + Cancel execution + 実行のキャンセル + + + Error on last run. Click to run again + 最後の実行でエラーが発生しました。もう一度実行するにはクリックしてください + + + + + + + Expand code cell contents + コード セルの内容の展開 + + + Collapse code cell contents + コード セル コンテンツを折りたたむ + + + + + + + Bold + 太字 + + + Italic + 斜体 + + + Underline + 下線を付ける + + + Highlight + 強調表示 + + + Code + コード + + + Link + リンク + + + List + リスト + + + Ordered list + 順序指定済みリスト + + + Image + イメージ + + + Markdown preview toggle - off + マークダウン プレビューの切り替え - オフ + + + Heading + 見出し + + + Heading 1 + 見出し 1 + + + Heading 2 + 見出し 2 + + + Heading 3 + 見出し 3 + + + Paragraph + 段落 + + + Insert link + リンクの挿入 + + + Insert image + 画像の挿入 + + + Rich Text View + リッチ テキスト ビュー + + + Split View + 分割ビュー + + + Markdown View + マークダウン ビュー + + + + + + + No {0}renderer could be found for output. It has the following MIME types: {1} + 出力用の {0} レンダラーが見つかりませんでした。次の MIME の種類があります: {1} + + + safe + 安全 + + + No component could be found for selector {0} + セレクター {0} のコンポーネントが見つかりませんでした + + + Error rendering component: {0} + コンポーネントのレンダリング エラー: {0} + + + + + + + Click on + 次をクリック + + + + Code + + コード + + + or + または + + + + Text + + テキスト + + + to add a code or text cell + コードまたはテキストのセルを追加するため + + + Add a code cell + コード セルの追加 + + + Add a text cell + テキスト セルの追加 + + + + + + + StdIn: + StdIn: + + + + + + + <i>Double-click to edit</i> + <i>ダブルクリックして編集</i> + + + <i>Add content here...</i> + <i>ここにコンテンツを追加...</i> + + + + + + + Find + 検索 + + + Find + 検索 + + + Previous match + 前の一致項目 + + + Next match + 次の一致項目 + + + Close + 閉じる + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + 検索で多数の結果が返されました。最初の 999 件の一致のみ強調表示されます。 + + + {0} of {1} + {0}/{1} 件 + + + No Results + 結果なし + + + + + + + Add code + コードの追加 + + + Add text + テキストの追加 + + + Create File + ファイルの作成 + + + Could not display contents: {0} + コンテンツを表示できませんでした: {0} + + + Add cell + セルの追加 + + + Code cell + コード セル + + + Text cell + テキスト セル + + + Run all + すべて実行 + + + Cell + セル + + + Code + コード + + + Text + テキスト + + + Run Cells + セルの実行 + + + < Previous + < 前へ + + + Next > + 次へ > + + + cell with URI {0} was not found in this model + URI {0} を含むセルは、このモデルには見つかりませんでした + + + Run Cells failed - See error in output of the currently selected cell for more information. + セルの実行に失敗しました。詳細については、現在選択されているセルの出力内のエラーをご覧ください。 + + + + + + + New Notebook + 新しいノートブック + + + New Notebook + 新しいノートブック + + + Set Workspace And Open + ワークスペースを設定して開く + + + SQL kernel: stop Notebook execution when error occurs in a cell. + SQL カーネル: セルでエラーが発生したときに Notebook の実行を停止します。 + + + (Preview) show all kernels for the current notebook provider. + (プレビュー) 現在のノートブック プロバイダーのすべてのカーネルを表示します。 + + + Allow notebooks to run Azure Data Studio commands. + ノートブックでの Azure Data Studio コマンドの実行を許可します。 + + + Enable double click to edit for text cells in notebooks + ノートブックのテキスト セルのダブルクリックして編集を有効する + + + Text is displayed as Rich Text (also known as WYSIWYG). + テキストはリッチ テキスト (WYSIWYG とも呼ばれる) として表示されます。 + + + Markdown is displayed on the left, with a preview of the rendered text on the right. + マークダウンが左側に表示され、レンダリングされたテキストの右側にプレビューが表示されます。 + + + Text is displayed as Markdown. + テキストはマークダウンとして表示されます。 + + + The default editing mode used for text cells + テキスト セルに使用される既定の編集モード + + + (Preview) Save connection name in notebook metadata. + (プレビュー) ノートブック メタデータに接続名を保存します。 + + + Controls the line height used in the notebook markdown preview. This number is relative to the font size. + ノートブック マークダウン プレビューで使用される行の高さを制御します。この数値はフォント サイズを基準とします。 + + + (Preview) Show rendered notebook in diff editor. + (プレビュー) レンダリングされたノートブックを差分エディターで表示します。 + + + The maximum number of changes stored in the undo history for the notebook Rich Text editor. + ノートブックのリッチ テキスト エディターを元に戻す操作の履歴に格納される変更の最大数です。 + + + Search Notebooks + ノートブックの検索 + + + Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). + フルテキスト検索および Quick Open でファイルやフォルダーを除外するための glob パターンを構成します。'#files.exclude#' 設定からすべての glob パターンを継承します。glob パターンの詳細については、[こちら](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options) を参照してください。 + + + The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. + ファイル パスの照合基準となる glob パターン。これを true または false に設定すると、パターンがそれぞれ有効/無効になります。 + + + Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. + 一致するファイルの兄弟をさらにチェックします。一致するファイル名の変数として $(basename) を使用します。 + + + This setting is deprecated and now falls back on "search.usePCRE2". + この設定は推奨されず、現在 "search.usePCRE2" にフォール バックします。 + + + Deprecated. Consider "search.usePCRE2" for advanced regex feature support. + 推奨されません。高度な正規表現機能サポートのために "search.usePCRE2" の利用を検討してください。 + + + When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. + 有効にすると、searchService プロセスは 1 時間操作がない場合でもシャットダウンされず、アクティブな状態に保たれます。これにより、ファイル検索キャッシュがメモリに保持されます。 + + + Controls whether to use `.gitignore` and `.ignore` files when searching for files. + ファイルを検索するときに、`.gitignore` ファイルと `.ignore` ファイルを使用するかどうかを制御します。 + + + Controls whether to use global `.gitignore` and `.ignore` files when searching for files. + ファイルを検索するときに、グローバルの `.gitignore` と `.ignore` ファイルを使用するかどうかを制御します。 + + + Whether to include results from a global symbol search in the file results for Quick Open. + グローバル シンボル検索の結果を、Quick Open の結果ファイルに含めるかどうか。 + + + Whether to include results from recently opened files in the file results for Quick Open. + 最近開いたファイルの結果を、Quick Open の結果ファイルに含めるかどうか。 + + + History entries are sorted by relevance based on the filter value used. More relevant entries appear first. + 履歴エントリは、使用されるフィルター値に基づいて関連性によって並び替えられます。関連性の高いエントリが最初に表示されます。 + + + History entries are sorted by recency. More recently opened entries appear first. + 履歴エントリは、新しい順に並べ替えられます。最近開いたエントリが最初に表示されます。 + + + Controls sorting order of editor history in quick open when filtering. + フィルター処理時に、 Quick Open におけるエディター履歴の並べ替え順序を制御します。 + + + Controls whether to follow symlinks while searching. + 検索中にシンボリック リンクをたどるかどうかを制御します。 + + + Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. + すべて小文字のパターンの場合、大文字と小文字を区別しないで検索し、そうでない場合は大文字と小文字を区別して検索します。 + + + Controls whether the search view should read or modify the shared find clipboard on macOS. + macOS で検索ビューが共有の検索クリップボードを読み取りまたは変更するかどうかを制御します。 + + + Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. + 検索をサイドバーのビューとして表示するか、より水平方向の空間をとるためにパネル領域のパネルとして表示するかを制御します。 + + + This setting is deprecated. Please use the search view's context menu instead. + この設定は非推奨です。代わりに検索ビューのコンテキスト メニューをお使いください。 + + + Files with less than 10 results are expanded. Others are collapsed. + 結果が 10 件未満のファイルが展開されます。他のファイルは折りたたまれます。 + + + Controls whether the search results will be collapsed or expanded. + 検索結果を折りたたむか展開するかどうかを制御します。 + + + Controls whether to open Replace Preview when selecting or replacing a match. + 一致項目を選択するか置換するときに、置換のプレビューを開くかどうかを制御します。 + + + Controls whether to show line numbers for search results. + 検索結果に行番号を表示するかどうかを制御します。 + + + Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. + テキスト検索に PCRE2 正規表現エンジンを使用するかどうか。これにより、先読みや後方参照といった高度な正規表現機能を使用できるようになります。ただし、すべての PCRE2 機能がサポートされているわけではありません。JavaScript によってサポートされる機能のみが使用できます。 + + + Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. + 廃止されました。PCRE2 でのみサポートされている正規表現機能を使用すると、PCRE2 が自動的に使用されます。 + + + Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. + 検索ビューが狭い場合はアクションバーを右に、検索ビューが広い場合はコンテンツの直後にアクションバーを配置します。 + + + Always position the actionbar to the right. + アクションバーを常に右側に表示します。 + + + Controls the positioning of the actionbar on rows in the search view. + 検索ビューの行内のアクションバーの位置を制御します。 + + + Search all files as you type. + 入力中の文字列を全てのファイルから検索する。 + + + Enable seeding search from the word nearest the cursor when the active editor has no selection. + アクティブなエディターで何も選択されていないときに、カーソルに最も近い語からのシード検索を有効にします。 + + + Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. + 検索ビューにフォーカスを置いたときに、ワークスペースの検索クエリが、エディターで選択されているテキストに更新されます。これは、クリックされたときか、'workbench.views.search.focus' コマンドがトリガーされたときに発生します。 + + + When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. + '#search.searchOnType#' を有効にすると、文字が入力されてから検索が開始されるまでのタイムアウト (ミリ秒) が制御されます。'search.searchOnType' が無効になっている場合には影響しません。 + + + Double clicking selects the word under the cursor. + ダブルクリックすると、カーソルの下にある単語が選択されます。 + + + Double clicking opens the result in the active editor group. + ダブルクリックすると、アクティブなエディター グループに結果が開きます。 + + + Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. + ダブルクリックすると、結果はエディター グループの横に開かれ、まだ存在しない場合は作成されます。 + + + Configure effect of double clicking a result in a search editor. + 検索エディターで結果をダブル クリックした場合の効果を構成します。 + + + Results are sorted by folder and file names, in alphabetical order. + 結果はフォルダー名とファイル名でアルファベット順に並べ替えられます。 + + + Results are sorted by file names ignoring folder order, in alphabetical order. + 結果はフォルダーの順序を無視したファイル名でアルファベット順に並べ替えられます。 + + + Results are sorted by file extensions, in alphabetical order. + 結果は、ファイル拡張子でアルファベット順に並べ替えられます。 + + + Results are sorted by file last modified date, in descending order. + 結果は、ファイルの最終更新日で降順に並べ替えられます。 + + + Results are sorted by count per file, in descending order. + 結果は、ファイルあたりの数で降順に並べ替えられます。 + + + Results are sorted by count per file, in ascending order. + 結果は、ファイルごとのカウントで昇順に並べ替えられます。 + + + Controls sorting order of search results. + 検索結果の並べ替え順序を制御します。 + + + + + + + Loading kernels... + カーネルを読み込んでいます... + + + Changing kernel... + カーネルを変更しています... + + + Attach to + 接続先: + + + Kernel + カーネル + + + Loading contexts... + コンテキストを読み込んでいます... + + + Change Connection + 接続の変更 + + + Select Connection + 接続を選択 + + + localhost + localhost + + + No Kernel + カーネルなし + + + This notebook cannot run with parameters as the kernel is not supported. Please use the supported kernels and format. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + カーネルがサポートされていないため、このノートブックはパラメーターを指定して実行できません。サポートされているカーネルと形式を使用してください。[詳細情報](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。 + + + This notebook cannot run with parameters until a parameter cell is added. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + パラメーター セルが追加されるまで、パラメーターを指定してこのノートブックを実行することはできません。[詳細情報](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。 + + + This notebook cannot run with parameters until there are parameters added to the parameter cell. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + パラメーター セルにパラメーターが追加されるまで、パラメーターを指定してこのノートブックを実行することはできません。[詳細情報] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。 + + + Clear Results + 結果のクリア + + + Trusted + 信頼されています + + + Not Trusted + 信頼されていません + + + Collapse Cells + セルを折りたたむ + + + Expand Cells + セルを展開する + + + Run with Parameters + パラメーターを指定して実行 + + + None + なし + + + New Notebook + 新しいノートブック + + + Find Next String + 次の文字列を検索 + + + Find Previous String + 前の文字列を検索 + + + + + + + Notebook Editor + Notebook Editor + + + + + + + Search Results + 検索結果 + + + Search path not found: {0} + 検索パスが見つかりません: {0} + + + Notebooks + ノートブック + + + + + + + You have not opened any folder that contains notebooks/books. + ノートブックまたはブックを格納するフォルダーを開いていません。 + + + Open Notebooks + ノートブックを開く + + + The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. + 結果セットにはすべての一致項目のサブセットのみが含まれています。より限定的な検索条件を入力して、検索結果を絞り込んでください。 + + + Search in progress... - + 検索中です... + + + No results found in '{0}' excluding '{1}' - + '{0}' に '{1}' を除外した結果はありません - + + + No results found in '{0}' - + '{0}' に結果はありません - + + + No results found excluding '{0}' - + '{0}' を除外した結果はありませんでした - + + + No results found. Review your settings for configured exclusions and check your gitignore files - + 結果がありません。除外構成の設定を確認し、gitignore ファイルを調べてください - + + + Search again + もう一度検索 + + + Search again in all files + すべてのファイルでもう一度検索してください + + + Open Settings + 設定を開く + + + Search returned {0} results in {1} files + 検索により {1} 個のファイル内の {0} 件の結果が返されました + + + Toggle Collapse and Expand + 折りたたみと展開の切り替え + + + Cancel Search + 検索のキャンセル + + + Expand All + すべて展開 + + + Collapse All + すべて折りたたむ + + + Clear Search Results + 検索結果のクリア + + + + + + + Search: Type Search Term and press Enter to search or Escape to cancel + 検索: 検索語句を入力し Enter を押して検索するか、Esc を押して取り消します + + + Search + 検索 + + + + + + + cell with URI {0} was not found in this model + URI {0} を含むセルは、このモデルには見つかりませんでした + + + Run Cells failed - See error in output of the currently selected cell for more information. + セルの実行に失敗しました。詳細については、現在選択されているセルの出力内のエラーをご覧ください。 + + + + + + + Please run this cell to view outputs. + 出力を表示するには、このセルを実行してください。 + + + + + + + This view is empty. Add a cell to this view by clicking the Insert Cells button. + このビューは空です。[セルの挿入] ボタンをクリックして、このビューにセルを追加します。 + + + + + + + Copy failed with error {0} + エラー {0} でコピーに失敗しました + + + Show chart + グラフの表示 + + + Show table + テーブルの表示 + + + + + + + No {0} renderer could be found for output. It has the following MIME types: {1} + 出力用の {0} レンダラーが見つかりませんでした。次の MIME の種類があります: {1}。 + + + (safe) + (安全) + + + + + + + Error displaying Plotly graph: {0} + Plotly グラフの表示エラー: {0} + + + + + + + No connections found. + 接続が見つかりません。 + + + Add Connection + 接続の追加 + + + + + + + Server Group color palette used in the Object Explorer viewlet. + オブジェクト エクスプローラー ビューレットで使用するサーバー グループ カラー パレット。 + + + Auto-expand Server Groups in the Object Explorer viewlet. + オブジェクト エクスプローラー ビューレットの自動展開サーバー グループ。 + + + (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. + (プレビュー) 動的ノード フィルターなどの新機能をサポートする、新しい非同期サーバー ツリーをサーバー ビューおよび接続ダイアログに使用します。 + + + + + + + Data + データ + + + Connection + 接続 + + + Query Editor + クエリ エディター + + + Notebook + ノートブック + + + Dashboard + ダッシュボード + + + Profiler + Profiler + + + Built-in Charts + 組み込みグラフ + + + + + + + Specifies view templates + ビュー テンプレートを指定する + + + Specifies session templates + セッション テンプレートを指定する + + + Profiler Filters + Profiler フィルター + + + + + + + Connect + 接続 + + + Disconnect + 切断 + + + Start + 開始 + + + New Session + 新しいセッション + + + Pause + 一時停止 + + + Resume + 再開 + + + Stop + 停止 + + + Clear Data + データのクリア + + + Are you sure you want to clear the data? + データをクリアしますか? + + + Yes + はい + + + No + いいえ + + + Auto Scroll: On + 自動スクロール: オン + + + Auto Scroll: Off + 自動スクロール: オフ + + + Toggle Collapsed Panel + 折りたたんだパネルを切り替える + + + Edit Columns + 列の編集 + + + Find Next String + 次の文字列を検索 + + + Find Previous String + 前の文字列を検索 + + + Launch Profiler + Profiler を起動 + + + Filter… + フィルター... + + + Clear Filter + フィルターのクリア + + + Are you sure you want to clear the filters? + フィルターをクリアしますか? + + + + + + + Select View + ビューの選択 + + + Select Session + セッションの選択 + + + Select Session: + セッションを選択: + + + Select View: + ビューを選択: + + + Text + テキスト + + + Label + ラベル + + + Value + + + + Details + 詳細 + + + + + + + Find + 検索 + + + Find + 検索 + + + Previous match + 前の一致項目 + + + Next match + 次の一致項目 + + + Close + 閉じる + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + 検索で多数の結果が返されました。最初の 999 件の一致のみ強調表示されます。 + + + {0} of {1} + {0} / {1} 件 + + + No Results + 結果なし + + + + + + + Profiler editor for event text. Readonly + イベント テキストの Profiler エディター。読み取り専用 + + + + + + + Events (Filtered): {0}/{1} + イベント (フィルター処理済み): {0}/{1} + + + Events: {0} + イベント: {0} + + + Event Count + イベント数 + + + + + + + Save As CSV + CSV として保存 + + + Save As JSON + JSON として保存 + + + Save As Excel + Excel として保存 + + + Save As XML + XML として保存 + + + Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. + JSON にエクスポートするときに結果のエンコードは保存されません。ファイルが作成されたら、目的のエンコードで保存することを忘れないでください。 + + + Save to file is not supported by the backing data source + バッキング データ ソースでファイルへの保存はサポートされていません + + + Copy + コピー + + + Copy With Headers + ヘッダー付きでコピー + + + Select All + すべて選択 + + + Maximize + 最大化 + + + Restore + 復元 + + + Chart + グラフ + + + Visualizer + ビジュアライザー + + + + + + + Choose SQL Language + SQL 言語の選択 + + + Change SQL language provider + SQL 言語プロバイダーの変更 + + + SQL Language Flavor + SQL 言語のフレーバー + + + Change SQL Engine Provider + SQL エンジン プロバイダーの変更 + + + A connection using engine {0} exists. To change please disconnect or change connection + エンジン {0} を使用している接続が存在します。変更するには、切断するか、接続を変更してください + + + No text editor active at this time + 現時点でアクティブなテキスト エディターはありません + + + Select Language Provider + 言語プロバイダーの選択 + + + + + + + XML Showplan + XML プラン表示 + + + Results grid + 結果グリッド + + + Max row count for filtering/sorting has been exceeded. To update it, you can go to User Settings and change the setting: 'queryEditor.results.inMemoryDataProcessingThreshold' + フィルター/並べ替えに使用する行の最大数を超えました。更新するには、[ユーザーの設定] に移動し、設定を変更します: 'queryEditor.results.inMemoryDataProcessingThreshold' + + + + + + + Focus on Current Query + 現在のクエリにフォーカスを移動する + + + Run Query + クエリの実行 + + + Run Current Query + 現在のクエリを実行 + + + Copy Query With Results + 結果を含むクエリのコピー + + + Successfully copied query and results. + クエリと結果が正常にコピーされました。 + + + Run Current Query with Actual Plan + 実際のプランで現在のクエリを実行 + + + Cancel Query + クエリのキャンセル + + + Refresh IntelliSense Cache + IntelliSense キャッシュの更新 + + + Toggle Query Results + クエリ結果の切り替え + + + Toggle Focus Between Query And Results + クエリと結果の間のフォーカスの切り替え + + + Editor parameter is required for a shortcut to be executed + ショートカットを実行するにはエディター パラメーターが必須です + + + Parse Query + クエリの解析 + + + Commands completed successfully + コマンドが正常に完了しました + + + Command failed: + コマンドが失敗しました: + + + Please connect to a server + サーバーに接続してください + + + + + + + Message Panel + メッセージ パネル + + + Copy + コピー + + + Copy All + すべてコピー + + + + + + + Query Results + クエリ結果 + + + New Query + 新しいクエリ + + + Query Editor + クエリ エディター + + + When true, column headers are included when saving results as CSV + true の場合、CSV として結果を保存する際に列ヘッダーが組み込まれます + + + The custom delimiter to use between values when saving as CSV + CSV として保存するときに値の間に使用するカスタム区切り記号 + + + Character(s) used for seperating rows when saving results as CSV + 結果を CSV として保存するときに行を区切るために使用する文字 + + + Character used for enclosing text fields when saving results as CSV + 結果を CSV として保存するときにテキスト フィールドを囲むために使用する文字 + + + File encoding used when saving results as CSV + 結果を CSV として保存するときに使用するファイル エンコード + + + When true, XML output will be formatted when saving results as XML + true の場合、XML として結果を保存すると XML 出力がフォーマットされます + + + File encoding used when saving results as XML + 結果を XML として保存するときに使用されるファイル エンコード + + + Enable results streaming; contains few minor visual issues + 結果のストリーミングを有効にします。視覚上の小さな問題がいくつかあります + + + Configuration options for copying results from the Results View + 結果を結果ビューからコピーするための構成オプション + + + Configuration options for copying multi-line results from the Results View + 複数行の結果を結果ビューからコピーするための構成オプション + + + (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. + (試験的) 結果の最適化されたテーブルを使用します。一部の機能がなく、準備中の場合があります。 + + + Controls the max number of rows allowed to do filtering and sorting in memory. If the number is exceeded, sorting and filtering will be disabled. Warning: Increasing this may impact performance. + メモリ内でフィルター処理と並べ替えを実行できる行の最大数を制御します。この数を超えた場合、並べ替えとフィルター処理は無効になります。警告: これを増やすと、パフォーマンスに影響を与える可能性があります。 + + + Whether to open the file in Azure Data Studio after the result is saved. + 結果保存後に Azure Data Studio でファイルを開くかどうかを指定します。 + + + Should execution time be shown for individual batches + 各バッチの実行時間を表示するかどうか + + + Word wrap messages + メッセージを右端で折り返す + + + The default chart type to use when opening Chart Viewer from a Query Results + クエリ結果からグラフ ビューアーを開くときに使用する既定のグラフの種類 + + + Tab coloring will be disabled + タブの色指定は無効になります + + + The top border of each editor tab will be colored to match the relevant server group + 各エディター タブの上部境界線は、関連するサーバー グループと同じ色になります + + + Each editor tab's background color will match the relevant server group + 各エディター タブの背景色は、関連するサーバー グループと同じになります + + + Controls how to color tabs based on the server group of their active connection + アクティブな接続のサーバー グループに基づいてタブに色を付ける方法を制御します + + + Controls whether to show the connection info for a tab in the title. + タイトルにタブの接続情報を表示するかを制御します。 + + + Prompt to save generated SQL files + 生成された SQL ファイルを保存するかをプロンプトで確認する + + + Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call or query execution. Any selected text in the query editor will be passed as a parameter at the end of your query, or you can reference it with {arg} + ショートカット テキストをプロシージャ呼び出しまたはクエリ実行として実行するにはキー バインド workbench.action.query.shortcut{0} を設定します。クエリ エディターで選択したテキストはクエリの末尾でパラメーターとして渡されます。または、これを {arg} で参照することができます。 + + + + + + + New Query + 新しいクエリ + + + Run + 実行 + + + Cancel + キャンセル + + + Explain + 説明 + + + Actual + 実際 + + + Disconnect + 切断 + + + Change Connection + 接続の変更 + + + Connect + 接続 + + + Enable SQLCMD + SQLCMD を有効にする + + + Disable SQLCMD + SQLCMD を無効にする + + + Select Database + データベースの選択 + + + Failed to change database + データベースを変更できませんでした + + + Failed to change database: {0} + データベースを変更できませんでした: {0} + + + Export as Notebook + ノートブックとしてエクスポート + + + + + + + Query Editor + Query Editor + + + + + + + Results + 結果 + + + Messages + メッセージ + + + + + + + Time Elapsed + 経過時間 + + + Row Count + 行数 + + + {0} rows + {0} 行 + + + Executing query... + クエリを実行しています... + + + Execution Status + 実行状態 + + + Selection Summary + 選択の要約 + + + Average: {0} Count: {1} Sum: {2} + 平均: {0} 数: {1} 合計: {2} + + + + + + + Results Grid and Messages + 結果グリッドとメッセージ + + + Controls the font family. + フォント ファミリを制御します。 + + + Controls the font weight. + フォントの太さを制御します。 + + + Controls the font size in pixels. + フォント サイズ (ピクセル単位) を制御します。 + + + Controls the letter spacing in pixels. + 文字間隔 (ピクセル単位) を制御します。 + + + Controls the row height in pixels + ピクセル単位で行の高さを制御する + + + Controls the cell padding in pixels + セルの埋め込みをピクセル単位で制御します + + + Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells + 最初の結果について、列の幅を自動サイズ設定します。多数の列がある場合や、大きいセルがある場合、パフォーマンスの問題が発生する可能性があります + + + The maximum width in pixels for auto-sized columns + 自動サイズ設定される列の最大幅 (ピクセル単位) + + + + + + + Toggle Query History + Query History の切り替え + + + Delete + 削除 + + + Clear All History + すべての履歴をクリア + + + Open Query + クエリを開く + + + Run Query + クエリの実行 + + + Toggle Query History capture + Query History キャプチャの切り替え + + + Pause Query History Capture + Query History キャプチャの一時停止 + + + Start Query History Capture + Query History キャプチャの開始 + + + + + + + succeeded + 成功 + + + failed + 失敗 + + + + + + + No queries to display. + 表示するクエリがありません。 + + + Query History + QueryHistory + Query History + + + + + + + QueryHistory + クエリ履歴 + + + Whether Query History capture is enabled. If false queries executed will not be captured. + Query History キャプチャが有効かどうか。false の場合、実行されたクエリはキャプチャされません。 + + + Clear All History + すべての履歴をクリア + + + Pause Query History Capture + Query History キャプチャの一時停止 + + + Start Query History Capture + Query History キャプチャの開始 + + + View + 表示 + + + &&Query History + && denotes a mnemonic + Query History (&&Q) + + + Query History + Query History + + + + + + + Query Plan + クエリ プラン + + + + + + + Query Plan Editor + Query Plan Editor + + + + + + + Operation + 操作 + + + Object + オブジェクト + + + Est Cost + 推定コスト + + + Est Subtree Cost + サブ ツリーの推定コスト + + + Actual Rows + 実際の行数 + + + Est Rows + 推定行数 + + + Actual Executions + 実際の実行 + + + Est CPU Cost + 推定 CPU コスト + + + Est IO Cost + 推定 IO コスト + + + Parallel + 並列 + + + Actual Rebinds + 実際の再バインド数 + + + Est Rebinds + 再バインドの推定数 + + + Actual Rewinds + 実際の巻き戻し数 + + + Est Rewinds + 巻き戻しの推定数 + + + Partitioned + パーティション分割 + + + Top Operations + 上位操作 + + + + + + + Resource Viewer + リソース ビューアー + + + + + + + Refresh + 最新の情報に更新 + + + + + + + Error opening link : {0} + リンクを開いているときにエラーが発生しました: {0} + + + Error executing command '{0}' : {1} + コマンド '{0}' の実行でエラーが発生しました: {1} + + + + + + + Resource Viewer Tree + リソース ビューアー ツリー + + + + + + + Identifier of the resource. + リソースの識別子。 + + + The human-readable name of the view. Will be shown + ビューの判読できる名前。これが表示されます + + + Path to the resource icon. + リソース アイコンへのパス。 + + + Contributes resource to the resource view + リソースをリソース ビューに提供します + + + property `{0}` is mandatory and must be of type `string` + プロパティ `{0}` は必須で、`string` 型でなければなりません + + + property `{0}` can be omitted or must be of type `string` + プロパティ `{0}` は省略するか、`string` 型にする必要があります + + + + + + + Restore + 復元 + + + Restore + 復元 + + + + + + + You must enable preview features in order to use restore + 復元を使用するには、プレビュー機能を有効にする必要があります + + + Restore command is not supported outside of a server context. Please select a server or database and try again. + 復元コマンドは、サーバー コンテキストの外ではサポートされていません。サーバーまたはデータベースを選択して、もう一度お試しください。 + + + Restore command is not supported for Azure SQL databases. + Azure SQL データベースでは、復元コマンドはサポートされていません。 + + + Restore + 復元 + + + + + + + Script as Create + 作成としてのスクリプト + + + Script as Drop + ドロップとしてのスクリプト + + + Select Top 1000 + 上位 1000 を選択する + + + Script as Execute + 実行としてのスクリプト + + + Script as Alter + 変更としてのスクリプト + + + Edit Data + データの編集 + + + Select Top 1000 + 上位 1000 を選択する + + + Take 10 + 10 個 + + + Script as Create + 作成としてのスクリプト + + + Script as Execute + 実行としてのスクリプト + + + Script as Alter + 変更としてのスクリプト + + + Script as Drop + ドロップとしてのスクリプト + + + Refresh + 最新の情報に更新 + + + + + + + An error occurred refreshing node '{0}': {1} + ノード '{0}' の更新でエラーが発生しました: {1} + + + + + + + {0} in progress tasks + {0} 個のタスクが進行中です + + + View + 表示 + + + Tasks + タスク + + + &&Tasks + && denotes a mnemonic + タスク(&&T) + + + + + + + Toggle Tasks + タスクの切り替え + + + + + + + succeeded + 成功 + + + failed + 失敗 + + + in progress + 進行中 + + + not started + 未開始 + + + canceled + キャンセル済み + + + canceling + キャンセル中 + + + + + + + No task history to display. + 表示するタスク履歴がありません。 + + + Task history + TaskHistory + タスク履歴 + + + Task error + タスク エラー + + + + + + + Cancel + キャンセル + + + The task failed to cancel. + タスクを取り消せませんでした。 + + + Script + スクリプト + + + + + + + There is no data provider registered that can provide view data. + ビュー データを提供できるデータ プロバイダーが登録されていません。 + + + Refresh + 最新の情報に更新 + + + Collapse All + すべて折りたたむ + + + Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. + コマンド {1} の実行中にエラー {0} が発生しました。{1} を提供する拡張機能が原因である可能性があります。 + + + + + + + OK + OK + + + Close + 閉じる + + + + + + + Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? + プレビュー機能により、新機能と機能改善にフル アクセスできることで、Azure Data Studio のエクスペリエンスが拡張されます。プレビュー機能の詳細については、[ここ] ({0}) を参照してください。プレビュー機能を有効にしますか? + + + Yes (recommended) + はい (推奨) + + + No + いいえ + + + No, don't show again + いいえ、今後は表示しない + + + + + + + This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. + この機能ページはプレビュー段階です。プレビュー機能では、製品の永続的な部分になる予定の新しい機能が導入されています。これらは安定していますが、追加のアクセシビリティの改善が必要です。開発中の早期のフィードバックを歓迎しています。 + + + Preview + プレビュー + + + Create a connection + 接続の作成 + + + Connect to a database instance through the connection dialog. + 接続ダイアログを使用してデータベース インスタンスに接続します。 + + + Run a query + クエリの実行 + + + Interact with data through a query editor. + クエリ エディターを使用してデータを操作します。 + + + Create a notebook + ノートブックの作成 + + + Build a new notebook using a native notebook editor. + ネイティブのノートブック エディターを使用して、新しいノートブックを作成します。 + + + Deploy a server + サーバーのデプロイ + + + Create a new instance of a relational data service on the platform of your choice. + 選択したプラットフォームでリレーショナル データ サービスの新しいインスタンスを作成します。 + + + Resources + リソース + + + History + 履歴 + + + Name + 名前 + + + Location + 場所 + + + Show more + さらに表示 + + + Show welcome page on startup + 起動時にウェルカム ページを表示する + + + Useful Links + 役に立つリンク + + + Getting Started + はじめに + + + Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. + Azure Data Studio によって提供される機能を検出し、それらを最大限に活用する方法について説明します。 + + + Documentation + ドキュメント + + + Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. + PowerShell、API などのクイックスタート、攻略ガイド、リファレンスについては、ドキュメント センターを参照してください。 + + + Videos + ビデオ + + + Overview of Azure Data Studio + Azure Data Studio の概要 + + + Introduction to Azure Data Studio Notebooks | Data Exposed + Azure Data Studio ノートブックの概要 | 公開されたデータ + + + Extensions + 拡張 + + + Show All + すべて表示 + + + Learn more + 詳細情報 + + + + + + + Connections + 接続 + + + Connect, query, and manage your connections from SQL Server, Azure, and more. + SQL Server、Azure などからの接続を接続、クエリ、および管理します。 + + + 1 + 1 + + + Next + 次へ + + + Notebooks + ノートブック + + + Get started creating your own notebook or collection of notebooks in a single place. + 1 か所で独自のノートブックまたはノートブックのコレクションの作成を開始します。 + + + 2 + 2 + + + Extensions + 拡張 + + + Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). + Microsoft (私たち) だけでなくサードパーティ コミュニティ (あなた) が開発した拡張機能をインストールすることにより、Azure Data Studio の機能を拡張します。 + + + 3 + 3 + + + Settings + 設定 + + + Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. + 好みに応じて Azure Data Studio をカスタマイズします。自動保存やタブ サイズなどの設定の構成、キーボード ショートカットのカスタマイズ、好きな配色テーマへの切り替えを行うことができます。 + + + 4 + 4 + + + Welcome Page + ウェルカム ページ + + + Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. + ウェルカム ページで、トップの機能、最近開いたファイル、推奨される拡張機能がわかります。Azure Data Studio で作業を開始する方法の詳細については、ビデオとドキュメントをご覧ください。 + + + 5 + 5 + + + Finish + 完了 + + + User Welcome Tour + ユーザー紹介ツアー + + + Hide Welcome Tour + 紹介ツアーの非表示 + + + Read more + 詳細情報 + + + Help + ヘルプ + + + + + + + Welcome + ようこそ + + + SQL Admin Pack + SQL 管理パック + + + SQL Admin Pack + SQL 管理パック + + + Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server + SQL Server の管理パックは、一般的なデータベース管理拡張機能のコレクションであり、SQL Server の管理に役立ちます + + + SQL Server Agent + SQL Server エージェント + + + SQL Server Profiler + SQL Server Profiler + + + SQL Server Import + SQL Server のインポート + + + SQL Server Dacpac + SQL Server DACPAC + + + Powershell + PowerShell + + + Write and execute PowerShell scripts using Azure Data Studio's rich query editor + Azure Data Studio のリッチ クエリ エディターを使用して PowerShell スクリプトを作成して実行します + + + Data Virtualization + データ仮想化 + + + Virtualize data with SQL Server 2019 and create external tables using interactive wizards + SQL Server 2019 を使用してデータを仮想化し、インタラクティブなウィザードを使用して外部テーブルを作成します + + + PostgreSQL + PostgreSQL + + + Connect, query, and manage Postgres databases with Azure Data Studio + Azure Data Studio で Postgres データベースを接続、クエリ、および管理します + + + Support for {0} is already installed. + {0} のサポートは既にインストールされています。 + + + The window will reload after installing additional support for {0}. + {0} に追加のサポートをインストールしたあと、ウィンドウが再度読み込まれます。 + + + Installing additional support for {0}... + {0} に追加のサポートをインストールしています... + + + Support for {0} with id {1} could not be found. + ID {1} のサポート {0} は見つかりませんでした。 + + + New connection + 新しい接続 + + + New query + 新しいクエリ + + + New notebook + 新しいノートブック + + + Deploy a server + サーバーのデプロイ + + + Welcome + ようこそ + + + New + 新規 + + + Open… + 開く… + + + Open file… + ファイルを開く… + + + Open folder… + フォルダーを開く + + + Start Tour + ツアーの開始 + + + Close quick tour bar + クイック ツアー バーを閉じる + + + Would you like to take a quick tour of Azure Data Studio? + Azure Data Studio のクイック ツアーを開始しますか? + + + Welcome! + ようこそ + + + Open folder {0} with path {1} + パス {1} のフォルダー {0} を開く + + + Install + インストール + + + Install {0} keymap + {0} キーマップのインストール + + + Install additional support for {0} + {0} に追加のサポートをインストールする + + + Installed + インストール済み + + + {0} keymap is already installed + {0} キーマップは既にインストールされています + + + {0} support is already installed + {0} のサポートは既にインストールされています + + + OK + OK + + + Details + 詳細 + + + Background color for the Welcome page. + ウェルカム ページの背景色。 + + + + + + + Azure Data Studio + Azure Data Studio + + + Start + 開始 + + + New connection + 新しい接続 + + + New query + 新しいクエリ + + + New notebook + 新しいノートブック + + + Open file + ファイルを開く + + + Open file + ファイルを開く + + + Deploy + デプロイ + + + New Deployment… + 新しいデプロイ… + + + Recent + 最近 + + + More... + その他... + + + No recent folders + 最近使用したフォルダーなし + + + Help + ヘルプ + + + Getting started + はじめに + + + Documentation + ドキュメント + + + Report issue or feature request + 問題または機能要求を報告する + + + GitHub repository + GitHub リポジトリ + + + Release notes + リリース ノート + + + Show welcome page on startup + 起動時にウェルカム ページを表示する + + + Customize + カスタマイズ + + + Extensions + 拡張 + + + Download extensions that you need, including the SQL Server Admin pack and more + SQL Server 管理パックなど、必要な拡張機能をダウンロードする + + + Keyboard Shortcuts + キーボード ショートカット + + + Find your favorite commands and customize them + お気に入りのコマンドを見つけてカスタマイズする + + + Color theme + 配色テーマ + + + Make the editor and your code look the way you love + エディターとコードの外観を自由に設定します + + + Learn + 詳細 + + + Find and run all commands + すべてのコマンドの検索と実行 + + + Rapidly access and search commands from the Command Palette ({0}) + コマンド パレット ({0}) にすばやくアクセスしてコマンドを検索します + + + Discover what's new in the latest release + 最新リリースの新機能を見る + + + New monthly blog posts each month showcasing our new features + 毎月新機能を紹介する新しいブログ記事 + + + Follow us on Twitter + Twitter でフォローする + + + Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. + コミュニティがどのように Azure Data Studio を使用しているかについて、最新情報を把握し、エンジニアと直接話し合います。 + + + + + + + Accounts + アカウント + + + Linked accounts + リンクされたアカウント + + + Close + 閉じる + + + There is no linked account. Please add an account. + リンクされているアカウントはありません。アカウントを追加してください。 + + + Add an account + アカウントを追加する + + + You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud + 有効にされているクラウドがありません。[設定] -> [Azure アカウント構成の検索] に移動し、 少なくとも 1 つのクラウドを有効にしてください + + + You didn't select any authentication provider. Please try again. + 認証プロバイダーを選択していません。もう一度お試しください。 + + + + + + + Error adding account + アカウントの追加でのエラー + + + + + + + You need to refresh the credentials for this account. + このアカウントの資格情報を更新する必要があります。 + + + + + + + Close + 閉じる + + + Adding account... + アカウントを追加しています... + + + Refresh account was canceled by the user + ユーザーがアカウントの更新をキャンセルしました + + + + + + + Azure account + Azure アカウント + + + Azure tenant + Azure テナント + + + + + + + Copy & Open + コピーして開く + + + Cancel + キャンセル + + + User code + ユーザー コード + + + Website + Web サイト + + + + + + + Cannot start auto OAuth. An auto OAuth is already in progress. + 自動 OAuth を開始できません。自動 OAuth は既に進行中です。 + + + + + + + Connection is required in order to interact with adminservice + 管理サービスとの対話には接続が必須です + + + No Handler Registered + 登録されているハンドラーがありません + + + + + + + Connection is required in order to interact with Assessment Service + 評価サービスとの対話には接続が必要です + + + No Handler Registered + 登録されているハンドラーがありません + + + + + + + Advanced Properties + 詳細プロパティ + + + Discard + 破棄 + + + + + + + Server Description (optional) + サーバーの説明 (省略可能) + + + + + + + Clear List + リストのクリア + + + Recent connections list cleared + 最近の接続履歴をクリアしました + + + Yes + はい + + + No + いいえ + + + Are you sure you want to delete all the connections from the list? + 一覧からすべての接続を削除してよろしいですか? + + + Yes + はい + + + No + いいえ + + + Delete + 削除 + + + Get Current Connection String + 現在の接続文字列を取得する + + + Connection string not available + 接続文字列は使用できません + + + No active connection available + 使用できるアクティブな接続がありません + + + + + + + Browse + 参照 + + + Type here to filter the list + 一覧にフィルターをかけるには、ここに入力します + + + Filter connections + 接続のフィルター + + + Applying filter + フィルターを適用しています + + + Removing filter + フィルターを削除しています + + + Filter applied + フィルター適用済み + + + Filter removed + フィルターが削除されました + + + Saved Connections + 保存された接続 + + + Saved Connections + 保存された接続 + + + Connection Browser Tree + 接続ブラウザー ツリー + + + + + + + Connection error + 接続エラー + + + Connection failed due to Kerberos error. + 接続は、Kerberos エラーのため失敗しました。 + + + Help configuring Kerberos is available at {0} + Kerberos を構成するためのヘルプを {0} で確認できます + + + If you have previously connected you may need to re-run kinit. + 以前に接続した場合は、kinit を再実行しなければならない場合があります。 + + + + + + + Connection + 接続 + + + Connecting + 接続しています + + + Connection type + 接続の種類 + + + Recent + 最近 + + + Connection Details + 接続の詳細 + + + Connect + 接続 + + + Cancel + キャンセル + + + Recent Connections + 最近の接続 + + + No recent connection + 最近の接続はありません + + + + + + + Failed to get Azure account token for connection + 接続用の Azure アカウント トークンの取得に失敗しました + + + Connection Not Accepted + 接続が承認されていません + + + Yes + はい + + + No + いいえ + + + Are you sure you want to cancel this connection? + この接続をキャンセルしてもよろしいですか? + + + + + + + Add an account... + アカウントを追加する... + + + <Default> + <既定> + + + Loading... + 読み込んでいます... + + + Server group + サーバー グループ + + + <Default> + <既定> + + + Add new group... + 新しいグループを追加する... + + + <Do not save> + <保存しない> + + + {0} is required. + {0} が必須です。 + + + {0} will be trimmed. + {0} がトリミングされます。 + + + Remember password + パスワードを記憶する + + + Account + アカウント + + + Refresh account credentials + アカウントの資格情報を更新 + + + Azure AD tenant + Azure AD テナント + + + Name (optional) + 名前 (省略可能) + + + Advanced... + 詳細設定... + + + You must select an account + アカウントを選択する必要があります + + + + + + + Connected to + 接続先 + + + Disconnected + 切断 + + + Unsaved Connections + 保存されていない接続 + + + + + + + Open dashboard extensions + ダッシュボードの拡張機能を開く + + + OK + OK + + + Cancel + キャンセル + + + No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. + まだダッシュボードの拡張機能がインストールされていません。拡張機能マネージャーに移動し、推奨される拡張機能をご確認ください。 + + + + + + + Step {0} + ステップ {0} + + + + + + + Done + 完了 + + + Cancel + キャンセル + + + + + + + Initialize edit data session failed: + 編集データ セッションを初期化できませんでした: + + + + + + + OK + OK + + + Close + 閉じる + + + Action + アクション + + + Copy details + コピーの詳細 + + + + + + + Error + エラー + + + Warning + 警告 + + + Info + 情報 + + + Ignore + 無視する + + + + + + + Selected path + 選択されたパス + + + Files of type + ファイルの種類 + + + OK + OK + + + Discard + 破棄 + + + + + + + Select a file + ファイルの選択 + + + + + + + File browser tree + FileBrowserTree + ファイル ブラウザー ツリー + + + + + + + An error occured while loading the file browser. + ファイル ブラウザーの読み込み中にエラーが発生しました。 + + + File browser error + ファイル ブラウザーのエラー + + + + + + + All files + すべてのファイル + + + + + + + Copy Cell + セルをコピー + + + + + + + No Connection Profile was passed to insights flyout + 分析情報ポップアップに渡された接続プロファイルはありませんでした + + + Insights error + 分析情報エラー + + + There was an error reading the query file: + クエリ ファイルの読み取り中にエラーが発生しました: + + + There was an error parsing the insight config; could not find query array/string or queryfile + 分析情報の構成の解析中にエラーが発生しました。クエリ配列/文字列、またはクエリ ファイルが見つかりませんでした + + + + + + + Item + アイテム + + + Value + + + + Insight Details + 分析情報の詳細 + + + Property + プロパティ + + + Value + + + + Insights + 分析情報 + + + Items + アイテム + + + Item Details + アイテムの詳細 + + + + + + + Could not find query file at any of the following paths : + {0} + クエリ ファイルが、次のどのパスにも見つかりませんでした: + {0} + + + + + + + Failed + 失敗 + + + Succeeded + 成功 + + + Retry + 再試行 + + + Cancelled + 取り消されました + + + In Progress + 進行中 + + + Status Unknown + 不明な状態 + + + Executing + 実行中 + + + Waiting for Thread + スレッドを待機しています + + + Between Retries + 再試行の間 + + + Idle + アイドル状態 + + + Suspended + 中断中 + + + [Obsolete] + [古い] + + + Yes + はい + + + No + いいえ + + + Not Scheduled + スケジュールが設定されていません + + + Never Run + 実行しない + + + + + + + Connection is required in order to interact with JobManagementService + JobManagementService と対話するには接続が必須です + + + No Handler Registered + 登録されているハンドラーがありません + + + + + + + SQL + SQL + + + @@ -7256,6 +6910,22 @@ Error: {1} + + + + An error occurred while starting the notebook session + ノートブック セッションの開始中にエラーが発生しました。 + + + Server did not start for unknown reason + 不明な理由によりサーバーが起動しませんでした + + + Kernel {0} was not found. The default kernel will be used instead. + カーネル {0} が見つかりませんでした。既定のカーネルが代わりに使用されます。 + + + @@ -7268,11 +6938,738 @@ Error: {1} - + - - Changing editor types on unsaved files is unsupported - 保存されていないファイルでの編集者の種類の変更はサポートされていません + + # Injected-Parameters + + # Injected-Parameters + + + + Please select a connection to run cells for this kernel + このカーネルのセルを実行する接続を選択してください + + + Failed to delete cell. + セルの削除に失敗しました。 + + + Failed to change kernel. Kernel {0} will be used. Error was: {1} + カーネルの変更に失敗しました。カーネル {0} が使用されます。エラー: {1} + + + Failed to change kernel due to error: {0} + 次のエラーにより、カーネルの変更に失敗しました: {0} + + + Changing context failed: {0} + コンテキストの変更に失敗しました: {0} + + + Could not start session: {0} + セッションを開始できませんでした: {0} + + + A client session error occurred when closing the notebook: {0} + ノートブックを閉じるときにクライアント セッション エラーが発生しました: {0} + + + Can't find notebook manager for provider {0} + プロバイダー {0} のノートブック マネージャーが見つかりません + + + + + + + No URI was passed when creating a notebook manager + ノートブック マネージャーを作成するときに URI が渡されませんでした + + + Notebook provider does not exist + ノートブック プロバイダーが存在しません + + + + + + + A view with the name {0} already exists in this notebook. + このノートブックには、 {0} という名前のビューが既に存在します。 + + + + + + + SQL kernel error + SQL カーネル エラー + + + A connection must be chosen to run notebook cells + ノートブックのセルを実行するには、接続を選択する必要があります + + + Displaying Top {0} rows. + 上位 {0} 行を表示しています。 + + + + + + + Rich Text + リッチ テキスト + + + Split View + 分割ビュー + + + Markdown + Markdown + + + + + + + nbformat v{0}.{1} not recognized + 認識されない nbformat v{0}.{1} + + + This file does not have a valid notebook format + このファイルは有効なノートブック形式ではありません + + + Cell type {0} unknown + セルの種類 {0} が不明 + + + Output type {0} not recognized + 出力の種類 {0} を認識できません + + + Data for {0} is expected to be a string or an Array of strings + {0} のデータは、文字列または文字列の配列である必要があります + + + Output type {0} not recognized + 出力の種類 {0} を認識できません + + + + + + + Identifier of the notebook provider. + ノートブック プロバイダーの識別子。 + + + What file extensions should be registered to this notebook provider + このノートブック プロバイダーにどのファイル拡張子を登録する必要があるか + + + What kernels should be standard with this notebook provider + このノートブック プロバイダーへの標準装備が必要なカーネル + + + Contributes notebook providers. + ノートブック プロバイダーを提供します。 + + + Name of the cell magic, such as '%%sql'. + '%%sql' などのセル マジックの名前。 + + + The cell language to be used if this cell magic is included in the cell + このセル マジックがセルに含まれる場合に使用されるセルの言語 + + + Optional execution target this magic indicates, for example Spark vs SQL + Spark / SQL など、このマジックが示すオプションの実行対象 + + + Optional set of kernels this is valid for, e.g. python3, pyspark, sql + これが有効なカーネルのオプションのセット (python3、pyspark、sql など) + + + Contributes notebook language. + ノートブックの言語を提供します。 + + + + + + + Loading... + 読み込んでいます... + + + + + + + Refresh + 最新の情報に更新 + + + Edit Connection + 接続の編集 + + + Disconnect + 切断 + + + New Connection + 新しい接続 + + + New Server Group + 新しいサーバー グループ + + + Edit Server Group + サーバー グループの編集 + + + Show Active Connections + アクティブな接続を表示 + + + Show All Connections + すべての接続を表示 + + + Delete Connection + 接続の削除 + + + Delete Group + グループの削除 + + + + + + + Failed to create Object Explorer session + オブジェクト エクスプローラー セッションを作成できませんでした + + + Multiple errors: + 複数のエラー: + + + + + + + Cannot expand as the required connection provider '{0}' was not found + 必要な接続プロバイダー '{0}' が見つからないため、展開できません + + + User canceled + ユーザーによる取り消し + + + Firewall dialog canceled + ファイアウォール ダイアログが取り消されました + + + + + + + Loading... + 読み込んでいます... + + + + + + + Recent Connections + 最近の接続 + + + Servers + サーバー + + + Servers + サーバー + + + + + + + Sort by event + イベントで並べ替え + + + Sort by column + 列で並べ替え + + + Profiler + プロファイラー + + + OK + OK + + + Cancel + キャンセル + + + + + + + Clear all + すべてクリア + + + Apply + 適用 + + + OK + OK + + + Cancel + キャンセル + + + Filters + フィルター + + + Remove this clause + この句を削除する + + + Save Filter + フィルターを保存する + + + Load Filter + フィルターを読み込む + + + Add a clause + 句を追加する + + + Field + フィールド + + + Operator + 演算子 + + + Value + + + + Is Null + Null である + + + Is Not Null + Null でない + + + Contains + 含む + + + Not Contains + 含まない + + + Starts With + 次で始まる + + + Not Starts With + 次で始まらない + + + + + + + Commit row failed: + 行のコミットに失敗しました: + + + Started executing query at + 次の場所でクエリの実行を開始しました: + + + Started executing query "{0}" + クエリ「{0}」の実行を開始しました + + + Line {0} + 行 {0} + + + Canceling the query failed: {0} + 失敗したクエリのキャンセル中: {0} + + + Update cell failed: + セルの更新が失敗しました: + + + + + + + Execution failed due to an unexpected error: {0} {1} + 予期しないエラーにより、実行が失敗しました: {0} {1} + + + Total execution time: {0} + 総実行時間: {0} + + + Started executing query at Line {0} + 行 {0} でのクエリの実行が開始されました + + + Started executing batch {0} + バッチ {0} の実行を開始しました + + + Batch execution time: {0} + バッチ実行時間: {0} + + + Copy failed with error {0} + エラー {0} でコピーに失敗しました + + + + + + + Failed to save results. + 結果を保存できませんでした。 + + + Choose Results File + 結果ファイルの選択 + + + CSV (Comma delimited) + CSV (コンマ区切り) + + + JSON + JSON + + + Excel Workbook + Excel ブック + + + XML + XML + + + Plain Text + プレーン テキスト + + + Saving file... + ファイルを保存しています... + + + Successfully saved results to {0} + 結果が {0} に正常に保存されました + + + Open file + ファイルを開く + + + + + + + From + 開始 + + + To + 終了 + + + Create new firewall rule + 新しいファイアウォール規則の作成 + + + OK + OK + + + Cancel + キャンセル + + + Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. + このクライアント IP アドレスではサーバーにアクセスできません。アクセスできるようにするには、Azure アカウントにサインインし、新しいファイアウォール規則を作成します。 + + + Learn more about firewall settings + ファイアウォール設定の詳細情報 + + + Firewall rule + ファイアウォール規則 + + + Add my client IP + 自分のクライアント IP アドレスを追加 + + + Add my subnet IP range + 自分のサブネット IP 範囲を追加 + + + + + + + Error adding account + アカウントの追加でのエラー + + + Firewall rule error + ファイアウォール規則のエラー + + + + + + + Backup file path + バックアップ ファイルのパス + + + Target database + ターゲット データベース + + + Restore + 復元 + + + Restore database + データベースの復元 + + + Database + データベース + + + Backup file + バックアップ ファイル + + + Restore database + データベースの復元 + + + Cancel + キャンセル + + + Script + スクリプト + + + Source + ソース + + + Restore from + 復元元 + + + Backup file path is required. + バックアップ ファイルのパスが必須です。 + + + Please enter one or more file paths separated by commas + 1つまたは複数のファイル パスをコンマで区切って入力してください。 + + + Database + データベース + + + Destination + ターゲット + + + Restore to + 復元先 + + + Restore plan + 復元計画 + + + Backup sets to restore + 復元するバックアップ セット + + + Restore database files as + データベース ファイルを名前を付けて復元 + + + Restore database file details + データベース ファイルの詳細を復元する + + + Logical file Name + 論理ファイル名 + + + File type + ファイルの種類 + + + Original File Name + 元のファイル名 + + + Restore as + 復元ファイル名 + + + Restore options + 復元オプション + + + Tail-Log backup + ログ末尾のバックアップ + + + Server connections + サーバーの接続 + + + General + 全般 + + + Files + ファイル + + + Options + オプション​​ + + + + + + + Backup Files + バックアップ ファイル + + + All Files + すべてのファイル + + + + + + + Server Groups + サーバー グループ + + + OK + OK + + + Cancel + キャンセル + + + Server group name + サーバー グループ名 + + + Group name is required. + グループ名が必須です。 + + + Group description + グループの説明 + + + Group color + グループの色 + + + + + + + Add server group + サーバー グループを追加する + + + Edit server group + サーバー グループの編集 + + + + + + + 1 or more tasks are in progress. Are you sure you want to quit? + 1 つ以上のタスクを実行中です。終了してもよろしいですか? + + + Yes + はい + + + No + いいえ + + + + + + + Get Started + はじめに + + + Show Getting Started + 「はじめに」を表示する + + + Getting &&Started + && denotes a mnemonic + はじめに(&&S) diff --git a/resources/xlf/ko/admin-tool-ext-win.ko.xlf b/resources/xlf/ko/admin-tool-ext-win.ko.xlf index fc2bb1fd45..929f28644b 100644 --- a/resources/xlf/ko/admin-tool-ext-win.ko.xlf +++ b/resources/xlf/ko/admin-tool-ext-win.ko.xlf @@ -20,7 +20,7 @@ - + No ConnectionContext provided for handleLaunchSsmsMinPropertiesDialogCommand diff --git a/resources/xlf/ko/agent.ko.xlf b/resources/xlf/ko/agent.ko.xlf index 0405344c40..01b1bdc349 100644 --- a/resources/xlf/ko/agent.ko.xlf +++ b/resources/xlf/ko/agent.ko.xlf @@ -1,230 +1,18 @@  - + - - New Schedule - 새 일정 - - + OK 확인 - + Cancel 취소 - - Schedule Name - 일정 이름 - - - Schedules - 일정 - - - - - Create Proxy - 프록시 만들기 - - - Edit Proxy - 프록시 편집 - - - General - 일반 - - - Proxy name - 프록시 이름 - - - Credential name - 자격 증명 이름 - - - Description - 설명 - - - Subsystem - 하위 시스템 - - - Operating system (CmdExec) - 운영 체제(CmdExec) - - - Replication Snapshot - 복제 스냅샷 - - - Replication Transaction-Log Reader - 복제 트랜잭션 로그 판독기 - - - Replication Distributor - 복제 배포자 - - - Replication Merge - 복제 병합 - - - Replication Queue Reader - 복제 큐 판독기 - - - SQL Server Analysis Services Query - SQL Server Analysis Services 쿼리 - - - SQL Server Analysis Services Command - SQL Server Analysis Services 명령 - - - SQL Server Integration Services Package - SQL Server Integration Services 패키지 - - - PowerShell - PowerShell - - - Active to the following subsytems - 다음 하위 시스템에 대해 활성화 - - - - - - - Job Schedules - 작업 일정 - - - OK - 확인 - - - Cancel - 취소 - - - Available Schedules: - 사용 가능한 일정: - - - Name - 이름 - - - ID - ID - - - Description - 설명 - - - - - - - Create Operator - 연산자 만들기 - - - Edit Operator - 연산자 편집 - - - General - 일반 - - - Notifications - 알림 - - - Name - 이름 - - - Enabled - 사용 - - - E-mail Name - 전자 메일 이름 - - - Pager E-mail Name - 호출기 전자 메일 이름 - - - Monday - 월요일 - - - Tuesday - 화요일 - - - Wednesday - 수요일 - - - Thursday - 목요일 - - - Friday - 금요일 - - - Saturday - 토요일 - - - Sunday - 일요일 - - - Workday begin - 업무 시작일 - - - Workday end - 업무 종료일 - - - Pager on duty schedule - 호출기 연락 가능 근무 일정 - - - Alert list - 경고 목록 - - - Alert name - 경고 이름 - - - E-mail - 전자 메일 - - - Pager - 호출기 - - - - + Locate Database Files - @@ -416,159 +204,39 @@ - + - - General - 일반 + + Job Schedules + 작업 일정 - - Steps - 단계 + + OK + 확인 - - Schedules - 일정 + + Cancel + 취소 - - Alerts - 경고 + + Available Schedules: + 사용 가능한 일정: - - Notifications - 알림 - - - The name of the job cannot be blank. - 작업 이름을 비워 둘 수 없습니다. - - + Name 이름 - - Owner - 소유자 + + ID + ID - - Category - 범주 - - + Description 설명 - - Enabled - 사용 - - - Job step list - 작업 단계 목록 - - - Step - 단계 - - - Type - 형식 - - - On Success - 성공한 경우 - - - On Failure - 실패한 경우 - - - New Step - 새 단계 - - - Edit Step - 단계 편집 - - - Delete Step - 단계 삭제 - - - Move Step Up - 단계를 위로 이동 - - - Move Step Down - 단계를 아래로 이동 - - - Start step - 시작 단계 - - - Actions to perform when the job completes - 작업 완료 시 수행할 동작 - - - Email - 전자 메일 - - - Page - 페이지 - - - Write to the Windows Application event log - Windows 애플리케이션 이벤트 로그에 쓰기 - - - Automatically delete job - 자동으로 작업 삭제 - - - Schedules list - 일정 목록 - - - Pick Schedule - 일정 선택 - - - Schedule Name - 일정 이름 - - - Alerts list - 경고 목록 - - - New Alert - 새 경고 - - - Alert Name - 경고 이름 - - - Enabled - 사용 - - - Type - 형식 - - - New Job - 새 작업 - - - Edit Job - 작업 편집 - - + Create Alert @@ -778,10 +446,6 @@ Additional notification message to send 전송할 추가 알림 메시지 - - Delay between responses - 응답 간격 - Delay Minutes 지연(분) @@ -792,51 +456,251 @@ - + - - OK - 확인 + + Create Operator + 연산자 만들기 - - Cancel - 취소 + + Edit Operator + 연산자 편집 + + + General + 일반 + + + Notifications + 알림 + + + Name + 이름 + + + Enabled + 사용 + + + E-mail Name + 전자 메일 이름 + + + Pager E-mail Name + 호출기 전자 메일 이름 + + + Monday + 월요일 + + + Tuesday + 화요일 + + + Wednesday + 수요일 + + + Thursday + 목요일 + + + Friday + 금요일 + + + Saturday + 토요일 + + + Sunday + 일요일 + + + Workday begin + 업무 시작일 + + + Workday end + 업무 종료일 + + + Pager on duty schedule + 호출기 연락 가능 근무 일정 + + + Alert list + 경고 목록 + + + Alert name + 경고 이름 + + + E-mail + 전자 메일 + + + Pager + 호출기 - + - - Proxy update failed '{0}' - 프록시를 업데이트하지 못했습니다. '{0}' + + General + 일반 - - Proxy '{0}' updated successfully - '{0}' 프록시를 업데이트했습니다. + + Steps + 단계 - - Proxy '{0}' created successfully - '{0}' 프록시를 만들었습니다. + + Schedules + 일정 + + + Alerts + 경고 + + + Notifications + 알림 + + + The name of the job cannot be blank. + 작업 이름을 비워 둘 수 없습니다. + + + Name + 이름 + + + Owner + 소유자 + + + Category + 범주 + + + Description + 설명 + + + Enabled + 사용 + + + Job step list + 작업 단계 목록 + + + Step + 단계 + + + Type + 형식 + + + On Success + 성공한 경우 + + + On Failure + 실패한 경우 + + + New Step + 새 단계 + + + Edit Step + 단계 편집 + + + Delete Step + 단계 삭제 + + + Move Step Up + 단계를 위로 이동 + + + Move Step Down + 단계를 아래로 이동 + + + Start step + 시작 단계 + + + Actions to perform when the job completes + 작업 완료 시 수행할 동작 + + + Email + 전자 메일 + + + Page + 페이지 + + + Write to the Windows Application event log + Windows 애플리케이션 이벤트 로그에 쓰기 + + + Automatically delete job + 자동으로 작업 삭제 + + + Schedules list + 일정 목록 + + + Pick Schedule + 일정 선택 + + + Remove Schedule + 일정 제거 + + + Alerts list + 경고 목록 + + + New Alert + 새 경고 + + + Alert Name + 경고 이름 + + + Enabled + 사용 + + + Type + 형식 + + + New Job + 새 작업 + + + Edit Job + 작업 편집 - - - - Step update failed '{0}' - '{0}' 단계를 업데이트하지 못했습니다. - - - Job name must be provided - 작업 이름을 지정해야 합니다. - - - Step name must be provided - 단계 이름을 지정해야 합니다. - - - - + When the job completes @@ -872,7 +736,55 @@ - + + + + Step update failed '{0}' + '{0}' 단계를 업데이트하지 못했습니다. + + + Job name must be provided + 작업 이름을 지정해야 합니다. + + + Step name must be provided + 단계 이름을 지정해야 합니다. + + + + + + + This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! + 이 기능은 아직 개발 중입니다. 가장 최근 변경 기능을 사용해 보려면 최신 참가자 빌드를 확인하세요. + + + Template updated successfully + 템플릿을 업데이트함 + + + Template update failure + 템플릿 업데이트 실패 + + + The notebook must be saved before being scheduled. Please save and then retry scheduling again. + 예약하기 전에 전자 필기장을 저장해야 합니다. 저장한 후 예약을 다시 시도하세요. + + + Add new connection + 새 연결 추가 + + + Select a connection + 연결 선택 + + + Please select a valid connection + 올바른 연결을 선택하세요 + + + + Alert update failed '{0}' @@ -892,11 +804,223 @@ - + - - This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! - 이 기능은 아직 개발 중입니다. 가장 최근 변경 기능을 사용해 보려면 최신 참가자 빌드를 확인하세요. + + Create Proxy + 프록시 만들기 + + + Edit Proxy + 프록시 편집 + + + General + 일반 + + + Proxy name + 프록시 이름 + + + Credential name + 자격 증명 이름 + + + Description + 설명 + + + Subsystem + 하위 시스템 + + + Operating system (CmdExec) + 운영 체제(CmdExec) + + + Replication Snapshot + 복제 스냅샷 + + + Replication Transaction-Log Reader + 복제 트랜잭션 로그 판독기 + + + Replication Distributor + 복제 배포자 + + + Replication Merge + 복제 병합 + + + Replication Queue Reader + 복제 큐 판독기 + + + SQL Server Analysis Services Query + SQL Server Analysis Services 쿼리 + + + SQL Server Analysis Services Command + SQL Server Analysis Services 명령 + + + SQL Server Integration Services Package + SQL Server Integration Services 패키지 + + + PowerShell + PowerShell + + + + + + + Proxy update failed '{0}' + 프록시를 업데이트하지 못했습니다. '{0}' + + + Proxy '{0}' updated successfully + '{0}' 프록시를 업데이트했습니다. + + + Proxy '{0}' created successfully + '{0}' 프록시를 만들었습니다. + + + + + + + New Notebook Job + 새 Notebook 작업 + + + Edit Notebook Job + 전자 필기장 작업 편집 + + + General + 일반 + + + Notebook Details + Notebook 세부 정보 + + + Notebook Path + 전자 필기장 경로 + + + Storage Database + 저장소 데이터베이스 + + + Execution Database + 실행 데이터베이스 + + + Select Database + 데이터베이스 선택 + + + Job Details + 작업 정보 + + + Name + 이름 + + + Owner + 소유자 + + + Schedules list + 일정 목록 + + + Pick Schedule + 일정 선택 + + + Remove Schedule + 일정 제거 + + + Description + 설명 + + + Select a notebook to schedule from PC + PC에서 예약할 전자 필기장 선택 + + + Select a database to store all notebook job metadata and results + 모든 전자 필기장 작업 메타데이터 및 결과를 저장할 데이터베이스 선택 + + + Select a database against which notebook queries will run + 전자 필기장 쿼리를 실행할 데이터베이스 선택 + + + + + + + When the notebook completes + 전자 필기장이 완료되는 경우 + + + When the notebook fails + 전자 필기장이 실패하는 경우 + + + When the notebook succeeds + 전자 필기장이 성공하는 경우 + + + Notebook name must be provided + 전자 필기장 이름을 제공해야 합니다. + + + Template path must be provided + 템플릿 경로를 제공해야 함 + + + Invalid notebook path + 전자 필기장 경로가 잘못됨 + + + Select storage database + 저장소 데이터베이스 선택 + + + Select execution database + 실행 데이터베이스 선택 + + + Job with similar name already exists + 이름이 비슷한 작업이 이미 있음 + + + Notebook update failed '{0}' + Notebook 업데이트 실패 '{0}' + + + Notebook creation failed '{0}' + Notebook 만들기 실패 ‘{0}’ + + + Notebook '{0}' updated successfully + Notebook '{0}'을(를) 업데이트함 + + + Notebook '{0}' created successfully + Notebook '{0}'이(가) 생성됨 diff --git a/resources/xlf/ko/azurecore.ko.xlf b/resources/xlf/ko/azurecore.ko.xlf index 06041649f4..1fd5048111 100644 --- a/resources/xlf/ko/azurecore.ko.xlf +++ b/resources/xlf/ko/azurecore.ko.xlf @@ -126,6 +126,10 @@ Error fetching resource groups for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} 계정 {0}({1}) 구독 {2}({3}) 테넌트 {4}의 리소스 그룹을 가져오는 동안 오류 발생: {5} + + Error fetching locations for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} + 계정 {0}({1}) 구독 {2}({3}) 테넌트 {4}의 위치를 가져오는 동안 오류 발생: {5} + Invalid query 잘못된 쿼리 @@ -379,8 +383,8 @@ SQL Server - Azure Arc - Azure Arc enabled PostgreSQL Hyperscale - Azure Arc 사용 PostgreSQL 하이퍼스케일 + Azure Arc-enabled PostgreSQL Hyperscale + Azure Arc가 지원되는 PostgreSQL 하이퍼스케일 Unable to open link, missing required values @@ -411,7 +415,7 @@ Azure 인증에서 식별되지 않은 오류 발생 - Specifed tenant with ID '{0}' not found. + Specified tenant with ID '{0}' not found. ID가 '{0}'인 지정된 테넌트를 찾을 수 없습니다. @@ -419,8 +423,8 @@ 인증 관련 오류가 발생했거나 토큰이 시스템에서 삭제되었습니다. 계정을 다시 Azure Data Studio에 추가해 보세요. - Token retrival failed with an error. Open developer tools to view the error - 오류로 인해 토큰 검색에 실패했습니다. 개발자 도구를 열어 오류를 확인합니다. + Token retrieval failed with an error. Open developer tools to view the error + 오류로 인해 토큰 검색에 실패했습니다. 개발자 도구를 열어 오류 확인 No access token returned from Microsoft OAuth @@ -513,6 +517,14 @@ Failed to get credential for account {0}. Please go to the accounts dialog and refresh the account. {0} 계정의 자격 증명을 가져오지 못했습니다. 계정 대화 상자로 이동하고 계정을 새로 고치세요. + + Requests from this account have been throttled. To retry, please select a smaller number of subscriptions. + 이 계정의 요청은 제한되었습니다. 다시 시도하려면 더 적은 수의 구독을 선택하세요. + + + An error occured while loading Azure resources: {0} + Azure 리소스를 로드하는 동안 오류가 발생했습니다. {0} + @@ -703,6 +715,14 @@ + + + + Azure Monitor Workspace + Azure Monitor Workspace + + + diff --git a/resources/xlf/ko/big-data-cluster.ko.xlf b/resources/xlf/ko/big-data-cluster.ko.xlf index 0d82dfccff..20e7be5789 100644 --- a/resources/xlf/ko/big-data-cluster.ko.xlf +++ b/resources/xlf/ko/big-data-cluster.ko.xlf @@ -12,15 +12,15 @@ Connect to Existing Controller - Connect to Existing Controller + 기존 컨트롤러에 연결 Create New Controller - Create New Controller + 새 컨트롤러 만들기 Remove Controller - Remove Controller + 컨트롤러 제거 Refresh @@ -49,17 +49,137 @@ No SQL Big Data Cluster controllers registered. [Learn More](https://docs.microsoft.com/sql/big-data-cluster/big-data-cluster-overview) [Connect Controller](command:bigDataClusters.command.connectController) - No SQL Big Data Cluster controllers registered. [Learn More](https://docs.microsoft.com/sql/big-data-cluster/big-data-cluster-overview) -[Connect Controller](command:bigDataClusters.command.connectController) + 등록된 SQL 빅 데이터 클러스터 컨트롤러가 없습니다. [자세한 정보](https://docs.microsoft.com/sql/big-data-cluster/big-data-cluster-overview) +[컨트롤러 연결](command:bigDataClusters.command.connectController) Loading controllers... - Loading controllers... + 컨트롤러를 로드하는 중... Ignore SSL verification errors against SQL Server Big Data Cluster endpoints such as HDFS, Spark, and Controller if true True인 경우 HDFS, Spark 및 Controller와 같은 SQL Server 빅 데이터 클러스터 엔드포인트를 대상으로 SSL 확인 오류 무시 + + SQL Server Big Data Cluster + SQL Server 빅 데이터 클러스터 + + + SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes + SQL Server 빅 데이터 클러스터를 사용하면 Kubernetes에서 실행되는 SQL Server, Spark 및 HDFS 컨테이너의 확장 가능한 클러스터를 배포할 수 있습니다. + + + Version + 버전 + + + SQL Server 2019 + SQL Server 2019 + + + Deployment target + 배포 대상 + + + New Azure Kubernetes Service Cluster + 새 Azure Kubernetes Service 클러스터 + + + Existing Azure Kubernetes Service Cluster + 기존 Azure Kubernetes Service 클러스터 + + + Existing Kubernetes Cluster (kubeadm) + 기존 Kubernetes 클러스터(kubeadm) + + + Existing Azure Red Hat OpenShift cluster + 기존 Azure Red Hat OpenShift 클러스터 + + + Existing OpenShift cluster + 기존 OpenShift 클러스터 + + + SQL Server Big Data Cluster settings + SQL Server 빅 데이터 클러스터 설정 + + + Cluster name + 클러스터 이름 + + + Controller username + 컨트롤러 사용자 이름 + + + Password + 암호 + + + Confirm password + 암호 확인 + + + Azure settings + Azure 설정 + + + Subscription id + 구독 ID + + + Use my default Azure subscription + 내 기본 Azure 구독 사용 + + + Resource group name + 리소스 그룹 이름 + + + Region + 지역 + + + AKS cluster name + AKS 클러스터 이름 + + + VM size + VM 크기 + + + VM count + VM 수 + + + Storage class name + 스토리지 클래스 이름 + + + Capacity for data (GB) + 데이터 용량(GB) + + + Capacity for logs (GB) + 로그 용량(GB) + + + I accept {0}, {1} and {2}. + {0}, {1} 및 {2}에 동의합니다. + + + Microsoft Privacy Statement + Microsoft 개인정보처리방침 + + + azdata License Terms + azdata 사용 조건 + + + SQL Server License Terms + SQL Server 사용 조건 + @@ -254,299 +374,299 @@ Status Icon - Status Icon + 상태 아이콘 Instance - Instance + 인스턴스 State - State + 상태 View - View + 보기 N/A - N/A + 해당 없음 Health Status Details - Health Status Details + 상태 세부 정보 Metrics and Logs - Metrics and Logs + 메트릭 및 로그 Health Status - Health Status + 상태 Node Metrics - Node Metrics + 노드 메트릭 SQL Metrics - SQL Metrics + SQL 메트릭 Logs - Logs + 로그 View Node Metrics {0} - View Node Metrics {0} + 노드 메트릭 {0} 보기 View SQL Metrics {0} - View SQL Metrics {0} + SQL 메트릭 {0} 보기 View Kibana Logs {0} - View Kibana Logs {0} + Kibana 로그 {0} 보기 Last Updated : {0} - Last Updated : {0} + 마지막으로 업데이트한 날짜: {0} Basic - Basic + 기본 Windows Authentication - Windows Authentication + Windows 인증 Add New Controller - Add New Controller + 새 컨트롤러 추가 URL - URL + URL Username - Username + 사용자 이름 Password - Password + 암호 Remember Password - Remember Password + 암호 저장 Cluster Management URL - Cluster Management URL + 클러스터 관리 URL Authentication type - Authentication type + 인증 유형 Cluster Connection - Cluster Connection + 클러스터 연결 Add - Add + 추가 Cancel - Cancel + 취소 OK - OK + 확인 Refresh - Refresh + 새로 고침 Troubleshoot - Troubleshoot + 문제 해결 Big Data Cluster overview - Big Data Cluster overview + 빅 데이터 클러스터 개요 Cluster Details - Cluster Details + 클러스터 세부 정보 Cluster Overview - Cluster Overview + 클러스터 개요 Service Endpoints - Service Endpoints + 서비스 엔드포인트 Cluster Properties - Cluster Properties + 클러스터 속성 Cluster State - Cluster State + 클러스터 상태 Service Name - Service Name + 서비스 이름 Service - Service + 서비스 Endpoint - Endpoint + 엔드포인트 Endpoint '{0}' copied to clipboard - Endpoint '{0}' copied to clipboard + 엔드포인트 '{0}'이(가) 클립보드에 복사됨 Copy - Copy + 복사 View Details - View Details + 세부 정보 보기 View Error Details - View Error Details + 오류 세부 정보 보기 Connect to Controller - Connect to Controller + 컨트롤러에 연결 Mount Configuration - Mount Configuration + 탑재 구성 Mounting HDFS folder on path {0} - Mounting HDFS folder on path {0} + 경로 {0}에 HDFS 폴더를 탑재하는 중 Refreshing HDFS Mount on path {0} - Refreshing HDFS Mount on path {0} + 경로 {0}에서 HDFS 탑재를 새로 고치는 중 Deleting HDFS Mount on path {0} - Deleting HDFS Mount on path {0} + 경로 {0}에서 HDFS 탑재를 삭제하는 중 Mount creation has started - Mount creation has started + 탑재 만들기를 시작했습니다. Refresh mount request submitted - Refresh mount request submitted + 탑재 새로 고침 요청이 제출됨 Delete mount request submitted - Delete mount request submitted + 탑재 삭제 요청이 제출됨 Mounting HDFS folder is complete - Mounting HDFS folder is complete + HDFS 폴더 탑재가 완료되었습니다. Mounting is likely to complete, check back later to verify - Mounting is likely to complete, check back later to verify + 탑재가 완료될 수 있습니다. 나중에 다시 확인하세요. Mount HDFS Folder - Mount HDFS Folder + HDFS 폴더 탑재 HDFS Path - HDFS Path + HDFS 경로 Path to a new (non-existing) directory which you want to associate with the mount - Path to a new (non-existing) directory which you want to associate with the mount + 탑재와 연결하려는 새(기존 항목 아님) 디렉터리의 경로 Remote URI - Remote URI + 원격 URI The URI to the remote data source. Example for ADLS: abfs://fs@saccount.dfs.core.windows.net/ - The URI to the remote data source. Example for ADLS: abfs://fs@saccount.dfs.core.windows.net/ + 원격 데이터 원본에 대한 URI입니다. ADLS의 예: abfs://fs@saccount.dfs.core.windows.net/ Credentials - Credentials + 자격 증명 Mount credentials for authentication to remote data source for reads - Mount credentials for authentication to remote data source for reads + 읽기 위해 원격 데이터 원본에 인증용 자격 증명 탑재 Refresh Mount - Refresh Mount + 탑재 새로 고침 Delete Mount - Delete Mount + 탑재 삭제 Loading cluster state completed - Loading cluster state completed + 클러스터 상태 로드 완료 Loading health status completed - Loading health status completed + 상태 로드 완료 Username is required - Username is required + 사용자 이름이 필요합니다. Password is required - Password is required + 암호는 필수입니다. Unexpected error retrieving BDC Endpoints: {0} - Unexpected error retrieving BDC Endpoints: {0} + BDC 엔드포인트를 검색하는 동안 예기치 않은 오류 발생: {0} The dashboard requires a connection. Please click retry to enter your credentials. - The dashboard requires a connection. Please click retry to enter your credentials. + 대시보드에 연결이 필요합니다. 자격 증명을 입력하려면 다시 시도를 클릭하세요. Unexpected error occurred: {0} - Unexpected error occurred: {0} + 예기치 않은 오류가 발생했습니다. {0} Login to controller failed - Login to controller failed + 컨트롤러에 로그인하지 못함 Login to controller failed: {0} - Login to controller failed: {0} + 컨트롤러에 로그인하지 못함: {0} Bad formatting of credentials at {0} - Bad formatting of credentials at {0} + {0}에 있는 자격 증명 형식이 잘못됨 Error mounting folder: {0} - Error mounting folder: {0} + 폴더 탑재 오류: {0} Unknown error occurred during the mount process - Unknown error occurred during the mount process + 탑재 프로세스 중에 알 수 없는 오류가 발생했습니다. @@ -566,7 +686,7 @@ Error retrieving cluster config from {0} - Error retrieving cluster config from {0} + {0}에서 클러스터 구성을 검색하는 동안 오류 발생 Error retrieving endpoints from {0} @@ -582,7 +702,7 @@ Error getting mount status - Error getting mount status + 탑재 상태를 가져오는 동안 오류 발생 Error refreshing mount @@ -602,7 +722,7 @@ Big Data Cluster Dashboard - - Big Data Cluster Dashboard - + 빅 데이터 클러스터 대시보드 - Yes @@ -614,7 +734,7 @@ Are you sure you want to remove '{0}'? - Are you sure you want to remove '{0}'? + '{0}'을(를) 제거하시겠습니까? @@ -622,7 +742,7 @@ Unexpected error loading saved controllers: {0} - Unexpected error loading saved controllers: {0} + 저장된 컨트롤러를 로드하는 동안 예기치 않은 오류 발생: {0} diff --git a/resources/xlf/ko/cms.ko.xlf b/resources/xlf/ko/cms.ko.xlf index 4cfade8f68..91a8d0e80c 100644 --- a/resources/xlf/ko/cms.ko.xlf +++ b/resources/xlf/ko/cms.ko.xlf @@ -424,15 +424,7 @@ - - - - Loading ... - 로드하는 중... - - - - + No resources found @@ -440,7 +432,7 @@ - + Add Central Management Server... @@ -448,15 +440,27 @@ - + + + + Unexpected error occurred while loading saved servers {0} + 저장된 서버를 로드하는 동안 예기치 않은 오류가 발생했습니다. {0} + + + Loading ... + 로드하는 중... + + + + Central Management Server Group already has a Registered Server with the name {0} 중앙 관리 서버 그룹에 이름이 {0}인 등록된 서버가 이미 있습니다. - Azure SQL Database Servers cannot be used as Central Management Servers - Azure SQL Database 서버는 중앙 관리 서버로 사용할 수 없습니다. + Azure SQL Servers cannot be used as Central Management Servers + Azure SQL Server는 중앙 관리 서버로 사용될 수 없습니다. Are you sure you want to delete @@ -500,7 +504,7 @@ - + You cannot add a shared registered server with the same name as the Configuration Server diff --git a/resources/xlf/ko/dacpac.ko.xlf b/resources/xlf/ko/dacpac.ko.xlf index 0722565ba6..e75b491cf1 100644 --- a/resources/xlf/ko/dacpac.ko.xlf +++ b/resources/xlf/ko/dacpac.ko.xlf @@ -1,16 +1,84 @@  - + + + Dacpac + Dacpac + + + Full path to folder where .DACPAC and .BACPAC files are saved by default + .DACPAC 및 .BACPAC 파일이 기본적으로 저장되는 폴더의 전체 경로입니다. + + + + + + + Target Server + 대상 서버 + + + Source Server + 원본 서버 + + + Source Database + 원본 데이터베이스 + + + Target Database + 대상 데이터베이스 + + + File Location + 파일 위치 + + + Select file + 파일 선택 + + + Summary of settings + 설정 요약 + + + Version + 버전 + + + Setting + 설정 + + + Value + + + + Database Name + 데이터베이스 이름 + + + Open + 열기 + + + Upgrade Existing Database + 기존 데이터베이스 업그레이드 + + + New Database + 새 데이터베이스 + {0} of the deploy actions listed may result in data loss. Please ensure you have a backup or snapshot available in the event of an issue with the deployment. 나열된 배포 작업의 {0}(으)로 인해 데이터가 손실될 수 있습니다. 배포 관련 문제가 발생하는 경우 사용할 수 있는 백업 또는 스냅샷이 있는지 확인하세요. - + Proceed despite possible data loss 데이터가 손실되더라도 계속 진행 - + No data loss will occur from the listed deploy actions. 나열된 배포 작업에서 데이터 손실이 발생하지 않습니다. @@ -54,19 +122,11 @@ Save 저장 - - File Location - 파일 위치 - - + Version (use x.x.x.x where x is a number) 버전(x.x.x.x 사용, x는 숫자임) - - Open - 열기 - - + Deploy a data-tier application .dacpac file to an instance of SQL Server [Deploy Dacpac] 데이터 계층 애플리케이션 .dacpac 파일을 SQL Server의 인스턴스에 배포[Dacpac 배포] @@ -82,49 +142,9 @@ Export the schema and data from a database to the logical .bacpac file format [Export Bacpac] 데이터베이스의 스키마 및 데이터를 논리적 .bacpac 파일 형식으로 내보내기[Bacpac 내보내기] - - Database Name - 데이터베이스 이름 - - - Upgrade Existing Database - 기존 데이터베이스 업그레이드 - - - New Database - 새 데이터베이스 - - - Target Database - 대상 데이터베이스 - - - Target Server - 대상 서버 - - - Source Server - 원본 서버 - - - Source Database - 원본 데이터베이스 - - - Version - 버전 - - - Setting - 설정 - - - Value - - - - default - 기본값 + + Data-tier Application Wizard + 데이터 계층 애플리케이션 마법사 Select an Operation @@ -174,18 +194,66 @@ Generate Script 스크립트 생성 + + You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. + 마법사가 닫히면 작업 보기에서 스크립트 생성 상태를 볼 수 있습니다. 완료되면 생성된 스크립트가 열립니다. + + + default + 기본값 + + + Deploy plan operations + 계획 작업 배포 + + + A database with the same name already exists on the instance of SQL Server + SQL Server 인스턴스에 같은 이름의 데이터베이스가 이미 있습니다. + + + Undefined name + 정의되지 않은 네임스페이스: + + + File name cannot end with a period + 파일 이름은 마침표(.)로 끝날 수 없습니다. + + + File name cannot be whitespace + 파일 이름은 공백일 수 없습니다. + + + Invalid file characters + 잘못된 파일 문자 + + + This file name is reserved for use by Windows. Choose another name and try again + 이 파일 이름은 Windows에서 예약되어 있습니다. 다른 이름을 선택하고 다시 시도하세요. + + + Reserved file name. Choose another name and try again + 예약된 파일 이름입니다. 다른 이름을 선택하고 다시 시도하십시오. + + + File name cannot end with a whitespace + 파일 이름은 공백으로 끝날 수 없습니다. + + + File name is over 255 characters + 파일 이름이 255자를 초과합니다. + Generating deploy plan failed '{0}' 배포 플랜 '{0}'을(를) 생성하지 못했습니다. + + Generating deploy script failed '{0}' + 배포 스크립트 생성 실패 '{0}' + {0} operation failed '{1}' {0} 작업 실패 '{1}' - - You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. - 마법사가 닫히면 작업 보기에서 스크립트 생성 상태를 볼 수 있습니다. 완료되면 생성된 스크립트가 열립니다. - \ No newline at end of file diff --git a/resources/xlf/ko/import.ko.xlf b/resources/xlf/ko/import.ko.xlf index b32b729462..31069d4aea 100644 --- a/resources/xlf/ko/import.ko.xlf +++ b/resources/xlf/ko/import.ko.xlf @@ -1,7 +1,143 @@  - + + + Flat File Import configuration + 플랫 파일 가져오기 구성 + + + [Optional] Log debug output to the console (View -> Output) and then select appropriate output channel from the dropdown + [옵션] 디버그 출력을 콘솔에 로깅한 다음(보기 -> 출력), 드롭다운에서 해당 출력 채널을 선택합니다. + + + + + + + {0} Started + {0}이(가) 시작됨 + + + Starting {0} + {0}을(를) 시작하는 중 + + + Failed to start {0}: {1} + {0}:{1}을(를) 시작하지 못함 + + + Installing {0} to {1} + {1}에 {0} 설치 중 + + + Installing {0} Service + {0} 서비스를 설치하는 중 + + + Installed {0} + 설치된 {0} + + + Downloading {0} + {0} 다운로드 중 + + + ({0} KB) + ({0}KB) + + + Downloading {0} + {0} 다운로드 중 + + + Done downloading {0} + {0} 다운로드 완료 + + + Extracted {0} ({1}/{2}) + 추출된 {0}({1}/{2}) + + + + + + + Give Feedback + 사용자 의견 제공 + + + service component could not start + 서비스 구성 요소를 시작할 수 없습니다. + + + Server the database is in + 데이터베이스가 있는 서버 + + + Database the table is created in + 테이블이 생성된 데이터베이스 + + + Invalid file location. Please try a different input file + 잘못된 파일 위치입니다. 다른 입력 파일을 사용해 보세요. + + + Browse + 찾아보기 + + + Open + 열기 + + + Location of the file to be imported + 가져올 파일의 위치 + + + New table name + 새 테이블 이름 + + + Table schema + 테이블 스키마 + + + Import Data + 데이터 가져오기 + + + Next + 다음 + + + Column Name + 열 이름 + + + Data Type + 데이터 형식 + + + Primary Key + 기본 키 + + + Allow Nulls + Null 허용 + + + This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. + 이 작업은 입력 파일 구조를 분석하여 처음 50개 행의 미리 보기를 아래에 생성했습니다. + + + This operation was unsuccessful. Please try a different input file. + 이 작업이 실패했습니다. 다른 입력 파일을 사용해 보세요. + + + Refresh + 새로 고침 + Import information 정보 가져오기 @@ -34,90 +170,14 @@ ✔ You have successfully inserted the data into a table. ✔ 테이블에 데이터를 입력했습니다. - - - - - - This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. - 이 작업은 입력 파일 구조를 분석하여 처음 50개 행의 미리 보기를 아래에 생성했습니다. - - - This operation was unsuccessful. Please try a different input file. - 이 작업이 실패했습니다. 다른 입력 파일을 사용해 보세요. - - - Refresh - 새로 고침 - - - - - - - Import Data - 데이터 가져오기 - - - Next - 다음 - - - Column Name - 열 이름 - - - Data Type - 데이터 형식 - - - Primary Key - 기본 키 - - - Allow Nulls - Null 허용 - - - - - - - Server the database is in - 데이터베이스가 있는 서버 - - - Database the table is created in - 테이블이 생성된 데이터베이스 - - - Browse - 찾아보기 - - - Open - 열기 - - - Location of the file to be imported - 가져올 파일의 위치 - - - New table name - 새 테이블 이름 - - - Table schema - 테이블 스키마 - - - - - Please connect to a server before using this wizard. 이 마법사를 사용하기 전에 서버에 연결하세요. + + SQL Server Import extension does not support this type of connection + SQL Server 가져오기 확장은 이 유형의 연결을 지원하지 않습니다. + Import flat file wizard 플랫 파일 가져오기 마법사 @@ -144,60 +204,4 @@ - - - - Give Feedback - 사용자 의견 제공 - - - service component could not start - 서비스 구성 요소를 시작할 수 없습니다. - - - - - - - Service Started - 서비스가 시작됨 - - - Starting service - 서비스를 시작하는 중... - - - Failed to start Import service{0} - 가져오기 서비스 {0}을(를) 시작하지 못했습니다. - - - Installing {0} service to {1} - {1}에 {0} 서비스를 설치하는 중 - - - Installing Service - 서비스를 설치하는 중 - - - Installed - 설치됨 - - - Downloading {0} - {0} 다운로드 중 - - - ({0} KB) - ({0}KB) - - - Downloading Service - 서비스를 다운로드하는 중 - - - Done! - 완료되었습니다. - - - \ No newline at end of file diff --git a/resources/xlf/ko/notebook.ko.xlf b/resources/xlf/ko/notebook.ko.xlf index e10faf7c29..aa36d6c192 100644 --- a/resources/xlf/ko/notebook.ko.xlf +++ b/resources/xlf/ko/notebook.ko.xlf @@ -22,6 +22,14 @@ Local path to a preexisting python installation used by Notebooks. Notebook에서 사용하는 기존 python 설치의 로컬 경로입니다. + + Do not show prompt to update Python. + Python을 업데이트하라는 메시지가 표시되지 않습니다. + + + The amount of time (in minutes) to wait before shutting down a server after all notebooks are closed. (Enter 0 to not shutdown) + 모든 전자 필기장이 닫힌 후 서버를 종료하기 전에 대기해야 할 시간(분)입니다(종료하지 않으려면 0을 입력하세요). + Override editor default settings in the Notebook editor. Settings include background color, current line color and border Notebook 편집기에서 편집기 기본 설정을 재정의합니다. 설정에는 배경색, 현재 선 색 및 테두리가 포함됩니다. @@ -32,7 +40,7 @@ Notebooks contained in these books will automatically be trusted. - Notebooks contained in these books will automatically be trusted. + 이 Book에 포함된 Notebook은 자동으로 신뢰할 수 있습니다. Maximum depth of subdirectories to search for Books (Enter 0 for infinite) @@ -40,15 +48,19 @@ Collapse Book items at root level in the Notebooks Viewlet - Collapse Book items at root level in the Notebooks Viewlet + Notebook 뷰렛에서 루트 수준의 Book 항목 축소 Download timeout in milliseconds for GitHub books - Download timeout in milliseconds for GitHub books + GitHub 문서의 다운로드 시간 제한(밀리초) Notebooks that are pinned by the user for the current workspace - Notebooks that are pinned by the user for the current workspace + 사용자가 현재 작업 영역에 고정한 Notebook + + + Allow Jupyter server to run as root user + Allow Jupyter server to run as root user New Notebook @@ -139,72 +151,84 @@ Jupyter Book - Save Book - 책 저장 + Save Jupyter Book + Jupyter Book 저장 - Trust Book - Trust Book + Trust Jupyter Book + Jupyter Book 신뢰 - Search Book - 책 검색 + Search Jupyter Book + Jupyter Book 검색 Notebooks - Notebooks + Notebook - Provided Books - Provided Books + Provided Jupyter Books + Jupyter Book 제공 Pinned notebooks - Pinned notebooks + 고정된 Notebook Get localized SQL Server 2019 guide - Get localized SQL Server 2019 guide + 지역화된 SQL Server 2019 가이드 가져오기 Open Jupyter Book - Open Jupyter Book + Jupyter Book 열기 Close Jupyter Book - Close Jupyter Book + Jupyter Book 닫기 - - Close Jupyter Notebook - Close Jupyter Notebook + + Close Notebook + Notebook 닫기 + + + Remove Notebook + Notebook 제거 + + + Add Notebook + Notebook 추가 + + + Add Markdown File + Markdown 파일 추가 Reveal in Books - Reveal in Books + Book에 표시 - Create Book (Preview) - Create Book (Preview) + Create Jupyter Book + Jupyter Book 만들기 Open Notebooks in Folder - Open Notebooks in Folder + 폴더에서 Notebook 열기 Add Remote Jupyter Book - Add Remote Jupyter Book + 원격 Jupyter Book 추가 Pin Notebook - Pin Notebook + Notebook 고정 Unpin Notebook - Unpin Notebook + Notebook 고정 해제 Move to ... - Move to ... + 이동 대상... @@ -212,11 +236,11 @@ ... Ensuring {0} exists - ... Ensuring {0} exists + ... {0}이(가) 있는지 확인 Process exited with error code: {0}. StdErr Output: {1} - Process exited with error code: {0}. StdErr Output: {1} + 프로세스가 종료되었습니다(오류 코드: {0}). StdErr 출력: {1} @@ -224,11 +248,11 @@ localhost - localhost + localhost Could not find the specified package - Could not find the specified package + 지정된 패키지를 찾을 수 없습니다. @@ -248,293 +272,333 @@ Spark kernels require a connection to a SQL Server Big Data Cluster master instance. - Spark kernels require a connection to a SQL Server Big Data Cluster master instance. + Spark 커널을 SQL Server 빅 데이터 클러스터 마스터 인스턴스에 연결해야 합니다. Non-MSSQL providers are not supported for spark kernels. - Non-MSSQL providers are not supported for spark kernels. + 비 MSSQL 공급자는 Spark 커널에서 지원되지 않습니다. All Files - All Files + 모든 파일 Select Folder - Select Folder + 폴더 선택 - Select Book - Select Book + Select Jupyter Book + Jupyter Book 선택 Folder already exists. Are you sure you want to delete and replace this folder? - Folder already exists. Are you sure you want to delete and replace this folder? + 폴더가 이미 있습니다. 이 폴더를 삭제하고 바꾸시겠습니까? Open Notebook - Open Notebook + Notebook 열기 Open Markdown - Open Markdown + Markdown 열기 Open External Link - Open External Link + 외부 링크 열기 - Book is now trusted in the workspace. - Book is now trusted in the workspace. + Jupyter Book is now trusted in the workspace. + 이제 Jupyter Book은 작업 영역에서 신뢰할 수 있습니다. - Book is already trusted in this workspace. - Book is already trusted in this workspace. + Jupyter Book is already trusted in this workspace. + Jupyter Book은 이미 이 작업 영역에서 신뢰할 수 있습니다. - Book is no longer trusted in this workspace - Book is no longer trusted in this workspace + Jupyter Book is no longer trusted in this workspace + Jupyter Book은 더 이상 이 작업 영역에서 신뢰할 수 없습니다. - Book is already untrusted in this workspace. - Book is already untrusted in this workspace. + Jupyter Book is already untrusted in this workspace. + Jupyter Book은 이미 이 작업 영역에서 신뢰할 수 없습니다. - Book {0} is now pinned in the workspace. - Book {0} is now pinned in the workspace. + Jupyter Book {0} is now pinned in the workspace. + Jupyter Book {0}는 이제 작업 영역에 고정됩니다. - Book {0} is no longer pinned in this workspace - Book {0} is no longer pinned in this workspace + Jupyter Book {0} is no longer pinned in this workspace + Jupyter Book {0}은(는) 더 이상 이 작업 영역에 고정되지 않습니다. - Failed to find a Table of Contents file in the specified book. - Failed to find a Table of Contents file in the specified book. + Failed to find a Table of Contents file in the specified Jupyter Book. + 지정된 Jupyter Book에서 목차 파일을 찾지 못했습니다. - No books are currently selected in the viewlet. - No books are currently selected in the viewlet. + No Jupyter Books are currently selected in the viewlet. + 뷰렛에 현재 선택된 Jupyter Book이 없습니다. - Select Book Section - Select Book Section + Select Jupyter Book Section + Jupyter Book 섹션 선택 Add to this level - Add to this level + 이 수준에 추가 Missing file : {0} from {1} - Missing file : {0} from {1} + 누락된 파일: {1}의 {0} Invalid toc file - Invalid toc file + 잘못된 toc 파일 Error: {0} has an incorrect toc.yml file - Error: {0} has an incorrect toc.yml file + 오류: {0}에 잘못된 toc.yml 파일이 있음 Configuration file missing - Configuration file missing + 구성 파일 없음 - Open book {0} failed: {1} - Open book {0} failed: {1} + Open Jupyter Book {0} failed: {1} + Jupyter Book {0} 열기 실패: {1} - Failed to read book {0}: {1} - Failed to read book {0}: {1} + Failed to read Jupyter Book {0}: {1} + Jupyter Book {0}을(를) 읽지 못했습니다. {1} Open notebook {0} failed: {1} - Open notebook {0} failed: {1} + {0} Notebook을 열지 못함: {1} Open markdown {0} failed: {1} - Open markdown {0} failed: {1} + {0} Markdown을 열지 못함: {1} Open untitled notebook {0} as untitled failed: {1} - Open untitled notebook {0} as untitled failed: {1} + 제목 없는 Notebook {0}을(를) 제목 없음으로 열지 못함: {1} Open link {0} failed: {1} - Open link {0} failed: {1} + 링크 {0} 열기 실패: {1} - Close book {0} failed: {1} - Close book {0} failed: {1} + Close Jupyter Book {0} failed: {1} + Jupyter Book {0} 닫기 실패: {1} File {0} already exists in the destination folder {1} The file has been renamed to {2} to prevent data loss. - File {0} already exists in the destination folder {1} - The file has been renamed to {2} to prevent data loss. + 대상 폴더 {1}에 {0} 파일이 이미 있습니다. + 데이터 손실을 방지하기 위해 파일 이름이 {2}(으)로 바뀌었습니다. - Error while editing book {0}: {1} - Error while editing book {0}: {1} + Error while editing Jupyter Book {0}: {1} + Jupyter Book {0}을(를) 편집하는 동안 오류 발생: {1} - Error while selecting a book or a section to edit: {0} - Error while selecting a book or a section to edit: {0} + Error while selecting a Jupyter Book or a section to edit: {0} + Jupyter Book 또는 편집할 섹션을 선택하는 동안 오류 발생: {0} + + + Failed to find section {0} in {1}. + {1}에서 {0} 섹션을 찾지 못했습니다. URL - URL + URL Repository URL - Repository URL + 리포지토리 URL Location - Location + 위치 - Add Remote Book - Add Remote Book + Add Remote Jupyter Book + 원격 Jupyter Book 추가 GitHub - GitHub + GitHub Shared File - Shared File + 공유 파일 Releases - Releases + 릴리스 - Book - Book + Jupyter Book + Jupyter Book Version - Version + 버전 Language - Language + 언어 - No books are currently available on the provided link - No books are currently available on the provided link + No Jupyter Books are currently available on the provided link + 제공된 링크에 현재 사용 가능한 Jupyter Book이 없습니다. The url provided is not a Github release url - The url provided is not a Github release url + 제공된 URL은 GitHub 릴리스 URL이 아닙니다. Search - Search + 검색 Add - Add + 추가 Close - Close + 닫기 - - - + - - Remote Book download is in progress - Remote Book download is in progress + Remote Jupyter Book download is in progress + 원격 Jupyter Book 다운로드가 진행 중입니다. - Remote Book download is complete - Remote Book download is complete + Remote Jupyter Book download is complete + 원격 Jupyter Book 다운로드가 완료되었습니다. - Error while downloading remote Book - Error while downloading remote Book + Error while downloading remote Jupyter Book + 원격 Jupyter Book을 다운로드하는 동안 오류 발생 - Error while decompressing remote Book - Error while decompressing remote Book + Error while decompressing remote Jupyter Book + 원격 Jupyter Book의 압축을 푸는 동안 오류 발생 - Error while creating remote Book directory - Error while creating remote Book directory + Error while creating remote Jupyter Book directory + 원격 Jupyter Book 디렉터리를 만드는 동안 오류 발생 - Downloading Remote Book - Downloading Remote Book + Downloading Remote Jupyter Book + 원격 Jupyter Book 다운로드 Resource not Found - Resource not Found + 리소스를 찾을 수 없음 - Books not Found - Books not Found + Jupyter Books not Found + Jupyter Book을 찾을 수 없음 Releases not Found - Releases not Found + 릴리스를 찾을 수 없음 - The selected book is not valid - The selected book is not valid + The selected Jupyter Book is not valid + 선택한 Jupyter Book이 유효하지 않습니다. Http Request failed with error: {0} {1} - Http Request failed with error: {0} {1} + 오류로 인해 Http 요청 실패: {0} {1} Downloading to {0} - Downloading to {0} + {0}에 다운로드 - - New Group - New Group + + New Jupyter Book (Preview) + 새 Jupyter Book(미리 보기) - - Groups are used to organize Notebooks. - Groups are used to organize Notebooks. + + Jupyter Books are used to organize Notebooks. + Jupyter Book은 Notebook을 구성하는 데 사용됩니다. - - Browse locations... - Browse locations... + + Learn more. + 자세히 알아보세요. - - Select content folder - Select content folder + + Content folder + 콘텐츠 폴더 Browse - Browse + 찾아보기 Create - Create + 만들기 Name - Name + 이름 Save location - Save location + 저장 위치 - + Content folder (Optional) - Content folder (Optional) + 콘텐츠 폴더(선택 사항) Content folder path does not exist - Content folder path does not exist + 콘텐츠 폴더 경로가 없습니다. - Save location path does not exist - Save location path does not exist + Save location path does not exist. + 저장 위치 경로가 없습니다. + + + Error while trying to access: {0} + {0}에 액세스하는 동안 오류가 발생했습니다. + + + New Notebook (Preview) + 새 Notebook(미리 보기) + + + New Markdown (Preview) + 새 Markdown(미리 보기) + + + File Extension + 파일 확장명 + + + File already exists. Are you sure you want to overwrite this file? + 파일이 이미 있습니다. 이 파일을 덮어쓰시겠습니까? + + + Title + 제목 + + + File Name + 파일 이름 + + + Save location path is not valid. + 저장 위치 경로가 유효하지 않습니다. + + + File {0} already exists in the destination folder + {0} 파일이 대상 폴더에 이미 있습니다. @@ -588,6 +652,18 @@ Another Python installation is currently in progress. Waiting for it to complete. 현재 다른 Python 설치를 진행 중입니다. 완료될 때까지 기다립니다. + + Active Python notebook sessions will be shutdown in order to update. Would you like to proceed now? + 업데이트를 하기 위해 활성 Python Notebook 세션이 종료됩니다. 지금 계속하시겠습니까? + + + Python {0} is now available in Azure Data Studio. The current Python version (3.6.6) will be out of support in December 2021. Would you like to update to Python {0} now? + 이제 python {0}에서 Azure Data Studio를 사용할 수 있습니다. 현재 Python 버전(3.6.6)은 2021년 12월에 지원되지 않습니다. 지금 Python {0}을(를) 업데이트하시겠습니까? + + + Python {0} will be installed and will replace Python 3.6.6. Some packages may no longer be compatible with the new version or may need to be reinstalled. A notebook will be created to help you reinstall all pip packages. Would you like to continue with the update now? + Python {0}이(가) 설치되고 Python 3.6.6을 대체합니다. 일부 패키지는 더 이상 새 버전과 호환되지 않거나 다시 설치해야 할 수 있습니다. 모든 pip 패키지를 다시 설치하는 데 도움이 되는 전자 필기장이 만들어집니다. 지금 업데이트를 계속하시겠습니까? + Installing Notebook dependencies failed with error: {0} 오류: {0}(을) 나타내며 Notebook 종속성 설치에 실패했습니다. @@ -598,11 +674,23 @@ Encountered an error when trying to retrieve list of installed packages: {0} - Encountered an error when trying to retrieve list of installed packages: {0} + 설치된 패키지 목록을 검색하는 동안 오류가 발생했습니다. {0} Encountered an error when getting Python user path: {0} - Encountered an error when getting Python user path: {0} + Python 사용자 경로를 가져올 때 오류가 발생했습니다. {0} + + + Yes + + + + No + 아니요 + + + Don't Ask Again + 다시 묻지 않음 @@ -610,35 +698,35 @@ Install - Install + 설치 The specified install location is invalid. - The specified install location is invalid. + 지정된 설치 위치가 잘못되었습니다. No Python installation was found at the specified location. - No Python installation was found at the specified location. + 지정된 위치에서 Python 설치를 찾을 수 없습니다. Configure Python to run {0} kernel - Configure Python to run {0} kernel + {0} 커널을 실행하도록 Python 구성 Configure Python to run kernels - Configure Python to run kernels + 커널을 실행하도록 Python 구성 Configure Python Runtime - Configure Python Runtime + Python 런타임 구성 Install Dependencies - Install Dependencies + 종속성 설치 Python installation was declined. - Python installation was declined. + Python 설치가 거부되었습니다. @@ -678,55 +766,55 @@ Browse - Browse + 찾아보기 Select - Select + 선택 The {0} kernel requires a Python runtime to be configured and dependencies to be installed. - The {0} kernel requires a Python runtime to be configured and dependencies to be installed. + {0} 커널을 사용하려면 Python 런타임을 구성하고 종속성을 설치해야 합니다. Notebook kernels require a Python runtime to be configured and dependencies to be installed. - Notebook kernels require a Python runtime to be configured and dependencies to be installed. + Notebook 커널에서는 Python 런타임을 구성하고 종속성을 설치해야 합니다. Installation Type - Installation Type + 설치 유형 Python Install Location - Python Install Location + Python 설치 위치 Python runtime configured! - Python runtime configured! + Python 런타임이 구성되었습니다. {0} (Python {1}) - {0} (Python {1}) + {0}(Python {1}) No supported Python versions found. - No supported Python versions found. + 지원되는 Python 버전을 찾을 수 없습니다. {0} (Default) - {0} (Default) + {0}(기본값) New Python installation - New Python installation + 새 Python 설치 Use existing Python installation - Use existing Python installation + 기존 Python 설치 사용 {0} (Custom) - {0} (Custom) + {0}(사용자 지정) @@ -734,27 +822,27 @@ Name - Name + 이름 Existing Version - Existing Version + 기존 버전 Required Version - Required Version + 필요한 버전 Kernel - Kernel + 커널 Install required kernel dependencies - Install required kernel dependencies + 필요한 커널 종속성 설치 Could not retrieve packages for kernel {0} - Could not retrieve packages for kernel {0} + {0} 커널의 패키지를 검색할 수 없음 @@ -774,7 +862,7 @@ Notebook process exited prematurely with error code: {0}. StdErr Output: {1} - Notebook process exited prematurely with error code: {0}. StdErr Output: {1} + Notebook 프로세스가 조기에 종료되었습니다(오류 코드: {0}). StdErr 출력: {1} Error sent from Jupyter: {0} @@ -806,23 +894,23 @@ Could not find Knox gateway endpoint - Could not find Knox gateway endpoint + Knox 게이트웨이 엔드포인트를 찾을 수 없음 {0}Please provide the username to connect to the BDC Controller: - {0}Please provide the username to connect to the BDC Controller: + {0}BDC 컨트롤러에 연결하려면 사용자 이름을 제공하세요. Please provide the password to connect to the BDC Controller - Please provide the password to connect to the BDC Controller + BDC 컨트롤러에 연결하려면 암호를 제공하세요. Error: {0}. - Error: {0}. + 오류: {0}. A connection to the cluster controller is required to run Spark jobs - A connection to the cluster controller is required to run Spark jobs + Spark 작업을 실행하려면 클러스터 컨트롤러에 대한 연결이 필요합니다. @@ -854,7 +942,7 @@ Delete - Delete + 삭제 Uninstall selected packages @@ -866,7 +954,7 @@ Location - Location + 위치 {0} {1} packages found @@ -946,7 +1034,7 @@ Package info request failed with error: {0} {1} - Package info request failed with error: {0} {1} + {0} {1} 오류를 나타내며 패키지 정보 요청 실패 @@ -954,15 +1042,15 @@ This sample code loads the file into a data frame and shows the first 10 results. - This sample code loads the file into a data frame and shows the first 10 results. + 이 샘플 코드는 파일을 데이터 프레임에 로드하고 처음 10개의 결과를 표시합니다. No notebook editor is active - No notebook editor is active + Notebook 편집기가 활성 상태가 아님 Notebooks - Notebooks + Notebook @@ -973,8 +1061,8 @@ 이 처리기에는 {0} 작업이 지원되지 않습니다. - Cannot open link {0} as only HTTP and HTTPS links are supported - HTTP 및 HTTPS 링크만 지원되기 때문에 {0} 링크를 열 수 없습니다. + Cannot open link {0} as only HTTP, HTTPS, and File links are supported + HTTP, HTTPS 및 파일 링크만 지원되므로 링크 {0}을(를) 열 수 없음 Download and open '{0}'? diff --git a/resources/xlf/ko/profiler.ko.xlf b/resources/xlf/ko/profiler.ko.xlf index 57d4647f43..43bd78e347 100644 --- a/resources/xlf/ko/profiler.ko.xlf +++ b/resources/xlf/ko/profiler.ko.xlf @@ -1,6 +1,6 @@  - + Cancel diff --git a/resources/xlf/ko/resource-deployment.ko.xlf b/resources/xlf/ko/resource-deployment.ko.xlf index 19cc98e438..5f07c7c275 100644 --- a/resources/xlf/ko/resource-deployment.ko.xlf +++ b/resources/xlf/ko/resource-deployment.ko.xlf @@ -12,7 +12,7 @@ New Deployment… - New Deployment… + 새 배포... Deployment @@ -26,14 +26,6 @@ Run SQL Server container image with docker Docker를 사용하여 SQL Server 컨테이너 이미지 실행 - - SQL Server Big Data Cluster - SQL Server 빅 데이터 클러스터 - - - SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes - SQL Server 빅 데이터 클러스터를 사용하면 Kubernetes에서 실행되는 SQL Server, Spark 및 HDFS 컨테이너의 확장 가능한 클러스터를 배포할 수 있습니다. - Version 버전 @@ -44,43 +36,15 @@ SQL Server 2019 - SQL Server 2019 - - - SQL Server 2019 - SQL Server 2019 - - - Deployment target - 배포 대상 - - - New Azure Kubernetes Service Cluster - 새 Azure Kubernetes Service 클러스터 - - - Existing Azure Kubernetes Service Cluster - 기존 Azure Kubernetes Service 클러스터 - - - Existing Kubernetes Cluster (kubeadm) - 기존 Kubernetes 클러스터(kubeadm) - - - Existing Azure Red Hat OpenShift cluster - Existing Azure Red Hat OpenShift cluster - - - Existing OpenShift cluster - Existing OpenShift cluster + SQL Server 2019 Deploy SQL Server 2017 container images - Deploy SQL Server 2017 container images + SQL Server 2017 컨테이너 이미지 배포 Deploy SQL Server 2019 container images - Deploy SQL Server 2019 container images + SQL Server 2019 컨테이너 이미지 배포 Container name @@ -98,70 +62,6 @@ Port 포트 - - SQL Server Big Data Cluster settings - SQL Server 빅 데이터 클러스터 설정 - - - Cluster name - 클러스터 이름 - - - Controller username - 컨트롤러 사용자 이름 - - - Password - 암호 - - - Confirm password - 암호 확인 - - - Azure settings - Azure 설정 - - - Subscription id - 구독 ID - - - Use my default Azure subscription - 내 기본 Azure 구독 사용 - - - Resource group name - 리소스 그룹 이름 - - - Region - 지역 - - - AKS cluster name - AKS 클러스터 이름 - - - VM size - VM 크기 - - - VM count - VM 수 - - - Storage class name - 스토리지 클래스 이름 - - - Capacity for data (GB) - 데이터 용량(GB) - - - Capacity for logs (GB) - 로그 용량(GB) - SQL Server on Windows Windows의 SQL Server @@ -170,197 +70,185 @@ Run SQL Server on Windows, select a version to get started. Windows에서 SQL Server를 실행하고 시작할 버전을 선택합니다. - - I accept {0}, {1} and {2}. - {0}, {1} 및 {2}에 동의합니다. - Microsoft Privacy Statement - Microsoft Privacy Statement - - - azdata License Terms - azdata 사용 조건 - - - SQL Server License Terms - SQL Server 사용 조건 + Microsoft 개인정보처리방침 Deployment configuration - Deployment configuration + 배포 구성 Location of the azdata package used for the install command - Location of the azdata package used for the install command + 설치 명령에 사용되는 azdata 패키지의 위치 SQL Server on Azure Virtual Machine - SQL Server on Azure Virtual Machine + Azure 가상 머신의 SQL Server Create SQL virtual machines on Azure. Best for migrations and applications requiring OS-level access. - Create SQL virtual machines on Azure. Best for migrations and applications requiring OS-level access. + Azure에서 SQL 가상 머신을 만듭니다. OS 수준 액세스가 필요한 마이그레이션 및 애플리케이션에 가장 적합합니다. Deploy Azure SQL virtual machine - Deploy Azure SQL virtual machine + Azure SQL 가상 머신 배포 Script to notebook - Script to notebook + Notebook으로 스크립트 I accept {0}, {1} and {2}. - I accept {0}, {1} and {2}. + {0}, {1} 및 {2}에 동의합니다. Azure SQL VM License Terms - Azure SQL VM License Terms + Azure SQL VM 사용 조건 azdata License Terms - azdata License Terms + azdata 사용 조건 Azure information - Azure information + Azure 정보 Azure locations - Azure locations + Azure 위치 VM information - VM information + VM 정보 Image - Image + 이미지 VM image SKU - VM image SKU + VM 이미지 SKU Publisher - Publisher + 게시자 Virtual machine name - Virtual machine name + 가상 머신 이름 Size - Size + 크기 Storage account - Storage account + 스토리지 계정 Storage account name - Storage account name + 스토리지 계정 이름 Storage account SKU type - Storage account SKU type + 스토리지 계정 SKU 유형 Administrator account - Administrator account + 관리자 계정 Username - Username + 사용자 이름 Password - Password + 암호 Confirm password - Confirm password + 암호 확인 Summary - Summary + 요약 Azure SQL Database - Azure SQL Database + Azure SQL Database Create a SQL database, database server, or elastic pool in Azure. - Create a SQL database, database server, or elastic pool in Azure. + Azure에서 SQL 데이터베이스, 데이터베이스 서버 또는 탄력적 풀을 만듭니다. Create in Azure portal - Create in Azure portal + Azure Portal에서 만들기 Select - Select + 선택 Resource Type - Resource Type + 리소스 종류 Single Database - Single Database + 단일 데이터베이스 Elastic Pool - Elastic Pool + 탄력적 풀 Database Server - Database Server + 데이터베이스 서버 I accept {0}, {1} and {2}. - I accept {0}, {1} and {2}. + {0}, {1} 및 {2}에 동의합니다. Azure SQL DB License Terms - Azure SQL DB License Terms + Azure SQL DB 사용 조건 azdata License Terms - azdata License Terms + azdata 사용 조건 Azure SQL managed instance - Azure SQL managed instance + Azure SQL Managed Instance Create a SQL Managed Instance in either Azure or a customer-managed environment - Create a SQL Managed Instance in either Azure or a customer-managed environment + Azure 또는 고객 관리형 환경에서 SQL Managed Instance 만들기 Open in Portal - Open in Portal + Portal에서 열기 Resource Type - Resource Type + 리소스 종류 I accept {0} and {1}. - I accept {0} and {1}. + {0} 및 {1}에 동의합니다. Azure SQL MI License Terms - Azure SQL MI License Terms + Azure SQL MI 사용 조건 Azure SQL Managed Instance provides full SQL Server access and feature compatibility for migrating SQL Servers to Azure, or developing new applications. {0}. - Azure SQL Managed Instance provides full SQL Server access and feature compatibility for migrating SQL Servers to Azure, or developing new applications. {0}. + Azure SQL Managed Instance는 SQL Server를 Azure로 마이그레이션하거나 새 애플리케이션을 개발하는 데 필요한 전체 SQL Server 액세스 및 기능 호환성을 제공합니다. {0}. Learn More - Learn More + 자세한 정보 @@ -368,227 +256,243 @@ Azure Account - Azure Account + Azure 계정 Subscription (selected subset) - Subscription (selected subset) + 구독(선택한 하위 집합) Change the currently selected subscriptions through the 'Select Subscriptions' action on an account listed in the 'Azure' tree view of the 'Connections' viewlet - Change the currently selected subscriptions through the 'Select Subscriptions' action on an account listed in the 'Azure' tree view of the 'Connections' viewlet + '연결' 뷰렛의 'Azure' 트리 뷰에 나열된 계정의 '구독 선택' 작업을 통해 현재 선택된 구독 변경 Resource Group - Resource Group + 리소스 그룹 Azure Location - Azure Location + Azure 위치 Browse - Browse + 찾아보기 Select - Select + 선택 Kube config file path - Kube config file path + Kube 구성 파일 경로 No cluster context information found - No cluster context information found + 클러스터 컨텍스트 정보를 찾을 수 없음 Sign in… - Sign in… + 로그인… Refresh - Refresh + 새로 고침 Yes - Yes + No - No + 아니요 Create a new resource group - Create a new resource group + 새 리소스 그룹 만들기 New resource group name - New resource group name + 새 리소스 그룹 이름 Realm - Realm + 영역 Unknown field type: "{0}" - Unknown field type: "{0}" + 알 수 없는 필드 형식: "{0}" Options Source with id:{0} is already defined - Options Source with id:{0} is already defined + ID가 {0}인 옵션 원본이 이미 정의되어 있습니다. Value Provider with id:{0} is already defined - Value Provider with id:{0} is already defined + ID가 {0}인 값 공급자가 이미 정의되어 있습니다. No Options Source defined for id: {0} - No Options Source defined for id: {0} + {0} ID에 대해 정의된 옵션 원본 없음 No Value Provider defined for id: {0} - No Value Provider defined for id: {0} + {0} ID에 대해 정의된 값 공급자 없음 Attempt to get variable value for unknown variable:{0} - Attempt to get variable value for unknown variable:{0} + 알 수 없는 변수 {0}의 변수 값을 가져오려고 시도합니다. Attempt to get isPassword for unknown variable:{0} - Attempt to get isPassword for unknown variable:{0} + 알 수 없는 변수 {0}의 isPassword를 가져오려고 시도합니다. FieldInfo.options was not defined for field type: {0} - FieldInfo.options was not defined for field type: {0} + FieldInfo.options가 필드 형식 {0}에 대해 정의되지 않았습니다. FieldInfo.options must be an object if it is not an array - FieldInfo.options must be an object if it is not an array + FieldInfo.options는 배열이 아닌 경우 개체여야 합니다. When FieldInfo.options is an object it must have 'optionsType' property - When FieldInfo.options is an object it must have 'optionsType' property + FieldInfo.options가 개체인 경우 'optionsType' 속성을 포함해야 합니다. When optionsType is not {0} then it must be {1} - When optionsType is not {0} then it must be {1} + optionsType이 {0}이(가) 아니면 {1}이어야 합니다. Deployment cannot continue. Azure Data CLI license terms have not yet been accepted. Please accept the EULA to enable the features that requires Azure Data CLI. - Deployment cannot continue. Azure Data CLI license terms have not yet been accepted. Please accept the EULA to enable the features that requires Azure Data CLI. + 배포를 계속할 수 없습니다. Azure Data CLI 사용 조건에 아직 동의하지 않았습니다. Azure Data CLI가 필요한 기능을 사용하려면 EULA에 동의하세요. Deployment cannot continue. Azure Data CLI license terms were declined.You can either Accept EULA to continue or Cancel this operation - Deployment cannot continue. Azure Data CLI license terms were declined.You can either Accept EULA to continue or Cancel this operation + 배포를 계속할 수 없습니다. Azure Data CLI 사용 조건이 거부되었습니다. EULA에 동의하여 계속하거나 이 작업을 취소할 수 있습니다. Accept EULA & Select - Accept EULA & Select + EULA에 동의 및 선택 + + + The '{0}' extension is required to deploy this resource, do you want to install it now? + 이 리소스를 배포하려면 '{0}' 확장이 필요합니다. 지금 설치하시겠습니까? + + + Install + 설치 + + + Installing extension '{0}'... + '{0}' 확장을 설치하는 중... + + + Unknown extension '{0}' + '{0}'은(는) 알 수 없는 확장입니다. Select the deployment options - Select the deployment options + 배포 옵션 선택 Filter resources... - Filter resources... + 리소스 필터링... Categories - Categories + 범주 There are some errors on this page, click 'Show Details' to view the errors. - There are some errors on this page, click 'Show Details' to view the errors. + 이 페이지에 오류가 있습니다. 오류를 보려면 '세부 정보 표시'를 클릭합니다. Script - Script + 스크립트 Run - Run + 실행 View error detail - View error detail + 오류 세부 정보 보기 An error occurred opening the output notebook. {1}{2}. - An error occurred opening the output notebook. {1}{2}. + 출력 Notebook을 여는 동안 오류가 발생했습니다. {1}{2}. The task "{0}" has failed. - The task "{0}" has failed. + "{0}" 작업이 실패했습니다. The task "{0}" failed and no output Notebook was generated. - The task "{0}" failed and no output Notebook was generated. + "{0}" 작업이 실패했으며 출력 Notebook이 생성되지 않았습니다. All - All + 모두 On-premises - On-premises + 온-프레미스 SQL Server - SQL Server + SQL Server Hybrid - Hybrid + 하이브리드 PostgreSQL - PostgreSQL + PostgreSQL Cloud - Cloud + 클라우드 Description - Description + 설명 Tool - Tool + 도구 Status - Status + 상태 Version - Version + 버전 Required Version - Required Version + 필요한 버전 Discovered Path or Additional Information - Discovered Path or Additional Information + 검색된 경로 또는 추가 정보 Required tools - Required tools + 필요한 도구 Install tools - Install tools + 도구 설치 Options - Options + 옵션 Required tool '{0}' [ {1} ] is being installed now. - Required tool '{0}' [ {1} ] is being installed now. + 지금 필요한 도구 '{0}'[{1}]을(를) 설치하는 중입니다. @@ -596,45 +500,45 @@ An error ocurred while loading or parsing the config file:{0}, error is:{1} - An error ocurred while loading or parsing the config file:{0}, error is:{1} + {0} 구성 파일을 로드하거나 구문 분석하는 동안 오류가 발생했습니다. 오류: {1} Path: {0} is not a file, please select a valid kube config file. - Path: {0} is not a file, please select a valid kube config file. + {0} 경로가 파일이 아닙니다. 유효한 kube 구성 파일을 선택하세요. File: {0} not found. Please select a kube config file. - File: {0} not found. Please select a kube config file. + {0} 파일을 찾을 수 없습니다. kube 구성 파일을 선택하세요. Unexpected error fetching accounts: {0} - Unexpected error fetching accounts: {0} + 계정을 가져오는 동안 예기치 않은 오류 발생: {0} Unexpected error fetching available kubectl storage classes : {0} - Unexpected error fetching available kubectl storage classes : {0} + 사용 가능한 kubectl 스토리지 클래스를 가져오는 동안 예기치 않은 오류 발생: {0} Unexpected error fetching subscriptions for account {0}: {1} - Unexpected error fetching subscriptions for account {0}: {1} + {0} 계정의 구독을 가져오는 동안 예기치 않은 오류 발생: {1} The selected account '{0}' is no longer available. Click sign in to add it again or select a different account. - The selected account '{0}' is no longer available. Click sign in to add it again or select a different account. + 선택한 계정 '{0}'은(는) 더 이상 사용할 수 없습니다. [로그인]을 클릭하여 다시 추가하거나 다른 계정을 선택합니다. Error Details: {0}. - - Error Details: {0}. + + 오류 세부 정보: {0}. The access token for selected account '{0}' is no longer valid. Please click the sign in button and refresh the account or select a different account. - The access token for selected account '{0}' is no longer valid. Please click the sign in button and refresh the account or select a different account. + 선택한 계정 '{0}'의 액세스 토큰이 더 이상 유효하지 않습니다. [로그인] 단추를 클릭하고 계정을 새로 고치거나, 다른 계정을 선택하세요. Unexpected error fetching resource groups for subscription {0}: {1} - Unexpected error fetching resource groups for subscription {0}: {1} + {0} 구독의 리소스 그룹을 가져오는 동안 예기치 않은 오류 발생: {1} {0} doesn't meet the password complexity requirement. For more information: https://docs.microsoft.com/sql/relational-databases/security/password-policy @@ -650,139 +554,139 @@ Deploy Azure SQL VM - Deploy Azure SQL VM + Azure SQL VM 배포 Script to Notebook - Script to Notebook + Notebook으로 스크립트 Please fill out the required fields marked with red asterisks. - Please fill out the required fields marked with red asterisks. + 빨간색 별표가 표시된 필수 필드를 입력하세요. Azure settings - Azure settings + Azure 설정 Azure Account - Azure Account + Azure 계정 Subscription - Subscription + 구독 Resource Group - Resource Group + 리소스 그룹 Region - Region + 지역 Virtual machine settings - Virtual machine settings + 가상 머신 설정 Virtual machine name - Virtual machine name + 가상 머신 이름 Administrator account username - Administrator account username + 관리자 계정 사용자 이름 Administrator account password - Administrator account password + 관리자 계정 암호 Confirm password - Confirm password + 암호 확인 Image - Image + 이미지 Image SKU - Image SKU + 이미지 SKU Image Version - Image Version + 이미지 버전 Size - Size + 크기 Click here to learn more about pricing and supported VM sizes - Click here to learn more about pricing and supported VM sizes + 가격 책정 및 지원되는 VM 크기를 자세히 알아보려면 여기를 클릭합니다. Networking - Networking + 네트워킹 Configure network settings - Configure network settings + 네트워크 설정 구성 New virtual network - New virtual network + 새 가상 네트워크 Virtual Network - Virtual Network + Virtual Network New subnet - New subnet + 새 서브넷 Subnet - Subnet + 서브넷 Public IP - Public IP + 공용 IP New public ip - New public ip + 새 공용 IP Enable Remote Desktop (RDP) inbound port (3389) - Enable Remote Desktop (RDP) inbound port (3389) + RDP(원격 데스크톱) 인바운드 포트(3389) 사용 SQL Servers settings - SQL Servers settings + SQL Server 설정 SQL connectivity - SQL connectivity + SQL 연결 Port - Port + 포트 Enable SQL authentication - Enable SQL authentication + SQL 인증 사용 Username - Username + 사용자 이름 Password - Password + 암호 Confirm password - Confirm password + 암호 확인 @@ -790,39 +694,39 @@ Save config files - Save config files + 구성 파일 저장 Script to Notebook - Script to Notebook + Notebook으로 스크립트 Save config files - Save config files + 구성 파일 저장 Config files saved to {0} - Config files saved to {0} + 구성 파일이 {0}에 저장됨 Deploy SQL Server 2019 Big Data Cluster on a new AKS cluster - Deploy SQL Server 2019 Big Data Cluster on a new AKS cluster + 새 AKS 클러스터에 SQL Server 2019 빅 데이터 클러스터 배포 Deploy SQL Server 2019 Big Data Cluster on an existing AKS cluster - Deploy SQL Server 2019 Big Data Cluster on an existing AKS cluster + 기존 AKS 클러스터에 SQL Server 2019 빅 데이터 클러스터 배포 Deploy SQL Server 2019 Big Data Cluster on an existing kubeadm cluster - Deploy SQL Server 2019 Big Data Cluster on an existing kubeadm cluster + 기존 kubeadm 클러스터에 SQL Server 2019 빅 데이터 클러스터 배포 Deploy SQL Server 2019 Big Data Cluster on an existing Azure Red Hat OpenShift cluster - Deploy SQL Server 2019 Big Data Cluster on an existing Azure Red Hat OpenShift cluster + 기존 Azure Red Hat OpenShift 클러스터에 SQL Server 2019 빅 데이터 클러스터 배포 Deploy SQL Server 2019 Big Data Cluster on an existing OpenShift cluster - Deploy SQL Server 2019 Big Data Cluster on an existing OpenShift cluster + 기존 OpenShift 클러스터에 SQL Server 2019 빅 데이터 클러스터 배포 @@ -830,79 +734,79 @@ Not Installed - Not Installed + 설치되지 않음 Installed - Installed + 설치됨 Installing… - Installing… + 설치하는 중... Error - Error + 오류 Failed - Failed + 실패 • brew is needed for deployment of the tools and needs to be pre-installed before necessary tools can be deployed - • brew is needed for deployment of the tools and needs to be pre-installed before necessary tools can be deployed + • brew는 도구를 배포하는 데 필요하며 필요한 도구를 배포하기 전에 미리 설치해야 합니다. • curl is needed for installation and needs to be pre-installed before necessary tools can be deployed - • curl is needed for installation and needs to be pre-installed before necessary tools can be deployed + • curl은 설치에 필요하며 필요한 도구를 배포하기 전에 미리 설치해야 합니다. Could not find 'Location' in the output: - Could not find 'Location' in the output: + 출력에서 'Location'을 찾을 수 없습니다. output: - output: + 출력: Error installing tool '{0}' [ {1} ].{2}Error: {3}{2}See output channel '{4}' for more details - Error installing tool '{0}' [ {1} ].{2}Error: {3}{2}See output channel '{4}' for more details + '{0}'[{1}] 도구를 설치하는 동안 오류가 발생했습니다. {2}오류: {3}{2}자세한 내용은 출력 채널 '{4}'을(를) 참조하세요. Error installing tool. See output channel '{0}' for more details - Error installing tool. See output channel '{0}' for more details + 도구를 설치하는 동안 오류가 발생했습니다. 자세한 내용은 출력 채널 '{0}'을(를) 참조하세요. Installation commands completed but version of tool '{0}' could not be detected so our installation attempt has failed. Detection Error: {1}{2}Cleaning up previous installations would help. - Installation commands completed but version of tool '{0}' could not be detected so our installation attempt has failed. Detection Error: {1}{2}Cleaning up previous installations would help. + 설치 명령이 완료되었지만 '{0}' 도구의 버전을 검색할 수 없어서 설치하지 못했습니다. 검색 오류: {1}{2}이전 설치를 정리하는 것이 도움이 됩니다. Failed to detect version post installation. See output channel '{0}' for more details - Failed to detect version post installation. See output channel '{0}' for more details + 설치 후 버전을 검색하지 못했습니다. 자세한 내용은 출력 채널 '{0}'을(를) 참조하세요. A possibly way to uninstall is using this command:{0} >{1} - A possibly way to uninstall is using this command:{0} >{1} + 제거할 수 있는 방법은 {0} >{1} 명령을 사용하는 것입니다. {0}See output channel '{1}' for more details - {0}See output channel '{1}' for more details + {0}자세한 내용은 출력 채널 '{1}' 참조 Cannot install tool:{0}::{1} as installation commands are unknown for your OS distribution, Please install {0} manually before proceeding - Cannot install tool:{0}::{1} as installation commands are unknown for your OS distribution, Please install {0} manually before proceeding + OS 배포를 위한 설치 명령을 알 수 없으므로 {0}::{1} 도구를 설치할 수 없습니다. 계속하기 전에 {0}을(를) 수동으로 설치하세요. Search Paths for tool '{0}': {1} - Search Paths for tool '{0}': {1} + '{0}' 도구의 검색 경로: {1} Error retrieving version information. See output channel '{0}' for more details - Error retrieving version information. See output channel '{0}' for more details + 버전 정보를 검색하는 동안 오류가 발생했습니다. 자세한 내용은 출력 채널 '{0}'을(를) 참조하세요. Error retrieving version information.{0}Invalid output received, get version command output: '{1}' - Error retrieving version information.{0}Invalid output received, get version command output: '{1}' + 버전 정보를 검색하는 동안 오류가 발생했습니다. {0}잘못된 출력이 수신되었습니다. 버전 명령 출력 '{1}'을(를) 가져옵니다. @@ -910,87 +814,87 @@ Deploy Azure SQL DB - Deploy Azure SQL DB + Azure SQL DB 배포 Script to Notebook - Script to Notebook + Notebook으로 스크립트 Please fill out the required fields marked with red asterisks. - Please fill out the required fields marked with red asterisks. + 빨간색 별표가 표시된 필수 필드를 입력하세요. Azure SQL Database - Azure account settings - Azure SQL Database - Azure account settings + Azure SQL Database - Azure 계정 설정 Azure account settings - Azure account settings + Azure 계정 설정 Azure account - Azure account + Azure 계정 Subscription - Subscription + 구독 Server - Server + 서버 Resource group - Resource group + 리소스 그룹 Database settings - Database settings + 데이터베이스 설정 Firewall rule name - Firewall rule name + 방화벽 규칙 이름 SQL database name - SQL database name + SQL 데이터베이스 이름 Database collation - Database collation + 데이터베이스 데이터 정렬 Collation for database - Collation for database + 데이터베이스 데이터 정렬 Enter IP addresses in IPv4 format. - Enter IP addresses in IPv4 format. + IPv4 형식으로 IP 주소를 입력합니다. Min IP address in firewall IP range - Min IP address in firewall IP range + 방화벽 IP 범위의 최소 IP 주소 Max IP address in firewall IP range - Max IP address in firewall IP range + 방화벽 IP 범위의 최대 IP 주소 Min IP address - Min IP address + 최소 IP 주소 Max IP address - Max IP address + 최대 IP 주소 Create a firewall rule for your local client IP in order to connect to your database through Azure Data Studio after creation is completed. - Create a firewall rule for your local client IP in order to connect to your database through Azure Data Studio after creation is completed. + 만들기가 완료된 후 Azure Data Studio를 통해 데이터베이스에 연결하려면 로컬 클라이언트 IP의 방화벽 규칙을 만듭니다. Create a firewall rule - Create a firewall rule + 방화벽 규칙 만들기 @@ -998,7 +902,7 @@ Runs commands against Kubernetes clusters - Runs commands against Kubernetes clusters + Kubernetes 클러스터에 대해 명령 실행 kubectl @@ -1006,67 +910,67 @@ Unable to parse the kubectl version command output: "{0}" - Unable to parse the kubectl version command output: "{0}" + Kubectl 버전 명령 출력을 구문 분석할 수 없음: "{0}" updating your brew repository for kubectl installation … - updating your brew repository for kubectl installation … + kubectl 설치를 위해 brew 리포지토리를 업데이트하는 중... installing kubectl … - installing kubectl … + kubectl을 설치하는 중... updating repository information … - updating repository information … + 리포지토리 정보를 업데이트하는 중... getting packages needed for kubectl installation … - getting packages needed for kubectl installation … + kubectl 설치에 필요한 패키지를 가져오는 중... downloading and installing the signing key for kubectl … - downloading and installing the signing key for kubectl … + kubectl의 서명 키를 다운로드하고 설치하는 중... adding the kubectl repository information … - adding the kubectl repository information … + kubectl 리포지토리 정보를 추가하는 중... installing kubectl … - installing kubectl … + kubectl을 설치하는 중... deleting previously downloaded kubectl.exe if one exists … - deleting previously downloaded kubectl.exe if one exists … + 이전에 다운로드한 kubectl.exe 삭제 중(있는 경우)... downloading and installing the latest kubectl.exe … - downloading and installing the latest kubectl.exe … + 최신 kubectl.exe를 다운로드하고 설치하는 중... deleting previously downloaded kubectl if one exists … - deleting previously downloaded kubectl if one exists … + 이전에 다운로드한 kubectl 삭제 중(있는 경우)... downloading the latest kubectl release … - downloading the latest kubectl release … + 최신 kubectl 릴리스를 다운로드하는 중... making kubectl executable … - making kubectl executable … + kubectl 실행 파일을 만드는 중... cleaning up any previously backed up version in the install location if they exist … - cleaning up any previously backed up version in the install location if they exist … + 설치 위치에서 이전에 백업된 버전을 정리하는 중(있는 경우)... backing up any existing kubectl in the install location … - backing up any existing kubectl in the install location … + 설치 위치의 기존 kubectl을 백업하는 중... moving kubectl into the install location in the PATH … - moving kubectl into the install location in the PATH … + PATH에서 설치 위치로 kubectl을 이동하는 중... @@ -1074,7 +978,7 @@ There are some errors on this page, click 'Show Details' to view the errors. - There are some errors on this page, click 'Show Details' to view the errors. + 이 페이지에 오류가 있습니다. 오류를 보려면 '세부 정보 표시'를 클릭합니다. @@ -1082,24 +986,20 @@ Open Notebook - Open Notebook + Notebook 열기 OK - OK + 확인 Notebook type - Notebook type + Notebook 유형 - - Failed to load extension: {0}, Error detected in the resource type definition in package.json, check debug console for details. - {0} 확장을 로드하지 못했습니다. package.json의 리소스 종류 정의에서 오류가 감지되었습니다. 자세한 내용은 디버그 콘솔을 참조하세요. - The resource type: {0} is not defined 리소스 종류 {0}이(가) 정의되지 않았습니다. @@ -1118,31 +1018,31 @@ Deployments - Deployments + 배포 >>> {0} … errored out: {1} - >>> {0} … errored out: {1} + >>> {0} ... 오류가 발생했습니다. {1} >>> Ignoring error in execution and continuing tool deployment - >>> Ignoring error in execution and continuing tool deployment + >>> 실행 시 오류 무시 및 도구 배포 계속 stdout: - stdout: + stdout: stderr: - stderr: + stderr: >>> {0} … exited with code: {1} - >>> {0} … exited with code: {1} + >>> {0} … 종료됨(코드: {1}) >>> {0} … exited with signal: {1} - >>> {0} … exited with signal: {1} + >>> {0} … 종료됨(신호: {1}) @@ -1158,31 +1058,31 @@ Service scale settings (Instances) - Service scale settings (Instances) + 서비스 스케일링 설정(인스턴스) Service storage settings (GB per Instance) - Service storage settings (GB per Instance) + 서비스 스토리지 설정(인스턴스당 GB) Features - Features + 기능 Yes - Yes + No - No + 아니요 Deployment configuration profile - Deployment configuration profile + 배포 구성 프로필 Select the target configuration profile - Select the target configuration profile + 대상 구성 프로필 선택 Note: The settings of the deployment profile can be customized in later steps. @@ -1190,15 +1090,15 @@ Loading profiles - Loading profiles + 프로필 로드 Loading profiles completed - Loading profiles completed + 프로필 로드 완료 Deployment configuration profile - Deployment configuration profile + 배포 구성 프로필 Failed to load the deployment profiles: {0} @@ -1222,19 +1122,19 @@ Service - Service + 서비스 Data - Data + 데이터 Logs - Logs + 로그 Storage type - Storage type + 스토리지 유형 Basic authentication @@ -1250,7 +1150,7 @@ Feature - Feature + 기능 Please select a deployment profile. @@ -1262,7 +1162,7 @@ Please fill out the required fields marked with red asterisks. - Please fill out the required fields marked with red asterisks. + 빨간색 별표가 표시된 필수 필드를 입력하세요. Azure settings @@ -1322,7 +1222,7 @@ The cluster name must consist only of alphanumeric lowercase characters or '-' and must start and end with an alphanumeric character. - The cluster name must consist only of alphanumeric lowercase characters or '-' and must start and end with an alphanumeric character. + 클러스터 이름은 영숫자 소문자 또는 '-'로만 구성되어야 하며 영숫자 문자로 시작하고 끝나야 합니다. Cluster settings @@ -1434,7 +1334,7 @@ If not provided, the domain DNS name will be used as the default value. - If not provided, the domain DNS name will be used as the default value. + 제공하지 않으면 도메인 DNS 이름이 기본값으로 사용됩니다. Cluster admin group @@ -1470,7 +1370,7 @@ App owners - App owners + 앱 소유자 Use comma to separate the values. @@ -1494,19 +1394,19 @@ Subdomain - Subdomain + 하위 도메인 A unique DNS subdomain to use for this SQL Server Big Data Cluster. If not provided, the cluster name will be used as the default value. - A unique DNS subdomain to use for this SQL Server Big Data Cluster. If not provided, the cluster name will be used as the default value. + 이 SQL Server 빅 데이터 클러스터에 사용할 고유한 DNS 하위 도메인입니다. 제공되지 않으면 클러스터 이름이 기본값으로 사용됩니다. Account prefix - Account prefix + 계정 접두사 A unique prefix for AD accounts SQL Server Big Data Cluster will generate. If not provided, the subdomain name will be used as the default value. If a subdomain is not provided, the cluster name will be used as the default value. - A unique prefix for AD accounts SQL Server Big Data Cluster will generate. If not provided, the subdomain name will be used as the default value. If a subdomain is not provided, the cluster name will be used as the default value. + AD 계정 SQL Server 빅 데이터 클러스터의 고유한 접두사가 생성됩니다. 제공되지 않으면 하위 도메인 이름이 기본값으로 사용됩니다. 하위 도메인이 제공되지 않으면 클러스터 이름이 기본값으로 사용됩니다. Password @@ -1646,19 +1546,19 @@ Controller's data storage class - Controller's data storage class + 컨트롤러의 데이터 스토리지 클래스 Controller's data storage claim size - Controller's data storage claim size + 컨트롤러의 데이터 스토리지 클레임 크기 Controller's logs storage class - Controller's logs storage class + 컨트롤러의 로그 스토리지 클래스 Controller's logs storage claim size - Controller's logs storage claim size + 컨트롤러의 로그 스토리지 클레임 크기 Storage pool (HDFS) @@ -1666,19 +1566,19 @@ Storage pool's data storage class - Storage pool's data storage class + 스토리지 풀의 데이터 스토리지 클래스 Storage pool's data storage claim size - Storage pool's data storage claim size + 스토리지 풀의 데이터 스토리지 클레임 크기 Storage pool's logs storage class - Storage pool's logs storage class + 스토리지 풀의 로그 스토리지 클래스 Storage pool's logs storage claim size - Storage pool's logs storage claim size + 스토리지 풀의 로그 스토리지 클레임 크기 Data pool @@ -1686,39 +1586,39 @@ Data pool's data storage class - Data pool's data storage class + 데이터 풀의 데이터 스토리지 클래스 Data pool's data storage claim size - Data pool's data storage claim size + 데이터 풀의 데이터 스토리지 클레임 크기 Data pool's logs storage class - Data pool's logs storage class + 데이터 풀의 로그 스토리지 클래스 Data pool's logs storage claim size - Data pool's logs storage claim size + 데이터 풀의 로그 스토리지 클레임 크기 SQL Server master's data storage class - SQL Server master's data storage class + SQL Server 마스터의 데이터 스토리지 클래스 SQL Server master's data storage claim size - SQL Server master's data storage claim size + SQL Server 마스터의 데이터 스토리지 클레임 크기 SQL Server master's logs storage class - SQL Server master's logs storage class + SQL Server 마스터의 로그 스토리지 클래스 SQL Server master's logs storage claim size - SQL Server master's logs storage claim size + SQL Server 마스터의 로그 스토리지 클레임 크기 Service name - Service name + 서비스 이름 Storage class for data @@ -1738,7 +1638,7 @@ Storage settings - Storage settings + 스토리지 설정 Storage settings @@ -1822,7 +1722,7 @@ App owners - App owners + 앱 소유자 App readers @@ -1830,11 +1730,11 @@ Subdomain - Subdomain + 하위 도메인 Account prefix - Account prefix + 계정 접두사 Service account username @@ -1902,7 +1802,7 @@ Service - Service + 서비스 Storage class for data @@ -2010,11 +1910,11 @@ Password must be between 12 and 123 characters long. - Password must be between 12 and 123 characters long. + 암호는 12~123자여야 합니다. Password must have 3 of the following: 1 lower case character, 1 upper case character, 1 number, and 1 special character. - Password must have 3 of the following: 1 lower case character, 1 upper case character, 1 number, and 1 special character. + 암호는 소문자 1자, 대문자 1자, 숫자 1자 및 특수 문자 1자 중 3가지를 포함해야 합니다. @@ -2022,47 +1922,47 @@ Virtual machine name must be between 1 and 15 characters long. - Virtual machine name must be between 1 and 15 characters long. + 가상 머신 이름은 1~15자여야 합니다. Virtual machine name cannot contain only numbers. - Virtual machine name cannot contain only numbers. + 가상 머신 이름을 숫자로만 설정할 수는 없습니다. Virtual machine name Can't start with underscore. Can't end with period or hyphen - Virtual machine name Can't start with underscore. Can't end with period or hyphen + 가상 머신 이름은 밑줄로 시작할 수 없습니다. 마침표 또는 하이픈으로 끝날 수 없습니다. Virtual machine name cannot contain special characters \/""[]:|<>+=;,?*@&, . - Virtual machine name cannot contain special characters \/""[]:|<>+=;,?*@&, . + 가상 머신 이름에는 특수 문자 \/""[]:|<>+=;,?*@&,가 포함될 수 없습니다. Virtual machine name must be unique in the current resource group. - Virtual machine name must be unique in the current resource group. + 가상 머신 이름은 현재 리소스 그룹에서 고유해야 합니다. Username must be between 1 and 20 characters long. - Username must be between 1 and 20 characters long. + 사용자 이름은 1~20자여야 합니다. Username cannot end with period - Username cannot end with period + 사용자 이름은 마침표로 끝날 수 없습니다. Username cannot contain special characters \/""[]:|<>+=;,?*@& . - Username cannot contain special characters \/""[]:|<>+=;,?*@& . + 사용자 이름에는 특수 문자 \/""[]:|<>+=;,?*@&를 사용할 수 없습니다. Username must not include reserved words. - Username must not include reserved words. + 사용자 이름은 예약어를 포함하지 않아야 합니다. Password and confirm password must match. - Password and confirm password must match. + 암호와 확인 암호가 일치해야 합니다. Select a valid virtual machine size. - Select a valid virtual machine size. + 유효한 가상 머신 크기를 선택합니다. @@ -2070,39 +1970,39 @@ Enter name for new virtual network - Enter name for new virtual network + 새 가상 네트워크의 이름 입력 Enter name for new subnet - Enter name for new subnet + 새 서브넷의 이름 입력 Enter name for new public IP - Enter name for new public IP + 새 공용 IP의 이름 입력 Virtual Network name must be between 2 and 64 characters long - Virtual Network name must be between 2 and 64 characters long + Virtual Network 이름은 2~64자여야 합니다. Create a new virtual network - Create a new virtual network + 새 가상 네트워크 만들기 Subnet name must be between 1 and 80 characters long - Subnet name must be between 1 and 80 characters long + 서브넷 이름은 1~80자여야 합니다. Create a new sub network - Create a new sub network + 새 하위 네트워크 만들기 Public IP name must be between 1 and 80 characters long - Public IP name must be between 1 and 80 characters long + 공용 IP 이름은 1~80자여야 합니다. Create a new new public Ip - Create a new new public Ip + 새 공용 IP 만들기 @@ -2110,27 +2010,27 @@ Private (within Virtual Network) - Private (within Virtual Network) + 프라이빗(가상 네트워크 내) Local (inside VM only) - Local (inside VM only) + 로컬(VM 내부 전용) Public (Internet) - Public (Internet) + 퍼블릭(인터넷) Username must be between 2 and 128 characters long. - Username must be between 2 and 128 characters long. + 암호는 2~128자여야 합니다. Username cannot contain special characters \/""[]:|<>+=;,?* . - Username cannot contain special characters \/""[]:|<>+=;,?* . + 사용자 이름에는 특수 문자(\/""[]:|<>+=;,?*)를 사용할 수 없습니다. Password and confirm password must match. - Password and confirm password must match. + 암호와 확인 암호가 일치해야 합니다. @@ -2138,7 +2038,7 @@ Review your configuration - Review your configuration + 구성 검토 @@ -2146,55 +2046,55 @@ Min Ip address is invalid - Min Ip address is invalid + 최소 IP 주소가 잘못되었습니다. Max Ip address is invalid - Max Ip address is invalid + 최대 IP 주소가 잘못되었습니다. Firewall name cannot contain only numbers. - Firewall name cannot contain only numbers. + 방화벽 이름에 숫자만 사용할 수는 없습니다. Firewall name must be between 1 and 100 characters long. - Firewall name must be between 1 and 100 characters long. + 방화벽 이름은 1~100자여야 합니다. Firewall name cannot contain special characters \/""[]:|<>+=;,?*@&, . - Firewall name cannot contain special characters \/""[]:|<>+=;,?*@&, . + 방화벽 이름에는 특수 문자 \/""[]:|<>+=;,?*@&,를 사용할 수 없습니다. Upper case letters are not allowed for firewall name - Upper case letters are not allowed for firewall name + 방화벽 이름에는 대문자를 사용할 수 없습니다. Database name cannot contain only numbers. - Database name cannot contain only numbers. + 데이터베이스 이름은 숫자만 포함할 수 없습니다. Database name must be between 1 and 100 characters long. - Database name must be between 1 and 100 characters long. + 데이터베이스 이름은 1~100자여야 합니다. Database name cannot contain special characters \/""[]:|<>+=;,?*@&, . - Database name cannot contain special characters \/""[]:|<>+=;,?*@&, . + 데이터베이스 이름에는 특수 문자 \/""[]:|<>+=;,?*@&,를 사용할 수 없습니다. Database name must be unique in the current server. - Database name must be unique in the current server. + 데이터베이스 이름은 현재 서버에서 고유해야 합니다. Collation name cannot contain only numbers. - Collation name cannot contain only numbers. + 데이터 정렬 이름은 숫자만 포함할 수 없습니다. Collation name must be between 1 and 100 characters long. - Collation name must be between 1 and 100 characters long. + 데이터 정렬 이름은 1~100자여야 합니다. Collation name cannot contain special characters \/""[]:|<>+=;,?*@&, . - Collation name cannot contain special characters \/""[]:|<>+=;,?*@&, . + 데이터 정렬 이름에는 특수 문자 \/""[]:|<>+=;,?*@&,를 사용할 수 없습니다. @@ -2202,17 +2102,17 @@ Sign in to an Azure account first - Sign in to an Azure account first + 먼저 Azure 계정에 로그인 No servers found - No servers found + 서버를 찾을 수 없음 No servers found in current subscription. Select a different subscription containing at least one server - No servers found in current subscription. -Select a different subscription containing at least one server + 현재 구독에서 서버를 찾을 수 없습니다. +하나 이상의 서버를 포함하는 다른 구독을 선택합니다. @@ -2220,59 +2120,59 @@ Select a different subscription containing at least one server Deployment pre-requisites - Deployment pre-requisites - - - To proceed, you must accept the terms of the End User License Agreement(EULA) - To proceed, you must accept the terms of the End User License Agreement(EULA) + 배포 필수 구성 요소 Some tools were still not discovered. Please make sure that they are installed, running and discoverable - Some tools were still not discovered. Please make sure that they are installed, running and discoverable + 일부 도구가 아직 검색되지 않았습니다. 해당 도구가 설치되고, 실행 중이며, 검색 가능한지 확인하세요. + + + To proceed, you must accept the terms of the End User License Agreement(EULA) + 계속 진행하려면 EULA(최종 사용자 사용권 계약) 약관에 동의해야 합니다. Loading required tools information completed - Loading required tools information completed + 필요한 도구 정보 로드 완료 Loading required tools information - Loading required tools information + 필요한 도구 정보 로드 Accept terms of use - Accept terms of use + 사용 약관에 동의 '{0}' [ {1} ] does not meet the minimum version requirement, please uninstall it and restart Azure Data Studio. - '{0}' [ {1} ] does not meet the minimum version requirement, please uninstall it and restart Azure Data Studio. + '{0}'[{1}]이(가) 최소 버전 요구 사항을 충족하지 않습니다. 해당 도구를 제거하고 Azure Data Studio를 다시 시작하세요. All required tools are installed now. - All required tools are installed now. + 이제 모든 필수 도구가 설치되었습니다. Following tools: {0} were still not discovered. Please make sure that they are installed, running and discoverable - Following tools: {0} were still not discovered. Please make sure that they are installed, running and discoverable + {0} 도구가 아직 검색되지 않았습니다. 해당 도구가 설치되고, 실행 중이며, 검색 가능한지 확인하세요. '{0}' was not discovered and automated installation is not currently supported. Install '{0}' manually or ensure it is started and discoverable. Once done please restart Azure Data Studio. See [{1}] . - '{0}' was not discovered and automated installation is not currently supported. Install '{0}' manually or ensure it is started and discoverable. Once done please restart Azure Data Studio. See [{1}] . + '{0}'이(가) 검색되지 않았고 현재 자동화된 설치가 지원되지 않습니다. '{0}'을(를) 수동으로 설치하거나 해당 항목이 시작되고 검색 가능한지 확인합니다. 완료되면 Azure Data Studio를 다시 시작하세요. [{1}] 항목을 참조하세요. You will need to restart Azure Data Studio if the tools are installed manually to pick up the change. You may find additional details in 'Deployments' and 'Azure Data CLI' output channels - You will need to restart Azure Data Studio if the tools are installed manually to pick up the change. You may find additional details in 'Deployments' and 'Azure Data CLI' output channels + 변경 내용을 선택하기 위해 도구를 수동으로 설치한 경우에는 Azure Data Studio를 다시 시작해야 합니다. '배포' 및 'Azure Data CLI' 출력 채널에서 추가적인 세부 정보를 찾을 수 있습니다. Tool: {0} is not installed, you can click the "{1}" button to install it. - Tool: {0} is not installed, you can click the "{1}" button to install it. + {0} 도구가 설치되지 않았습니다. "{1}" 단추를 클릭하여 설치할 수 있습니다. Tools: {0} are not installed, you can click the "{1}" button to install them. - Tools: {0} are not installed, you can click the "{1}" button to install them. + {0} 도구가 설치되지 않았습니다. "{1}" 단추를 클릭하여 설치할 수 있습니다. No tools required - No tools required + 도구가 필요하지 않음 @@ -2280,23 +2180,23 @@ Select a different subscription containing at least one server Download and launch installer, URL: {0} - Download and launch installer, URL: {0} + 설치 관리자 다운로드 및 시작, URL: {0} Downloading from: {0} - Downloading from: {0} + {0}에서 다운로드 Successfully downloaded: {0} - Successfully downloaded: {0} + 다운로드함: {0} Launching: {0} - Launching: {0} + {0} 시작 중 Successfully launched: {0} - Successfully launched: {0} + 시작함: {0} @@ -2304,7 +2204,7 @@ Select a different subscription containing at least one server Packages and runs applications in isolated containers - Packages and runs applications in isolated containers + 격리된 컨테이너에서 애플리케이션 패키지 및 실행 docker @@ -2316,7 +2216,7 @@ Select a different subscription containing at least one server Manages Azure resources - Manages Azure resources + Azure 리소스 관리 Azure CLI @@ -2324,47 +2224,47 @@ Select a different subscription containing at least one server deleting previously downloaded azurecli.msi if one exists … - deleting previously downloaded azurecli.msi if one exists … + 이전에 다운로드한 azurecli.msi 삭제 중(있는 경우)... downloading azurecli.msi and installing azure-cli … - downloading azurecli.msi and installing azure-cli … + azurecli.msi를 다운로드하고 azure-cli를 설치하는 중… displaying the installation log … - displaying the installation log … + 설치 로그를 표시하는 중... updating your brew repository for azure-cli installation … - updating your brew repository for azure-cli installation … + azure-cli 설치를 위해 brew 리포지토리를 업데이트하는 중... installing azure-cli … - installing azure-cli … + azure-cli를 설치하는 중... updating repository information before installing azure-cli … - updating repository information before installing azure-cli … + azure-cli를 설치하기 전에 리포지토리 정보를 업데이트하는 중... getting packages needed for azure-cli installation … - getting packages needed for azure-cli installation … + azure-cli 설치에 필요한 패키지를 가져오는 중... downloading and installing the signing key for azure-cli … - downloading and installing the signing key for azure-cli … + azure-cli의 서명 키를 다운로드하고 설치하는 중... adding the azure-cli repository information … - adding the azure-cli repository information … + azure-cli 리포지토리 정보를 추가하는 중... updating repository information again for azure-cli … - updating repository information again for azure-cli … + azure-cli의 리포지토리 정보를 다시 업데이트하는 중... download and invoking script to install azure-cli … - download and invoking script to install azure-cli … + azure-cli를 설치하는 스크립트 다운로드 및 호출 중... @@ -2372,59 +2272,23 @@ Select a different subscription containing at least one server Azure Data command line interface - Azure Data command line interface + Azure 데이터 명령줄 인터페이스 Azure Data CLI - Azure Data CLI + Azure Data CLI + + + The Azure Data CLI extension must be installed to deploy this resource. Please install it through the extension gallery and try again. + 이 리소스를 배포하려면 Azure Data CLI 확장을 설치해야 합니다. 확장 갤러리를 통해 설치한 후 다시 시도하세요. Error retrieving version information. See output channel '{0}' for more details - Error retrieving version information. See output channel '{0}' for more details + 버전 정보를 검색하는 동안 오류가 발생했습니다. 자세한 내용은 출력 채널 '{0}'을(를) 참조하세요. Error retrieving version information.{0}Invalid output received, get version command output: '{1}' - Error retrieving version information.{0}Invalid output received, get version command output: '{1}' - - - deleting previously downloaded Azdata.msi if one exists … - deleting previously downloaded Azdata.msi if one exists … - - - downloading Azdata.msi and installing azdata-cli … - downloading Azdata.msi and installing azdata-cli … - - - displaying the installation log … - displaying the installation log … - - - tapping into the brew repository for azdata-cli … - tapping into the brew repository for azdata-cli … - - - updating the brew repository for azdata-cli installation … - updating the brew repository for azdata-cli installation … - - - installing azdata … - installing azdata … - - - updating repository information … - updating repository information … - - - getting packages needed for azdata installation … - getting packages needed for azdata installation … - - - downloading and installing the signing key for azdata … - downloading and installing the signing key for azdata … - - - adding the azdata repository information … - adding the azdata repository information … + 버전 정보를 검색하는 동안 오류가 발생했습니다. {0}잘못된 출력이 수신되었습니다. 버전 명령 출력 '{1}'을(를) 가져옵니다. @@ -2432,51 +2296,51 @@ Select a different subscription containing at least one server Azure Data command line interface - Azure Data command line interface + Azure 데이터 명령줄 인터페이스 Azure Data CLI - Azure Data CLI + Azure Data CLI deleting previously downloaded Azdata.msi if one exists … - deleting previously downloaded Azdata.msi if one exists … + 이전에 다운로드한 Azdata.msi를 삭제하는 중(있는 경우)... downloading Azdata.msi and installing azdata-cli … - downloading Azdata.msi and installing azdata-cli … + Azdata.msi를 다운로드하고 azdata-cli를 설치하는 중... displaying the installation log … - displaying the installation log … + 설치 로그를 표시하는 중... tapping into the brew repository for azdata-cli … - tapping into the brew repository for azdata-cli … + azdata-cli의 brew 리포지토리를 활용하는 중... updating the brew repository for azdata-cli installation … - updating the brew repository for azdata-cli installation … + azdata-cli 설치를 위해 brew 리포지토리를 업데이트하는 중... installing azdata … - installing azdata … + azdata를 설치하는 중... updating repository information … - updating repository information … + 리포지토리 정보를 업데이트하는 중... getting packages needed for azdata installation … - getting packages needed for azdata installation … + azdata 설치에 필요한 패키지를 가져오는 중... downloading and installing the signing key for azdata … - downloading and installing the signing key for azdata … + azdata의 서명 키를 다운로드하고 설치하는 중... adding the azdata repository information … - adding the azdata repository information … + azdata 리포지토리 정보를 추가하는 중... @@ -2484,7 +2348,7 @@ Select a different subscription containing at least one server Deployment options - Deployment options + 배포 옵션 diff --git a/resources/xlf/ko/schema-compare.ko.xlf b/resources/xlf/ko/schema-compare.ko.xlf index 0a5f78cb31..2e80dd25e5 100644 --- a/resources/xlf/ko/schema-compare.ko.xlf +++ b/resources/xlf/ko/schema-compare.ko.xlf @@ -16,28 +16,116 @@ - + - - Ok + + OK 확인 - + Cancel 취소 + + Source + 원본 + + + Target + 대상 + + + File + 파일 + + + Data-tier Application File (.dacpac) + 데이터 계층 애플리케이션 파일(.dacpac) + + + Database + 데이터베이스 + + + Type + 형식 + + + Server + 서버 + + + Database + 데이터베이스 + + + Schema Compare + 스키마 비교 + + + A different source schema has been selected. Compare to see the comparison? + 다른 원본 스키마를 선택했습니다. 비교를 확인하려면 비교를 누르세요. + + + A different target schema has been selected. Compare to see the comparison? + 다른 대상 스키마를 선택했습니다. 비교를 확인하려면 비교를 누르세요. + + + Different source and target schemas have been selected. Compare to see the comparison? + 다른 원본 및 대상 스키마를 선택했습니다. 비교를 확인하려면 비교를 누르세요. + + + Yes + + + + No + 아니요 + + + Source file + 원본 파일 + + + Target file + 대상 파일 + + + Source Database + 원본 데이터베이스 + + + Target Database + 대상 데이터베이스 + + + Source Server + 원본 서버 + + + Target Server + 대상 서버 + + + default + 기본값 + + + Open + 열기 + + + Select source file + 원본 파일 선택 + + + Select target file + 대상 파일 선택 + Reset 다시 설정 - - Yes - - - - No - 아니요 - Options have changed. Recompare to see the comparison? 옵션이 변경되었습니다. 비교를 확인하려면 다시 비교를 누르세요. @@ -54,6 +142,174 @@ Include Object Types 개체 유형 포함 + + Compare Details + 세부 정보 비교 + + + Are you sure you want to update the target? + 대상을 업데이트하시겠습니까? + + + Press Compare to refresh the comparison. + 비교를 눌러 비교를 새로 고칩니다. + + + Generate script to deploy changes to target + 대상에 변경 내용을 배포하는 스크립트 생성 + + + No changes to script + 스크립트 변경 내용 없음 + + + Apply changes to target + 대상에 변경 내용 적용 + + + No changes to apply + 적용할 변경 내용 없음 + + + Please note that include/exclude operations can take a moment to calculate affected dependencies + 포함/제외 작업은 영향을 받는 종속성을 계산하는 데 잠시 걸릴 수 있습니다. + + + Delete + 삭제 + + + Change + 변경 + + + Add + 추가 + + + Comparison between Source and Target + 원본과 대상 간의 비교 + + + Initializing Comparison. This might take a moment. + 비교를 초기화하는 중입니다. 시간이 약간 걸릴 수 있습니다. + + + To compare two schemas, first select a source schema and target schema, then press Compare. + 두 스키마를 비교하려면 먼저 원본 스키마 및 대상 스키마를 선택한 다음, 비교를 누릅니다. + + + No schema differences were found. + 스키마 차이를 찾을 수 없습니다. + + + Type + 형식 + + + Source Name + 원본 이름 + + + Include + 포함 + + + Action + 작업 + + + Target Name + 대상 이름 + + + Generate script is enabled when the target is a database + 대상이 데이터베이스이면 스크립트 생성이 사용하도록 설정됩니다. + + + Apply is enabled when the target is a database + 대상이 데이터베이스이면 적용이 사용하도록 설정됩니다. + + + Cannot exclude {0}. Included dependents exist, such as {1} + {0}을(를) 제외할 수 없습니다. {1} 같은 포함된 종속 항목이 있습니다. + + + Cannot include {0}. Excluded dependents exist, such as {1} + {0}을(를) 포함할 수 없습니다. {1} 같은 제외된 종속 항목이 있습니다. + + + Cannot exclude {0}. Included dependents exist + {0}을(를) 제외할 수 없습니다. 포함된 종속 항목이 있습니다. + + + Cannot include {0}. Excluded dependents exist + {0}을(를) 포함할 수 없습니다. 제외된 종속 항목이 있습니다. + + + Compare + 비교 + + + Stop + 중지 + + + Generate script + 스크립트 생성 + + + Options + 옵션 + + + Apply + 적용 + + + Switch direction + 방향 전환 + + + Switch source and target + 원본과 대상 전환 + + + Select Source + 원본 선택 + + + Select Target + 대상 선택 + + + Open .scmp file + .scmp 파일 열기 + + + Load source, target, and options saved in an .scmp file + .scmp 파일에 저장된 원본, 대상 및 옵션 로드 + + + Save .scmp file + .scmp 파일 저장 + + + Save source and target, options, and excluded elements + 원본 및 대상, 옵션 및 제외된 요소 저장 + + + Save + 저장 + + + Do you want to connect to {0}? + {0}에 연결하시겠습니까? + + + Select connection + 연결 선택 + Ignore Table Options 테이블 옵션 무시 @@ -407,7 +663,7 @@ 데이터베이스 역할 - DatabaseTriggers + Database Triggers 데이터베이스 트리거 @@ -426,6 +682,14 @@ External File Formats 외부 파일 형식 + + External Streams + 외부 스트림 + + + External Streaming Jobs + 외부 스트리밍 작업 + External Tables 외부 테이블 @@ -434,6 +698,10 @@ Filegroups 파일 그룹 + + Files + 파일 + File Tables 파일 테이블 @@ -503,12 +771,12 @@ 시그니처 - StoredProcedures - StoredProcedures + Stored Procedures + 저장 프로시저 - SymmetricKeys - SymmetricKeys + Symmetric Keys + 대칭 키 Synonyms @@ -926,286 +1194,30 @@ Specifies whether differences in table column order should be ignored or updated when you publish to a database. 데이터베이스에 게시할 때 테이블 열 순서의 차이를 무시할지 또는 업데이트할지를 지정합니다. - - - - - - Ok - 확인 - - - Cancel - 취소 - - - Source - 원본 - - - Target - 대상 - - - File - 파일 - - - Data-tier Application File (.dacpac) - 데이터 계층 애플리케이션 파일(.dacpac) - - - Database - 데이터베이스 - - - Type - 형식 - - - Server - 서버 - - - Database - 데이터베이스 - - - No active connections - 활성 연결 없음 - - - Schema Compare - 스키마 비교 - - - A different source schema has been selected. Compare to see the comparison? - 다른 원본 스키마를 선택했습니다. 비교를 확인하려면 비교를 누르세요. - - - A different target schema has been selected. Compare to see the comparison? - 다른 대상 스키마를 선택했습니다. 비교를 확인하려면 비교를 누르세요. - - - Different source and target schemas have been selected. Compare to see the comparison? - 다른 원본 및 대상 스키마를 선택했습니다. 비교를 확인하려면 비교를 누르세요. - - - Yes - - - - No - 아니요 - - - Open - 열기 - - - default - 기본값 - - - - - - - Compare Details - 세부 정보 비교 - - - Are you sure you want to update the target? - 대상을 업데이트하시겠습니까? - - - Press Compare to refresh the comparison. - 비교를 눌러 비교를 새로 고칩니다. - - - Generate script to deploy changes to target - 대상에 변경 내용을 배포하는 스크립트 생성 - - - No changes to script - 스크립트 변경 내용 없음 - - - Apply changes to target - 대상에 변경 내용 적용 - - - No changes to apply - 적용할 변경 내용 없음 - - - Delete - 삭제 - - - Change - 변경 - - - Add - 추가 - - - Schema Compare - 스키마 비교 - - - Source - 원본 - - - Target - 대상 - - - ➔ - - - - Initializing Comparison. This might take a moment. - 비교를 초기화하는 중입니다. 시간이 약간 걸릴 수 있습니다. - - - To compare two schemas, first select a source schema and target schema, then press Compare. - 두 스키마를 비교하려면 먼저 원본 스키마 및 대상 스키마를 선택한 다음, 비교를 누릅니다. - - - No schema differences were found. - 스키마 차이를 찾을 수 없습니다. - Schema Compare failed: {0} 스키마 비교 실패: {0} - - Type - 형식 - - - Source Name - 원본 이름 - - - Include - 포함 - - - Action - 작업 - - - Target Name - 대상 이름 - - - Generate script is enabled when the target is a database - 대상이 데이터베이스이면 스크립트 생성이 사용하도록 설정됩니다. - - - Apply is enabled when the target is a database - 대상이 데이터베이스이면 적용이 사용하도록 설정됩니다. - - - Compare - 비교 - - - Compare - 비교 - - - Stop - 중지 - - - Stop - 중지 - - - Cancel schema compare failed: '{0}' - 스키마 비교 취소 실패: '{0}' - - - Generate script - 스크립트 생성 - - - Generate script failed: '{0}' - 스크립트 생성 실패: '{0}' - - - Options - 옵션 - - - Options - 옵션 - - - Apply - 적용 - - - Yes - - - - Schema Compare Apply failed '{0}' - 스키마 비교 적용 실패 '{0}' - - - Switch direction - 방향 전환 - - - Switch source and target - 원본과 대상 전환 - - - Select Source - 원본 선택 - - - Select Target - 대상 선택 - - - Open .scmp file - .scmp 파일 열기 - - - Load source, target, and options saved in an .scmp file - .scmp 파일에 저장된 원본, 대상 및 옵션 로드 - - - Open - 열기 - - - Open scmp failed: '{0}' - scmp 열기 실패: '{0}' - - - Save .scmp file - .scmp 파일 저장 - - - Save source and target, options, and excluded elements - 원본 및 대상, 옵션 및 제외된 요소 저장 - - - Save - 저장 - Save scmp failed: '{0}' scmp 저장 실패: '{0}' + + Cancel schema compare failed: '{0}' + 스키마 비교 취소 실패: '{0}' + + + Generate script failed: '{0}' + 스크립트 생성 실패: '{0}' + + + Schema Compare Apply failed '{0}' + 스키마 비교 적용 실패 '{0}' + + + Open scmp failed: '{0}' + scmp 열기 실패: '{0}' + \ No newline at end of file diff --git a/resources/xlf/ko/sql.ko.xlf b/resources/xlf/ko/sql.ko.xlf index d0d2523a58..3cd8fa4e7e 100644 --- a/resources/xlf/ko/sql.ko.xlf +++ b/resources/xlf/ko/sql.ko.xlf @@ -1,2559 +1,6 @@  - - - - Copying images is not supported - 이미지 복사가 지원되지 않습니다. - - - - - - - Get Started - 시작 - - - Show Getting Started - 시작 표시 - - - Getting &&Started - && denotes a mnemonic - 시작(&S) - - - - - - - QueryHistory - QueryHistory - - - Whether Query History capture is enabled. If false queries executed will not be captured. - 쿼리 기록 캡처가 사용하도록 설정되어 있는지 여부입니다. false이면 실행된 쿼리가 캡처되지 않습니다. - - - View - 보기 - - - &&Query History - && denotes a mnemonic - 쿼리 기록(&Q) - - - Query History - 쿼리 기록 - - - - - - - Connecting: {0} - {0}에 연결하는 중 - - - Running command: {0} - 명령 {0} 실행 중 - - - Opening new query: {0} - 새 쿼리 {0}을(를) 여는 중 - - - Cannot connect as no server information was provided - 서버 정보가 제공되지 않았으므로 연결할 수 없습니다. - - - Could not open URL due to error {0} - {0} 오류로 인해 URL을 열 수 없습니다. - - - This will connect to server {0} - 이렇게 하면 서버 {0}에 연결됩니다. - - - Are you sure you want to connect? - 연결하시겠습니까? - - - &&Open - 열기(&O) - - - Connecting query file - 쿼리 파일 연결 중 - - - - - - - 1 or more tasks are in progress. Are you sure you want to quit? - 1개 이상의 작업이 진행 중입니다. 그래도 작업을 종료하시겠습니까? - - - Yes - - - - No - 아니요 - - - - - - - Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? - 미리 보기 기능을 사용하면 새로운 기능 및 개선 사항에 대한 모든 권한을 제공함으로써 Azure Data Studio에서 환경이 개선됩니다. [여기]({0})에서 미리 보기 기능에 관해 자세히 알아볼 수 있습니다. 미리 보기 기능을 사용하시겠습니까? - - - Yes (recommended) - 예(추천) - - - No - 아니요 - - - No, don't show again - 아니요, 다시 표시 안 함 - - - - - - - Toggle Query History - 쿼리 기록 전환 - - - Delete - 삭제 - - - Clear All History - 모든 기록 지우기 - - - Open Query - 쿼리 열기 - - - Run Query - 쿼리 실행 - - - Toggle Query History capture - 쿼리 기록 캡처 전환 - - - Pause Query History Capture - 쿼리 기록 캡처 일시 중지 - - - Start Query History Capture - 쿼리 기록 캡처 시작 - - - - - - - No queries to display. - 표시할 쿼리가 없습니다. - - - Query History - QueryHistory - 쿼리 기록 - - - - - - - Error - 오류 - - - Warning - 경고 - - - Info - 정보 - - - Ignore - 무시 - - - - - - - Saving results into different format disabled for this data provider. - 이 데이터 공급자에 대해 사용하지 않도록 설정한 다른 형식으로 결과를 저장하고 있습니다. - - - Cannot serialize data as no provider has been registered - 공급자가 등록되지 않은 경우 데이터를 직렬화할 수 없습니다. - - - Serialization failed with an unknown error - 알 수 없는 오류로 인해 serialization에 실패했습니다. - - - - - - - Connection is required in order to interact with adminservice - adminservice와 상호 작용하려면 연결이 필요합니다. - - - No Handler Registered - 등록된 처리기 없음 - - - - - - - Select a file - 파일 선택 - - - - - - - Connection is required in order to interact with Assessment Service - 평가 서비스와 상호 작용하려면 연결이 필요합니다. - - - No Handler Registered - 등록된 처리기 없음 - - - - - - - Results Grid and Messages - 결과 표 및 메시지 - - - Controls the font family. - 글꼴 패밀리를 제어합니다. - - - Controls the font weight. - 글꼴 두께를 제어합니다. - - - Controls the font size in pixels. - 글꼴 크기(픽셀)를 제어합니다. - - - Controls the letter spacing in pixels. - 문자 간격(픽셀)을 제어합니다. - - - Controls the row height in pixels - 행 높이(픽셀)를 제어합니다. - - - Controls the cell padding in pixels - 셀 안쪽 여백(픽셀)을 제어합니다. - - - Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells - 초기 결과의 열 너비를 자동으로 조정합니다. 열 개수가 많거나 셀이 크면 성능 문제가 발생할 수 있습니다. - - - The maximum width in pixels for auto-sized columns - 자동으로 크기가 조정되는 열의 최대 너비(픽셀) - - - - - - - View - 보기 - - - Database Connections - 데이터베이스 연결 - - - data source connections - 데이터 원본 연결 - - - data source groups - 데이터 원본 그룹 - - - Startup Configuration - 시작 구성 - - - True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown - Azure Data Studio 시작 시 서버 보기를 표시하려면 True(기본값), 마지막으로 열었던 보기를 표시하려면 False - - - - - - - Disconnect - 연결 끊기 - - - Refresh - 새로 고침 - - - - - - - Preview Features - 미리 보기 기능 - - - Enable unreleased preview features - 해제되지 않은 미리 보기 기능 사용 - - - Show connect dialog on startup - 시작 시 연결 대화 상자 표시 - - - Obsolete API Notification - 사용되지 않는 API 알림 - - - Enable/disable obsolete API usage notification - 사용되지 않는 API 사용 알림 사용/사용 안 함 - - - - - - - Problems - 문제 - - - - - - - {0} in progress tasks - 진행 중인 작업 {0}개 - - - View - 보기 - - - Tasks - 작업 - - - &&Tasks - && denotes a mnemonic - 작업(&T) - - - - - - - The maximum number of recently used connections to store in the connection list. - 연결 목록에 저장할 최근에 사용한 최대 연결 수입니다. - - - Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. - 사용할 기본 SQL 엔진입니다. 해당 엔진은 .sql 파일의 기본 언어 공급자와 새 연결을 만들 때 사용할 기본 공급자를 구동합니다. - - - Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. - 연결 대화 상자가 열리거나 붙여넣기가 수행되면 클립보드의 내용을 구문 분석하려고 합니다. - - - - - - - Server Group color palette used in the Object Explorer viewlet. - 개체 탐색기 뷰렛에서 사용되는 서버 그룹 색상표입니다. - - - Auto-expand Server Groups in the Object Explorer viewlet. - 개체 탐색기 뷰렛에서 서버 그룹을 자동으로 확장합니다. - - - (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. - (미리 보기) 동적 노드 필터링과 같은 새로운 기능 지원을 사용하여 서버 보기 및 연결 대화 상자에 새 비동기 서버 트리를 사용합니다. - - - - - - - Identifier of the account type - 계정 유형 식별자 - - - (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration - (옵션) UI에서 명령을 나타내는 데 사용되는 아이콘입니다. 파일 경로 또는 테마 지정 가능 구성입니다. - - - Icon path when a light theme is used - 밝은 테마를 사용하는 경우의 아이콘 경로 - - - Icon path when a dark theme is used - 어두운 테마를 사용하는 경우의 아이콘 경로 - - - Contributes icons to account provider. - 계정 공급자에게 아이콘을 제공합니다. - - - - - - - Show Edit Data SQL pane on startup - 시작 시 데이터 SQL 편집 창 표시 - - - - - - - Minimum value of the y axis - Y축 최솟값 - - - Maximum value of the y axis - Y축 최댓값 - - - Label for the y axis - Y축 레이블 - - - Minimum value of the x axis - X축 최솟값 - - - Maximum value of the x axis - X축 최댓값 - - - Label for the x axis - X축 레이블 - - - - - - - Resource Viewer - 리소스 뷰어 - - - - - - - Indicates data property of a data set for a chart. - 차트 데이터 세트의 데이터 속성을 나타냅니다. - - - - - - - For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 - 결과 세트의 각 열에 대해 행 0의 값을 개수와 열 이름으로 표시합니다. 예를 들어, '1 Healthy', '3 Unhealthy'가 지원됩니다. 여기서 'Healthy'는 열 이름이고 1은 행 1, 셀 1의 값입니다. - - - - - - - Displays the results in a simple table - 단순 테이블에 결과를 표시합니다. - - - - - - - Displays an image, for example one returned by an R query using ggplot2 - 이미지(예: ggplot2를 사용하여 R 쿼리에서 반환한 이미지)를 표시합니다. - - - What format is expected - is this a JPEG, PNG or other format? - 어떤 형식이 필요한가요? JPEG, PNG 또는 다른 형식인가요? - - - Is this encoded as hex, base64 or some other format? - 16진수, base64 또는 다른 형식으로 인코딩되어 있나요? - - - - - - - Manage - 관리 - - - Dashboard - 대시보드 - - - - - - - The webview that will be displayed in this tab. - 이 탭에 표시할 웹 보기입니다. - - - - - - - The controlhost that will be displayed in this tab. - 이 탭에 표시할 controlhost입니다. - - - - - - - The list of widgets that will be displayed in this tab. - 이 탭에 표시할 위젯 목록입니다. - - - The list of widgets is expected inside widgets-container for extension. - 위젯 목록은 확장용 위젯 컨테이너 내에 있어야 합니다. - - - - - - - The list of widgets or webviews that will be displayed in this tab. - 이 탭에 표시되는 위젯 또는 웹 보기의 목록입니다. - - - widgets or webviews are expected inside widgets-container for extension. - 위젯이나 웹 보기는 확장용 위젯 컨테이너 내부에 있어야 합니다. - - - - - - - Unique identifier for this container. - 이 컨테이너의 고유 식별자입니다. - - - The container that will be displayed in the tab. - 탭에 표시될 컨테이너입니다. - - - Contributes a single or multiple dashboard containers for users to add to their dashboard. - 사용자가 대시보드 추가할 단일 또는 다중 대시보드 컨테이너를 적용합니다. - - - No id in dashboard container specified for extension. - 확장용으로 지정된 대시보드 컨테이너에 ID가 없습니다. - - - No container in dashboard container specified for extension. - 대시보드 컨테이너에 확장용으로 지정된 컨테이너가 없습니다. - - - Exactly 1 dashboard container must be defined per space. - 공란 1개에 정확히 1개의 대시보드 컨테이너를 정의해야 합니다. - - - Unknown container type defines in dashboard container for extension. - 확장용 대시보드 컨테이너에 알 수 없는 컨테이너 형식이 정의되었습니다. - - - - - - - Unique identifier for this nav section. Will be passed to the extension for any requests. - 이 탐색 영역의 고유 식별자입니다. 모든 요청에서 확장으로 전달됩니다. - - - (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration - (옵션) UI에서 이 탐색 섹션을 나타내는 데 사용되는 아이콘입니다. 파일 경로 또는 테마 지정 가능 구성입니다. - - - Icon path when a light theme is used - 밝은 테마를 사용하는 경우의 아이콘 경로 - - - Icon path when a dark theme is used - 어두운 테마를 사용하는 경우의 아이콘 경로 - - - Title of the nav section to show the user. - 사용자에게 표시할 탐색 섹션의 제목입니다. - - - The container that will be displayed in this nav section. - 이 탐색 섹션에 표시할 컨테이너입니다. - - - The list of dashboard containers that will be displayed in this navigation section. - 이 탐색 섹션에 표시할 대시보드 컨테이너 목록입니다. - - - No title in nav section specified for extension. - 탐색 섹션에 확장용으로 지정된 제목이 없습니다. - - - No container in nav section specified for extension. - 탐색 섹션에 확장용으로 지정된 컨테이너가 없습니다. - - - Exactly 1 dashboard container must be defined per space. - 공란 1개에 정확히 1개의 대시보드 컨테이너를 정의해야 합니다. - - - NAV_SECTION within NAV_SECTION is an invalid container for extension. - NAV_SECTION 내의 NAV_SECTION은 확장용으로 유효하지 않은 컨테이너입니다. - - - - - - - The model-backed view that will be displayed in this tab. - 이 탭에 표시할 모델 지원 보기입니다. - - - - - - - Backup - 백업 - - - - - - - Restore - 복원 - - - Restore - 복원 - - - - - - - Open in Azure Portal - Azure Portal에서 열기 - - - - - - - disconnected - 연결 끊김 - - - - - - - Cannot expand as the required connection provider '{0}' was not found - 필요한 연결 공급자 '{0}'을(를) 찾을 수 없으므로 확장할 수 없습니다. - - - User canceled - 사용자가 취소함 - - - Firewall dialog canceled - 방화벽 대화 상자를 취소함 - - - - - - - Connection is required in order to interact with JobManagementService - JobManagementService와 상호 작용하려면 연결이 필요합니다. - - - No Handler Registered - 등록된 처리기 없음 - - - - - - - An error occured while loading the file browser. - 파일 브라우저를 로드하는 동안 오류가 발생했습니다. - - - File browser error - 파일 브라우저 오류 - - - - - - - Common id for the provider - 공급자의 일반 ID - - - Display Name for the provider - 공급자의 표시 이름 - - - Notebook Kernel Alias for the provider - 공급자의 Notebook 커널 별칭 - - - Icon path for the server type - 서버 유형의 아이콘 경로 - - - Options for connection - 연결 옵션 - - - - - - - Unique identifier for this tab. Will be passed to the extension for any requests. - 이 탭의 고유 식별자입니다. 모든 요청에서 확장으로 전달됩니다. - - - Title of the tab to show the user. - 사용자에게 표시할 탭의 제목입니다. - - - Description of this tab that will be shown to the user. - 사용자에게 표시할 이 탭에 대한 설명입니다. - - - Condition which must be true to show this item - 이 항목을 표시하기 위해 true여야 하는 조건 - - - Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set - 이 탭과 호환되는 연결 형식을 정의합니다. 설정하지 않으면 기본 연결 형식은 'MSSQL'입니다. - - - The container that will be displayed in this tab. - 이 탭에 표시할 컨테이너입니다. - - - Whether or not this tab should always be shown or only when the user adds it. - 이 탭을 항상 표시할지 또는 사용자가 추가할 때만 표시할지입니다. - - - Whether or not this tab should be used as the Home tab for a connection type. - 이 탭을 연결 형식의 홈 탭으로 사용할지 여부입니다. - - - The unique identifier of the group this tab belongs to, value for home group: home. - 이 탭이 속한 그룹의 고유 식별자이며 홈 그룹의 값은 home입니다. - - - (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration - (선택 사항) UI에서 이 탭을 나타내는 데 사용되는 아이콘입니다. 파일 경로 또는 테마 지정 가능 구성입니다. - - - Icon path when a light theme is used - 밝은 테마를 사용하는 경우의 아이콘 경로 - - - Icon path when a dark theme is used - 어두운 테마를 사용하는 경우의 아이콘 경로 - - - Contributes a single or multiple tabs for users to add to their dashboard. - 사용자가 대시보드 추가할 단일 또는 다중 탭을 적용합니다. - - - No title specified for extension. - 확장용으로 지정한 제목이 없습니다. - - - No description specified to show. - 표시하도록 지정한 설명이 없습니다. - - - No container specified for extension. - 확장용으로 지정한 컨테이너가 없습니다. - - - Exactly 1 dashboard container must be defined per space - 공란 1개에 정확히 1개의 대시보드 컨테이너를 정의해야 합니다. - - - Unique identifier for this tab group. - 이 탭 그룹의 고유 식별자입니다. - - - Title of the tab group. - 탭 그룹의 제목입니다. - - - Contributes a single or multiple tab groups for users to add to their dashboard. - 사용자가 대시보드에 추가할 하나 이상의 탭 그룹을 제공합니다. - - - No id specified for tab group. - 탭 그룹에 ID가 지정되지 않았습니다. - - - No title specified for tab group. - 탭 그룹에 제목을 지정하지 않았습니다. - - - Administration - 관리 - - - Monitoring - 모니터링 - - - Performance - 성능 - - - Security - 보안 - - - Troubleshooting - 문제 해결 - - - Settings - 설정 - - - databases tab - 데이터베이스 탭 - - - Databases - 데이터베이스 - - - - - - - succeeded - 성공 - - - failed - 실패 - - - - - - - Connection error - 연결 오류 - - - Connection failed due to Kerberos error. - Kerberos 오류로 인해 연결이 실패했습니다. - - - Help configuring Kerberos is available at {0} - Kerberos 구성 도움말이 {0}에 있습니다. - - - If you have previously connected you may need to re-run kinit. - 이전에 연결된 경우 kinit을 다시 실행해야 할 수 있습니다. - - - - - - - Close - 닫기 - - - Adding account... - 계정 추가... - - - Refresh account was canceled by the user - 사용자가 계정 새로 고침을 취소했습니다. - - - - - - - Query Results - 쿼리 결과 - - - Query Editor - 쿼리 편집기 - - - New Query - 새 쿼리 - - - Query Editor - 쿼리 편집기 - - - When true, column headers are included when saving results as CSV - true이면 결과를 CSV로 저장할 때 열 머리글이 포함됩니다. - - - The custom delimiter to use between values when saving as CSV - CSV로 저장할 때 값 사이에 사용할 사용자 지정 구분 기호 - - - Character(s) used for seperating rows when saving results as CSV - 결과를 CSV로 저장할 때 행을 분리하는 데 사용하는 문자 - - - Character used for enclosing text fields when saving results as CSV - 결과를 CSV로 저장할 때 텍스트 필드를 묶는 데 사용하는 문자 - - - File encoding used when saving results as CSV - 결과를 CSV로 저장할 때 사용되는 파일 인코딩 - - - When true, XML output will be formatted when saving results as XML - true이면 결과를 XML로 저장할 때 XML 출력에 형식이 지정됩니다. - - - File encoding used when saving results as XML - 결과를 XML로 저장할 때 사용되는 파일 인코딩 - - - Enable results streaming; contains few minor visual issues - 결과 스트리밍을 사용하도록 설정합니다. 몇 가지 사소한 시각적 문제가 있습니다. - - - Configuration options for copying results from the Results View - 결과 뷰에서 결과를 복사하기 위한 구성 옵션 - - - Configuration options for copying multi-line results from the Results View - 결과 뷰에서 여러 줄 결과를 복사하기 위한 구성 옵션 - - - (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. - (실험적) 결과에 최적화된 테이블을 사용합니다. 일부 기능이 누락되거나 작동 중입니다. - - - Should execution time be shown for individual batches - 개별 일괄 처리에 대한 실행 시간 표시 여부 - - - Word wrap messages - 메시지 자동 줄 바꿈 - - - The default chart type to use when opening Chart Viewer from a Query Results - 쿼리 결과에서 차트 뷰어를 열 때 사용할 기본 차트 유형 - - - Tab coloring will be disabled - 탭 색 지정이 사용하지 않도록 설정됩니다. - - - The top border of each editor tab will be colored to match the relevant server group - 각 편집기 탭의 상단 테두리는 관련 서버 그룹과 일치하도록 칠해집니다. - - - Each editor tab's background color will match the relevant server group - 각 편집기 탭의 배경색이 관련 서버 그룹과 일치합니다. - - - Controls how to color tabs based on the server group of their active connection - 활성 연결의 서버 그룹을 기준으로 탭 색상 지정 방법을 제어합니다. - - - Controls whether to show the connection info for a tab in the title. - 제목에 있는 탭에 연결 정보를 표시할지 여부를 제어합니다. - - - Prompt to save generated SQL files - 생성된 SQL 파일 저장 여부 확인 - - - Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call. Any selected text in the query editor will be passed as a parameter - 바로 가기 텍스트를 프로시저 호출로 실행하려면 키 바인딩 workbench.action.query.shortcut{0}을(를) 설정하세요. 쿼리 편집기에서 선택한 텍스트가 매개 변수로 전달됩니다. - - - - - - - Specifies view templates - 뷰 템플릿 지정 - - - Specifies session templates - 세션 템플릿 지정 - - - Profiler Filters - Profiler 필터 - - - - - - - Script as Create - Create로 스크립트 - - - Script as Drop - Drop으로 스크립트 - - - Select Top 1000 - 상위 1,000개 선택 - - - Script as Execute - Execute로 스크립트 - - - Script as Alter - Alter로 스크립트 - - - Edit Data - 데이터 편집 - - - Select Top 1000 - 상위 1,000개 선택 - - - Take 10 - Take 10 - - - Script as Create - Create로 스크립트 - - - Script as Execute - Execute로 스크립트 - - - Script as Alter - Alter로 스크립트 - - - Script as Drop - Drop으로 스크립트 - - - Refresh - 새로 고침 - - - - - - - Commit row failed: - 행 커밋 실패: - - - Started executing query at - 다음에서 쿼리 실행 시작: - - - Started executing query "{0}" - 쿼리 "{0}" 실행을 시작함 - - - Line {0} - 줄 {0} - - - Canceling the query failed: {0} - 쿼리 취소 실패: {0} - - - Update cell failed: - 셀 업데이트 실패: - - - - - - - No URI was passed when creating a notebook manager - Notebook 관리자를 만들 때 URI가 전달되지 않았습니다. - - - Notebook provider does not exist - Notebook 공급자가 없습니다. - - - - - - - Notebook Editor - Notebook 편집기 - - - New Notebook - 새 Notebook - - - New Notebook - 새 Notebook - - - Set Workspace And Open - 작업 영역 설정 및 열기 - - - SQL kernel: stop Notebook execution when error occurs in a cell. - SQL 커널: 셀에서 오류가 발생하면 Notebook 실행을 중지합니다. - - - (Preview) show all kernels for the current notebook provider. - (미리 보기) 현재 Notebook 공급자의 모든 커널을 표시합니다. - - - Allow notebooks to run Azure Data Studio commands. - Notebook이 Azure Data Studio 명령을 실행하도록 허용합니다. - - - Enable double click to edit for text cells in notebooks - 두 번 클릭을 사용하여 Notebook에서 텍스트 셀 편집 - - - Set Rich Text View mode by default for text cells - 기본적으로 텍스트 셀에 대해 서식 있는 텍스트 보기 모드 설정 - - - (Preview) Save connection name in notebook metadata. - (미리 보기) 연결 이름을 Notebook 메타데이터에 저장합니다. - - - Controls the line height used in the notebook markdown preview. This number is relative to the font size. - Notebook markdown 미리 보기에서 사용되는 줄 높이를 제어합니다. 해당 숫자는 글꼴 크기에 상대적입니다. - - - View - 보기 - - - Search Notebooks - Notebook 검색 - - - Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). - 전체 텍스트 검색 및 빠른 열기에서 glob 패턴을 구성하여 파일 및 폴더를 제외합니다. `#files.exclude#` 설정에서 모든 glob 패턴을 상속합니다. [여기](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)에서 glob 패턴에 대해 자세히 알아보세요. - - - The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. - 파일 경로를 일치시킬 GLOB 패턴입니다. 패턴을 사용하거나 사용하지 않도록 설정하려면 true 또는 false로 설정하세요. - - - Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. - 일치하는 파일의 형제에 대한 추가 검사입니다. $(basename)을 일치하는 파일 이름에 대한 변수로 사용하세요. - - - This setting is deprecated and now falls back on "search.usePCRE2". - 이 설정은 사용되지 않으며 이제 "search.usePCRE2"로 대체됩니다. - - - Deprecated. Consider "search.usePCRE2" for advanced regex feature support. - 사용되지 않습니다. 고급 regex 기능을 지원하려면 "search.usePCRE2"를 사용해 보세요. - - - When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. - 사용하도록 설정하면 searchService 프로세스가 1시간의 비활성 상태 이후 종료되지 않고 계속 유지됩니다. 메모리에 파일 검색 캐시가 유지됩니다. - - - Controls whether to use `.gitignore` and `.ignore` files when searching for files. - 파일을 검색할 때 '.gitignore' 파일 및 '.ignore' 파일을 사용할지 여부를 제어합니다. - - - Controls whether to use global `.gitignore` and `.ignore` files when searching for files. - 파일을 검색할 때 전역 '.gitignore' 및 '.ignore' 파일을 사용할지 여부를 제어합니다. - - - Whether to include results from a global symbol search in the file results for Quick Open. - Quick Open에 대한 파일 결과에 전역 기호 검색 결과를 포함할지 여부입니다. - - - Whether to include results from recently opened files in the file results for Quick Open. - Quick Open에 대한 파일 결과에 최근에 연 파일의 결과를 포함할지 여부입니다. - - - History entries are sorted by relevance based on the filter value used. More relevant entries appear first. - 기록 항목은 사용된 필터 값을 기준으로 관련성별로 정렬됩니다. 관련성이 더 높은 항목이 먼저 표시됩니다. - - - History entries are sorted by recency. More recently opened entries appear first. - 기록이 최신순으로 정렬됩니다. 가장 최근에 열람한 항목부터 표시됩니다. - - - Controls sorting order of editor history in quick open when filtering. - 필터링할 때 빠른 열기에서 편집기 기록의 정렬 순서를 제어합니다. - - - Controls whether to follow symlinks while searching. - 검색하는 동안 symlink를 누를지 여부를 제어합니다. - - - Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. - 패턴이 모두 소문자인 경우 대/소문자를 구분하지 않고 검색하고, 그렇지 않으면 대/소문자를 구분하여 검색합니다. - - - Controls whether the search view should read or modify the shared find clipboard on macOS. - macOS에서 검색 보기가 공유 클립보드 찾기를 읽거나 수정할지 여부를 제어합니다. - - - Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. - 검색을 사이드바의 보기로 표시할지 또는 가로 간격을 늘리기 위해 패널 영역의 패널로 표시할지를 제어합니다. - - - This setting is deprecated. Please use the search view's context menu instead. - 이 설정은 더 이상 사용되지 않습니다. 대신 검색 보기의 컨텍스트 메뉴를 사용하세요. - - - Files with less than 10 results are expanded. Others are collapsed. - 결과가 10개 미만인 파일이 확장됩니다. 다른 파일은 축소됩니다. - - - Controls whether the search results will be collapsed or expanded. - 검색 결과를 축소 또는 확장할지 여부를 제어합니다. - - - Controls whether to open Replace Preview when selecting or replacing a match. - 일치하는 항목을 선택하거나 바꿀 때 미리 보기 바꾸기를 열지 여부를 제어합니다. - - - Controls whether to show line numbers for search results. - 검색 결과의 줄 번호를 표시할지 여부를 제어합니다. - - - Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. - 텍스트 검색에서 PCRE2 regex 엔진을 사용할지 여부입니다. 사용하도록 설정하면 lookahead 및 backreferences와 같은 몇 가지 고급 regex 기능을 사용할 수 있습니다. 하지만 모든 PCRE2 기능이 지원되지는 않으며, JavaScript에서도 지원되는 기능만 지원됩니다. - - - Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. - 사용되지 않습니다. PCRE2는 PCRE2에서만 지원하는 regex 기능을 사용할 경우 자동으로 사용됩니다. - - - Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. - 검색 보기가 좁을 때는 오른쪽에, 그리고 검색 보기가 넓을 때는 콘텐츠 바로 뒤에 작업 모음을 배치합니다. - - - Always position the actionbar to the right. - 작업 모음을 항상 오른쪽에 배치합니다. - - - Controls the positioning of the actionbar on rows in the search view. - 검색 보기에서 행의 작업 모음 위치를 제어합니다. - - - Search all files as you type. - 입력할 때 모든 파일을 검색합니다. - - - Enable seeding search from the word nearest the cursor when the active editor has no selection. - 활성 편집기에 선택 항목이 없을 경우 커서에 가장 가까운 단어에서 시드 검색을 사용합니다. - - - Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. - 검색 보기에 포커스가 있을 때 작업 영역 검색 쿼리를 편집기의 선택한 텍스트로 업데이트합니다. 이 동작은 클릭 시 또는 `workbench.views.search.focus` 명령을 트리거할 때 발생합니다. - - - When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. - '#search.searchOnType#'이 활성화되면 입력되는 문자와 검색 시작 사이의 시간 시간을 밀리초 단위로 제어합니다. 'search.searchOnType'을 사용하지 않도록 설정하면 아무런 효과가 없습니다. - - - Double clicking selects the word under the cursor. - 두 번 클릭하면 커서 아래에 있는 단어가 선택됩니다. - - - Double clicking opens the result in the active editor group. - 두 번 클릭하면 활성 편집기 그룹에 결과가 열립니다. - - - Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. - 두 번 클릭하면 측면의 편집기 그룹에 결과가 열리고, 편집기 그룹이 없으면 새로 만듭니다. - - - Configure effect of double clicking a result in a search editor. - 검색 편집기에서 결과를 두 번 클릭하는 효과를 구성합니다. - - - Results are sorted by folder and file names, in alphabetical order. - 결과는 폴더 및 파일 이름의 알파벳 순으로 정렬됩니다. - - - Results are sorted by file names ignoring folder order, in alphabetical order. - 결과는 폴더 순서를 무시하고 파일 이름별 알파벳 순으로 정렬됩니다. - - - Results are sorted by file extensions, in alphabetical order. - 결과는 파일 확장자의 알파벳 순으로 정렬됩니다. - - - Results are sorted by file last modified date, in descending order. - 결과는 파일을 마지막으로 수정한 날짜의 내림차순으로 정렬됩니다. - - - Results are sorted by count per file, in descending order. - 결과는 파일별 개수의 내림차순으로 정렬됩니다. - - - Results are sorted by count per file, in ascending order. - 결과는 파일별 개수의 오름차순으로 정렬됩니다. - - - Controls sorting order of search results. - 검색 결과의 정렬 순서를 제어합니다. - - - - - - - New Query - 새 쿼리 - - - Run - 실행 - - - Cancel - 취소 - - - Explain - 설명 - - - Actual - 실제 - - - Disconnect - 연결 끊기 - - - Change Connection - 연결 변경 - - - Connect - 연결 - - - Enable SQLCMD - SQLCMD 사용 - - - Disable SQLCMD - SQLCMD 사용 안 함 - - - Select Database - 데이터베이스 선택 - - - Failed to change database - 데이터베이스를 변경하지 못함 - - - Failed to change database {0} - {0} 데이터베이스를 변경하지 못함 - - - Export as Notebook - Notebook으로 내보내기 - - - - - - - OK - 확인 - - - Close - 닫기 - - - Action - 작업 - - - Copy details - 세부 정보 복사 - - - - - - - Add server group - 서버 그룹 추가 - - - Edit server group - 서버 그룹 편집 - - - - - - - Extension - 확장 - - - - - - - Failed to create Object Explorer session - 개체 탐색기 세션을 만들지 못함 - - - Multiple errors: - 여러 오류: - - - - - - - Error adding account - 계정 추가 오류 - - - Firewall rule error - 방화벽 규칙 오류 - - - - - - - Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window - 로드된 확장 중 일부는 사용되지 않는 API를 사용하고 있습니다. 개발자 도구 창의 콘솔 탭에서 자세한 정보를 확인하세요. - - - Don't Show Again - 다시 표시 안 함 - - - - - - - Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. - 뷰의 식별자입니다. 'vscode.window.registerTreeDataProviderForView' API를 통해 데이터 공급자를 등록하는 데 사용합니다. 'onView:${id}' 이벤트를 'activationEvents'에 등록하여 확장 활성화를 트리거하는 데도 사용합니다. - - - The human-readable name of the view. Will be shown - 사용자가 읽을 수 있는 뷰 이름입니다. 표시됩니다. - - - Condition which must be true to show this view - 이 뷰를 표시하기 위해 true여야 하는 조건 - - - Contributes views to the editor - 뷰를 편집기에 적용합니다. - - - Contributes views to Data Explorer container in the Activity bar - 뷰를 작업 막대의 Data Explorer 컨테이너에 적용합니다. - - - Contributes views to contributed views container - 뷰를 적용된 뷰 컨테이너에 적용합니다. - - - Cannot register multiple views with same id `{0}` in the view container `{1}` - 뷰 컨테이너 '{1}'에서 동일한 ID '{0}'의 여러 뷰를 등록할 수 없습니다. - - - A view with id `{0}` is already registered in the view container `{1}` - ID가 '{0}'인 뷰가 뷰 컨테이너 '{1}'에 이미 등록되어 있습니다. - - - views must be an array - 뷰는 배열이어야 합니다. - - - property `{0}` is mandatory and must be of type `string` - 속성 '{0}'은(는) 필수이며 'string' 형식이어야 합니다. - - - property `{0}` can be omitted or must be of type `string` - 속성 '{0}'은(는) 생략할 수 있으며 'string' 형식이어야 합니다. - - - - - - - {0} was replaced with {1} in your user settings. - 사용자 설정에서 {0}이(가) {1}(으)로 바뀌었습니다. - - - {0} was replaced with {1} in your workspace settings. - 작업 영역 설정에서 {0}이(가) {1}(으)로 바뀌었습니다. - - - - - - - Manage - 관리 - - - Show Details - 세부 정보 표시 - - - Learn More - 자세한 정보 - - - Clear all saved accounts - 저장된 모든 계정 지우기 - - - - - - - Toggle Tasks - 작업 토글 - - - - - - - Connection Status - 연결 상태 - - - - - - - User visible name for the tree provider - 트리 공급자의 사용자 표시 이름 - - - Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` - 공급자 ID는 트리 데이터 공급자를 등록할 때와 동일해야 하며 'connectionDialog/'로 시작해야 합니다. - - - - - - - Displays results of a query as a chart on the dashboard - 쿼리 결과를 대시보드에 차트로 표시합니다. - - - Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color - '열 이름'을 색에 매핑합니다. 예를 들어, 이 열에 빨간색을 사용하려면 'column1': red를 추가합니다. - - - Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry - 차트 범례의 기본 위치 및 표시 여부를 나타냅니다. 이 항목은 쿼리의 열 이름이며, 각 차트 항목의 레이블에 매핑됩니다. - - - If dataDirection is horizontal, setting this to true uses the first columns value for the legend. - dataDirection이 horizontal인 경우, 이 값을 true로 설정하면 범례의 첫 번째 열 값을 사용합니다. - - - If dataDirection is vertical, setting this to true will use the columns names for the legend. - dataDirection이 vertical인 경우, 이 값을 true로 설정하면 범례의 열 이름을 사용합니다. - - - Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. - 데이터를 열(세로)에서 읽어올지 행(가로)에서 읽어올지를 정의합니다. 시계열에서는 방향이 세로여야 하므로 무시됩니다. - - - If showTopNData is set, showing only top N data in the chart. - showTopNData를 설정한 경우 차트에 상위 N개 데이터만 표시합니다. - - - - - - - Widget used in the dashboards - 대시보드에 사용되는 위젯 - - - - - - - Show Actions - 작업 표시 - - - Resource Viewer - 리소스 뷰어 - - - - - - - Identifier of the resource. - 리소스 식별자입니다. - - - The human-readable name of the view. Will be shown - 사용자가 읽을 수 있는 뷰 이름입니다. 표시됩니다. - - - Path to the resource icon. - 리소스 아이콘의 경로입니다. - - - Contributes resource to the resource view - 리소스 뷰에 리소스 제공 - - - property `{0}` is mandatory and must be of type `string` - 속성 '{0}'은(는) 필수이며 'string' 형식이어야 합니다. - - - property `{0}` can be omitted or must be of type `string` - 속성 '{0}'은(는) 생략할 수 있으며 'string' 형식이어야 합니다. - - - - - - - Resource Viewer Tree - 리소스 뷰어 트리 - - - - - - - Widget used in the dashboards - 대시보드에 사용되는 위젯 - - - Widget used in the dashboards - 대시보드에 사용되는 위젯 - - - Widget used in the dashboards - 대시보드에 사용되는 위젯 - - - - - - - Condition which must be true to show this item - 이 항목을 표시하기 위해 true여야 하는 조건 - - - Whether to hide the header of the widget, default value is false - 위젯의 헤더를 숨길지 여부를 나타냅니다. 기본값은 false입니다. - - - The title of the container - 컨테이너의 제목 - - - The row of the component in the grid - 표의 구성 요소 행 - - - The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. - 표에 있는 구성 요소의 rowspan입니다. 기본값은 1입니다. 표의 행 수로 설정하려면 '*'를 사용합니다. - - - The column of the component in the grid - 표의 구성 요소 열 - - - The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. - 표에 있는 구성 요소의 colspan입니다. 기본값은 1입니다. 표의 열 수로 설정하려면 '*'를 사용합니다. - - - Unique identifier for this tab. Will be passed to the extension for any requests. - 이 탭의 고유 식별자입니다. 모든 요청에서 확장으로 전달됩니다. - - - Extension tab is unknown or not installed. - 확장 탭을 알 수 없거나 설치하지 않았습니다. - - - - - - - Enable or disable the properties widget - 속성 위젯 사용 또는 사용 안 함 - - - Property values to show - 표시할 속성 값 - - - Display name of the property - 속성의 표시 이름 - - - Value in the Database Info Object - 데이터베이스 정보 개체의 값 - - - Specify specific values to ignore - 무시할 특정 값 지정 - - - Recovery Model - 복구 모델 - - - Last Database Backup - 마지막 데이터베이스 백업 - - - Last Log Backup - 마지막 로그 백업 - - - Compatibility Level - 호환성 수준 - - - Owner - 소유자 - - - Customizes the database dashboard page - 데이터베이스 대시보드 페이지를 사용자 지정합니다. - - - Search - 검색 - - - Customizes the database dashboard tabs - 데이터베이스 대시보드 탭을 사용자 지정합니다. - - - - - - - Enable or disable the properties widget - 속성 위젯 사용 또는 사용 안 함 - - - Property values to show - 표시할 속성 값 - - - Display name of the property - 속성의 표시 이름 - - - Value in the Server Info Object - 서버 정보 개체의 값 - - - Version - 버전 - - - Edition - 버전 - - - Computer Name - 컴퓨터 이름 - - - OS Version - OS 버전 - - - Search - 검색 - - - Customizes the server dashboard page - 서버 대시보드 페이지를 사용자 지정합니다. - - - Customizes the Server dashboard tabs - 서버 대시보드 탭을 사용자 지정합니다. - - - - - - - Manage - 관리 - - - - - - - property `icon` can be omitted or must be either a string or a literal like `{dark, light}` - 'icon' 속성은 생략하거나, '{dark, light}' 같은 문자열 또는 리터럴이어야 합니다. - - - - - - - Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more - 서버 또는 데이터베이스를 쿼리하고 여러 방법(차트, 요약 개수 등)으로 결과를 표시할 수 있는 위젯을 추가합니다. - - - Unique Identifier used for caching the results of the insight. - 인사이트의 결과를 캐싱하는 데 사용되는 고유 식별자입니다. - - - SQL query to run. This should return exactly 1 resultset. - 실행할 SQL 쿼리입니다. 정확히 1개의 결과 집합을 반환해야 합니다. - - - [Optional] path to a file that contains a query. Use if 'query' is not set - [옵션] 쿼리를 포함하는 파일의 경로입니다. '쿼리'를 설정하지 않은 경우에 사용합니다. - - - [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh - [옵션] 자동 새로 고침 간격(분)입니다. 설정하지 않으면 자동 새로 고침이 수행되지 않습니다. - - - Which actions to use - 사용할 작업 - - - Target database for the action; can use the format '${ columnName }' to use a data driven column name. - 작업의 대상 데이터베이스입니다. '${ columnName }' 형식을 사용하여 데이터 기반 열 이름을 사용할 수 있습니다. - - - Target server for the action; can use the format '${ columnName }' to use a data driven column name. - 작업의 대상 서버입니다. '${ columnName }' 형식을 사용하여 데이터 기반 열 이름을 사용할 수 있습니다. - - - Target user for the action; can use the format '${ columnName }' to use a data driven column name. - 작업의 대상 사용자입니다. '${ columnName }' 형식을 사용하여 데이터 기반 열 이름을 사용할 수 있습니다. - - - Identifier of the insight - 인사이트의 식별자 - - - Contributes insights to the dashboard palette. - 대시보드 팔레트에 인사이트를 적용합니다. - - - - - - - Backup - 백업 - - - You must enable preview features in order to use backup - 백업을 사용하려면 미리 보기 기능을 사용하도록 설정해야 합니다. - - - Backup command is not supported for Azure SQL databases. - Azure SQL Database에 대해 백업 명령이 지원되지 않습니다. - - - Backup command is not supported in Server Context. Please select a Database and try again. - 서버 컨텍스트에서 백업 명령이 지원되지 않습니다. 데이터베이스를 선택하고 다시 시도하세요. - - - - - - - Restore - 복원 - - - You must enable preview features in order to use restore - 복원을 사용하려면 미리 보기 기능을 사용하도록 설정해야 합니다. - - - Restore command is not supported for Azure SQL databases. - Azure SQL Database에 대해 복원 명령이 지원되지 않습니다. - - - - - - - Show Recommendations - 권장 사항 표시 - - - Install Extensions - 확장 설치 - - - Author an Extension... - 확장 제작... - - - - - - - Edit Data Session Failed To Connect - 연결하지 못한 데이터 세션 편집 - - - - - - - OK - 확인 - - - Cancel - 취소 - - - - - - - Open dashboard extensions - 대시보드 확장 열기 - - - OK - 확인 - - - Cancel - 취소 - - - No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. - 현재 설치된 대시보드 확장이 없습니다. 확장 관리자로 가서 권장되는 확장을 살펴보세요. - - - - - - - Selected path - 선택한 경로 - - - Files of type - 파일 형식 - - - OK - 확인 - - - Discard - 삭제 - - - - - - - No Connection Profile was passed to insights flyout - 인사이트 플라이아웃에 전달된 연결 프로필이 없습니다. - - - Insights error - 인사이트 오류 - - - There was an error reading the query file: - 쿼리 파일을 읽는 동안 오류가 발생했습니다. - - - There was an error parsing the insight config; could not find query array/string or queryfile - 인사이트 구성을 구문 분석하는 동안 오류가 발생했습니다. 쿼리 배열/문자열이나 쿼리 파일을 찾을 수 없습니다. - - - - - - - Azure account - Azure 계정 - - - Azure tenant - Azure 테넌트 - - - - - - - Show Connections - 연결 표시 - - - Servers - 서버 - - - Connections - 연결 - - - - - - - No task history to display. - 표시할 작업 기록이 없습니다. - - - Task history - TaskHistory - 작업 기록 - - - Task error - 작업 오류 - - - - - - - Clear List - 목록 지우기 - - - Recent connections list cleared - 최근 연결 목록을 삭제함 - - - Yes - - - - No - 아니요 - - - Are you sure you want to delete all the connections from the list? - 목록에서 모든 연결을 삭제하시겠습니까? - - - Yes - - - - No - 아니요 - - - Delete - 삭제 - - - Get Current Connection String - 현재 연결 문자열 가져오기 - - - Connection string not available - 연결 문자열을 사용할 수 없음 - - - No active connection available - 사용 가능한 활성 연결이 없음 - - - - - - - Refresh - 새로 고침 - - - Edit Connection - 연결 편집 - - - Disconnect - 연결 끊기 - - - New Connection - 새 연결 - - - New Server Group - 새 서버 그룹 - - - Edit Server Group - 서버 그룹 편집 - - - Show Active Connections - 활성 연결 표시 - - - Show All Connections - 모든 연결 표시 - - - Recent Connections - 최근 연결 - - - Delete Connection - 연결 삭제 - - - Delete Group - 그룹 삭제 - - - - - - - Run - 실행 - - - Dispose Edit Failed With Error: - 오류를 나타내며 편집 내용 삭제 실패: - - - Stop - 중지 - - - Show SQL Pane - SQL 창 표시 - - - Close SQL Pane - SQL 창 닫기 - - - - - - - Profiler - Profiler - - - Not connected - 연결되지 않음 - - - XEvent Profiler Session stopped unexpectedly on the server {0}. - {0} 서버에서 XEvent Profiler 세션이 예기치 않게 중지되었습니다. - - - Error while starting new session - 새로운 세션을 시작하는 동안 오류가 발생했습니다. - - - The XEvent Profiler session for {0} has lost events. - {0}의 XEvent Profiler 세션에서 이벤트가 손실되었습니다. - - - - - - - Loading - 로드 중 - - - Loading completed - 로드 완료 - - - - - - - Server Groups - 서버 그룹 - - - OK - 확인 - - - Cancel - 취소 - - - Server group name - 서버 그룹 이름 - - - Group name is required. - 그룹 이름이 필요합니다. - - - Group description - 그룹 설명 - - - Group color - 그룹 색 - - - - - - - Error adding account - 계정 추가 오류 - - - - - - - Item - 항목 - - - Value - - - - Insight Details - 인사이트 세부 정보 - - - Property - 속성 - - - Value - - - - Insights - 인사이트 - - - Items - 항목 - - - Item Details - 항목 세부 정보 - - - - - - - Cannot start auto OAuth. An auto OAuth is already in progress. - 자동 OAuth를 시작할 수 없습니다. 자동 OAuth가 이미 진행 중입니다. - - - - - - - Sort by event - 이벤트 기준 정렬 - - - Sort by column - 열 기준 정렬 - - - Profiler - Profiler - - - OK - 확인 - - - Cancel - 취소 - - - - - - - Clear all - 모두 지우기 - - - Apply - 적용 - - - OK - 확인 - - - Cancel - 취소 - - - Filters - 필터 - - - Remove this clause - 이 절 제거 - - - Save Filter - 필터 저장 - - - Load Filter - 필터 로드 - - - Add a clause - 절 추가 - - - Field - 필드 - - - Operator - 연산자 - - - Value - - - - Is Null - Null임 - - - Is Not Null - Null이 아님 - - - Contains - 포함 - - - Not Contains - 포함하지 않음 - - - Starts With - 다음으로 시작 - - - Not Starts With - 다음으로 시작하지 않음 - - - - - - - Save As CSV - CSV로 저장 - - - Save As JSON - JSON으로 저장 - - - Save As Excel - Excel로 저장 - - - Save As XML - XML로 저장 - - - Copy - 복사 - - - Copy With Headers - 복사(머리글 포함) - - - Select All - 모두 선택 - - - - - - - Defines a property to show on the dashboard - 대시보드에 표시할 속성을 정의합니다. - - - What value to use as a label for the property - 속성의 레이블로 사용할 값 - - - What value in the object to access for the value - 값을 위해 액세스할 개체의 값 - - - Specify values to be ignored - 무시할 값 지정 - - - Default value to show if ignored or no value - 무시되거나 값이 없는 경우 표시할 기본값 - - - A flavor for defining dashboard properties - 대시보드 속성을 정의하기 위한 특성 - - - Id of the flavor - 특성의 ID - - - Condition to use this flavor - 이 특성을 사용할 조건 - - - Field to compare to - 비교할 필드 - - - Which operator to use for comparison - 비교에 사용할 연산자 - - - Value to compare the field to - 필드를 비교할 값 - - - Properties to show for database page - 표시할 데이터베이스 페이지 속성 - - - Properties to show for server page - 표시할 서버 페이지 속성 - - - Defines that this provider supports the dashboard - 이 공급자가 대시보드를 지원함을 정의합니다. - - - Provider id (ex. MSSQL) - 공급자 ID(예: MSSQL) - - - Property values to show on dashboard - 대시보드에 표시할 속성 값 - - - - - - - Invalid value - 잘못된 값 - - - {0}. {1} - {0}. {1} - - - - + Loading @@ -2565,438 +12,26 @@ - + - - blank - 비어 있음 + + Hide text labels + 텍스트 레이블 숨기기 - - check all checkboxes in column: {0} - 열의 모든 확인란 선택: {0} + + Show text labels + 텍스트 레이블 표시 - + - - No tree view with id '{0}' registered. - ID가 '{0}'인 등록된 트리 뷰가 없습니다. - - - - - - - Initialize edit data session failed: - 편집 데이터 세션 초기화 실패: - - - - - - - Identifier of the notebook provider. - Notebook 공급자의 식별자입니다. - - - What file extensions should be registered to this notebook provider - 이 Notebook 공급자에 등록해야 하는 파일 확장명 - - - What kernels should be standard with this notebook provider - 이 Notebook 공급자에서 표준이어야 하는 커널 - - - Contributes notebook providers. - Notebook 공급자를 적용합니다. - - - Name of the cell magic, such as '%%sql'. - '%%sql'과(와) 같은 셀 매직의 이름입니다. - - - The cell language to be used if this cell magic is included in the cell - 이 셀 매직이 셀에 포함되는 경우 사용되는 셀 언어 - - - Optional execution target this magic indicates, for example Spark vs SQL - 이 매직이 나타내는 선택적 실행 대상(예: Spark 및 SQL) - - - Optional set of kernels this is valid for, e.g. python3, pyspark, sql - 유효한 선택적 커널 세트(예: python3, pyspark, sql) - - - Contributes notebook language. - Notebook 언어를 적용합니다. - - - - - - - F5 shortcut key requires a code cell to be selected. Please select a code cell to run. - F5 바로 가기 키를 사용하려면 코드 셀을 선택해야 합니다. 실행할 코드 셀을 선택하세요. - - - Clear result requires a code cell to be selected. Please select a code cell to run. - 명확한 결과를 얻으려면 코드 셀을 선택해야 합니다. 실행할 코드 셀을 선택하세요. - - - - - - - SQL - SQL - - - - - - - Max Rows: - 최대 행 수: - - - - - - - Select View - 뷰 선택 - - - Select Session - 세션 선택 - - - Select Session: - 세션 선택: - - - Select View: - 뷰 선택: - - - Text - 텍스트 - - - Label - 레이블 - - - Value - - - - Details - 세부 정보 - - - - - - - Time Elapsed - 경과 시간 - - - Row Count - 행 개수 - - - {0} rows - {0}개의 행 - - - Executing query... - 쿼리를 실행하는 중... - - - Execution Status - 실행 상태 - - - Selection Summary - 선택 요약 - - - Average: {0} Count: {1} Sum: {2} - 평균: {0} 개수: {1} 합계: {2} - - - - - - - Choose SQL Language - SQL 언어 선택 - - - Change SQL language provider - SQL 언어 공급자 변경 - - - SQL Language Flavor - SQL 언어 버전 - - - Change SQL Engine Provider - SQL 엔진 공급자 변경 - - - A connection using engine {0} exists. To change please disconnect or change connection - {0} 엔진을 사용하는 연결이 존재합니다. 변경하려면 연결을 끊거나 연결을 변경하세요. - - - No text editor active at this time - 현재 활성 텍스트 편집기 없음 - - - Select Language Provider - 언어 공급자 선택 - - - - - - - Error displaying Plotly graph: {0} - 플롯 그래프 {0}을(를) 표시하는 동안 오류가 발생했습니다. - - - - - - - No {0} renderer could be found for output. It has the following MIME types: {1} - 출력의 {0} 렌더러를 찾을 수 없습니다. MIME 형식이 {1}입니다. - - - (safe) - (안전) - - - - - - - Select Top 1000 - 상위 1,000개 선택 - - - Take 10 - Take 10 - - - Script as Execute - Execute로 스크립트 - - - Script as Alter - Alter로 스크립트 - - - Edit Data - 데이터 편집 - - - Script as Create - Create로 스크립트 - - - Script as Drop - Drop으로 스크립트 - - - - - - - A NotebookProvider with valid providerId must be passed to this method - 유효한 providerId가 있는 NotebookProvider를 이 메서드에 전달해야 합니다. - - - - - - - A NotebookProvider with valid providerId must be passed to this method - 유효한 providerId가 있는 NotebookProvider를 이 메서드에 전달해야 합니다. - - - no notebook provider found - Notebook 공급자가 없음 - - - No Manager found - 관리자를 찾을 수 없음 - - - Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it - {0} Notebook의 Notebook 관리자에 서버 관리자가 없습니다. 작업을 수행할 수 없습니다. - - - Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it - {0} Notebook의 Notebook 관리자에 콘텐츠 관리자가 없습니다. 작업을 수행할 수 없습니다. - - - Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it - {0} Notebook의 Notebook 관리자에 세션 관리자가 없습니다. 작업을 수행할 수 없습니다. - - - - - - - Failed to get Azure account token for connection - 연결을 위한 Azure 계정 토큰을 가져오지 못함 - - - Connection Not Accepted - 연결이 허용되지 않음 - - - Yes - - - - No - 아니요 - - - Are you sure you want to cancel this connection? - 이 연결을 취소하시겠습니까? - - - - - - - OK - 확인 - - + Close 닫기 - - - - Loading kernels... - 커널을 로드하는 중... - - - Changing kernel... - 커널을 변경하는 중... - - - Attach to - 연결 대상 - - - Kernel - 커널 - - - Loading contexts... - 컨텍스트를 로드하는 중... - - - Change Connection - 연결 변경 - - - Select Connection - 연결 선택 - - - localhost - localhost - - - No Kernel - 커널 없음 - - - Clear Results - 결과 지우기 - - - Trusted - 신뢰할 수 있음 - - - Not Trusted - 신뢰할 수 없음 - - - Collapse Cells - 셀 축소 - - - Expand Cells - 셀 확장 - - - None - 없음 - - - New Notebook - 새 Notebook - - - Find Next String - 다음 문자열 찾기 - - - Find Previous String - 이전 문자열 찾기 - - - - - - - Query Plan - 쿼리 계획 - - - - - - - Refresh - 새로 고침 - - - - - - - Step {0} - {0}단계 - - - - - - - Must be an option from the list - 목록에 있는 옵션이어야 합니다. - - - Select Box - Box 선택 - - - @@ -3013,134 +48,260 @@ - + - - Connection - 연결 - - - Connecting - 연결 - - - Connection type - 연결 형식 - - - Recent Connections - 최근 연결 - - - Saved Connections - 저장된 연결 - - - Connection Details - 연결 세부 정보 - - - Connect - 연결 - - - Cancel - 취소 - - - Recent Connections - 최근 연결 - - - No recent connection - 최근 연결 없음 - - - Saved Connections - 저장된 연결 - - - No saved connection - 저장된 연결 없음 + + no data available + 데이터를 사용할 수 없음 - + - - File browser tree - FileBrowserTree - 파일 브라우저 트리 + + Select/Deselect All + 모두 선택/모두 선택 취소 - + - - From - 시작 + + Show Filter + 필터 표시 - - To - + + Select All + 모두 선택 - - Create new firewall rule - 새 방화벽 규칙 만들기 + + Search + 검색 - + + {0} Results + This tells the user how many items are shown in the list. Currently not visible, but read by screen readers. + {0}개 결과 + + + {0} Selected + This tells the user how many items are selected in the list + {0} 선택됨 + + + Sort Ascending + 오름차순 정렬 + + + Sort Descending + 내림차순 정렬 + + OK 확인 - + + Clear + 지우기 + + Cancel 취소 - - Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. - 클라이언트 IP 주소에서 서버에 액세스할 수 없습니다. Azure 계정에 로그인하고 액세스를 허용하는 새 방화벽 규칙을 만드세요. - - - Learn more about firewall settings - 방화벽 설정에 대한 자세한 정보 - - - Firewall rule - 방화벽 규칙 - - - Add my client IP - 내 클라이언트 IP 추가 - - - Add my subnet IP range - 내 서브넷 IP 범위 추가 + + Filter Options + 필터 옵션 - + - - All files - 모든 파일 + + Loading + 로드 - + - - Could not find query file at any of the following paths : - {0} - 다음 경로에서 쿼리 파일을 찾을 수 없습니다. - {0} + + Loading Error... + 로드 오류... - + - - You need to refresh the credentials for this account. - 이 계정의 자격 증명을 새로 고쳐야 합니다. + + Toggle More + 자세히 전환 + + + + + + + Azure Data Studio + Azure Data Studio + + + Enable automatic update checks. Azure Data Studio will check for updates automatically and periodically. + 자동 업데이트 확인을 사용하도록 설정합니다. Azure Data Studio에서 정기적으로 업데이트를 자동 확인합니다. + + + Enable to download and install new Azure Data Studio Versions in the background on Windows + 새로운 Azure Data Studio 버전을 Windows 백그라운드에 다운로드 및 설치하려면 사용하도록 설정 + + + Show Release Notes after an update. The Release Notes are opened in a new web browser window. + 업데이트 후 릴리스 정보를 표시합니다. 릴리스 정보는 새 웹 브라우저 창에서 열립니다. + + + The dashboard toolbar action menu + 대시보드 도구 모음 작업 메뉴 + + + The notebook cell title menu + 전자 필기장 셀 제목 메뉴 + + + The notebook title menu + 전자 필기장 제목 메뉴 + + + The notebook toolbar menu + 전자 필기장 도구 모음 메뉴 + + + The dataexplorer view container title action menu + dataexplorer 뷰 컨테이너 제목 작업 메뉴 + + + The dataexplorer item context menu + dataexplorer 항목 상황에 맞는 메뉴 + + + The object explorer item context menu + 개체 탐색기 항목 상황에 맞는 메뉴 + + + The connection dialog's browse tree context menu + 연결 대화 상자의 찾아보기 트리 상황에 맞는 메뉴 + + + The data grid item context menu + 데이터 약식 표 항목 상황에 맞는 메뉴 + + + Sets the security policy for downloading extensions. + 확장을 다운로드하기 위한 보안 정책을 설정합니다. + + + Your extension policy does not allow installing extensions. Please change your extension policy and try again. + 확장 정책에서 확장 설치를 허용하지 않습니다. 확장 정책을 변경하고 다시 시도하세요. + + + Completed installing {0} extension from VSIX. Please reload Azure Data Studio to enable it. + VSIX의 {0} 확장 설치가 완료되었습니다. Azure Data Studio를 다시 로드하여 사용하도록 설정하세요. + + + Please reload Azure Data Studio to complete the uninstallation of this extension. + Azure Data Studio를 다시 로드하여 이 확장의 제거를 완료하세요. + + + Please reload Azure Data Studio to enable the updated extension. + 업데이트된 확장을 사용하도록 설정하려면 Azure Data Studio를 다시 로드하세요. + + + Please reload Azure Data Studio to enable this extension locally. + 이 확장을 로컬에서 사용하려면 Azure Data Studio를 다시 로드하세요. + + + Please reload Azure Data Studio to enable this extension. + 이 확장을 사용하려면 Azure Data Studio를 다시 로드하세요. + + + Please reload Azure Data Studio to disable this extension. + 이 확장을 사용하지 않으려면 Azure Data Studio를 다시 로드하세요. + + + Please reload Azure Data Studio to complete the uninstallation of the extension {0}. + Azure Data Studio를 다시 로드하여 이 확장 {0}의 제거를 완료하세요. + + + Please reload Azure Data Studio to enable this extension in {0}. + {0}에서 이 확장을 사용하도록 설정하려면 Azure Data Studio를 다시 로드하세요. + + + Installing extension {0} is completed. Please reload Azure Data Studio to enable it. + {0} 확장 설치가 완료되었습니다. Azure Data Studio를 다시 로드하여 사용하도록 설정하세요. + + + Please reload Azure Data Studio to complete reinstalling the extension {0}. + Azure Data Studio를 다시 로드하고 {0} 확장의 재설치를 완료하세요. + + + Marketplace + Marketplace + + + The scenario type for extension recommendations must be provided. + 확장 권장 사항의 시나리오 유형을 제공해야 합니다. + + + Unable to install extension '{0}' as it is not compatible with Azure Data Studio '{1}'. + 'Azure Data Studio '{1}'과(와) 호환되지 않으므로 확장 '{0}'을(를) 설치할 수 없습니다. + + + New Query + 새 쿼리 + + + New &&Query + && denotes a mnemonic + 새 쿼리(&&Q) + + + &&New Notebook + && denotes a mnemonic + 새 Notebook(&&N) + + + Controls the memory available to Azure Data Studio after restart when trying to open large files. Same effect as specifying `--max-memory=NEWSIZE` on the command line. + 큰 파일을 열려고 할 때 다시 시작한 후 Azure Data Studio에 사용 가능한 메모리를 제어합니다. 명령줄에 '--max-memory=NEWSIZE'를 지정하는 것과 결과가 같습니다. + + + Would you like to change Azure Data Studio's UI language to {0} and restart? + Azure Data Studio의 UI 언어를 {0}(으)로 변경하고 다시 시작하시겠습니까? + + + In order to use Azure Data Studio in {0}, Azure Data Studio needs to restart. + {0}에서 Azure Data Studio를 사용하려면 Azure Data Studio를 다시 시작해야 합니다. + + + New SQL File + 새 SQL 파일 + + + New Notebook + 새 Notebook + + + Install Extension from VSIX Package + && denotes a mnemonic + VSIX 패키지에서 확장 설치 + + + + + + + Must be an option from the list + 목록에 있는 옵션이어야 합니다. + + + Select Box + Box 선택 @@ -3184,1263 +345,59 @@ - + - - Show Notebooks - Notebook 표시 - - - Search Results - 검색 결과 - - - Search path not found: {0} - 검색 경로를 찾을 수 없음: {0} - - - Notebooks - Notebook + + Copying images is not supported + 이미지 복사가 지원되지 않습니다. - + - - Focus on Current Query - 현재 쿼리에 포커스 - - - Run Query - 쿼리 실행 - - - Run Current Query - 현재 쿼리 실행 - - - Copy Query With Results - 결과와 함께 쿼리 복사 - - - Successfully copied query and results. - 쿼리 및 결과를 복사했습니다. - - - Run Current Query with Actual Plan - 실제 계획에 따라 현재 쿼리 실행 - - - Cancel Query - 쿼리 취소 - - - Refresh IntelliSense Cache - IntelliSense 캐시 새로 고침 - - - Toggle Query Results - 쿼리 결과 전환 - - - Toggle Focus Between Query And Results - 쿼리와 결과 간 포커스 전환 - - - Editor parameter is required for a shortcut to be executed - 바로 가기를 실행하려면 편집기 매개 변수가 필요합니다. - - - Parse Query - 쿼리 구문 분석 - - - Commands completed successfully - 명령을 완료했습니다. - - - Command failed: - 명령 실패: - - - Please connect to a server - 서버에 연결하세요. + + A server group with the same name already exists. + 같은 이름의 서버 그룹이 이미 있습니다. - + - - succeeded - 성공 - - - failed - 실패 - - - in progress - 진행 중 - - - not started - 시작되지 않음 - - - canceled - 취소됨 - - - canceling - 취소 중 + + Widget used in the dashboards + 대시보드에 사용되는 위젯 - + - - Chart cannot be displayed with the given data - 제공한 데이터로 차트를 표시할 수 없습니다. + + Widget used in the dashboards + 대시보드에 사용되는 위젯 + + + Widget used in the dashboards + 대시보드에 사용되는 위젯 + + + Widget used in the dashboards + 대시보드에 사용되는 위젯 - + - - Error opening link : {0} - 링크를 여는 동안 오류 발생: {0} + + Saving results into different format disabled for this data provider. + 이 데이터 공급자에 대해 사용하지 않도록 설정한 다른 형식으로 결과를 저장하고 있습니다. - - Error executing command '{0}' : {1} - '{0}' 명령을 실행하는 동안 오류 발생: {1} + + Cannot serialize data as no provider has been registered + 공급자가 등록되지 않은 경우 데이터를 직렬화할 수 없습니다. - - - - - - Copy failed with error {0} - {0} 오류를 나타내며 복사 실패 - - - Show chart - 차트 표시 - - - Show table - 테이블 표시 - - - - - - - <i>Double-click to edit</i> - <i>편집하려면 두 번 클릭</i> - - - <i>Add content here...</i> - <i>여기에 콘텐츠를 추가...</i> - - - - - - - An error occurred refreshing node '{0}': {1} - '{0}' 노드를 새로 고치는 동안 오류가 발생했습니다. {1} - - - - - - - Done - 완료 - - - Cancel - 취소 - - - Generate script - 스크립트 생성 - - - Next - 다음 - - - Previous - 이전 - - - Tabs are not initialized - 탭이 초기화되지 않았습니다. - - - - - - - is required. - 이(가) 필요합니다. - - - Invalid input. Numeric value expected. - 잘못된 입력입니다. 숫자 값이 필요합니다. - - - - - - - Backup file path - 백업 파일 경로 - - - Target database - 대상 데이터베이스 - - - Restore - 복원 - - - Restore database - 데이터베이스 복원 - - - Database - 데이터베이스 - - - Backup file - 백업 파일 - - - Restore database - 데이터베이스 복원 - - - Cancel - 취소 - - - Script - 스크립트 - - - Source - 원본 - - - Restore from - 복원할 원본 위치 - - - Backup file path is required. - 백업 파일 경로가 필요합니다. - - - Please enter one or more file paths separated by commas - 하나 이상의 파일 경로를 쉼표로 구분하여 입력하세요. - - - Database - 데이터베이스 - - - Destination - 대상 - - - Restore to - 복원 위치 - - - Restore plan - 복원 계획 - - - Backup sets to restore - 복원할 백업 세트 - - - Restore database files as - 데이터베이스 파일을 다음으로 복원 - - - Restore database file details - 데이터베이스 파일 복원 세부 정보 - - - Logical file Name - 논리적 파일 이름 - - - File type - 파일 형식 - - - Original File Name - 원래 파일 이름 - - - Restore as - 다음으로 복원 - - - Restore options - 복원 옵션 - - - Tail-Log backup - 비상 로그 백업 - - - Server connections - 서버 연결 - - - General - 일반 - - - Files - 파일 - - - Options - 옵션 - - - - - - - Copy Cell - 셀 복사 - - - - - - - Done - 완료 - - - Cancel - 취소 - - - - - - - Copy & Open - 복사 및 열기 - - - Cancel - 취소 - - - User code - 사용자 코드 - - - Website - 웹 사이트 - - - - - - - The index {0} is invalid. - {0} 인덱스가 잘못되었습니다. - - - - - - - Server Description (optional) - 서버 설명(옵션) - - - - - - - Advanced Properties - 고급 속성 - - - Discard - 삭제 - - - - - - - nbformat v{0}.{1} not recognized - nbformat v{0}.{1}이(가) 인식되지 않습니다. - - - This file does not have a valid notebook format - 이 파일에 유효한 Notebook 형식이 없습니다. - - - Cell type {0} unknown - 알 수 없는 셀 형식 {0} - - - Output type {0} not recognized - 출력 형식 {0}을(를) 인식할 수 없습니다. - - - Data for {0} is expected to be a string or an Array of strings - {0}의 데이터는 문자열 또는 문자열 배열이어야 합니다. - - - Output type {0} not recognized - 출력 형식 {0}을(를) 인식할 수 없습니다. - - - - - - - Welcome - 시작 - - - SQL Admin Pack - SQL 관리 팩 - - - SQL Admin Pack - SQL 관리 팩 - - - Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server - SQL Server 관리 팩은 SQL Server를 관리하는 데 도움이 되는 인기 있는 데이터베이스 관리 확장 컬렉션입니다. - - - Powershell - PowerShell - - - Write and execute PowerShell scripts using Azure Data Studio's rich query editor - Azure Data Studio에 제공되는 다양한 기능의 쿼리 편집기를 사용하여 PowerShell 스크립트 작성 및 실행 - - - Data Virtualization - 데이터 가상화 - - - Virtualize data with SQL Server 2019 and create external tables using interactive wizards - SQL Server 2019로 데이터를 가상화하고 대화형 마법사를 사용하여 외부 테이블 만들기 - - - PostgreSQL - PostgreSQL - - - Connect, query, and manage Postgres databases with Azure Data Studio - Azure Data Studio를 사용하여 Postgres 데이터베이스 연결, 쿼리 및 관리 - - - Support for {0} is already installed. - {0}에 대한 지원이 이미 설치되어 있습니다. - - - The window will reload after installing additional support for {0}. - {0}에 대한 추가 지원을 설치한 후 창이 다시 로드됩니다. - - - Installing additional support for {0}... - {0}에 대한 추가 지원을 설치하는 중... - - - Support for {0} with id {1} could not be found. - ID가 {1}인 {0}에 대한 지원을 찾을 수 없습니다. - - - New connection - 새 연결 - - - New query - 새 쿼리 - - - New notebook - 새 Notebook - - - Deploy a server - 서버 배포 - - - Welcome - 시작 - - - New - 새로 만들기 - - - Open… - 열기... - - - Open file… - 파일 열기... - - - Open folder… - 폴더 열기... - - - Start Tour - 둘러보기 시작 - - - Close quick tour bar - 빠른 둘러보기 표시줄 닫기 - - - Would you like to take a quick tour of Azure Data Studio? - Azure Data Studio를 빠르게 둘러보시겠습니까? - - - Welcome! - 환영합니다! - - - Open folder {0} with path {1} - 경로가 {1}인 {0} 폴더 열기 - - - Install - 설치 - - - Install {0} keymap - {0} 키맵 설치 - - - Install additional support for {0} - {0}에 대한 추가 지원 설치 - - - Installed - 설치됨 - - - {0} keymap is already installed - {0} 키맵이 이미 설치되어 있습니다. - - - {0} support is already installed - {0} 지원이 이미 설치되어 있습니다. - - - OK - 확인 - - - Details - 세부 정보 - - - Background color for the Welcome page. - 시작 페이지 배경색입니다. - - - - - - - Profiler editor for event text. Readonly - 이벤트 텍스트의 Profiler 편집기. 읽기 전용 - - - - - - - Failed to save results. - 결과를 저장하지 못했습니다. - - - Choose Results File - 결과 파일 선택 - - - CSV (Comma delimited) - CSV(쉼표로 구분) - - - JSON - JSON - - - Excel Workbook - Excel 통합 문서 - - - XML - XML - - - Plain Text - 일반 텍스트 - - - Saving file... - 파일을 저장하는 중... - - - Successfully saved results to {0} - {0}에 결과를 저장함 - - - Open file - 파일 열기 - - - - - - - Hide text labels - 텍스트 레이블 숨기기 - - - Show text labels - 텍스트 레이블 표시 - - - - - - - modelview code editor for view model. - 뷰 모델용 modelview 코드 편집기입니다. - - - - - - - Information - 정보 - - - Warning - 경고 - - - Error - 오류 - - - Show Details - 세부 정보 표시 - - - Copy - 복사 - - - Close - 닫기 - - - Back - 뒤로 - - - Hide Details - 세부 정보 숨기기 - - - - - - - Accounts - 계정 - - - Linked accounts - 연결된 계정 - - - Close - 닫기 - - - There is no linked account. Please add an account. - 연결된 계정이 없습니다. 계정을 추가하세요. - - - Add an account - 계정 추가 - - - You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud - 클라우드를 사용할 수 없습니다. [설정] -> [Azure 계정 구성 검색] -> [하나 이상의 클라우드 사용]으로 이동합니다. - - - You didn't select any authentication provider. Please try again. - 인증 공급자를 선택하지 않았습니다. 다시 시도하세요. - - - - - - - Execution failed due to an unexpected error: {0} {1} - 예기치 않은 오류로 인해 실행하지 못했습니다. {0} {1} - - - Total execution time: {0} - 총 실행 시간: {0} - - - Started executing query at Line {0} - 줄 {0}에서 쿼리 실행을 시작함 - - - Started executing batch {0} - 일괄 처리 {0} 실행을 시작함 - - - Batch execution time: {0} - 일괄 처리 실행 시간: {0} - - - Copy failed with error {0} - {0} 오류를 나타내며 복사 실패 - - - - - - - Azure Data Studio - Azure Data Studio - - - Start - 시작 - - - New connection - 새 연결 - - - New query - 새 쿼리 - - - New notebook - 새 Notebook - - - Open file - 파일 열기 - - - Open file - 파일 열기 - - - Deploy - 배포 - - - New Deployment… - 새 배포... - - - Recent - 최근 항목 - - - More... - 자세히... - - - No recent folders - 최근 폴더 없음 - - - Help - 도움말 - - - Getting started - 시작 - - - Documentation - 설명서 - - - Report issue or feature request - 문제 또는 기능 요청 보고 - - - GitHub repository - GitHub 리포지토리 - - - Release notes - 릴리스 정보 - - - Show welcome page on startup - 시작 시 시작 페이지 표시 - - - Customize - 사용자 지정 - - - Extensions - 확장 - - - Download extensions that you need, including the SQL Server Admin pack and more - SQL Server 관리자 팩 등을 포함하여 필요한 확장 다운로드 - - - Keyboard Shortcuts - 바로 가기 키 - - - Find your favorite commands and customize them - 즐겨 찾는 명령을 찾아 사용자 지정 - - - Color theme - 색 테마 - - - Make the editor and your code look the way you love - 편집기 및 코드를 원하는 방식으로 표시 - - - Learn - 학습 - - - Find and run all commands - 모든 명령 찾기 및 실행 - - - Rapidly access and search commands from the Command Palette ({0}) - 명령 팔레트({0})에서 명령을 빠른 액세스 및 검색 - - - Discover what's new in the latest release - 최신 릴리스의 새로운 기능 알아보기 - - - New monthly blog posts each month showcasing our new features - 매월 새로운 기능을 보여주는 새로운 월간 블로그 게시물 - - - Follow us on Twitter - Twitter에서 팔로우 - - - Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. - 커뮤니티가 Azure Data Studio를 사용하는 방식과 엔지니어와 직접 대화하는 방법을 최신 상태로 유지하세요. - - - - - - - Connect - 연결 - - - Disconnect - 연결 끊기 - - - Start - 시작 - - - New Session - 새 세션 - - - Pause - 일시 중지 - - - Resume - 재개 - - - Stop - 중지 - - - Clear Data - 데이터 지우기 - - - Are you sure you want to clear the data? - 데이터를 지우시겠습니까? - - - Yes - - - - No - 아니요 - - - Auto Scroll: On - 자동 스크롤: 켜기 - - - Auto Scroll: Off - 자동 스크롤: 끄기 - - - Toggle Collapsed Panel - 축소된 패널로 전환 - - - Edit Columns - 열 편집 - - - Find Next String - 다음 문자열 찾기 - - - Find Previous String - 이전 문자열 찾기 - - - Launch Profiler - Profiler 시작 - - - Filter… - 필터... - - - Clear Filter - 필터 지우기 - - - Are you sure you want to clear the filters? - 필터를 지우시겠습니까? - - - - - - - Events (Filtered): {0}/{1} - 이벤트(필터링됨): {0}/{1} - - - Events: {0} - 이벤트: {0} - - - Event Count - 이벤트 수 - - - - - - - no data available - 데이터를 사용할 수 없음 - - - - - - - Results - 결과 - - - Messages - 메시지 - - - - - - - No script was returned when calling select script on object - 개체에 대해 스크립트 선택을 호출할 때 스크립트가 반환되지 않았습니다. - - - Select - 선택 - - - Create - 만들기 - - - Insert - 삽입 - - - Update - 업데이트 - - - Delete - 삭제 - - - No script was returned when scripting as {0} on object {1} - 개체 {1}에서 {0}(으)로 스크립팅했으나 스크립트가 반환되지 않았습니다. - - - Scripting Failed - 스크립트 실패 - - - No script was returned when scripting as {0} - {0}(으)로 스크립팅했으나 스크립트가 반환되지 않았습니다. - - - - - - - Table header background color - 테이블 헤더 배경색 - - - Table header foreground color - 테이블 헤더 전경색 - - - List/Table background color for the selected and focus item when the list/table is active - 목록/테이블이 활성 상태일 때 포커스가 있는 선택한 항목의 목록/테이블 배경색 - - - Color of the outline of a cell. - 셀 윤곽선의 색입니다. - - - Disabled Input box background. - 입력 상자 배경을 사용하지 않도록 설정했습니다. - - - Disabled Input box foreground. - 입력 상자 전경을 사용하지 않도록 설정했습니다. - - - Button outline color when focused. - 포커스가 있는 경우 단추 윤곽선 색입니다. - - - Disabled checkbox foreground. - 확인란 전경을 사용하지 않도록 설정했습니다. - - - SQL Agent Table background color. - SQL 에이전트 테이블 배경색입니다. - - - SQL Agent table cell background color. - SQL 에이전트 테이블 셀 배경색입니다. - - - SQL Agent table hover background color. - 가리킨 경우 SQL 에이전트 테이블 배경색입니다. - - - SQL Agent heading background color. - SQL 에이전트 제목 배경색입니다. - - - SQL Agent table cell border color. - SQL 에이전트 테이블 셀 테두리 색입니다. - - - Results messages error color. - 결과 메시지 오류 색입니다. - - - - - - - Backup name - 백업 이름 - - - Recovery model - 복구 모델 - - - Backup type - 백업 유형 - - - Backup files - 백업 파일 - - - Algorithm - 알고리즘 - - - Certificate or Asymmetric key - 인증서 또는 비대칭 키 - - - Media - 미디어 - - - Backup to the existing media set - 기존 미디어 세트에 백업 - - - Backup to a new media set - 새 미디어 세트에 백업 - - - Append to the existing backup set - 기존 백업 세트에 추가 - - - Overwrite all existing backup sets - 모든 기존 백업 세트 덮어쓰기 - - - New media set name - 새 미디어 세트 이름 - - - New media set description - 새 미디어 세트 설명 - - - Perform checksum before writing to media - 미디어에 쓰기 전에 체크섬 수행 - - - Verify backup when finished - 완료되면 백업 확인 - - - Continue on error - 오류 발생 시 계속 - - - Expiration - 만료 - - - Set backup retain days - 백업 보존 기간(일) 설정 - - - Copy-only backup - 복사 전용 백업 - - - Advanced Configuration - 고급 구성 - - - Compression - 압축 - - - Set backup compression - 백업 압축 설정 - - - Encryption - 암호화 - - - Transaction log - 트랜잭션 로그 - - - Truncate the transaction log - 트랜잭션 로그 잘라내기 - - - Backup the tail of the log - 비상 로그 백업 - - - Reliability - 안정성 - - - Media name is required - 미디어 이름이 필요합니다. - - - No certificate or asymmetric key is available - 사용 가능한 인증서 또는 비대칭 키가 없습니다. - - - Add a file - 파일 추가 - - - Remove files - 파일 제거 - - - Invalid input. Value must be greater than or equal 0. - 잘못된 입력입니다. 값은 0보다 크거나 같아야 합니다. - - - Script - 스크립트 - - - Backup - 백업 - - - Cancel - 취소 - - - Only backup to file is supported - 파일로 백업만 지원됩니다. - - - Backup file path is required - 백업 파일 경로가 필요합니다. + + Serialization failed with an unknown error + 알 수 없는 오류로 인해 serialization에 실패했습니다. @@ -4632,407 +589,87 @@ - + - - There is no data provider registered that can provide view data. - 보기 데이터를 제공할 수 있는 등록된 데이터 공급자가 없습니다. + + Table header background color + 테이블 헤더 배경색 - - Refresh - 새로 고침 + + Table header foreground color + 테이블 헤더 전경색 - - Collapse All - 모두 축소 + + List/Table background color for the selected and focus item when the list/table is active + 목록/테이블이 활성 상태일 때 포커스가 있는 선택한 항목의 목록/테이블 배경색 - - Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. - 오류 실행 명령 {1}: {0}. 이는 {1}을(를) 제공하는 확장으로 인해 발생할 수 있습니다. + + Color of the outline of a cell. + 셀 윤곽선의 색입니다. + + + Disabled Input box background. + 입력 상자 배경을 사용하지 않도록 설정했습니다. + + + Disabled Input box foreground. + 입력 상자 전경을 사용하지 않도록 설정했습니다. + + + Button outline color when focused. + 포커스가 있는 경우 단추 윤곽선 색입니다. + + + Disabled checkbox foreground. + 확인란 전경을 사용하지 않도록 설정했습니다. + + + SQL Agent Table background color. + SQL 에이전트 테이블 배경색입니다. + + + SQL Agent table cell background color. + SQL 에이전트 테이블 셀 배경색입니다. + + + SQL Agent table hover background color. + 가리킨 경우 SQL 에이전트 테이블 배경색입니다. + + + SQL Agent heading background color. + SQL 에이전트 제목 배경색입니다. + + + SQL Agent table cell border color. + SQL 에이전트 테이블 셀 테두리 색입니다. + + + Results messages error color. + 결과 메시지 오류 색입니다. - + - - Please select active cell and try again - 활성 셀을 선택하고 다시 시도하세요. + + Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window + 로드된 확장 중 일부는 사용되지 않는 API를 사용하고 있습니다. 개발자 도구 창의 콘솔 탭에서 자세한 정보를 확인하세요. - - Run cell - 셀 실행 - - - Cancel execution - 실행 취소 - - - Error on last run. Click to run again - 마지막 실행 시 오류가 발생했습니다. 다시 실행하려면 클릭하세요. + + Don't Show Again + 다시 표시 안 함 - + - - Cancel - 취소 + + F5 shortcut key requires a code cell to be selected. Please select a code cell to run. + F5 바로 가기 키를 사용하려면 코드 셀을 선택해야 합니다. 실행할 코드 셀을 선택하세요. - - The task is failed to cancel. - 작업을 취소하지 못했습니다. - - - Script - 스크립트 - - - - - - - Toggle More - 자세히 전환 - - - - - - - Loading - 로드 - - - - - - - Home - - - - - - - - The "{0}" section has invalid content. Please contact extension owner. - "{0}" 섹션에 잘못된 내용이 있습니다. 확장 소유자에게 문의하세요. - - - - - - - Jobs - 작업 - - - Notebooks - Notebook - - - Alerts - 경고 - - - Proxies - 프록시 - - - Operators - 연산자 - - - - - - - Server Properties - 서버 속성 - - - - - - - Database Properties - 데이터베이스 속성 - - - - - - - Select/Deselect All - 모두 선택/모두 선택 취소 - - - - - - - Show Filter - 필터 표시 - - - OK - 확인 - - - Clear - 지우기 - - - Cancel - 취소 - - - - - - - Recent Connections - 최근 연결 - - - Servers - 서버 - - - Servers - 서버 - - - - - - - Backup Files - 백업 파일 - - - All Files - 모든 파일 - - - - - - - Search: Type Search Term and press Enter to search or Escape to cancel - 검색: 검색어를 입력하고 Enter 키를 눌러서 검색하세요. 취소하려면 Esc 키를 누르세요. - - - Search - 검색 - - - - - - - Failed to change database - 데이터베이스를 변경하지 못함 - - - - - - - Name - 이름 - - - Last Occurrence - 마지막 발생 - - - Enabled - 사용 - - - Delay Between Responses (in secs) - 응답 간격(초) - - - Category Name - 범주 이름 - - - - - - - Name - 이름 - - - Email Address - 전자 메일 주소 - - - Enabled - 사용 - - - - - - - Account Name - 계정 이름 - - - Credential Name - 자격 증명 이름 - - - Description - 설명 - - - Enabled - 사용 - - - - - - - loading objects - 개체 로드 - - - loading databases - 데이터베이스 로드 - - - loading objects completed. - 개체 로드가 완료되었습니다. - - - loading databases completed. - 데이터베이스 로드가 완료되었습니다. - - - Search by name of type (t:, v:, f:, or sp:) - 형식 이름(t:, v:, f: 또는 sp:)으로 검색 - - - Search databases - 데이터베이스 검색 - - - Unable to load objects - 개체를 로드할 수 없습니다. - - - Unable to load databases - 데이터베이스를 로드할 수 없습니다. - - - - - - - Loading properties - 속성 로드 - - - Loading properties completed - 속성 로드 완료 - - - Unable to load dashboard properties - 대시보드 속성을 로드할 수 없습니다. - - - - - - - Loading {0} - {0} 로드 - - - Loading {0} completed - {0} 로드 완료 - - - Auto Refresh: OFF - 자동 새로 고침: 꺼짐 - - - Last Updated: {0} {1} - 최종 업데이트: {0} {1} - - - No results to show - 표시할 결과 없음 - - - - - - - Steps - 단계 - - - - - - - Save As CSV - CSV로 저장 - - - Save As JSON - JSON으로 저장 - - - Save As Excel - Excel로 저장 - - - Save As XML - XML로 저장 - - - Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. - JSON으로 내보낼 때 결과 인코딩이 저장되지 않습니다. 파일이 만들어지면 원하는 인코딩으로 저장해야 합니다. - - - Save to file is not supported by the backing data source - 백업 데이터 원본에서 파일로 저장하도록 지원하지 않습니다. - - - Copy - 복사 - - - Copy With Headers - 복사(머리글 포함) - - - Select All - 모두 선택 - - - Maximize - 최대화 - - - Restore - 복원 - - - Chart - 차트 - - - Visualizer - 시각화 도우미 + + Clear result requires a code cell to be selected. Please select a code cell to run. + 명확한 결과를 얻으려면 코드 셀을 선택해야 합니다. 실행할 코드 셀을 선택하세요. @@ -5052,349 +689,495 @@ - + - - Step ID - 단계 ID + + Done + 완료 - - Step Name - 단계 이름 + + Cancel + 취소 - - Message - 메시지 + + Generate script + 스크립트 생성 + + + Next + 다음 + + + Previous + 이전 + + + Tabs are not initialized + 탭이 초기화되지 않았습니다. - + - - Find - 찾기 + + No tree view with id '{0}' registered. + ID가 '{0}'인 등록된 트리 뷰가 없습니다. - - Find - 찾기 + + + + + + A NotebookProvider with valid providerId must be passed to this method + 유효한 providerId가 있는 NotebookProvider를 이 메서드에 전달해야 합니다. - - Previous match - 이전 검색 결과 + + no notebook provider found + Notebook 공급자가 없음 - - Next match - 다음 검색 결과 + + No Manager found + 관리자를 찾을 수 없음 - + + Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it + {0} Notebook의 Notebook 관리자에 서버 관리자가 없습니다. 작업을 수행할 수 없습니다. + + + Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it + {0} Notebook의 Notebook 관리자에 콘텐츠 관리자가 없습니다. 작업을 수행할 수 없습니다. + + + Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it + {0} Notebook의 Notebook 관리자에 세션 관리자가 없습니다. 작업을 수행할 수 없습니다. + + + + + + + A NotebookProvider with valid providerId must be passed to this method + 유효한 providerId가 있는 NotebookProvider를 이 메서드에 전달해야 합니다. + + + + + + + Manage + 관리 + + + Show Details + 세부 정보 표시 + + + Learn More + 자세한 정보 + + + Clear all saved accounts + 저장된 모든 계정 지우기 + + + + + + + Preview Features + 미리 보기 기능 + + + Enable unreleased preview features + 해제되지 않은 미리 보기 기능 사용 + + + Show connect dialog on startup + 시작 시 연결 대화 상자 표시 + + + Obsolete API Notification + 사용되지 않는 API 알림 + + + Enable/disable obsolete API usage notification + 사용되지 않는 API 사용 알림 사용/사용 안 함 + + + + + + + Edit Data Session Failed To Connect + 연결하지 못한 데이터 세션 편집 + + + + + + + Profiler + Profiler + + + Not connected + 연결되지 않음 + + + XEvent Profiler Session stopped unexpectedly on the server {0}. + {0} 서버에서 XEvent Profiler 세션이 예기치 않게 중지되었습니다. + + + Error while starting new session + 새로운 세션을 시작하는 동안 오류가 발생했습니다. + + + The XEvent Profiler session for {0} has lost events. + {0}의 XEvent Profiler 세션에서 이벤트가 손실되었습니다. + + + + + + + Show Actions + 작업 표시 + + + Resource Viewer + 리소스 뷰어 + + + + + + + Information + 정보 + + + Warning + 경고 + + + Error + 오류 + + + Show Details + 세부 정보 표시 + + + Copy + 복사 + + Close 닫기 - - Your search returned a large number of results, only the first 999 matches will be highlighted. - 많은 수의 검색 결과가 반환되었습니다. 처음 999개의 일치 항목만 강조 표시됩니다. + + Back + 뒤로 - - {0} of {1} - {0}/{1} - - - No Results - 결과 없음 + + Hide Details + 세부 정보 숨기기 - + - - Horizontal Bar - 가로 막대 + + OK + 확인 - - Bar - 막대형 - - - Line - 꺾은선형 - - - Pie - 원형 - - - Scatter - 분산형 - - - Time Series - 시계열 - - - Image - 이미지 - - - Count - 개수 - - - Table - 테이블 - - - Doughnut - 도넛형 - - - Failed to get rows for the dataset to chart. - 데이터 세트의 행을 차트로 가져오지 못했습니다. - - - Chart type '{0}' is not supported. - 차트 종류 '{0}'은(는) 지원되지 않습니다. + + Cancel + 취소 - + - - Parameters - 매개 변수 + + is required. + 이(가) 필요합니다. + + + Invalid input. Numeric value expected. + 잘못된 입력입니다. 숫자 값이 필요합니다. - + - - Connected to - 연결 대상 + + The index {0} is invalid. + {0} 인덱스가 잘못되었습니다. - - Disconnected + + + + + + blank + 비어 있음 + + + check all checkboxes in column: {0} + 열의 모든 확인란 선택: {0} + + + Show Actions + 작업 표시 + + + + + + + Loading + 로드 + + + Loading completed + 로드 완료 + + + + + + + Invalid value + 잘못된 값 + + + {0}. {1} + {0}. {1} + + + + + + + Loading + 로드 중 + + + Loading completed + 로드 완료 + + + + + + + modelview code editor for view model. + 뷰 모델용 modelview 코드 편집기입니다. + + + + + + + Could not find component for type {0} + {0} 형식의 구성 요소를 찾을 수 없습니다. + + + + + + + Changing editor types on unsaved files is unsupported + 저장하지 않은 파일의 경우 편집기 유형을 변경할 수 없습니다. + + + + + + + Select Top 1000 + 상위 1,000개 선택 + + + Take 10 + Take 10 + + + Script as Execute + Execute로 스크립트 + + + Script as Alter + Alter로 스크립트 + + + Edit Data + 데이터 편집 + + + Script as Create + Create로 스크립트 + + + Script as Drop + Drop으로 스크립트 + + + + + + + No script was returned when calling select script on object + 개체에 대해 스크립트 선택을 호출할 때 스크립트가 반환되지 않았습니다. + + + Select + 선택 + + + Create + 만들기 + + + Insert + 삽입 + + + Update + 업데이트 + + + Delete + 삭제 + + + No script was returned when scripting as {0} on object {1} + 개체 {1}에서 {0}(으)로 스크립팅했으나 스크립트가 반환되지 않았습니다. + + + Scripting Failed + 스크립트 실패 + + + No script was returned when scripting as {0} + {0}(으)로 스크립팅했으나 스크립트가 반환되지 않았습니다. + + + + + + + disconnected 연결 끊김 - - Unsaved Connections - 저장되지 않은 연결 - - + - - Browse (Preview) - 찾아보기(미리 보기) - - - Type here to filter the list - 목록을 필터링하려면 여기에 입력하세요. - - - Filter connections - 연결 필터링 - - - Applying filter - 필터 적용 - - - Removing filter - 필터 제거 - - - Filter applied - 필터가 적용됨 - - - Filter removed - 필터가 제거됨 - - - Saved Connections - 저장된 연결 - - - Saved Connections - 저장된 연결 - - - Connection Browser Tree - 연결 브라우저 트리 - - - - - - - This extension is recommended by Azure Data Studio. - 이 확장은 Azure Data Studio에서 추천됩니다. - - - - - - - Don't Show Again - 다시 표시 안 함 - - - Azure Data Studio has extension recommendations. - Azure Data Studio에는 확장 권장 사항이 있습니다. - - - Azure Data Studio has extension recommendations for data visualization. -Once installed, you can select the Visualizer icon to visualize your query results. - Azure Data Studio에는 데이터 시각화를 위한 확장 권장 사항이 있습니다. -설치한 후에는 시각화 도우미 아이콘을 선택하여 쿼리 결과를 시각화할 수 있습니다. - - - Install All - 모두 설치 - - - Show Recommendations - 권장 사항 표시 - - - The scenario type for extension recommendations must be provided. - 확장 권장 사항의 시나리오 유형을 제공해야 합니다. - - - - - - - This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. - 이 기능 페이지는 미리 보기로 제공됩니다. 미리 보기 기능은 제품에 영구적으로 포함될 예정인 새로운 기능을 도입합니다. 이와 같은 기능은 안정적이지만 접근성 측면에서 추가적인 개선이 필요합니다. 해당 기능이 개발되는 동안 초기 피드백을 주시면 감사하겠습니다. - - - Preview - 미리 보기 - - - Create a connection - 연결 만들기 - - - Connect to a database instance through the connection dialog. - 연결 대화 상자를 통해 데이터베이스 인스턴스에 연결합니다. - - - Run a query - 쿼리 실행 - - - Interact with data through a query editor. - 쿼리 편집기를 통해 데이터와 상호 작용합니다. - - - Create a notebook - Notebook 만들기 - - - Build a new notebook using a native notebook editor. - 네이티브 Notebook 편집기를 사용하여 새 Notebook을 빌드합니다. - - - Deploy a server - 서버 배포 - - - Create a new instance of a relational data service on the platform of your choice. - 선택한 플랫폼에서 관계형 데이터 서비스의 새 인스턴스를 만듭니다. - - - Resources - 리소스 - - - History - 기록 - - - Name - 이름 - - - Location - 위치 - - - Show more - 자세히 표시 - - - Show welcome page on startup - 시작 시 시작 페이지 표시 - - - Useful Links - 유용한 링크 - - - Getting Started - 시작 - - - Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. - Azure Data Studio에서 제공하는 기능을 검색하고 기능을 최대한 활용하는 방법을 알아봅니다. - - - Documentation - 설명서 - - - Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. - PowerShell, API 등의 빠른 시작, 방법 가이드, 참조 자료를 보려면 설명서 센터를 방문합니다. - - - Overview of Azure Data Studio - Azure Data Studio 개요 - - - Introduction to Azure Data Studio Notebooks | Data Exposed - Azure Data Studio Notebook 소개 | 데이터 공개됨 - - - Extensions + + Extension 확장 - - Show All - 모두 표시 + + + + + + Active tab background color for vertical tabs + 세로 탭의 활성 탭 배경색 - - Learn more - 자세한 정보 + + Color for borders in dashboard + 대시보드의 테두리 색 + + + Color of dashboard widget title + 대시보드 위젯 제목 색 + + + Color for dashboard widget subtext + 대시보드 위젯 하위 텍스트 색 + + + Color for property values displayed in the properties container component + 속성 컨테이너 구성 요소에 표시되는 속성 값의 색 + + + Color for property names displayed in the properties container component + 속성 컨테이너 구성 요소에 표시되는 속성 이름의 색 + + + Toolbar overflow shadow color + 도구 모음 오버플로 그림자 색 - + - - Date Created: - 만든 날짜: + + Identifier of the account type + 계정 유형 식별자 - - Notebook Error: - Notebook 오류: + + (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration + (옵션) UI에서 명령을 나타내는 데 사용되는 아이콘입니다. 파일 경로 또는 테마 지정 가능 구성입니다. - - Job Error: - 작업 오류: + + Icon path when a light theme is used + 밝은 테마를 사용하는 경우의 아이콘 경로 - - Pinned - 고정됨 + + Icon path when a dark theme is used + 어두운 테마를 사용하는 경우의 아이콘 경로 - - Recent Runs - 최근 실행 + + Contributes icons to account provider. + 계정 공급자에게 아이콘을 제공합니다. - - Past Runs - 지난 실행 + + + + + + View applicable rules + 적용 가능한 규칙 보기 + + + View applicable rules for {0} + {0}에 적용 가능한 규칙 보기 + + + Invoke Assessment + 평가 호출 + + + Invoke Assessment for {0} + {0}의 평가 호출 + + + Export As Script + 스크립트로 내보내기 + + + View all rules and learn more on GitHub + GitHub에서 모든 규칙 보기 및 자세히 알아보기 + + + Create HTML Report + HTML 보고서 만들기 + + + Report has been saved. Do you want to open it? + 보고서가 저장되었습니다. 열어보시겠습니까? + + + Open + 열기 + + + Cancel + 취소 @@ -5426,390 +1209,6 @@ Once installed, you can select the Visualizer icon to visualize your query resul - - - - Chart - 차트 - - - - - - - Operation - 작업 - - - Object - 개체 - - - Est Cost - 예상 비용 - - - Est Subtree Cost - 예상 하위 트리 비용 - - - Actual Rows - 실제 행 수 - - - Est Rows - 예상 행 수 - - - Actual Executions - 실제 실행 수 - - - Est CPU Cost - 예상 CPU 비용 - - - Est IO Cost - 예상 입출력 비용 - - - Parallel - 병렬 - - - Actual Rebinds - 실제 다시 바인딩 횟수 - - - Est Rebinds - 예상 다시 바인딩 횟수 - - - Actual Rewinds - 실제 되감기 횟수 - - - Est Rewinds - 예상 되감기 횟수 - - - Partitioned - 분할됨 - - - Top Operations - 상위 작업 - - - - - - - No connections found. - 연결이 없습니다. - - - Add Connection - 연결 추가 - - - - - - - Add an account... - 계정 추가... - - - <Default> - <기본값> - - - Loading... - 로드 중... - - - Server group - 서버 그룹 - - - <Default> - <기본값> - - - Add new group... - 새 그룹 추가... - - - <Do not save> - <저장 안 함> - - - {0} is required. - {0}이(가) 필요합니다. - - - {0} will be trimmed. - {0}이(가) 잘립니다. - - - Remember password - 암호 저장 - - - Account - 계정 - - - Refresh account credentials - 계정 자격 증명 새로 고침 - - - Azure AD tenant - Azure AD 테넌트 - - - Name (optional) - 이름(옵션) - - - Advanced... - 고급... - - - You must select an account - 계정을 선택해야 합니다. - - - - - - - Database - 데이터베이스 - - - Files and filegroups - 파일 및 파일 그룹 - - - Full - 전체 - - - Differential - 차등 - - - Transaction Log - 트랜잭션 로그 - - - Disk - 디스크 - - - Url - URL - - - Use the default server setting - 기본 서버 설정 사용 - - - Compress backup - 백업 압축 - - - Do not compress backup - 백업 압축 안 함 - - - Server Certificate - 서버 인증서 - - - Asymmetric Key - 비대칭 키 - - - - - - - You have not opened any folder that contains notebooks/books. - Notebook/Book이 포함된 폴더를 열지 않았습니다. - - - Open Notebooks - Notebook 열기 - - - The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. - 결과 집합에는 모든 일치 항목의 하위 집합만 포함됩니다. 결과 범위를 좁히려면 검색을 더 세분화하세요. - - - Search in progress... - - 검색 진행 중... - - - - No results found in '{0}' excluding '{1}' - - '{0}'에 '{1}'을(를) 제외한 결과 없음 - - - - No results found in '{0}' - - '{0}'에 결과 없음 - - - - No results found excluding '{0}' - - '{0}'을(를) 제외하는 결과가 없음 - - - - No results found. Review your settings for configured exclusions and check your gitignore files - - 결과가 없습니다. 구성된 제외에 대한 설정을 검토하고 gitignore 파일을 확인하세요. - - - - Search again - 다시 검색 - - - Cancel Search - 검색 취소 - - - Search again in all files - 모든 파일에서 다시 검색 - - - Open Settings - 설정 열기 - - - Search returned {0} results in {1} files - 검색에서 {1}개의 파일에 {0}개의 결과를 반환했습니다. - - - Toggle Collapse and Expand - 축소 및 확장 전환 - - - Cancel Search - 검색 취소 - - - Expand All - 모두 확장 - - - Collapse All - 모두 축소 - - - Clear Search Results - 검색 결과 지우기 - - - - - - - Connections - 연결 - - - Connect, query, and manage your connections from SQL Server, Azure, and more. - SQL Server, Azure 등에서 연결을 연결, 쿼리 및 관리합니다. - - - 1 - 1 - - - Next - 다음 - - - Notebooks - Notebook - - - Get started creating your own notebook or collection of notebooks in a single place. - 한 곳에서 사용자 Notebook 또는 Notebook 컬렉션을 만드는 작업을 시작합니다. - - - 2 - 2 - - - Extensions - 확장 - - - Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). - Microsoft 및 타사 커뮤니티에서 개발한 확장을 설치하여 Azure Data Studio 기능을 확장합니다. - - - 3 - 3 - - - Settings - 설정 - - - Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. - 기본 설정에 따라 Azure Data Studio를 사용자 지정합니다. 자동 저장 및 탭 크기 같은 설정을 구성하고, 바로 가기 키를 개인 설정하고, 원하는 색 테마로 전환할 수 있습니다. - - - 4 - 4 - - - Welcome Page - 시작 페이지 - - - Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. - 시작 페이지에서 주요 기능, 최근에 연 파일 및 추천 확장을 검색합니다. Azure Data Studio를 시작하는 방법에 관한 자세한 내용은 비디오 및 설명서를 확인하세요. - - - 5 - 5 - - - Finish - 마침 - - - User Welcome Tour - 사용자 시작 둘러보기 - - - Hide Welcome Tour - 시작 둘러보기 숨기기 - - - Read more - 자세한 정보 - - - Help - 도움말 - - - - - - - Delete Row - 행 삭제 - - - Revert Current Row - 현재 행 되돌리기 - - - @@ -5894,575 +1293,283 @@ Once installed, you can select the Visualizer icon to visualize your query resul - + - - Message Panel - 메시지 패널 - - - Copy - 복사 - - - Copy All - 모두 복사 + + Open in Azure Portal + Azure Portal에서 열기 - + - - Loading - 로드 + + Backup name + 백업 이름 - - Loading completed - 로드 완료 + + Recovery model + 복구 모델 + + + Backup type + 백업 유형 + + + Backup files + 백업 파일 + + + Algorithm + 알고리즘 + + + Certificate or Asymmetric key + 인증서 또는 비대칭 키 + + + Media + 미디어 + + + Backup to the existing media set + 기존 미디어 세트에 백업 + + + Backup to a new media set + 새 미디어 세트에 백업 + + + Append to the existing backup set + 기존 백업 세트에 추가 + + + Overwrite all existing backup sets + 모든 기존 백업 세트 덮어쓰기 + + + New media set name + 새 미디어 세트 이름 + + + New media set description + 새 미디어 세트 설명 + + + Perform checksum before writing to media + 미디어에 쓰기 전에 체크섬 수행 + + + Verify backup when finished + 완료되면 백업 확인 + + + Continue on error + 오류 발생 시 계속 + + + Expiration + 만료 + + + Set backup retain days + 백업 보존 기간(일) 설정 + + + Copy-only backup + 복사 전용 백업 + + + Advanced Configuration + 고급 구성 + + + Compression + 압축 + + + Set backup compression + 백업 압축 설정 + + + Encryption + 암호화 + + + Transaction log + 트랜잭션 로그 + + + Truncate the transaction log + 트랜잭션 로그 잘라내기 + + + Backup the tail of the log + 비상 로그 백업 + + + Reliability + 안정성 + + + Media name is required + 미디어 이름이 필요합니다. + + + No certificate or asymmetric key is available + 사용 가능한 인증서 또는 비대칭 키가 없습니다. + + + Add a file + 파일 추가 + + + Remove files + 파일 제거 + + + Invalid input. Value must be greater than or equal 0. + 잘못된 입력입니다. 값은 0보다 크거나 같아야 합니다. + + + Script + 스크립트 + + + Backup + 백업 + + + Cancel + 취소 + + + Only backup to file is supported + 파일로 백업만 지원됩니다. + + + Backup file path is required + 백업 파일 경로가 필요합니다. - + - - Click on - 코드 또는 텍스트 셀을 추가하려면 - - - + Code - + 코드 - - - or - 또는 - - - + Text - + 텍스트 - - - to add a code or text cell - 클릭 + + Backup + 백업 - + - - StdIn: - StdIn: + + You must enable preview features in order to use backup + 백업을 사용하려면 미리 보기 기능을 사용하도록 설정해야 합니다. + + + Backup command is not supported outside of a database context. Please select a database and try again. + 백업 명령은 데이터베이스 컨텍스트 외부에서 지원되지 않습니다. 데이터베이스를 선택하고 다시 시도하세요. + + + Backup command is not supported for Azure SQL databases. + Azure SQL Database에 대해 백업 명령이 지원되지 않습니다. + + + Backup + 백업 - + - - Expand code cell contents - 코드 셀 콘텐츠 확장 + + Database + 데이터베이스 - - Collapse code cell contents - 코드 셀 콘텐츠 축소 + + Files and filegroups + 파일 및 파일 그룹 + + + Full + 전체 + + + Differential + 차등 + + + Transaction Log + 트랜잭션 로그 + + + Disk + 디스크 + + + Url + URL + + + Use the default server setting + 기본 서버 설정 사용 + + + Compress backup + 백업 압축 + + + Do not compress backup + 백업 압축 안 함 + + + Server Certificate + 서버 인증서 + + + Asymmetric Key + 비대칭 키 - + - - XML Showplan - XML 실행 계획 + + Create Insight + 인사이트 만들기 - - Results grid - 결과 표 + + Cannot create insight as the active editor is not a SQL Editor + 활성 편집기가 SQL 편집기가 아니므로 인사이트를 만들 수 없습니다. - - - - - - Add cell - 셀 추가 + + My-Widget + 내 위젯 - - Code cell - 코드 셀 + + Configure Chart + 차트 구성 - - Text cell - 텍스트 셀 + + Copy as image + 이미지로 복사 - - Move cell down - 아래로 셀 이동 + + Could not find chart to save + 저장할 차트를 찾을 수 없습니다. - - Move cell up - 위로 셀 이동 + + Save as image + 이미지로 저장 - - Delete - 삭제 + + PNG + PNG - - Add cell - 셀 추가 - - - Code cell - 코드 셀 - - - Text cell - 텍스트 셀 - - - - - - - SQL kernel error - SQL 커널 오류 - - - A connection must be chosen to run notebook cells - Notebook 셀을 실행하려면 연결을 선택해야 합니다. - - - Displaying Top {0} rows. - 상위 {0}개 행을 표시합니다. - - - - - - - Name - 이름 - - - Last Run - 마지막 실행 - - - Next Run - 다음 실행 - - - Enabled - 사용 - - - Status - 상태 - - - Category - 범주 - - - Runnable - 실행 가능 - - - Schedule - 일정 - - - Last Run Outcome - 마지막 실행 결과 - - - Previous Runs - 이전 실행 - - - No Steps available for this job. - 이 작업에 사용할 수 있는 단계가 없습니다. - - - Error: - 오류: - - - - - - - Could not find component for type {0} - {0} 형식의 구성 요소를 찾을 수 없습니다. - - - - - - - Find - 찾기 - - - Find - 찾기 - - - Previous match - 이전 검색 결과 - - - Next match - 다음 검색 결과 - - - Close - 닫기 - - - Your search returned a large number of results, only the first 999 matches will be highlighted. - 많은 수의 검색 결과가 반환되었습니다. 처음 999개의 일치 항목만 강조 표시됩니다. - - - {0} of {1} - {0}/{1} - - - No Results - 결과 없음 - - - - - - - Name - 이름 - - - Schema - 스키마 - - - Type - 형식 - - - - - - - Run Query - 쿼리 실행 - - - - - - - No {0}renderer could be found for output. It has the following MIME types: {1} - 출력의 {0}렌더러를 찾을 수 없습니다. MIME 형식이 {1}입니다. - - - safe - 안전 - - - No component could be found for selector {0} - 선택기 {0}에 대한 구성 요소를 찾을 수 없습니다. - - - Error rendering component: {0} - 구성 요소 {0} 렌더링 중 오류 발생 - - - - - - - Loading... - 로드 중... - - - - - - - Loading... - 로드 중... - - - - - - - Edit - 편집 - - - Exit - 끝내기 - - - Refresh - 새로 고침 - - - Show Actions - 작업 표시 - - - Delete Widget - 위젯 삭제 - - - Click to unpin - 클릭하여 고정 해제 - - - Click to pin - 클릭하여 고정 - - - Open installed features - 설치된 기능 열기 - - - Collapse Widget - 위젯 축소 - - - Expand Widget - 위젯 확장 - - - - - - - {0} is an unknown container. - {0}은(는) 알 수 없는 컨테이너입니다. - - - - - - - Name - 이름 - - - Target Database - 대상 데이터베이스 - - - Last Run - 마지막 실행 - - - Next Run - 다음 실행 - - - Status - 상태 - - - Last Run Outcome - 마지막 실행 결과 - - - Previous Runs - 이전 실행 - - - No Steps available for this job. - 이 작업에 사용할 수 있는 단계가 없습니다. - - - Error: - 오류: - - - Notebook Error: - Notebook 오류: - - - - - - - Loading Error... - 로드 오류... - - - - - - - Show Actions - 작업 표시 - - - No matching item found - 일치하는 항목 없음 - - - Filtered search list to 1 item - 검색 목록을 1개 항목으로 필터링함 - - - Filtered search list to {0} items - 검색 목록을 {0}개 항목으로 필터링함 - - - - - - - Failed - 실패 - - - Succeeded - 성공 - - - Retry - 다시 시도 - - - Cancelled - 취소됨 - - - In Progress - 진행 중 - - - Status Unknown - 알 수 없는 상태 - - - Executing - 실행 중 - - - Waiting for Thread - 스레드 대기 중 - - - Between Retries - 다시 시도 대기 중 - - - Idle - 유휴 상태 - - - Suspended - 일시 중지됨 - - - [Obsolete] - [사용되지 않음] - - - Yes - - - - No - 아니요 - - - Not Scheduled - 예약되지 않음 - - - Never Run - 실행 안 함 - - - - - - - Bold - 굵게 - - - Italic - 기울임꼴 - - - Underline - 밑줄 - - - Highlight - 강조 표시 - - - Code - 코드 - - - Link - 링크 - - - List - 목록 - - - Ordered list - 순서가 지정된 목록 - - - Image - 이미지 - - - Markdown preview toggle - off - Markdown 미리 보기 토글 - 끄기 - - - Heading - 제목 - - - Heading 1 - 제목 1 - - - Heading 2 - 제목 2 - - - Heading 3 - 제목 3 - - - Paragraph - 단락 - - - Insert link - 링크 삽입 - - - Insert image - 이미지 삽입 - - - Rich Text View - 서식 있는 텍스트 보기 - - - Split View - 분할 보기 - - - Markdown View - Markdown 보기 + + Saved Chart to path: {0} + {0} 경로에 차트를 저장함 @@ -6550,19 +1657,411 @@ Once installed, you can select the Visualizer icon to visualize your query resul - + - + + Chart + 차트 + + + + + + + Horizontal Bar + 가로 막대 + + + Bar + 막대형 + + + Line + 꺾은선형 + + + Pie + 원형 + + + Scatter + 분산형 + + + Time Series + 시계열 + + + Image + 이미지 + + + Count + 개수 + + + Table + 테이블 + + + Doughnut + 도넛형 + + + Failed to get rows for the dataset to chart. + 데이터 세트의 행을 차트로 가져오지 못했습니다. + + + Chart type '{0}' is not supported. + 차트 종류 '{0}'은(는) 지원되지 않습니다. + + + + + + + Built-in Charts + 기본 제공 차트 + + + The maximum number of rows for charts to display. Warning: increasing this may impact performance. + 표시할 차트의 최대 행 수입니다. 경고:이 수를 늘리면 성능에 영향을 줄 수 있습니다. + + + + + + Close 닫기 - + - - A server group with the same name already exists. - 같은 이름의 서버 그룹이 이미 있습니다. + + Series {0} + 시리즈 {0} + + + + + + + Table does not contain a valid image + 테이블에 유효한 이미지가 포함되어 있지 않습니다. + + + + + + + Maximum row count for built-in charts has been exceeded, only the first {0} rows are used. To configure the value, you can open user settings and search for: 'builtinCharts.maxRowCount'. + 기본 제공 차트의 최대 행 수가 초과되어 첫 번째 {0}행만 사용됩니다. 값을 구성하려면 사용자 설정을 열고 'builtinCharts.maxRowCount'를 검색할 수 있습니다. + + + Don't Show Again + 다시 표시 안 함 + + + + + + + Connecting: {0} + {0}에 연결하는 중 + + + Running command: {0} + 명령 {0} 실행 중 + + + Opening new query: {0} + 새 쿼리 {0}을(를) 여는 중 + + + Cannot connect as no server information was provided + 서버 정보가 제공되지 않았으므로 연결할 수 없습니다. + + + Could not open URL due to error {0} + {0} 오류로 인해 URL을 열 수 없습니다. + + + This will connect to server {0} + 이렇게 하면 서버 {0}에 연결됩니다. + + + Are you sure you want to connect? + 연결하시겠습니까? + + + &&Open + 열기(&O) + + + Connecting query file + 쿼리 파일 연결 중 + + + + + + + {0} was replaced with {1} in your user settings. + 사용자 설정에서 {0}이(가) {1}(으)로 바뀌었습니다. + + + {0} was replaced with {1} in your workspace settings. + 작업 영역 설정에서 {0}이(가) {1}(으)로 바뀌었습니다. + + + + + + + The maximum number of recently used connections to store in the connection list. + 연결 목록에 저장할 최근에 사용한 최대 연결 수입니다. + + + Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. + 사용할 기본 SQL 엔진입니다. 해당 엔진은 .sql 파일의 기본 언어 공급자와 새 연결을 만들 때 사용할 기본 공급자를 구동합니다. + + + Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. + 연결 대화 상자가 열리거나 붙여넣기가 수행되면 클립보드의 내용을 구문 분석하려고 합니다. + + + + + + + Connection Status + 연결 상태 + + + + + + + Common id for the provider + 공급자의 일반 ID + + + Display Name for the provider + 공급자의 표시 이름 + + + Notebook Kernel Alias for the provider + 공급자의 Notebook 커널 별칭 + + + Icon path for the server type + 서버 유형의 아이콘 경로 + + + Options for connection + 연결 옵션 + + + + + + + User visible name for the tree provider + 트리 공급자의 사용자 표시 이름 + + + Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` + 공급자 ID는 트리 데이터 공급자를 등록할 때와 동일해야 하며 'connectionDialog/'로 시작해야 합니다. + + + + + + + Unique identifier for this container. + 이 컨테이너의 고유 식별자입니다. + + + The container that will be displayed in the tab. + 탭에 표시될 컨테이너입니다. + + + Contributes a single or multiple dashboard containers for users to add to their dashboard. + 사용자가 대시보드 추가할 단일 또는 다중 대시보드 컨테이너를 적용합니다. + + + No id in dashboard container specified for extension. + 확장용으로 지정된 대시보드 컨테이너에 ID가 없습니다. + + + No container in dashboard container specified for extension. + 대시보드 컨테이너에 확장용으로 지정된 컨테이너가 없습니다. + + + Exactly 1 dashboard container must be defined per space. + 공란 1개에 정확히 1개의 대시보드 컨테이너를 정의해야 합니다. + + + Unknown container type defines in dashboard container for extension. + 확장용 대시보드 컨테이너에 알 수 없는 컨테이너 형식이 정의되었습니다. + + + + + + + The controlhost that will be displayed in this tab. + 이 탭에 표시할 controlhost입니다. + + + + + + + The "{0}" section has invalid content. Please contact extension owner. + "{0}" 섹션에 잘못된 내용이 있습니다. 확장 소유자에게 문의하세요. + + + + + + + The list of widgets or webviews that will be displayed in this tab. + 이 탭에 표시되는 위젯 또는 웹 보기의 목록입니다. + + + widgets or webviews are expected inside widgets-container for extension. + 위젯이나 웹 보기는 확장용 위젯 컨테이너 내부에 있어야 합니다. + + + + + + + The model-backed view that will be displayed in this tab. + 이 탭에 표시할 모델 지원 보기입니다. + + + + + + + Unique identifier for this nav section. Will be passed to the extension for any requests. + 이 탐색 영역의 고유 식별자입니다. 모든 요청에서 확장으로 전달됩니다. + + + (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration + (옵션) UI에서 이 탐색 섹션을 나타내는 데 사용되는 아이콘입니다. 파일 경로 또는 테마 지정 가능 구성입니다. + + + Icon path when a light theme is used + 밝은 테마를 사용하는 경우의 아이콘 경로 + + + Icon path when a dark theme is used + 어두운 테마를 사용하는 경우의 아이콘 경로 + + + Title of the nav section to show the user. + 사용자에게 표시할 탐색 섹션의 제목입니다. + + + The container that will be displayed in this nav section. + 이 탐색 섹션에 표시할 컨테이너입니다. + + + The list of dashboard containers that will be displayed in this navigation section. + 이 탐색 섹션에 표시할 대시보드 컨테이너 목록입니다. + + + No title in nav section specified for extension. + 탐색 섹션에 확장용으로 지정된 제목이 없습니다. + + + No container in nav section specified for extension. + 탐색 섹션에 확장용으로 지정된 컨테이너가 없습니다. + + + Exactly 1 dashboard container must be defined per space. + 공란 1개에 정확히 1개의 대시보드 컨테이너를 정의해야 합니다. + + + NAV_SECTION within NAV_SECTION is an invalid container for extension. + NAV_SECTION 내의 NAV_SECTION은 확장용으로 유효하지 않은 컨테이너입니다. + + + + + + + The webview that will be displayed in this tab. + 이 탭에 표시할 웹 보기입니다. + + + + + + + The list of widgets that will be displayed in this tab. + 이 탭에 표시할 위젯 목록입니다. + + + The list of widgets is expected inside widgets-container for extension. + 위젯 목록은 확장용 위젯 컨테이너 내에 있어야 합니다. + + + + + + + Edit + 편집 + + + Exit + 끝내기 + + + Refresh + 새로 고침 + + + Show Actions + 작업 표시 + + + Delete Widget + 위젯 삭제 + + + Click to unpin + 클릭하여 고정 해제 + + + Click to pin + 클릭하여 고정 + + + Open installed features + 설치된 기능 열기 + + + Collapse Widget + 위젯 축소 + + + Expand Widget + 위젯 확장 + + + + + + + {0} is an unknown container. + {0}은(는) 알 수 없는 컨테이너입니다. @@ -6582,111 +2081,1025 @@ Once installed, you can select the Visualizer icon to visualize your query resul - + - - Create Insight - 인사이트 만들기 + + Unique identifier for this tab. Will be passed to the extension for any requests. + 이 탭의 고유 식별자입니다. 모든 요청에서 확장으로 전달됩니다. - - Cannot create insight as the active editor is not a SQL Editor - 활성 편집기가 SQL 편집기가 아니므로 인사이트를 만들 수 없습니다. + + Title of the tab to show the user. + 사용자에게 표시할 탭의 제목입니다. - - My-Widget - 내 위젯 + + Description of this tab that will be shown to the user. + 사용자에게 표시할 이 탭에 대한 설명입니다. - - Configure Chart - 차트 구성 + + Condition which must be true to show this item + 이 항목을 표시하기 위해 true여야 하는 조건 - - Copy as image - 이미지로 복사 + + Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set + 이 탭과 호환되는 연결 형식을 정의합니다. 설정하지 않으면 기본 연결 형식은 'MSSQL'입니다. - - Could not find chart to save - 저장할 차트를 찾을 수 없습니다. + + The container that will be displayed in this tab. + 이 탭에 표시할 컨테이너입니다. - - Save as image - 이미지로 저장 + + Whether or not this tab should always be shown or only when the user adds it. + 이 탭을 항상 표시할지 또는 사용자가 추가할 때만 표시할지입니다. - - PNG - PNG + + Whether or not this tab should be used as the Home tab for a connection type. + 이 탭을 연결 형식의 홈 탭으로 사용할지 여부입니다. - - Saved Chart to path: {0} - {0} 경로에 차트를 저장함 + + The unique identifier of the group this tab belongs to, value for home group: home. + 이 탭이 속한 그룹의 고유 식별자이며 홈 그룹의 값은 home입니다. + + + (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration + (선택 사항) UI에서 이 탭을 나타내는 데 사용되는 아이콘입니다. 파일 경로 또는 테마 지정 가능 구성입니다. + + + Icon path when a light theme is used + 밝은 테마를 사용하는 경우의 아이콘 경로 + + + Icon path when a dark theme is used + 어두운 테마를 사용하는 경우의 아이콘 경로 + + + Contributes a single or multiple tabs for users to add to their dashboard. + 사용자가 대시보드 추가할 단일 또는 다중 탭을 적용합니다. + + + No title specified for extension. + 확장용으로 지정한 제목이 없습니다. + + + No description specified to show. + 표시하도록 지정한 설명이 없습니다. + + + No container specified for extension. + 확장용으로 지정한 컨테이너가 없습니다. + + + Exactly 1 dashboard container must be defined per space + 공란 1개에 정확히 1개의 대시보드 컨테이너를 정의해야 합니다. + + + Unique identifier for this tab group. + 이 탭 그룹의 고유 식별자입니다. + + + Title of the tab group. + 탭 그룹의 제목입니다. + + + Contributes a single or multiple tab groups for users to add to their dashboard. + 사용자가 대시보드에 추가할 하나 이상의 탭 그룹을 제공합니다. + + + No id specified for tab group. + 탭 그룹에 ID가 지정되지 않았습니다. + + + No title specified for tab group. + 탭 그룹에 제목을 지정하지 않았습니다. + + + Administration + 관리 + + + Monitoring + 모니터링 + + + Performance + 성능 + + + Security + 보안 + + + Troubleshooting + 문제 해결 + + + Settings + 설정 + + + databases tab + 데이터베이스 탭 + + + Databases + 데이터베이스 - + - - Add code - 코드 추가 + + Manage + 관리 - - Add text - 텍스트 추가 + + Dashboard + 대시보드 - - Create File - 파일 만들기 + + + + + + Manage + 관리 - - Could not display contents: {0} - 내용 {0}을(를) 표시할 수 없습니다. + + + + + + property `icon` can be omitted or must be either a string or a literal like `{dark, light}` + 'icon' 속성은 생략하거나, '{dark, light}' 같은 문자열 또는 리터럴이어야 합니다. - - Add cell - 셀 추가 + + + + + + Defines a property to show on the dashboard + 대시보드에 표시할 속성을 정의합니다. - - Code cell - 코드 셀 + + What value to use as a label for the property + 속성의 레이블로 사용할 값 - - Text cell - 텍스트 셀 + + What value in the object to access for the value + 값을 위해 액세스할 개체의 값 - - Run all - 모두 실행 + + Specify values to be ignored + 무시할 값 지정 - - Cell - + + Default value to show if ignored or no value + 무시되거나 값이 없는 경우 표시할 기본값 - - Code - 코드 + + A flavor for defining dashboard properties + 대시보드 속성을 정의하기 위한 특성 - - Text - 텍스트 + + Id of the flavor + 특성의 ID - - Run Cells - 셀 실행 + + Condition to use this flavor + 이 특성을 사용할 조건 - - < Previous - < 이전 + + Field to compare to + 비교할 필드 - - Next > - 다음 > + + Which operator to use for comparison + 비교에 사용할 연산자 - - cell with URI {0} was not found in this model - 이 모델에서 URI가 {0}인 셀을 찾을 수 없습니다. + + Value to compare the field to + 필드를 비교할 값 - - Run Cells failed - See error in output of the currently selected cell for more information. - 셀 실행 실패 - 자세한 내용은 현재 선택한 셀의 출력 오류를 참조하세요. + + Properties to show for database page + 표시할 데이터베이스 페이지 속성 + + + Properties to show for server page + 표시할 서버 페이지 속성 + + + Defines that this provider supports the dashboard + 이 공급자가 대시보드를 지원함을 정의합니다. + + + Provider id (ex. MSSQL) + 공급자 ID(예: MSSQL) + + + Property values to show on dashboard + 대시보드에 표시할 속성 값 + + + + + + + Condition which must be true to show this item + 이 항목을 표시하기 위해 true여야 하는 조건 + + + Whether to hide the header of the widget, default value is false + 위젯의 헤더를 숨길지 여부를 나타냅니다. 기본값은 false입니다. + + + The title of the container + 컨테이너의 제목 + + + The row of the component in the grid + 표의 구성 요소 행 + + + The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. + 표에 있는 구성 요소의 rowspan입니다. 기본값은 1입니다. 표의 행 수로 설정하려면 '*'를 사용합니다. + + + The column of the component in the grid + 표의 구성 요소 열 + + + The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. + 표에 있는 구성 요소의 colspan입니다. 기본값은 1입니다. 표의 열 수로 설정하려면 '*'를 사용합니다. + + + Unique identifier for this tab. Will be passed to the extension for any requests. + 이 탭의 고유 식별자입니다. 모든 요청에서 확장으로 전달됩니다. + + + Extension tab is unknown or not installed. + 확장 탭을 알 수 없거나 설치하지 않았습니다. + + + + + + + Database Properties + 데이터베이스 속성 + + + + + + + Enable or disable the properties widget + 속성 위젯 사용 또는 사용 안 함 + + + Property values to show + 표시할 속성 값 + + + Display name of the property + 속성의 표시 이름 + + + Value in the Database Info Object + 데이터베이스 정보 개체의 값 + + + Specify specific values to ignore + 무시할 특정 값 지정 + + + Recovery Model + 복구 모델 + + + Last Database Backup + 마지막 데이터베이스 백업 + + + Last Log Backup + 마지막 로그 백업 + + + Compatibility Level + 호환성 수준 + + + Owner + 소유자 + + + Customizes the database dashboard page + 데이터베이스 대시보드 페이지를 사용자 지정합니다. + + + Search + 검색 + + + Customizes the database dashboard tabs + 데이터베이스 대시보드 탭을 사용자 지정합니다. + + + + + + + Server Properties + 서버 속성 + + + + + + + Enable or disable the properties widget + 속성 위젯 사용 또는 사용 안 함 + + + Property values to show + 표시할 속성 값 + + + Display name of the property + 속성의 표시 이름 + + + Value in the Server Info Object + 서버 정보 개체의 값 + + + Version + 버전 + + + Edition + 버전 + + + Computer Name + 컴퓨터 이름 + + + OS Version + OS 버전 + + + Search + 검색 + + + Customizes the server dashboard page + 서버 대시보드 페이지를 사용자 지정합니다. + + + Customizes the Server dashboard tabs + 서버 대시보드 탭을 사용자 지정합니다. + + + + + + + Home + + + + + + + + Failed to change database + 데이터베이스를 변경하지 못함 + + + + + + + Show Actions + 작업 표시 + + + No matching item found + 일치하는 항목 없음 + + + Filtered search list to 1 item + 검색 목록을 1개 항목으로 필터링함 + + + Filtered search list to {0} items + 검색 목록을 {0}개 항목으로 필터링함 + + + + + + + Name + 이름 + + + Schema + 스키마 + + + Type + 형식 + + + + + + + loading objects + 개체 로드 + + + loading databases + 데이터베이스 로드 + + + loading objects completed. + 개체 로드가 완료되었습니다. + + + loading databases completed. + 데이터베이스 로드가 완료되었습니다. + + + Search by name of type (t:, v:, f:, or sp:) + 형식 이름(t:, v:, f: 또는 sp:)으로 검색 + + + Search databases + 데이터베이스 검색 + + + Unable to load objects + 개체를 로드할 수 없습니다. + + + Unable to load databases + 데이터베이스를 로드할 수 없습니다. + + + + + + + Run Query + 쿼리 실행 + + + + + + + Loading {0} + {0} 로드 + + + Loading {0} completed + {0} 로드 완료 + + + Auto Refresh: OFF + 자동 새로 고침: 꺼짐 + + + Last Updated: {0} {1} + 최종 업데이트: {0} {1} + + + No results to show + 표시할 결과 없음 + + + + + + + Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more + 서버 또는 데이터베이스를 쿼리하고 여러 방법(차트, 요약 개수 등)으로 결과를 표시할 수 있는 위젯을 추가합니다. + + + Unique Identifier used for caching the results of the insight. + 인사이트의 결과를 캐싱하는 데 사용되는 고유 식별자입니다. + + + SQL query to run. This should return exactly 1 resultset. + 실행할 SQL 쿼리입니다. 정확히 1개의 결과 집합을 반환해야 합니다. + + + [Optional] path to a file that contains a query. Use if 'query' is not set + [옵션] 쿼리를 포함하는 파일의 경로입니다. '쿼리'를 설정하지 않은 경우에 사용합니다. + + + [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh + [옵션] 자동 새로 고침 간격(분)입니다. 설정하지 않으면 자동 새로 고침이 수행되지 않습니다. + + + Which actions to use + 사용할 작업 + + + Target database for the action; can use the format '${ columnName }' to use a data driven column name. + 작업의 대상 데이터베이스입니다. '${ columnName }' 형식을 사용하여 데이터 기반 열 이름을 사용할 수 있습니다. + + + Target server for the action; can use the format '${ columnName }' to use a data driven column name. + 작업의 대상 서버입니다. '${ columnName }' 형식을 사용하여 데이터 기반 열 이름을 사용할 수 있습니다. + + + Target user for the action; can use the format '${ columnName }' to use a data driven column name. + 작업의 대상 사용자입니다. '${ columnName }' 형식을 사용하여 데이터 기반 열 이름을 사용할 수 있습니다. + + + Identifier of the insight + 인사이트의 식별자 + + + Contributes insights to the dashboard palette. + 대시보드 팔레트에 인사이트를 적용합니다. + + + + + + + Chart cannot be displayed with the given data + 제공한 데이터로 차트를 표시할 수 없습니다. + + + + + + + Displays results of a query as a chart on the dashboard + 쿼리 결과를 대시보드에 차트로 표시합니다. + + + Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color + '열 이름'을 색에 매핑합니다. 예를 들어, 이 열에 빨간색을 사용하려면 'column1': red를 추가합니다. + + + Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry + 차트 범례의 기본 위치 및 표시 여부를 나타냅니다. 이 항목은 쿼리의 열 이름이며, 각 차트 항목의 레이블에 매핑됩니다. + + + If dataDirection is horizontal, setting this to true uses the first columns value for the legend. + dataDirection이 horizontal인 경우, 이 값을 true로 설정하면 범례의 첫 번째 열 값을 사용합니다. + + + If dataDirection is vertical, setting this to true will use the columns names for the legend. + dataDirection이 vertical인 경우, 이 값을 true로 설정하면 범례의 열 이름을 사용합니다. + + + Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. + 데이터를 열(세로)에서 읽어올지 행(가로)에서 읽어올지를 정의합니다. 시계열에서는 방향이 세로여야 하므로 무시됩니다. + + + If showTopNData is set, showing only top N data in the chart. + showTopNData를 설정한 경우 차트에 상위 N개 데이터만 표시합니다. + + + + + + + Minimum value of the y axis + Y축 최솟값 + + + Maximum value of the y axis + Y축 최댓값 + + + Label for the y axis + Y축 레이블 + + + Minimum value of the x axis + X축 최솟값 + + + Maximum value of the x axis + X축 최댓값 + + + Label for the x axis + X축 레이블 + + + + + + + Indicates data property of a data set for a chart. + 차트 데이터 세트의 데이터 속성을 나타냅니다. + + + + + + + For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 + 결과 세트의 각 열에 대해 행 0의 값을 개수와 열 이름으로 표시합니다. 예를 들어, '1 Healthy', '3 Unhealthy'가 지원됩니다. 여기서 'Healthy'는 열 이름이고 1은 행 1, 셀 1의 값입니다. + + + + + + + Displays an image, for example one returned by an R query using ggplot2 + 이미지(예: ggplot2를 사용하여 R 쿼리에서 반환한 이미지)를 표시합니다. + + + What format is expected - is this a JPEG, PNG or other format? + 어떤 형식이 필요한가요? JPEG, PNG 또는 다른 형식인가요? + + + Is this encoded as hex, base64 or some other format? + 16진수, base64 또는 다른 형식으로 인코딩되어 있나요? + + + + + + + Displays the results in a simple table + 단순 테이블에 결과를 표시합니다. + + + + + + + Loading properties + 속성 로드 + + + Loading properties completed + 속성 로드 완료 + + + Unable to load dashboard properties + 대시보드 속성을 로드할 수 없습니다. + + + + + + + Database Connections + 데이터베이스 연결 + + + data source connections + 데이터 원본 연결 + + + data source groups + 데이터 원본 그룹 + + + Saved connections are sorted by the dates they were added. + 저장된 연결은 추가된 날짜를 기준으로 정렬됩니다. + + + Saved connections are sorted by their display names alphabetically. + 저장된 연결은 표시 이름을 기준으로 사전순으로 정렬됩니다. + + + Controls sorting order of saved connections and connection groups. + 저장된 연결 및 연결 그룹의 정렬 순서를 제어합니다. + + + Startup Configuration + 시작 구성 + + + True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown + Azure Data Studio 시작 시 서버 보기를 표시하려면 True(기본값), 마지막으로 열었던 보기를 표시하려면 False + + + + + + + Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. + 뷰의 식별자입니다. 'vscode.window.registerTreeDataProviderForView' API를 통해 데이터 공급자를 등록하는 데 사용합니다. 'onView:${id}' 이벤트를 'activationEvents'에 등록하여 확장 활성화를 트리거하는 데도 사용합니다. + + + The human-readable name of the view. Will be shown + 사용자가 읽을 수 있는 뷰 이름입니다. 표시됩니다. + + + Condition which must be true to show this view + 이 뷰를 표시하기 위해 true여야 하는 조건 + + + Contributes views to the editor + 뷰를 편집기에 적용합니다. + + + Contributes views to Data Explorer container in the Activity bar + 뷰를 작업 막대의 Data Explorer 컨테이너에 적용합니다. + + + Contributes views to contributed views container + 뷰를 적용된 뷰 컨테이너에 적용합니다. + + + Cannot register multiple views with same id `{0}` in the view container `{1}` + 뷰 컨테이너 '{1}'에서 동일한 ID '{0}'의 여러 뷰를 등록할 수 없습니다. + + + A view with id `{0}` is already registered in the view container `{1}` + ID가 '{0}'인 뷰가 뷰 컨테이너 '{1}'에 이미 등록되어 있습니다. + + + views must be an array + 뷰는 배열이어야 합니다. + + + property `{0}` is mandatory and must be of type `string` + 속성 '{0}'은(는) 필수이며 'string' 형식이어야 합니다. + + + property `{0}` can be omitted or must be of type `string` + 속성 '{0}'은(는) 생략할 수 있으며 'string' 형식이어야 합니다. + + + + + + + Servers + 서버 + + + Connections + 연결 + + + Show Connections + 연결 표시 + + + + + + + Disconnect + 연결 끊기 + + + Refresh + 새로 고침 + + + + + + + Show Edit Data SQL pane on startup + 시작 시 데이터 SQL 편집 창 표시 + + + + + + + Run + 실행 + + + Dispose Edit Failed With Error: + 오류를 나타내며 편집 내용 삭제 실패: + + + Stop + 중지 + + + Show SQL Pane + SQL 창 표시 + + + Close SQL Pane + SQL 창 닫기 + + + + + + + Max Rows: + 최대 행 수: + + + + + + + Delete Row + 행 삭제 + + + Revert Current Row + 현재 행 되돌리기 + + + + + + + Save As CSV + CSV로 저장 + + + Save As JSON + JSON으로 저장 + + + Save As Excel + Excel로 저장 + + + Save As XML + XML로 저장 + + + Copy + 복사 + + + Copy With Headers + 복사(머리글 포함) + + + Select All + 모두 선택 + + + + + + + Dashboard Tabs ({0}) + 대시보드 탭({0}) + + + Id + ID + + + Title + 제목 + + + Description + 설명 + + + Dashboard Insights ({0}) + 대시보드 인사이트({0}) + + + Id + ID + + + Name + 이름 + + + When + 시기 + + + + + + + Gets extension information from the gallery + 갤러리에서 확장 정보를 가져옵니다. + + + Extension id + 확장 ID + + + Extension '{0}' not found. + '{0}' 확장을 찾을 수 없습니다. + + + + + + + Show Recommendations + 권장 사항 표시 + + + Install Extensions + 확장 설치 + + + Author an Extension... + 확장 제작... + + + + + + + Don't Show Again + 다시 표시 안 함 + + + Azure Data Studio has extension recommendations. + Azure Data Studio에는 확장 권장 사항이 있습니다. + + + Azure Data Studio has extension recommendations for data visualization. +Once installed, you can select the Visualizer icon to visualize your query results. + Azure Data Studio에는 데이터 시각화를 위한 확장 권장 사항이 있습니다. +설치한 후에는 시각화 도우미 아이콘을 선택하여 쿼리 결과를 시각화할 수 있습니다. + + + Install All + 모두 설치 + + + Show Recommendations + 권장 사항 표시 + + + The scenario type for extension recommendations must be provided. + 확장 권장 사항의 시나리오 유형을 제공해야 합니다. + + + + + + + This extension is recommended by Azure Data Studio. + 이 확장은 Azure Data Studio에서 추천됩니다. + + + + + + + Jobs + 작업 + + + Notebooks + Notebook + + + Alerts + 경고 + + + Proxies + 프록시 + + + Operators + 연산자 + + + + + + + Name + 이름 + + + Last Occurrence + 마지막 발생 + + + Enabled + 사용 + + + Delay Between Responses (in secs) + 응답 간격(초) + + + Category Name + 범주 이름 @@ -6906,257 +3319,187 @@ Error: {1} - + - - View applicable rules - 적용 가능한 규칙 보기 + + Step ID + 단계 ID - - View applicable rules for {0} - {0}에 적용 가능한 규칙 보기 + + Step Name + 단계 이름 - - Invoke Assessment - 평가 호출 - - - Invoke Assessment for {0} - {0}의 평가 호출 - - - Export As Script - 스크립트로 내보내기 - - - View all rules and learn more on GitHub - GitHub에서 모든 규칙 보기 및 자세히 알아보기 - - - Create HTML Report - HTML 보고서 만들기 - - - Report has been saved. Do you want to open it? - 보고서가 저장되었습니다. 열어보시겠습니까? - - - Open - 열기 - - - Cancel - 취소 + + Message + 메시지 - + - - Data - 데이터 - - - Connection - 연결 - - - Query Editor - 쿼리 편집기 - - - Notebook - Notebook - - - Dashboard - 대시보드 - - - Profiler - Profiler + + Steps + 단계 - + - - Dashboard Tabs ({0}) - 대시보드 탭({0}) - - - Id - ID - - - Title - 제목 - - - Description - 설명 - - - Dashboard Insights ({0}) - 대시보드 인사이트({0}) - - - Id - ID - - + Name 이름 - - When - 시기 + + Last Run + 마지막 실행 + + + Next Run + 다음 실행 + + + Enabled + 사용 + + + Status + 상태 + + + Category + 범주 + + + Runnable + 실행 가능 + + + Schedule + 일정 + + + Last Run Outcome + 마지막 실행 결과 + + + Previous Runs + 이전 실행 + + + No Steps available for this job. + 이 작업에 사용할 수 있는 단계가 없습니다. + + + Error: + 오류: - + - - Table does not contain a valid image - 테이블에 유효한 이미지가 포함되어 있지 않습니다. + + Date Created: + 만든 날짜: + + + Notebook Error: + Notebook 오류: + + + Job Error: + 작업 오류: + + + Pinned + 고정됨 + + + Recent Runs + 최근 실행 + + + Past Runs + 지난 실행 - + - - More - 자세히 + + Name + 이름 - - Edit - 편집 + + Target Database + 대상 데이터베이스 - - Close - 닫기 + + Last Run + 마지막 실행 - - Convert Cell - 셀 변환 + + Next Run + 다음 실행 - - Run Cells Above - 위 셀 실행 + + Status + 상태 - - Run Cells Below - 아래 셀 실행 + + Last Run Outcome + 마지막 실행 결과 - - Insert Code Above - 위에 코드 삽입 + + Previous Runs + 이전 실행 - - Insert Code Below - 아래에 코드 삽입 + + No Steps available for this job. + 이 작업에 사용할 수 있는 단계가 없습니다. - - Insert Text Above - 위에 텍스트 삽입 + + Error: + 오류: - - Insert Text Below - 아래에 텍스트 삽입 - - - Collapse Cell - 셀 축소 - - - Expand Cell - 셀 확장 - - - Make parameter cell - 매개 변수 셀 만들기 - - - Remove parameter cell - 매개 변수 셀 제거 - - - Clear Result - 결과 지우기 + + Notebook Error: + Notebook 오류: - + - - An error occurred while starting the notebook session - Notebook 세션을 시작하는 동안 오류가 발생했습니다. + + Name + 이름 - - Server did not start for unknown reason - 알 수 없는 이유로 서버가 시작되지 않았습니다. + + Email Address + 전자 메일 주소 - - Kernel {0} was not found. The default kernel will be used instead. - {0} 커널을 찾을 수 없습니다. 대신 기본 커널이 사용됩니다. + + Enabled + 사용 - + - - Series {0} - 시리즈 {0} + + Account Name + 계정 이름 - - - - - - Close - 닫기 + + Credential Name + 자격 증명 이름 - - - - - - # Injected-Parameters - - # 삽입된 매개 변수 - + + Description + 설명 - - Please select a connection to run cells for this kernel - 이 커널에 대해 셀을 실행하려면 연결을 선택하세요. - - - Failed to delete cell. - 셀을 삭제하지 못했습니다. - - - Failed to change kernel. Kernel {0} will be used. Error was: {1} - 커널을 변경하지 못했습니다. {0} 커널이 사용됩니다. 오류: {1} - - - Failed to change kernel due to error: {0} - 오류로 인해 커널을 변경하지 못했습니다. {0} - - - Changing context failed: {0} - {0} 컨텍스트를 변경하지 못했습니다. - - - Could not start session: {0} - {0} 세션을 시작할 수 없습니다. - - - A client session error occurred when closing the notebook: {0} - Notebook을 닫는 동안 클라이언트 세션 오류가 발생했습니다. {0} - - - Can't find notebook manager for provider {0} - {0} 공급자의 Notebook 관리자를 찾을 수 없습니다. + + Enabled + 사용 @@ -7228,6 +3571,3317 @@ Error: {1} + + + + More + 자세히 + + + Edit + 편집 + + + Close + 닫기 + + + Convert Cell + 셀 변환 + + + Run Cells Above + 위 셀 실행 + + + Run Cells Below + 아래 셀 실행 + + + Insert Code Above + 위에 코드 삽입 + + + Insert Code Below + 아래에 코드 삽입 + + + Insert Text Above + 위에 텍스트 삽입 + + + Insert Text Below + 아래에 텍스트 삽입 + + + Collapse Cell + 셀 축소 + + + Expand Cell + 셀 확장 + + + Make parameter cell + 매개 변수 셀 만들기 + + + Remove parameter cell + 매개 변수 셀 제거 + + + Clear Result + 결과 지우기 + + + + + + + Add cell + 셀 추가 + + + Code cell + 코드 셀 + + + Text cell + 텍스트 셀 + + + Move cell down + 아래로 셀 이동 + + + Move cell up + 위로 셀 이동 + + + Delete + 삭제 + + + Add cell + 셀 추가 + + + Code cell + 코드 셀 + + + Text cell + 텍스트 셀 + + + + + + + Parameters + 매개 변수 + + + + + + + Please select active cell and try again + 활성 셀을 선택하고 다시 시도하세요. + + + Run cell + 셀 실행 + + + Cancel execution + 실행 취소 + + + Error on last run. Click to run again + 마지막 실행 시 오류가 발생했습니다. 다시 실행하려면 클릭하세요. + + + + + + + Expand code cell contents + 코드 셀 콘텐츠 확장 + + + Collapse code cell contents + 코드 셀 콘텐츠 축소 + + + + + + + Bold + 굵게 + + + Italic + 기울임꼴 + + + Underline + 밑줄 + + + Highlight + 강조 표시 + + + Code + 코드 + + + Link + 링크 + + + List + 목록 + + + Ordered list + 순서가 지정된 목록 + + + Image + 이미지 + + + Markdown preview toggle - off + Markdown 미리 보기 토글 - 끄기 + + + Heading + 제목 + + + Heading 1 + 제목 1 + + + Heading 2 + 제목 2 + + + Heading 3 + 제목 3 + + + Paragraph + 단락 + + + Insert link + 링크 삽입 + + + Insert image + 이미지 삽입 + + + Rich Text View + 서식 있는 텍스트 보기 + + + Split View + 분할 보기 + + + Markdown View + Markdown 보기 + + + + + + + No {0}renderer could be found for output. It has the following MIME types: {1} + 출력의 {0}렌더러를 찾을 수 없습니다. MIME 형식이 {1}입니다. + + + safe + 안전 + + + No component could be found for selector {0} + 선택기 {0}에 대한 구성 요소를 찾을 수 없습니다. + + + Error rendering component: {0} + 구성 요소 {0} 렌더링 중 오류 발생 + + + + + + + Click on + 코드 또는 텍스트 셀을 추가하려면 + + + + Code + + 코드 + + + or + 또는 + + + + Text + + 텍스트 + + + to add a code or text cell + 클릭 + + + Add a code cell + 코드 셀 추가 + + + Add a text cell + 텍스트 셀 추가 + + + + + + + StdIn: + StdIn: + + + + + + + <i>Double-click to edit</i> + <i>편집하려면 두 번 클릭</i> + + + <i>Add content here...</i> + <i>여기에 콘텐츠를 추가...</i> + + + + + + + Find + 찾기 + + + Find + 찾기 + + + Previous match + 이전 검색 결과 + + + Next match + 다음 검색 결과 + + + Close + 닫기 + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + 많은 수의 검색 결과가 반환되었습니다. 처음 999개의 일치 항목만 강조 표시됩니다. + + + {0} of {1} + {0}/{1} + + + No Results + 결과 없음 + + + + + + + Add code + 코드 추가 + + + Add text + 텍스트 추가 + + + Create File + 파일 만들기 + + + Could not display contents: {0} + 내용 {0}을(를) 표시할 수 없습니다. + + + Add cell + 셀 추가 + + + Code cell + 코드 셀 + + + Text cell + 텍스트 셀 + + + Run all + 모두 실행 + + + Cell + + + + Code + 코드 + + + Text + 텍스트 + + + Run Cells + 셀 실행 + + + < Previous + < 이전 + + + Next > + 다음 > + + + cell with URI {0} was not found in this model + 이 모델에서 URI가 {0}인 셀을 찾을 수 없습니다. + + + Run Cells failed - See error in output of the currently selected cell for more information. + 셀 실행 실패 - 자세한 내용은 현재 선택한 셀의 출력 오류를 참조하세요. + + + + + + + New Notebook + 새 Notebook + + + New Notebook + 새 Notebook + + + Set Workspace And Open + 작업 영역 설정 및 열기 + + + SQL kernel: stop Notebook execution when error occurs in a cell. + SQL 커널: 셀에서 오류가 발생하면 Notebook 실행을 중지합니다. + + + (Preview) show all kernels for the current notebook provider. + (미리 보기) 현재 Notebook 공급자의 모든 커널을 표시합니다. + + + Allow notebooks to run Azure Data Studio commands. + Notebook이 Azure Data Studio 명령을 실행하도록 허용합니다. + + + Enable double click to edit for text cells in notebooks + 두 번 클릭을 사용하여 Notebook에서 텍스트 셀 편집 + + + Text is displayed as Rich Text (also known as WYSIWYG). + 텍스트는 서식 있는 텍스트로 표시됩니다(이 텍스트는 WYSIWYG라고도 함). + + + Markdown is displayed on the left, with a preview of the rendered text on the right. + Markdown은 왼쪽에 표시되고, 오른쪽에는 렌더링된 텍스트의 미리 보기가 표시됩니다. + + + Text is displayed as Markdown. + 텍스트가 Markdown으로 표시됩니다. + + + The default editing mode used for text cells + 텍스트 셀에 사용되는 기본 편집 모드 + + + (Preview) Save connection name in notebook metadata. + (미리 보기) 연결 이름을 Notebook 메타데이터에 저장합니다. + + + Controls the line height used in the notebook markdown preview. This number is relative to the font size. + Notebook markdown 미리 보기에서 사용되는 줄 높이를 제어합니다. 해당 숫자는 글꼴 크기에 상대적입니다. + + + (Preview) Show rendered notebook in diff editor. + (미리 보기) diff 편집기에서 렌더링된 전자 필기장을 표시합니다. + + + The maximum number of changes stored in the undo history for the notebook Rich Text editor. + 전자 필기장 서식 있는 텍스트 편집기의 실행 취소 기록에 저장된 최대 변경 내용 수입니다. + + + Search Notebooks + Notebook 검색 + + + Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). + 전체 텍스트 검색 및 빠른 열기에서 glob 패턴을 구성하여 파일 및 폴더를 제외합니다. `#files.exclude#` 설정에서 모든 glob 패턴을 상속합니다. [여기](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)에서 glob 패턴에 대해 자세히 알아보세요. + + + The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. + 파일 경로를 일치시킬 GLOB 패턴입니다. 패턴을 사용하거나 사용하지 않도록 설정하려면 true 또는 false로 설정하세요. + + + Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. + 일치하는 파일의 형제에 대한 추가 검사입니다. $(basename)을 일치하는 파일 이름에 대한 변수로 사용하세요. + + + This setting is deprecated and now falls back on "search.usePCRE2". + 이 설정은 사용되지 않으며 이제 "search.usePCRE2"로 대체됩니다. + + + Deprecated. Consider "search.usePCRE2" for advanced regex feature support. + 사용되지 않습니다. 고급 regex 기능을 지원하려면 "search.usePCRE2"를 사용해 보세요. + + + When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. + 사용하도록 설정하면 searchService 프로세스가 1시간의 비활성 상태 이후 종료되지 않고 계속 유지됩니다. 메모리에 파일 검색 캐시가 유지됩니다. + + + Controls whether to use `.gitignore` and `.ignore` files when searching for files. + 파일을 검색할 때 '.gitignore' 파일 및 '.ignore' 파일을 사용할지 여부를 제어합니다. + + + Controls whether to use global `.gitignore` and `.ignore` files when searching for files. + 파일을 검색할 때 전역 '.gitignore' 및 '.ignore' 파일을 사용할지 여부를 제어합니다. + + + Whether to include results from a global symbol search in the file results for Quick Open. + Quick Open에 대한 파일 결과에 전역 기호 검색 결과를 포함할지 여부입니다. + + + Whether to include results from recently opened files in the file results for Quick Open. + Quick Open에 대한 파일 결과에 최근에 연 파일의 결과를 포함할지 여부입니다. + + + History entries are sorted by relevance based on the filter value used. More relevant entries appear first. + 기록 항목은 사용된 필터 값을 기준으로 관련성별로 정렬됩니다. 관련성이 더 높은 항목이 먼저 표시됩니다. + + + History entries are sorted by recency. More recently opened entries appear first. + 기록이 최신순으로 정렬됩니다. 가장 최근에 열람한 항목부터 표시됩니다. + + + Controls sorting order of editor history in quick open when filtering. + 필터링할 때 빠른 열기에서 편집기 기록의 정렬 순서를 제어합니다. + + + Controls whether to follow symlinks while searching. + 검색하는 동안 symlink를 누를지 여부를 제어합니다. + + + Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. + 패턴이 모두 소문자인 경우 대/소문자를 구분하지 않고 검색하고, 그렇지 않으면 대/소문자를 구분하여 검색합니다. + + + Controls whether the search view should read or modify the shared find clipboard on macOS. + macOS에서 검색 보기가 공유 클립보드 찾기를 읽거나 수정할지 여부를 제어합니다. + + + Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. + 검색을 사이드바의 보기로 표시할지 또는 가로 간격을 늘리기 위해 패널 영역의 패널로 표시할지를 제어합니다. + + + This setting is deprecated. Please use the search view's context menu instead. + 이 설정은 더 이상 사용되지 않습니다. 대신 검색 보기의 컨텍스트 메뉴를 사용하세요. + + + Files with less than 10 results are expanded. Others are collapsed. + 결과가 10개 미만인 파일이 확장됩니다. 다른 파일은 축소됩니다. + + + Controls whether the search results will be collapsed or expanded. + 검색 결과를 축소 또는 확장할지 여부를 제어합니다. + + + Controls whether to open Replace Preview when selecting or replacing a match. + 일치하는 항목을 선택하거나 바꿀 때 미리 보기 바꾸기를 열지 여부를 제어합니다. + + + Controls whether to show line numbers for search results. + 검색 결과의 줄 번호를 표시할지 여부를 제어합니다. + + + Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. + 텍스트 검색에서 PCRE2 regex 엔진을 사용할지 여부입니다. 사용하도록 설정하면 lookahead 및 backreferences와 같은 몇 가지 고급 regex 기능을 사용할 수 있습니다. 하지만 모든 PCRE2 기능이 지원되지는 않으며, JavaScript에서도 지원되는 기능만 지원됩니다. + + + Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. + 사용되지 않습니다. PCRE2는 PCRE2에서만 지원하는 regex 기능을 사용할 경우 자동으로 사용됩니다. + + + Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. + 검색 보기가 좁을 때는 오른쪽에, 그리고 검색 보기가 넓을 때는 콘텐츠 바로 뒤에 작업 모음을 배치합니다. + + + Always position the actionbar to the right. + 작업 모음을 항상 오른쪽에 배치합니다. + + + Controls the positioning of the actionbar on rows in the search view. + 검색 보기에서 행의 작업 모음 위치를 제어합니다. + + + Search all files as you type. + 입력할 때 모든 파일을 검색합니다. + + + Enable seeding search from the word nearest the cursor when the active editor has no selection. + 활성 편집기에 선택 항목이 없을 경우 커서에 가장 가까운 단어에서 시드 검색을 사용합니다. + + + Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. + 검색 보기에 포커스가 있을 때 작업 영역 검색 쿼리를 편집기의 선택한 텍스트로 업데이트합니다. 이 동작은 클릭 시 또는 `workbench.views.search.focus` 명령을 트리거할 때 발생합니다. + + + When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. + '#search.searchOnType#'이 활성화되면 입력되는 문자와 검색 시작 사이의 시간 시간을 밀리초 단위로 제어합니다. 'search.searchOnType'을 사용하지 않도록 설정하면 아무런 효과가 없습니다. + + + Double clicking selects the word under the cursor. + 두 번 클릭하면 커서 아래에 있는 단어가 선택됩니다. + + + Double clicking opens the result in the active editor group. + 두 번 클릭하면 활성 편집기 그룹에 결과가 열립니다. + + + Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. + 두 번 클릭하면 측면의 편집기 그룹에 결과가 열리고, 편집기 그룹이 없으면 새로 만듭니다. + + + Configure effect of double clicking a result in a search editor. + 검색 편집기에서 결과를 두 번 클릭하는 효과를 구성합니다. + + + Results are sorted by folder and file names, in alphabetical order. + 결과는 폴더 및 파일 이름의 알파벳 순으로 정렬됩니다. + + + Results are sorted by file names ignoring folder order, in alphabetical order. + 결과는 폴더 순서를 무시하고 파일 이름별 알파벳 순으로 정렬됩니다. + + + Results are sorted by file extensions, in alphabetical order. + 결과는 파일 확장자의 알파벳 순으로 정렬됩니다. + + + Results are sorted by file last modified date, in descending order. + 결과는 파일을 마지막으로 수정한 날짜의 내림차순으로 정렬됩니다. + + + Results are sorted by count per file, in descending order. + 결과는 파일별 개수의 내림차순으로 정렬됩니다. + + + Results are sorted by count per file, in ascending order. + 결과는 파일별 개수의 오름차순으로 정렬됩니다. + + + Controls sorting order of search results. + 검색 결과의 정렬 순서를 제어합니다. + + + + + + + Loading kernels... + 커널을 로드하는 중... + + + Changing kernel... + 커널을 변경하는 중... + + + Attach to + 연결 대상 + + + Kernel + 커널 + + + Loading contexts... + 컨텍스트를 로드하는 중... + + + Change Connection + 연결 변경 + + + Select Connection + 연결 선택 + + + localhost + localhost + + + No Kernel + 커널 없음 + + + This notebook cannot run with parameters as the kernel is not supported. Please use the supported kernels and format. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + 커널이 지원되지 않으므로 이 전자 필기장을 매개 변수로 실행할 수 없습니다. 지원되는 커널 및 형식을 사용하세요. [자세한 정보] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + This notebook cannot run with parameters until a parameter cell is added. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + 이 전자 필기장은 매개 변수 셀이 추가될 때까지 매개 변수를 사용하여 실행할 수 없습니다. [자세히 알아보기] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + This notebook cannot run with parameters until there are parameters added to the parameter cell. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + 매개 변수 셀에 추가된 매개 변수가 있을 때까지 이 전자 필기장을 매개 변수로 실행할 수 없습니다. [자세한 정보] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + Clear Results + 결과 지우기 + + + Trusted + 신뢰할 수 있음 + + + Not Trusted + 신뢰할 수 없음 + + + Collapse Cells + 셀 축소 + + + Expand Cells + 셀 확장 + + + Run with Parameters + 매개 변수를 사용하여 실행 + + + None + 없음 + + + New Notebook + 새 Notebook + + + Find Next String + 다음 문자열 찾기 + + + Find Previous String + 이전 문자열 찾기 + + + + + + + Notebook Editor + Notebook Editor + + + + + + + Search Results + 검색 결과 + + + Search path not found: {0} + 검색 경로를 찾을 수 없음: {0} + + + Notebooks + Notebook + + + + + + + You have not opened any folder that contains notebooks/books. + Notebook/Book이 포함된 폴더를 열지 않았습니다. + + + Open Notebooks + Notebook 열기 + + + The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. + 결과 집합에는 모든 일치 항목의 하위 집합만 포함됩니다. 결과 범위를 좁히려면 검색을 더 세분화하세요. + + + Search in progress... - + 검색 진행 중... - + + + No results found in '{0}' excluding '{1}' - + '{0}'에 '{1}'을(를) 제외한 결과 없음 - + + + No results found in '{0}' - + '{0}'에 결과 없음 - + + + No results found excluding '{0}' - + '{0}'을(를) 제외하는 결과가 없음 - + + + No results found. Review your settings for configured exclusions and check your gitignore files - + 결과가 없습니다. 구성된 제외에 대한 설정을 검토하고 gitignore 파일을 확인하세요. - + + + Search again + 다시 검색 + + + Search again in all files + 모든 파일에서 다시 검색 + + + Open Settings + 설정 열기 + + + Search returned {0} results in {1} files + 검색에서 {1}개의 파일에 {0}개의 결과를 반환했습니다. + + + Toggle Collapse and Expand + 축소 및 확장 전환 + + + Cancel Search + 검색 취소 + + + Expand All + 모두 확장 + + + Collapse All + 모두 축소 + + + Clear Search Results + 검색 결과 지우기 + + + + + + + Search: Type Search Term and press Enter to search or Escape to cancel + 검색: 검색어를 입력하고 Enter 키를 눌러서 검색하세요. 취소하려면 Esc 키를 누르세요. + + + Search + 검색 + + + + + + + cell with URI {0} was not found in this model + 이 모델에서 URI가 {0}인 셀을 찾을 수 없습니다. + + + Run Cells failed - See error in output of the currently selected cell for more information. + 셀 실행 실패 - 자세한 내용은 현재 선택한 셀의 출력 오류를 참조하세요. + + + + + + + Please run this cell to view outputs. + 출력을 보려면 이 셀을 실행하세요. + + + + + + + This view is empty. Add a cell to this view by clicking the Insert Cells button. + 이 보기는 비어 있습니다. 셀 삽입 단추를 클릭하여 이 보기에 셀을 추가합니다. + + + + + + + Copy failed with error {0} + {0} 오류를 나타내며 복사 실패 + + + Show chart + 차트 표시 + + + Show table + 테이블 표시 + + + + + + + No {0} renderer could be found for output. It has the following MIME types: {1} + 출력의 {0} 렌더러를 찾을 수 없습니다. MIME 형식이 {1}입니다. + + + (safe) + (안전) + + + + + + + Error displaying Plotly graph: {0} + 플롯 그래프 {0}을(를) 표시하는 동안 오류가 발생했습니다. + + + + + + + No connections found. + 연결이 없습니다. + + + Add Connection + 연결 추가 + + + + + + + Server Group color palette used in the Object Explorer viewlet. + 개체 탐색기 뷰렛에서 사용되는 서버 그룹 색상표입니다. + + + Auto-expand Server Groups in the Object Explorer viewlet. + 개체 탐색기 뷰렛에서 서버 그룹을 자동으로 확장합니다. + + + (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. + (미리 보기) 동적 노드 필터링과 같은 새로운 기능 지원을 사용하여 서버 보기 및 연결 대화 상자에 새 비동기 서버 트리를 사용합니다. + + + + + + + Data + 데이터 + + + Connection + 연결 + + + Query Editor + 쿼리 편집기 + + + Notebook + Notebook + + + Dashboard + 대시보드 + + + Profiler + Profiler + + + Built-in Charts + 기본 제공 차트 + + + + + + + Specifies view templates + 뷰 템플릿 지정 + + + Specifies session templates + 세션 템플릿 지정 + + + Profiler Filters + Profiler 필터 + + + + + + + Connect + 연결 + + + Disconnect + 연결 끊기 + + + Start + 시작 + + + New Session + 새 세션 + + + Pause + 일시 중지 + + + Resume + 재개 + + + Stop + 중지 + + + Clear Data + 데이터 지우기 + + + Are you sure you want to clear the data? + 데이터를 지우시겠습니까? + + + Yes + + + + No + 아니요 + + + Auto Scroll: On + 자동 스크롤: 켜기 + + + Auto Scroll: Off + 자동 스크롤: 끄기 + + + Toggle Collapsed Panel + 축소된 패널로 전환 + + + Edit Columns + 열 편집 + + + Find Next String + 다음 문자열 찾기 + + + Find Previous String + 이전 문자열 찾기 + + + Launch Profiler + Profiler 시작 + + + Filter… + 필터... + + + Clear Filter + 필터 지우기 + + + Are you sure you want to clear the filters? + 필터를 지우시겠습니까? + + + + + + + Select View + 뷰 선택 + + + Select Session + 세션 선택 + + + Select Session: + 세션 선택: + + + Select View: + 뷰 선택: + + + Text + 텍스트 + + + Label + 레이블 + + + Value + + + + Details + 세부 정보 + + + + + + + Find + 찾기 + + + Find + 찾기 + + + Previous match + 이전 검색 결과 + + + Next match + 다음 검색 결과 + + + Close + 닫기 + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + 많은 수의 검색 결과가 반환되었습니다. 처음 999개의 일치 항목만 강조 표시됩니다. + + + {0} of {1} + {0}/{1} + + + No Results + 결과 없음 + + + + + + + Profiler editor for event text. Readonly + 이벤트 텍스트의 Profiler 편집기. 읽기 전용 + + + + + + + Events (Filtered): {0}/{1} + 이벤트(필터링됨): {0}/{1} + + + Events: {0} + 이벤트: {0} + + + Event Count + 이벤트 수 + + + + + + + Save As CSV + CSV로 저장 + + + Save As JSON + JSON으로 저장 + + + Save As Excel + Excel로 저장 + + + Save As XML + XML로 저장 + + + Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. + JSON으로 내보낼 때 결과 인코딩이 저장되지 않습니다. 파일이 만들어지면 원하는 인코딩으로 저장해야 합니다. + + + Save to file is not supported by the backing data source + 백업 데이터 원본에서 파일로 저장하도록 지원하지 않습니다. + + + Copy + 복사 + + + Copy With Headers + 복사(머리글 포함) + + + Select All + 모두 선택 + + + Maximize + 최대화 + + + Restore + 복원 + + + Chart + 차트 + + + Visualizer + 시각화 도우미 + + + + + + + Choose SQL Language + SQL 언어 선택 + + + Change SQL language provider + SQL 언어 공급자 변경 + + + SQL Language Flavor + SQL 언어 버전 + + + Change SQL Engine Provider + SQL 엔진 공급자 변경 + + + A connection using engine {0} exists. To change please disconnect or change connection + {0} 엔진을 사용하는 연결이 존재합니다. 변경하려면 연결을 끊거나 연결을 변경하세요. + + + No text editor active at this time + 현재 활성 텍스트 편집기 없음 + + + Select Language Provider + 언어 공급자 선택 + + + + + + + XML Showplan + XML 실행 계획 + + + Results grid + 결과 표 + + + Max row count for filtering/sorting has been exceeded. To update it, you can go to User Settings and change the setting: 'queryEditor.results.inMemoryDataProcessingThreshold' + 필터링/정렬에 대한 최대 행 수가 초과되었습니다. 업데이트하려면 사용자 설정으로 이동하여 'queryEditor.results.inMemoryDataProcessingThreshold' 설정을 변경할 수 있습니다. + + + + + + + Focus on Current Query + 현재 쿼리에 포커스 + + + Run Query + 쿼리 실행 + + + Run Current Query + 현재 쿼리 실행 + + + Copy Query With Results + 결과와 함께 쿼리 복사 + + + Successfully copied query and results. + 쿼리 및 결과를 복사했습니다. + + + Run Current Query with Actual Plan + 실제 계획에 따라 현재 쿼리 실행 + + + Cancel Query + 쿼리 취소 + + + Refresh IntelliSense Cache + IntelliSense 캐시 새로 고침 + + + Toggle Query Results + 쿼리 결과 전환 + + + Toggle Focus Between Query And Results + 쿼리와 결과 간 포커스 전환 + + + Editor parameter is required for a shortcut to be executed + 바로 가기를 실행하려면 편집기 매개 변수가 필요합니다. + + + Parse Query + 쿼리 구문 분석 + + + Commands completed successfully + 명령을 완료했습니다. + + + Command failed: + 명령 실패: + + + Please connect to a server + 서버에 연결하세요. + + + + + + + Message Panel + 메시지 패널 + + + Copy + 복사 + + + Copy All + 모두 복사 + + + + + + + Query Results + 쿼리 결과 + + + New Query + 새 쿼리 + + + Query Editor + 쿼리 편집기 + + + When true, column headers are included when saving results as CSV + true이면 결과를 CSV로 저장할 때 열 머리글이 포함됩니다. + + + The custom delimiter to use between values when saving as CSV + CSV로 저장할 때 값 사이에 사용할 사용자 지정 구분 기호 + + + Character(s) used for seperating rows when saving results as CSV + 결과를 CSV로 저장할 때 행을 분리하는 데 사용하는 문자 + + + Character used for enclosing text fields when saving results as CSV + 결과를 CSV로 저장할 때 텍스트 필드를 묶는 데 사용하는 문자 + + + File encoding used when saving results as CSV + 결과를 CSV로 저장할 때 사용되는 파일 인코딩 + + + When true, XML output will be formatted when saving results as XML + true이면 결과를 XML로 저장할 때 XML 출력에 형식이 지정됩니다. + + + File encoding used when saving results as XML + 결과를 XML로 저장할 때 사용되는 파일 인코딩 + + + Enable results streaming; contains few minor visual issues + 결과 스트리밍을 사용하도록 설정합니다. 몇 가지 사소한 시각적 문제가 있습니다. + + + Configuration options for copying results from the Results View + 결과 뷰에서 결과를 복사하기 위한 구성 옵션 + + + Configuration options for copying multi-line results from the Results View + 결과 뷰에서 여러 줄 결과를 복사하기 위한 구성 옵션 + + + (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. + (실험적) 결과에 최적화된 테이블을 사용합니다. 일부 기능이 누락되거나 작동 중입니다. + + + Controls the max number of rows allowed to do filtering and sorting in memory. If the number is exceeded, sorting and filtering will be disabled. Warning: Increasing this may impact performance. + 메모리에서 필터링 및 정렬할 수 있는 최대 행 수를 제어합니다. 숫자를 초과하는 경우 정렬과 필터링이 비활성화됩니다. 경고: 이 항목을 늘리면 성능에 영향을 미칠 수 있습니다. + + + Whether to open the file in Azure Data Studio after the result is saved. + 결과를 저장한 후 Azure Data Studio의 파일을 열지 여부입니다. + + + Should execution time be shown for individual batches + 개별 일괄 처리에 대한 실행 시간 표시 여부 + + + Word wrap messages + 메시지 자동 줄 바꿈 + + + The default chart type to use when opening Chart Viewer from a Query Results + 쿼리 결과에서 차트 뷰어를 열 때 사용할 기본 차트 유형 + + + Tab coloring will be disabled + 탭 색 지정이 사용하지 않도록 설정됩니다. + + + The top border of each editor tab will be colored to match the relevant server group + 각 편집기 탭의 상단 테두리는 관련 서버 그룹과 일치하도록 칠해집니다. + + + Each editor tab's background color will match the relevant server group + 각 편집기 탭의 배경색이 관련 서버 그룹과 일치합니다. + + + Controls how to color tabs based on the server group of their active connection + 활성 연결의 서버 그룹을 기준으로 탭 색상 지정 방법을 제어합니다. + + + Controls whether to show the connection info for a tab in the title. + 제목에 있는 탭에 연결 정보를 표시할지 여부를 제어합니다. + + + Prompt to save generated SQL files + 생성된 SQL 파일 저장 여부 확인 + + + Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call or query execution. Any selected text in the query editor will be passed as a parameter at the end of your query, or you can reference it with {arg} + keybinding workbench.action.query.shortcut{0}를 설정하여 프로시저 호출 또는 쿼리 실행으로 바로 가기 텍스트를 실행합니다. 쿼리 편집기에서 선택한 모든 텍스트는 쿼리 끝에 매개 변수로 전달되거나 {arg}로 참조할 수 있습니다. + + + + + + + New Query + 새 쿼리 + + + Run + 실행 + + + Cancel + 취소 + + + Explain + 설명 + + + Actual + 실제 + + + Disconnect + 연결 끊기 + + + Change Connection + 연결 변경 + + + Connect + 연결 + + + Enable SQLCMD + SQLCMD 사용 + + + Disable SQLCMD + SQLCMD 사용 안 함 + + + Select Database + 데이터베이스 선택 + + + Failed to change database + 데이터베이스를 변경하지 못함 + + + Failed to change database: {0} + 데이터베이스 {0}을(를) 변경하지 못함 + + + Export as Notebook + Notebook으로 내보내기 + + + + + + + Query Editor + Query Editor + + + + + + + Results + 결과 + + + Messages + 메시지 + + + + + + + Time Elapsed + 경과 시간 + + + Row Count + 행 개수 + + + {0} rows + {0}개의 행 + + + Executing query... + 쿼리를 실행하는 중... + + + Execution Status + 실행 상태 + + + Selection Summary + 선택 요약 + + + Average: {0} Count: {1} Sum: {2} + 평균: {0} 개수: {1} 합계: {2} + + + + + + + Results Grid and Messages + 결과 표 및 메시지 + + + Controls the font family. + 글꼴 패밀리를 제어합니다. + + + Controls the font weight. + 글꼴 두께를 제어합니다. + + + Controls the font size in pixels. + 글꼴 크기(픽셀)를 제어합니다. + + + Controls the letter spacing in pixels. + 문자 간격(픽셀)을 제어합니다. + + + Controls the row height in pixels + 행 높이(픽셀)를 제어합니다. + + + Controls the cell padding in pixels + 셀 안쪽 여백(픽셀)을 제어합니다. + + + Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells + 초기 결과의 열 너비를 자동으로 조정합니다. 열 개수가 많거나 셀이 크면 성능 문제가 발생할 수 있습니다. + + + The maximum width in pixels for auto-sized columns + 자동으로 크기가 조정되는 열의 최대 너비(픽셀) + + + + + + + Toggle Query History + 쿼리 기록 전환 + + + Delete + 삭제 + + + Clear All History + 모든 기록 지우기 + + + Open Query + 쿼리 열기 + + + Run Query + 쿼리 실행 + + + Toggle Query History capture + 쿼리 기록 캡처 전환 + + + Pause Query History Capture + 쿼리 기록 캡처 일시 중지 + + + Start Query History Capture + 쿼리 기록 캡처 시작 + + + + + + + succeeded + 성공 + + + failed + 실패 + + + + + + + No queries to display. + 표시할 쿼리가 없습니다. + + + Query History + QueryHistory + 쿼리 기록 + + + + + + + QueryHistory + QueryHistory + + + Whether Query History capture is enabled. If false queries executed will not be captured. + 쿼리 기록 캡처가 사용하도록 설정되어 있는지 여부입니다. false이면 실행된 쿼리가 캡처되지 않습니다. + + + Clear All History + 모든 기록 지우기 + + + Pause Query History Capture + 쿼리 기록 캡처 일시 중지 + + + Start Query History Capture + 쿼리 기록 캡처 시작 + + + View + 보기 + + + &&Query History + && denotes a mnemonic + 쿼리 기록(&Q) + + + Query History + 쿼리 기록 + + + + + + + Query Plan + 쿼리 계획 + + + + + + + Query Plan Editor + Query Plan Editor + + + + + + + Operation + 작업 + + + Object + 개체 + + + Est Cost + 예상 비용 + + + Est Subtree Cost + 예상 하위 트리 비용 + + + Actual Rows + 실제 행 수 + + + Est Rows + 예상 행 수 + + + Actual Executions + 실제 실행 수 + + + Est CPU Cost + 예상 CPU 비용 + + + Est IO Cost + 예상 입출력 비용 + + + Parallel + 병렬 + + + Actual Rebinds + 실제 다시 바인딩 횟수 + + + Est Rebinds + 예상 다시 바인딩 횟수 + + + Actual Rewinds + 실제 되감기 횟수 + + + Est Rewinds + 예상 되감기 횟수 + + + Partitioned + 분할됨 + + + Top Operations + 상위 작업 + + + + + + + Resource Viewer + 리소스 뷰어 + + + + + + + Refresh + 새로 고침 + + + + + + + Error opening link : {0} + 링크를 여는 동안 오류 발생: {0} + + + Error executing command '{0}' : {1} + '{0}' 명령을 실행하는 동안 오류 발생: {1} + + + + + + + Resource Viewer Tree + 리소스 뷰어 트리 + + + + + + + Identifier of the resource. + 리소스 식별자입니다. + + + The human-readable name of the view. Will be shown + 사용자가 읽을 수 있는 뷰 이름입니다. 표시됩니다. + + + Path to the resource icon. + 리소스 아이콘의 경로입니다. + + + Contributes resource to the resource view + 리소스 뷰에 리소스 제공 + + + property `{0}` is mandatory and must be of type `string` + 속성 '{0}'은(는) 필수이며 'string' 형식이어야 합니다. + + + property `{0}` can be omitted or must be of type `string` + 속성 '{0}'은(는) 생략할 수 있으며 'string' 형식이어야 합니다. + + + + + + + Restore + 복원 + + + Restore + 복원 + + + + + + + You must enable preview features in order to use restore + 복원을 사용하려면 미리 보기 기능을 사용하도록 설정해야 합니다. + + + Restore command is not supported outside of a server context. Please select a server or database and try again. + 복원 명령은 서버 컨텍스트 외부에서 지원되지 않습니다. 서버 또는 데이터베이스를 선택하고 다시 시도하세요. + + + Restore command is not supported for Azure SQL databases. + Azure SQL Database에 대해 복원 명령이 지원되지 않습니다. + + + Restore + 복원 + + + + + + + Script as Create + Create로 스크립트 + + + Script as Drop + Drop으로 스크립트 + + + Select Top 1000 + 상위 1,000개 선택 + + + Script as Execute + Execute로 스크립트 + + + Script as Alter + Alter로 스크립트 + + + Edit Data + 데이터 편집 + + + Select Top 1000 + 상위 1,000개 선택 + + + Take 10 + Take 10 + + + Script as Create + Create로 스크립트 + + + Script as Execute + Execute로 스크립트 + + + Script as Alter + Alter로 스크립트 + + + Script as Drop + Drop으로 스크립트 + + + Refresh + 새로 고침 + + + + + + + An error occurred refreshing node '{0}': {1} + '{0}' 노드를 새로 고치는 동안 오류가 발생했습니다. {1} + + + + + + + {0} in progress tasks + 진행 중인 작업 {0}개 + + + View + 보기 + + + Tasks + 작업 + + + &&Tasks + && denotes a mnemonic + 작업(&T) + + + + + + + Toggle Tasks + 작업 토글 + + + + + + + succeeded + 성공 + + + failed + 실패 + + + in progress + 진행 중 + + + not started + 시작되지 않음 + + + canceled + 취소됨 + + + canceling + 취소 중 + + + + + + + No task history to display. + 표시할 작업 기록이 없습니다. + + + Task history + TaskHistory + 작업 기록 + + + Task error + 작업 오류 + + + + + + + Cancel + 취소 + + + The task failed to cancel. + 작업을 취소하지 못했습니다. + + + Script + 스크립트 + + + + + + + There is no data provider registered that can provide view data. + 보기 데이터를 제공할 수 있는 등록된 데이터 공급자가 없습니다. + + + Refresh + 새로 고침 + + + Collapse All + 모두 축소 + + + Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. + 오류 실행 명령 {1}: {0}. 이는 {1}을(를) 제공하는 확장으로 인해 발생할 수 있습니다. + + + + + + + OK + 확인 + + + Close + 닫기 + + + + + + + Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? + 미리 보기 기능을 사용하면 새로운 기능 및 개선 사항에 대한 모든 권한을 제공함으로써 Azure Data Studio에서 환경이 개선됩니다. [여기]({0})에서 미리 보기 기능에 관해 자세히 알아볼 수 있습니다. 미리 보기 기능을 사용하시겠습니까? + + + Yes (recommended) + 예(추천) + + + No + 아니요 + + + No, don't show again + 아니요, 다시 표시 안 함 + + + + + + + This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. + 이 기능 페이지는 미리 보기로 제공됩니다. 미리 보기 기능은 제품에 영구적으로 포함될 예정인 새로운 기능을 도입합니다. 이와 같은 기능은 안정적이지만 접근성 측면에서 추가적인 개선이 필요합니다. 해당 기능이 개발되는 동안 초기 피드백을 주시면 감사하겠습니다. + + + Preview + 미리 보기 + + + Create a connection + 연결 만들기 + + + Connect to a database instance through the connection dialog. + 연결 대화 상자를 통해 데이터베이스 인스턴스에 연결합니다. + + + Run a query + 쿼리 실행 + + + Interact with data through a query editor. + 쿼리 편집기를 통해 데이터와 상호 작용합니다. + + + Create a notebook + Notebook 만들기 + + + Build a new notebook using a native notebook editor. + 네이티브 Notebook 편집기를 사용하여 새 Notebook을 빌드합니다. + + + Deploy a server + 서버 배포 + + + Create a new instance of a relational data service on the platform of your choice. + 선택한 플랫폼에서 관계형 데이터 서비스의 새 인스턴스를 만듭니다. + + + Resources + 리소스 + + + History + 기록 + + + Name + 이름 + + + Location + 위치 + + + Show more + 자세히 표시 + + + Show welcome page on startup + 시작 시 시작 페이지 표시 + + + Useful Links + 유용한 링크 + + + Getting Started + 시작 + + + Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. + Azure Data Studio에서 제공하는 기능을 검색하고 기능을 최대한 활용하는 방법을 알아봅니다. + + + Documentation + 설명서 + + + Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. + PowerShell, API 등의 빠른 시작, 방법 가이드, 참조 자료를 보려면 설명서 센터를 방문합니다. + + + Videos + 비디오 + + + Overview of Azure Data Studio + Azure Data Studio 개요 + + + Introduction to Azure Data Studio Notebooks | Data Exposed + Azure Data Studio Notebook 소개 | 데이터 공개됨 + + + Extensions + 확장 + + + Show All + 모두 표시 + + + Learn more + 자세한 정보 + + + + + + + Connections + 연결 + + + Connect, query, and manage your connections from SQL Server, Azure, and more. + SQL Server, Azure 등에서 연결을 연결, 쿼리 및 관리합니다. + + + 1 + 1 + + + Next + 다음 + + + Notebooks + Notebook + + + Get started creating your own notebook or collection of notebooks in a single place. + 한 곳에서 사용자 Notebook 또는 Notebook 컬렉션을 만드는 작업을 시작합니다. + + + 2 + 2 + + + Extensions + 확장 + + + Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). + Microsoft 및 타사 커뮤니티에서 개발한 확장을 설치하여 Azure Data Studio 기능을 확장합니다. + + + 3 + 3 + + + Settings + 설정 + + + Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. + 기본 설정에 따라 Azure Data Studio를 사용자 지정합니다. 자동 저장 및 탭 크기 같은 설정을 구성하고, 바로 가기 키를 개인 설정하고, 원하는 색 테마로 전환할 수 있습니다. + + + 4 + 4 + + + Welcome Page + 시작 페이지 + + + Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. + 시작 페이지에서 주요 기능, 최근에 연 파일 및 추천 확장을 검색합니다. Azure Data Studio를 시작하는 방법에 관한 자세한 내용은 비디오 및 설명서를 확인하세요. + + + 5 + 5 + + + Finish + 마침 + + + User Welcome Tour + 사용자 시작 둘러보기 + + + Hide Welcome Tour + 시작 둘러보기 숨기기 + + + Read more + 자세한 정보 + + + Help + 도움말 + + + + + + + Welcome + 시작 + + + SQL Admin Pack + SQL 관리 팩 + + + SQL Admin Pack + SQL 관리 팩 + + + Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server + SQL Server 관리 팩은 SQL Server를 관리하는 데 도움이 되는 인기 있는 데이터베이스 관리 확장 컬렉션입니다. + + + SQL Server Agent + SQL Server 에이전트 + + + SQL Server Profiler + SQL Server 프로파일러 + + + SQL Server Import + SQL Server 가져오기 + + + SQL Server Dacpac + SQL Server Dacpac + + + Powershell + PowerShell + + + Write and execute PowerShell scripts using Azure Data Studio's rich query editor + Azure Data Studio에 제공되는 다양한 기능의 쿼리 편집기를 사용하여 PowerShell 스크립트 작성 및 실행 + + + Data Virtualization + 데이터 가상화 + + + Virtualize data with SQL Server 2019 and create external tables using interactive wizards + SQL Server 2019로 데이터를 가상화하고 대화형 마법사를 사용하여 외부 테이블 만들기 + + + PostgreSQL + PostgreSQL + + + Connect, query, and manage Postgres databases with Azure Data Studio + Azure Data Studio를 사용하여 Postgres 데이터베이스 연결, 쿼리 및 관리 + + + Support for {0} is already installed. + {0}에 대한 지원이 이미 설치되어 있습니다. + + + The window will reload after installing additional support for {0}. + {0}에 대한 추가 지원을 설치한 후 창이 다시 로드됩니다. + + + Installing additional support for {0}... + {0}에 대한 추가 지원을 설치하는 중... + + + Support for {0} with id {1} could not be found. + ID가 {1}인 {0}에 대한 지원을 찾을 수 없습니다. + + + New connection + 새 연결 + + + New query + 새 쿼리 + + + New notebook + 새 Notebook + + + Deploy a server + 서버 배포 + + + Welcome + 시작 + + + New + 새로 만들기 + + + Open… + 열기... + + + Open file… + 파일 열기... + + + Open folder… + 폴더 열기... + + + Start Tour + 둘러보기 시작 + + + Close quick tour bar + 빠른 둘러보기 표시줄 닫기 + + + Would you like to take a quick tour of Azure Data Studio? + Azure Data Studio를 빠르게 둘러보시겠습니까? + + + Welcome! + 환영합니다! + + + Open folder {0} with path {1} + 경로가 {1}인 {0} 폴더 열기 + + + Install + 설치 + + + Install {0} keymap + {0} 키맵 설치 + + + Install additional support for {0} + {0}에 대한 추가 지원 설치 + + + Installed + 설치됨 + + + {0} keymap is already installed + {0} 키맵이 이미 설치되어 있습니다. + + + {0} support is already installed + {0} 지원이 이미 설치되어 있습니다. + + + OK + 확인 + + + Details + 세부 정보 + + + Background color for the Welcome page. + 시작 페이지 배경색입니다. + + + + + + + Azure Data Studio + Azure Data Studio + + + Start + 시작 + + + New connection + 새 연결 + + + New query + 새 쿼리 + + + New notebook + 새 Notebook + + + Open file + 파일 열기 + + + Open file + 파일 열기 + + + Deploy + 배포 + + + New Deployment… + 새 배포... + + + Recent + 최근 항목 + + + More... + 자세히... + + + No recent folders + 최근 폴더 없음 + + + Help + 도움말 + + + Getting started + 시작 + + + Documentation + 설명서 + + + Report issue or feature request + 문제 또는 기능 요청 보고 + + + GitHub repository + GitHub 리포지토리 + + + Release notes + 릴리스 정보 + + + Show welcome page on startup + 시작 시 시작 페이지 표시 + + + Customize + 사용자 지정 + + + Extensions + 확장 + + + Download extensions that you need, including the SQL Server Admin pack and more + SQL Server 관리자 팩 등을 포함하여 필요한 확장 다운로드 + + + Keyboard Shortcuts + 바로 가기 키 + + + Find your favorite commands and customize them + 즐겨 찾는 명령을 찾아 사용자 지정 + + + Color theme + 색 테마 + + + Make the editor and your code look the way you love + 편집기 및 코드를 원하는 방식으로 표시 + + + Learn + 학습 + + + Find and run all commands + 모든 명령 찾기 및 실행 + + + Rapidly access and search commands from the Command Palette ({0}) + 명령 팔레트({0})에서 명령을 빠른 액세스 및 검색 + + + Discover what's new in the latest release + 최신 릴리스의 새로운 기능 알아보기 + + + New monthly blog posts each month showcasing our new features + 매월 새로운 기능을 보여주는 새로운 월간 블로그 게시물 + + + Follow us on Twitter + Twitter에서 팔로우 + + + Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. + 커뮤니티가 Azure Data Studio를 사용하는 방식과 엔지니어와 직접 대화하는 방법을 최신 상태로 유지하세요. + + + + + + + Accounts + 계정 + + + Linked accounts + 연결된 계정 + + + Close + 닫기 + + + There is no linked account. Please add an account. + 연결된 계정이 없습니다. 계정을 추가하세요. + + + Add an account + 계정 추가 + + + You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud + 클라우드를 사용할 수 없습니다. [설정] -> [Azure 계정 구성 검색] -> [하나 이상의 클라우드 사용]으로 이동합니다. + + + You didn't select any authentication provider. Please try again. + 인증 공급자를 선택하지 않았습니다. 다시 시도하세요. + + + + + + + Error adding account + 계정 추가 오류 + + + + + + + You need to refresh the credentials for this account. + 이 계정의 자격 증명을 새로 고쳐야 합니다. + + + + + + + Close + 닫기 + + + Adding account... + 계정 추가... + + + Refresh account was canceled by the user + 사용자가 계정 새로 고침을 취소했습니다. + + + + + + + Azure account + Azure 계정 + + + Azure tenant + Azure 테넌트 + + + + + + + Copy & Open + 복사 및 열기 + + + Cancel + 취소 + + + User code + 사용자 코드 + + + Website + 웹 사이트 + + + + + + + Cannot start auto OAuth. An auto OAuth is already in progress. + 자동 OAuth를 시작할 수 없습니다. 자동 OAuth가 이미 진행 중입니다. + + + + + + + Connection is required in order to interact with adminservice + adminservice와 상호 작용하려면 연결이 필요합니다. + + + No Handler Registered + 등록된 처리기 없음 + + + + + + + Connection is required in order to interact with Assessment Service + 평가 서비스와 상호 작용하려면 연결이 필요합니다. + + + No Handler Registered + 등록된 처리기 없음 + + + + + + + Advanced Properties + 고급 속성 + + + Discard + 삭제 + + + + + + + Server Description (optional) + 서버 설명(옵션) + + + + + + + Clear List + 목록 지우기 + + + Recent connections list cleared + 최근 연결 목록을 삭제함 + + + Yes + + + + No + 아니요 + + + Are you sure you want to delete all the connections from the list? + 목록에서 모든 연결을 삭제하시겠습니까? + + + Yes + + + + No + 아니요 + + + Delete + 삭제 + + + Get Current Connection String + 현재 연결 문자열 가져오기 + + + Connection string not available + 연결 문자열을 사용할 수 없음 + + + No active connection available + 사용 가능한 활성 연결이 없음 + + + + + + + Browse + 찾아보기 + + + Type here to filter the list + 목록을 필터링하려면 여기에 입력하세요. + + + Filter connections + 연결 필터링 + + + Applying filter + 필터 적용 + + + Removing filter + 필터 제거 + + + Filter applied + 필터가 적용됨 + + + Filter removed + 필터가 제거됨 + + + Saved Connections + 저장된 연결 + + + Saved Connections + 저장된 연결 + + + Connection Browser Tree + 연결 브라우저 트리 + + + + + + + Connection error + 연결 오류 + + + Connection failed due to Kerberos error. + Kerberos 오류로 인해 연결이 실패했습니다. + + + Help configuring Kerberos is available at {0} + Kerberos 구성 도움말이 {0}에 있습니다. + + + If you have previously connected you may need to re-run kinit. + 이전에 연결된 경우 kinit을 다시 실행해야 할 수 있습니다. + + + + + + + Connection + 연결 + + + Connecting + 연결 + + + Connection type + 연결 형식 + + + Recent + 최근 항목 + + + Connection Details + 연결 세부 정보 + + + Connect + 연결 + + + Cancel + 취소 + + + Recent Connections + 최근 연결 + + + No recent connection + 최근 연결 없음 + + + + + + + Failed to get Azure account token for connection + 연결을 위한 Azure 계정 토큰을 가져오지 못함 + + + Connection Not Accepted + 연결이 허용되지 않음 + + + Yes + + + + No + 아니요 + + + Are you sure you want to cancel this connection? + 이 연결을 취소하시겠습니까? + + + + + + + Add an account... + 계정 추가... + + + <Default> + <기본값> + + + Loading... + 로드 중... + + + Server group + 서버 그룹 + + + <Default> + <기본값> + + + Add new group... + 새 그룹 추가... + + + <Do not save> + <저장 안 함> + + + {0} is required. + {0}이(가) 필요합니다. + + + {0} will be trimmed. + {0}이(가) 잘립니다. + + + Remember password + 암호 저장 + + + Account + 계정 + + + Refresh account credentials + 계정 자격 증명 새로 고침 + + + Azure AD tenant + Azure AD 테넌트 + + + Name (optional) + 이름(옵션) + + + Advanced... + 고급... + + + You must select an account + 계정을 선택해야 합니다. + + + + + + + Connected to + 연결 대상 + + + Disconnected + 연결 끊김 + + + Unsaved Connections + 저장되지 않은 연결 + + + + + + + Open dashboard extensions + 대시보드 확장 열기 + + + OK + 확인 + + + Cancel + 취소 + + + No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. + 현재 설치된 대시보드 확장이 없습니다. 확장 관리자로 가서 권장되는 확장을 살펴보세요. + + + + + + + Step {0} + {0}단계 + + + + + + + Done + 완료 + + + Cancel + 취소 + + + + + + + Initialize edit data session failed: + 편집 데이터 세션 초기화 실패: + + + + + + + OK + 확인 + + + Close + 닫기 + + + Action + 작업 + + + Copy details + 세부 정보 복사 + + + + + + + Error + 오류 + + + Warning + 경고 + + + Info + 정보 + + + Ignore + 무시 + + + + + + + Selected path + 선택한 경로 + + + Files of type + 파일 형식 + + + OK + 확인 + + + Discard + 삭제 + + + + + + + Select a file + 파일 선택 + + + + + + + File browser tree + FileBrowserTree + 파일 브라우저 트리 + + + + + + + An error occured while loading the file browser. + 파일 브라우저를 로드하는 동안 오류가 발생했습니다. + + + File browser error + 파일 브라우저 오류 + + + + + + + All files + 모든 파일 + + + + + + + Copy Cell + 셀 복사 + + + + + + + No Connection Profile was passed to insights flyout + 인사이트 플라이아웃에 전달된 연결 프로필이 없습니다. + + + Insights error + 인사이트 오류 + + + There was an error reading the query file: + 쿼리 파일을 읽는 동안 오류가 발생했습니다. + + + There was an error parsing the insight config; could not find query array/string or queryfile + 인사이트 구성을 구문 분석하는 동안 오류가 발생했습니다. 쿼리 배열/문자열이나 쿼리 파일을 찾을 수 없습니다. + + + + + + + Item + 항목 + + + Value + + + + Insight Details + 인사이트 세부 정보 + + + Property + 속성 + + + Value + + + + Insights + 인사이트 + + + Items + 항목 + + + Item Details + 항목 세부 정보 + + + + + + + Could not find query file at any of the following paths : + {0} + 다음 경로에서 쿼리 파일을 찾을 수 없습니다. + {0} + + + + + + + Failed + 실패 + + + Succeeded + 성공 + + + Retry + 다시 시도 + + + Cancelled + 취소됨 + + + In Progress + 진행 중 + + + Status Unknown + 알 수 없는 상태 + + + Executing + 실행 중 + + + Waiting for Thread + 스레드 대기 중 + + + Between Retries + 다시 시도 대기 중 + + + Idle + 유휴 상태 + + + Suspended + 일시 중지됨 + + + [Obsolete] + [사용되지 않음] + + + Yes + + + + No + 아니요 + + + Not Scheduled + 예약되지 않음 + + + Never Run + 실행 안 함 + + + + + + + Connection is required in order to interact with JobManagementService + JobManagementService와 상호 작용하려면 연결이 필요합니다. + + + No Handler Registered + 등록된 처리기 없음 + + + + + + + SQL + SQL + + + @@ -7256,6 +6910,22 @@ Error: {1} + + + + An error occurred while starting the notebook session + Notebook 세션을 시작하는 동안 오류가 발생했습니다. + + + Server did not start for unknown reason + 알 수 없는 이유로 서버가 시작되지 않았습니다. + + + Kernel {0} was not found. The default kernel will be used instead. + {0} 커널을 찾을 수 없습니다. 대신 기본 커널이 사용됩니다. + + + @@ -7268,11 +6938,738 @@ Error: {1} - + - - Changing editor types on unsaved files is unsupported - 저장하지 않은 파일의 경우 편집기 유형을 변경할 수 없습니다. + + # Injected-Parameters + + # 삽입된 매개 변수 + + + + Please select a connection to run cells for this kernel + 이 커널에 대해 셀을 실행하려면 연결을 선택하세요. + + + Failed to delete cell. + 셀을 삭제하지 못했습니다. + + + Failed to change kernel. Kernel {0} will be used. Error was: {1} + 커널을 변경하지 못했습니다. {0} 커널이 사용됩니다. 오류: {1} + + + Failed to change kernel due to error: {0} + 오류로 인해 커널을 변경하지 못했습니다. {0} + + + Changing context failed: {0} + {0} 컨텍스트를 변경하지 못했습니다. + + + Could not start session: {0} + {0} 세션을 시작할 수 없습니다. + + + A client session error occurred when closing the notebook: {0} + Notebook을 닫는 동안 클라이언트 세션 오류가 발생했습니다. {0} + + + Can't find notebook manager for provider {0} + {0} 공급자의 Notebook 관리자를 찾을 수 없습니다. + + + + + + + No URI was passed when creating a notebook manager + Notebook 관리자를 만들 때 URI가 전달되지 않았습니다. + + + Notebook provider does not exist + Notebook 공급자가 없습니다. + + + + + + + A view with the name {0} already exists in this notebook. + 이름이 {0}인 보기가 이 전자 필기장에 이미 있습니다. + + + + + + + SQL kernel error + SQL 커널 오류 + + + A connection must be chosen to run notebook cells + Notebook 셀을 실행하려면 연결을 선택해야 합니다. + + + Displaying Top {0} rows. + 상위 {0}개 행을 표시합니다. + + + + + + + Rich Text + 서식있는 텍스트 + + + Split View + 분할 보기 + + + Markdown + Markdown + + + + + + + nbformat v{0}.{1} not recognized + nbformat v{0}.{1}이(가) 인식되지 않습니다. + + + This file does not have a valid notebook format + 이 파일에 유효한 Notebook 형식이 없습니다. + + + Cell type {0} unknown + 알 수 없는 셀 형식 {0} + + + Output type {0} not recognized + 출력 형식 {0}을(를) 인식할 수 없습니다. + + + Data for {0} is expected to be a string or an Array of strings + {0}의 데이터는 문자열 또는 문자열 배열이어야 합니다. + + + Output type {0} not recognized + 출력 형식 {0}을(를) 인식할 수 없습니다. + + + + + + + Identifier of the notebook provider. + Notebook 공급자의 식별자입니다. + + + What file extensions should be registered to this notebook provider + 이 Notebook 공급자에 등록해야 하는 파일 확장명 + + + What kernels should be standard with this notebook provider + 이 Notebook 공급자에서 표준이어야 하는 커널 + + + Contributes notebook providers. + Notebook 공급자를 적용합니다. + + + Name of the cell magic, such as '%%sql'. + '%%sql'과(와) 같은 셀 매직의 이름입니다. + + + The cell language to be used if this cell magic is included in the cell + 이 셀 매직이 셀에 포함되는 경우 사용되는 셀 언어 + + + Optional execution target this magic indicates, for example Spark vs SQL + 이 매직이 나타내는 선택적 실행 대상(예: Spark 및 SQL) + + + Optional set of kernels this is valid for, e.g. python3, pyspark, sql + 유효한 선택적 커널 세트(예: python3, pyspark, sql) + + + Contributes notebook language. + Notebook 언어를 적용합니다. + + + + + + + Loading... + 로드 중... + + + + + + + Refresh + 새로 고침 + + + Edit Connection + 연결 편집 + + + Disconnect + 연결 끊기 + + + New Connection + 새 연결 + + + New Server Group + 새 서버 그룹 + + + Edit Server Group + 서버 그룹 편집 + + + Show Active Connections + 활성 연결 표시 + + + Show All Connections + 모든 연결 표시 + + + Delete Connection + 연결 삭제 + + + Delete Group + 그룹 삭제 + + + + + + + Failed to create Object Explorer session + 개체 탐색기 세션을 만들지 못함 + + + Multiple errors: + 여러 오류: + + + + + + + Cannot expand as the required connection provider '{0}' was not found + 필요한 연결 공급자 '{0}'을(를) 찾을 수 없으므로 확장할 수 없습니다. + + + User canceled + 사용자가 취소함 + + + Firewall dialog canceled + 방화벽 대화 상자를 취소함 + + + + + + + Loading... + 로드 중... + + + + + + + Recent Connections + 최근 연결 + + + Servers + 서버 + + + Servers + 서버 + + + + + + + Sort by event + 이벤트 기준 정렬 + + + Sort by column + 열 기준 정렬 + + + Profiler + Profiler + + + OK + 확인 + + + Cancel + 취소 + + + + + + + Clear all + 모두 지우기 + + + Apply + 적용 + + + OK + 확인 + + + Cancel + 취소 + + + Filters + 필터 + + + Remove this clause + 이 절 제거 + + + Save Filter + 필터 저장 + + + Load Filter + 필터 로드 + + + Add a clause + 절 추가 + + + Field + 필드 + + + Operator + 연산자 + + + Value + + + + Is Null + Null임 + + + Is Not Null + Null이 아님 + + + Contains + 포함 + + + Not Contains + 포함하지 않음 + + + Starts With + 다음으로 시작 + + + Not Starts With + 다음으로 시작하지 않음 + + + + + + + Commit row failed: + 행 커밋 실패: + + + Started executing query at + 다음에서 쿼리 실행 시작: + + + Started executing query "{0}" + 쿼리 "{0}" 실행을 시작함 + + + Line {0} + 줄 {0} + + + Canceling the query failed: {0} + 쿼리 취소 실패: {0} + + + Update cell failed: + 셀 업데이트 실패: + + + + + + + Execution failed due to an unexpected error: {0} {1} + 예기치 않은 오류로 인해 실행하지 못했습니다. {0} {1} + + + Total execution time: {0} + 총 실행 시간: {0} + + + Started executing query at Line {0} + 줄 {0}에서 쿼리 실행을 시작함 + + + Started executing batch {0} + 일괄 처리 {0} 실행을 시작함 + + + Batch execution time: {0} + 일괄 처리 실행 시간: {0} + + + Copy failed with error {0} + {0} 오류를 나타내며 복사 실패 + + + + + + + Failed to save results. + 결과를 저장하지 못했습니다. + + + Choose Results File + 결과 파일 선택 + + + CSV (Comma delimited) + CSV(쉼표로 구분) + + + JSON + JSON + + + Excel Workbook + Excel 통합 문서 + + + XML + XML + + + Plain Text + 일반 텍스트 + + + Saving file... + 파일을 저장하는 중... + + + Successfully saved results to {0} + {0}에 결과를 저장함 + + + Open file + 파일 열기 + + + + + + + From + 시작 + + + To + + + + Create new firewall rule + 새 방화벽 규칙 만들기 + + + OK + 확인 + + + Cancel + 취소 + + + Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. + 클라이언트 IP 주소에서 서버에 액세스할 수 없습니다. Azure 계정에 로그인하고 액세스를 허용하는 새 방화벽 규칙을 만드세요. + + + Learn more about firewall settings + 방화벽 설정에 대한 자세한 정보 + + + Firewall rule + 방화벽 규칙 + + + Add my client IP + 내 클라이언트 IP 추가 + + + Add my subnet IP range + 내 서브넷 IP 범위 추가 + + + + + + + Error adding account + 계정 추가 오류 + + + Firewall rule error + 방화벽 규칙 오류 + + + + + + + Backup file path + 백업 파일 경로 + + + Target database + 대상 데이터베이스 + + + Restore + 복원 + + + Restore database + 데이터베이스 복원 + + + Database + 데이터베이스 + + + Backup file + 백업 파일 + + + Restore database + 데이터베이스 복원 + + + Cancel + 취소 + + + Script + 스크립트 + + + Source + 원본 + + + Restore from + 복원할 원본 위치 + + + Backup file path is required. + 백업 파일 경로가 필요합니다. + + + Please enter one or more file paths separated by commas + 하나 이상의 파일 경로를 쉼표로 구분하여 입력하세요. + + + Database + 데이터베이스 + + + Destination + 대상 + + + Restore to + 복원 위치 + + + Restore plan + 복원 계획 + + + Backup sets to restore + 복원할 백업 세트 + + + Restore database files as + 데이터베이스 파일을 다음으로 복원 + + + Restore database file details + 데이터베이스 파일 복원 세부 정보 + + + Logical file Name + 논리적 파일 이름 + + + File type + 파일 형식 + + + Original File Name + 원래 파일 이름 + + + Restore as + 다음으로 복원 + + + Restore options + 복원 옵션 + + + Tail-Log backup + 비상 로그 백업 + + + Server connections + 서버 연결 + + + General + 일반 + + + Files + 파일 + + + Options + 옵션 + + + + + + + Backup Files + 백업 파일 + + + All Files + 모든 파일 + + + + + + + Server Groups + 서버 그룹 + + + OK + 확인 + + + Cancel + 취소 + + + Server group name + 서버 그룹 이름 + + + Group name is required. + 그룹 이름이 필요합니다. + + + Group description + 그룹 설명 + + + Group color + 그룹 색 + + + + + + + Add server group + 서버 그룹 추가 + + + Edit server group + 서버 그룹 편집 + + + + + + + 1 or more tasks are in progress. Are you sure you want to quit? + 1개 이상의 작업이 진행 중입니다. 그래도 작업을 종료하시겠습니까? + + + Yes + + + + No + 아니요 + + + + + + + Get Started + 시작 + + + Show Getting Started + 시작 표시 + + + Getting &&Started + && denotes a mnemonic + 시작(&S) diff --git a/resources/xlf/pt-br/admin-tool-ext-win.pt-BR.xlf b/resources/xlf/pt-br/admin-tool-ext-win.pt-BR.xlf index 768725ebf1..bd55ba37dd 100644 --- a/resources/xlf/pt-br/admin-tool-ext-win.pt-BR.xlf +++ b/resources/xlf/pt-br/admin-tool-ext-win.pt-BR.xlf @@ -20,7 +20,7 @@ - + No ConnectionContext provided for handleLaunchSsmsMinPropertiesDialogCommand diff --git a/resources/xlf/pt-br/agent.pt-BR.xlf b/resources/xlf/pt-br/agent.pt-BR.xlf index 9ddab6660a..79a6fbe3a9 100644 --- a/resources/xlf/pt-br/agent.pt-BR.xlf +++ b/resources/xlf/pt-br/agent.pt-BR.xlf @@ -1,230 +1,18 @@  - + - - New Schedule - Novo Agendamento - - + OK OK - + Cancel Cancelar - - Schedule Name - Nome do Agendamento - - - Schedules - Agendamentos - - - - - Create Proxy - Criar Proxy - - - Edit Proxy - Editar Proxy - - - General - Geral - - - Proxy name - Nome do proxy - - - Credential name - Nome da credencial - - - Description - Descrição - - - Subsystem - Subsistema - - - Operating system (CmdExec) - Sistema operacional (CmdExec) - - - Replication Snapshot - Instantâneo de Replicação - - - Replication Transaction-Log Reader - Leitor de Log de Transações de Replicação - - - Replication Distributor - Distribuidor de Replicação - - - Replication Merge - Mesclagem de Replicação - - - Replication Queue Reader - Leitor de Fila de Replicação - - - SQL Server Analysis Services Query - Consulta do SQL Server Analysis Services - - - SQL Server Analysis Services Command - Comando do SQL Server Analysis Services - - - SQL Server Integration Services Package - Pacote do SQL Server Integration Services - - - PowerShell - PowerShell - - - Active to the following subsytems - Ativo para os seguintes subsistemas - - - - - - - Job Schedules - Agendamentos de Trabalho - - - OK - OK - - - Cancel - Cancelar - - - Available Schedules: - Agendamentos Disponíveis: - - - Name - Nome - - - ID - ID - - - Description - Descrição - - - - - - - Create Operator - Criar Operador - - - Edit Operator - Editar Operador - - - General - Geral - - - Notifications - Notificações - - - Name - Nome - - - Enabled - Habilitado - - - E-mail Name - Nome do Email - - - Pager E-mail Name - Nome do Email do Pager - - - Monday - Segunda-feira - - - Tuesday - Terça-feira - - - Wednesday - Quarta-feira - - - Thursday - Quinta-feira - - - Friday - Sexta-feira - - - Saturday - Sábado - - - Sunday - Domingo - - - Workday begin - Início da jornada de trabalho - - - Workday end - Fim da jornada de trabalho - - - Pager on duty schedule - Agenda do pager de plantão - - - Alert list - Lista de alerta - - - Alert name - Nome do alerta - - - E-mail - Email - - - Pager - Pager - - - - + Locate Database Files - @@ -416,159 +204,39 @@ - + - - General - Geral + + Job Schedules + Agendamentos de Trabalho - - Steps - Etapas + + OK + OK - - Schedules - Agendamentos + + Cancel + Cancelar - - Alerts - Alertas + + Available Schedules: + Agendamentos Disponíveis: - - Notifications - Notificações - - - The name of the job cannot be blank. - O nome do trabalho não pode ficar em branco. - - + Name Nome - - Owner - Proprietário + + ID + ID - - Category - Categoria - - + Description Descrição - - Enabled - Habilitado - - - Job step list - Lista de etapas do trabalho - - - Step - Etapa - - - Type - Tipo - - - On Success - Em Caso de Sucesso - - - On Failure - Em Caso de Falha - - - New Step - Nova Etapa - - - Edit Step - Editar Etapa - - - Delete Step - Excluir Etapa - - - Move Step Up - Mover a Etapa para Cima - - - Move Step Down - Mover a Etapa para Baixo - - - Start step - Iniciar etapa - - - Actions to perform when the job completes - Ações a executar quando o trabalho for concluído - - - Email - Email - - - Page - Página - - - Write to the Windows Application event log - Escrever no log de eventos de aplicativos do Windows - - - Automatically delete job - Excluir o trabalho automaticamente - - - Schedules list - Lista de agendamentos - - - Pick Schedule - Escolha a Agenda - - - Schedule Name - Nome do Agendamento - - - Alerts list - Lista de alertas - - - New Alert - Novo Alerta - - - Alert Name - Nome do Alerta - - - Enabled - Habilitado - - - Type - Tipo - - - New Job - Novo Trabalho - - - Edit Job - Editar Trabalho - - + Create Alert @@ -778,10 +446,6 @@ Additional notification message to send Mensagem de notificação adicional para enviar - - Delay between responses - Atraso entre respostas - Delay Minutes Minutos de Atraso @@ -792,51 +456,251 @@ - + - - OK - OK + + Create Operator + Criar Operador - - Cancel - Cancelar + + Edit Operator + Editar Operador + + + General + Geral + + + Notifications + Notificações + + + Name + Nome + + + Enabled + Habilitado + + + E-mail Name + Nome do Email + + + Pager E-mail Name + Nome do Email do Pager + + + Monday + Segunda-feira + + + Tuesday + Terça-feira + + + Wednesday + Quarta-feira + + + Thursday + Quinta-feira + + + Friday + Sexta-feira + + + Saturday + Sábado + + + Sunday + Domingo + + + Workday begin + Início da jornada de trabalho + + + Workday end + Fim da jornada de trabalho + + + Pager on duty schedule + Agenda do pager de plantão + + + Alert list + Lista de alerta + + + Alert name + Nome do alerta + + + E-mail + Email + + + Pager + Pager - + - - Proxy update failed '{0}' - Falha na atualização do proxy '{0}' + + General + Geral - - Proxy '{0}' updated successfully - Proxy '{0}' atualizado com sucesso + + Steps + Etapas - - Proxy '{0}' created successfully - Proxy '{0}' criado com sucesso + + Schedules + Agendamentos + + + Alerts + Alertas + + + Notifications + Notificações + + + The name of the job cannot be blank. + O nome do trabalho não pode ficar em branco. + + + Name + Nome + + + Owner + Proprietário + + + Category + Categoria + + + Description + Descrição + + + Enabled + Habilitado + + + Job step list + Lista de etapas do trabalho + + + Step + Etapa + + + Type + Tipo + + + On Success + Em Caso de Sucesso + + + On Failure + Em Caso de Falha + + + New Step + Nova Etapa + + + Edit Step + Editar Etapa + + + Delete Step + Excluir Etapa + + + Move Step Up + Mover a Etapa para Cima + + + Move Step Down + Mover a Etapa para Baixo + + + Start step + Iniciar etapa + + + Actions to perform when the job completes + Ações a executar quando o trabalho for concluído + + + Email + Email + + + Page + Página + + + Write to the Windows Application event log + Escrever no log de eventos de aplicativos do Windows + + + Automatically delete job + Excluir o trabalho automaticamente + + + Schedules list + Lista de agendamentos + + + Pick Schedule + Escolha a Agenda + + + Remove Schedule + Remover agenda + + + Alerts list + Lista de alertas + + + New Alert + Novo Alerta + + + Alert Name + Nome do Alerta + + + Enabled + Habilitado + + + Type + Tipo + + + New Job + Novo Trabalho + + + Edit Job + Editar Trabalho - - - - Step update failed '{0}' - Falha na atualização da etapa '{0}' - - - Job name must be provided - O nome do trabalho deve ser fornecido - - - Step name must be provided - O nome da etapa deve ser fornecido - - - - + When the job completes @@ -872,7 +736,55 @@ - + + + + Step update failed '{0}' + Falha na atualização da etapa '{0}' + + + Job name must be provided + O nome do trabalho deve ser fornecido + + + Step name must be provided + O nome da etapa deve ser fornecido + + + + + + + This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! + Este recurso está em desenvolvimento. Verifique se você gostaria de experimentar as últimas alterações liberadas. + + + Template updated successfully + O modelo foi atualizado com sucesso + + + Template update failure + Falha na atualização do modelo + + + The notebook must be saved before being scheduled. Please save and then retry scheduling again. + O bloco de anotações deve ser salvo antes de ser agendado. Salve e tente agendar novamente. + + + Add new connection + Adicionar nova conexão + + + Select a connection + Selecionar uma conexão + + + Please select a valid connection + Selecione uma conexão válida. + + + + Alert update failed '{0}' @@ -892,11 +804,223 @@ - + - - This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! - Este recurso está em desenvolvimento. Verifique se você gostaria de experimentar as últimas alterações liberadas. + + Create Proxy + Criar Proxy + + + Edit Proxy + Editar Proxy + + + General + Geral + + + Proxy name + Nome do proxy + + + Credential name + Nome da credencial + + + Description + Descrição + + + Subsystem + Subsistema + + + Operating system (CmdExec) + Sistema operacional (CmdExec) + + + Replication Snapshot + Instantâneo de Replicação + + + Replication Transaction-Log Reader + Leitor de Log de Transações de Replicação + + + Replication Distributor + Distribuidor de Replicação + + + Replication Merge + Mesclagem de Replicação + + + Replication Queue Reader + Leitor de Fila de Replicação + + + SQL Server Analysis Services Query + Consulta do SQL Server Analysis Services + + + SQL Server Analysis Services Command + Comando do SQL Server Analysis Services + + + SQL Server Integration Services Package + Pacote do SQL Server Integration Services + + + PowerShell + PowerShell + + + + + + + Proxy update failed '{0}' + Falha na atualização do proxy '{0}' + + + Proxy '{0}' updated successfully + Proxy '{0}' atualizado com sucesso + + + Proxy '{0}' created successfully + Proxy '{0}' criado com sucesso + + + + + + + New Notebook Job + Novo trabalho do bloco de anotações + + + Edit Notebook Job + Editar trabalho do bloco de anotações + + + General + Geral + + + Notebook Details + Detalhes do bloco de anotações + + + Notebook Path + Caminho do bloco de anotações + + + Storage Database + Banco de dados de armazenamento + + + Execution Database + Banco de dados de execução + + + Select Database + Selecionar banco de dados + + + Job Details + Detalhes do trabalho + + + Name + Nome + + + Owner + Proprietário + + + Schedules list + Lista de agendamentos + + + Pick Schedule + Escolha a agenda + + + Remove Schedule + Remover agenda + + + Description + Descrição + + + Select a notebook to schedule from PC + Selecione um bloco de anotações a ser agendado no PC + + + Select a database to store all notebook job metadata and results + Selecione um banco de dados para armazenar todos os metadados e resultados do trabalho do bloco de anotações + + + Select a database against which notebook queries will run + Selecione um banco de dados no qual as consultas de bloco de anotações serão executadas + + + + + + + When the notebook completes + Quando o bloco de anotações for concluído + + + When the notebook fails + Quando o bloco de anotações falha + + + When the notebook succeeds + Quando o bloco de anotações é bem-sucedido + + + Notebook name must be provided + O nome do bloco de anotações deve ser fornecido + + + Template path must be provided + O caminho do modelo deve ser fornecido + + + Invalid notebook path + Caminho do bloco de anotações inválido + + + Select storage database + Selecionar banco de dados de armazenamento + + + Select execution database + Banco de dados de execução + + + Job with similar name already exists + Já existe um trabalho com nome semelhante + + + Notebook update failed '{0}' + Falha na atualização do bloco de anotações '{0}' + + + Notebook creation failed '{0}' + Falha na criação do bloco de anotações '{0}' + + + Notebook '{0}' updated successfully + Bloco de anotações '{0}' atualizado com êxito + + + Notebook '{0}' created successfully + Bloco de anotações '{0}' criado com êxito diff --git a/resources/xlf/pt-br/azurecore.pt-BR.xlf b/resources/xlf/pt-br/azurecore.pt-BR.xlf index 729194f5f8..434754c8bc 100644 --- a/resources/xlf/pt-br/azurecore.pt-BR.xlf +++ b/resources/xlf/pt-br/azurecore.pt-BR.xlf @@ -126,6 +126,10 @@ Error fetching resource groups for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} Erro ao buscar os grupos de recursos para a conta {0} ({1}), assinatura {2} ({3}) e locatário {4} : {5} + + Error fetching locations for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} + Erro ao buscar locais para a conta {0} ({1}) assinatura {2} ({3}) locatário {4} : {5} + Invalid query Consulta inválida @@ -379,8 +383,8 @@ SQL Server – Azure Arc - Azure Arc enabled PostgreSQL Hyperscale - PostgreSQL de Hiperescala habilitado para o Azure Arc + Azure Arc-enabled PostgreSQL Hyperscale + Hiperescala de PostgreSQL habilitada para Azure Arc Unable to open link, missing required values @@ -411,16 +415,16 @@ Erro não identificado com a autenticação do Azure - Specifed tenant with ID '{0}' not found. - O locatário especificado com a ID '{0}' não foi encontrado. + Specified tenant with ID '{0}' not found. + Locatário especificado com ID '{0}' não encontrado. Something failed with the authentication, or your tokens have been deleted from the system. Please try adding your account to Azure Data Studio again. Ocorreu um erro com a autenticação ou os tokens foram excluídos do sistema. Tente adicionar a sua conta no Azure Data Studio novamente. - Token retrival failed with an error. Open developer tools to view the error - Houve uma falha na recuperação do token com um erro. Abra as ferramentas para desenvolvedores para exibir o erro + Token retrieval failed with an error. Open developer tools to view the error + A recuperação de token falhou com um erro. Abra ferramentas de desenvolvedor para exibir o erro No access token returned from Microsoft OAuth @@ -513,6 +517,14 @@ Failed to get credential for account {0}. Please go to the accounts dialog and refresh the account. Falha ao obter a credencial para a conta {0}. Acesse a caixa de diálogo Contas e atualize a conta. + + Requests from this account have been throttled. To retry, please select a smaller number of subscriptions. + Solicitações desta conta foram limitadas. Para tentar novamente, selecione um número menor de assinaturas. + + + An error occured while loading Azure resources: {0} + Ocorreu um erro ao carregar recursos do Azure: {0} + @@ -703,6 +715,14 @@ + + + + Azure Monitor Workspace + Azure Monitor Workspace + + + diff --git a/resources/xlf/pt-br/big-data-cluster.pt-BR.xlf b/resources/xlf/pt-br/big-data-cluster.pt-BR.xlf index 3e2d0f68c0..0dba7f790b 100644 --- a/resources/xlf/pt-br/big-data-cluster.pt-BR.xlf +++ b/resources/xlf/pt-br/big-data-cluster.pt-BR.xlf @@ -12,15 +12,15 @@ Connect to Existing Controller - Connect to Existing Controller + Conectar-se ao Controlador Existente Create New Controller - Create New Controller + Criar Controlador Remove Controller - Remove Controller + Remover Controlador Refresh @@ -49,17 +49,137 @@ No SQL Big Data Cluster controllers registered. [Learn More](https://docs.microsoft.com/sql/big-data-cluster/big-data-cluster-overview) [Connect Controller](command:bigDataClusters.command.connectController) - No SQL Big Data Cluster controllers registered. [Learn More](https://docs.microsoft.com/sql/big-data-cluster/big-data-cluster-overview) -[Connect Controller](command:bigDataClusters.command.connectController) + Nenhum controlador do Cluster de Big Data do SQL registrado. [Saiba Mais](https://docs.microsoft.com/sql/big-data-cluster/big-data-cluster-overview) +[Conectar Controlador](command:bigDataClusters.command.connectController) Loading controllers... - Loading controllers... + Carregando controladores... Ignore SSL verification errors against SQL Server Big Data Cluster endpoints such as HDFS, Spark, and Controller if true Ignorar os erros de verificação do SSL em relação aos pontos de extremidade do Cluster de Big Data do SQL Server, como o HDFS, o Spark e o Controlador, se for true + + SQL Server Big Data Cluster + Cluster de Big Data do SQL Server + + + SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes + O Cluster de Big Data do SQL Server permite implantar clusters escalonáveis de contêineres do SQL Server, do Spark e do HDFS em execução no Kubernetes + + + Version + Versão + + + SQL Server 2019 + SQL Server 2019 + + + Deployment target + Destino de implantação + + + New Azure Kubernetes Service Cluster + Novo Cluster do Serviço de Kubernetes do Azure + + + Existing Azure Kubernetes Service Cluster + Cluster do Serviço de Kubernetes do Azure existente + + + Existing Kubernetes Cluster (kubeadm) + Cluster do Kubernetes existente (kubeadm) + + + Existing Azure Red Hat OpenShift cluster + Cluster do Red Hat OpenShift no Azure existente + + + Existing OpenShift cluster + Cluster do OpenShift existente + + + SQL Server Big Data Cluster settings + Configurações do cluster de Big Data do SQL Server + + + Cluster name + Nome do cluster + + + Controller username + Nome de usuário do controlador + + + Password + Senha + + + Confirm password + Confirmar a senha + + + Azure settings + Configurações do Azure + + + Subscription id + ID da assinatura + + + Use my default Azure subscription + Usar minha assinatura padrão do Azure + + + Resource group name + Nome do grupo de recursos + + + Region + Região + + + AKS cluster name + Nome do cluster do AKS + + + VM size + Tamanho da VM + + + VM count + Contagem de VMs + + + Storage class name + Nome da classe de armazenamento + + + Capacity for data (GB) + Capacidade de dados (GB) + + + Capacity for logs (GB) + Capacidade de logs (GB) + + + I accept {0}, {1} and {2}. + Aceito {0}, {1} e {2}. + + + Microsoft Privacy Statement + Política de Privacidade da Microsoft + + + azdata License Terms + Termos de Licença do azdata + + + SQL Server License Terms + Termos de Licença do SQL Server + @@ -254,299 +374,299 @@ Status Icon - Status Icon + Ícone de Status Instance - Instance + Instância State - State + Estado View - View + Exibir N/A - N/A + N/D Health Status Details - Health Status Details + Detalhes do Status da Integridade Metrics and Logs - Metrics and Logs + Métricas e Logs Health Status - Health Status + Status da Integridade Node Metrics - Node Metrics + Métricas do Node SQL Metrics - SQL Metrics + Métricas do SQL Logs - Logs + Logs View Node Metrics {0} - View Node Metrics {0} + Exibir Métricas do Node {0} View SQL Metrics {0} - View SQL Metrics {0} + Exibir Métricas do SQL {0} View Kibana Logs {0} - View Kibana Logs {0} + Exibir os Logs do Kibana {0} Last Updated : {0} - Last Updated : {0} + Última Atualização: {0} Basic - Basic + Básico Windows Authentication - Windows Authentication + Autenticação do Windows Add New Controller - Add New Controller + Adicionar Novo Controlador URL - URL + URL Username - Username + Nome de usuário Password - Password + Senha Remember Password - Remember Password + Lembrar Senha Cluster Management URL - Cluster Management URL + URL de Gerenciamento de Cluster Authentication type - Authentication type + Tipo de autenticação Cluster Connection - Cluster Connection + Conexão de Cluster Add - Add + Adicionar Cancel - Cancel + Cancelar OK - OK + OK Refresh - Refresh + Atualizar Troubleshoot - Troubleshoot + Solucionar problemas Big Data Cluster overview - Big Data Cluster overview + Visão geral do cluster de Big Data Cluster Details - Cluster Details + Detalhes do Cluster Cluster Overview - Cluster Overview + Visão Geral do Cluster Service Endpoints - Service Endpoints + Pontos de Extremidade de Serviço Cluster Properties - Cluster Properties + Propriedades do Cluster Cluster State - Cluster State + Estado do Cluster Service Name - Service Name + Nome do Serviço Service - Service + Serviço Endpoint - Endpoint + Ponto de Extremidade Endpoint '{0}' copied to clipboard - Endpoint '{0}' copied to clipboard + Ponto de extremidade '{0}' copiado para a área de transferência Copy - Copy + Copiar View Details - View Details + Exibir Detalhes View Error Details - View Error Details + Exibir Detalhes do Erro Connect to Controller - Connect to Controller + Conectar ao Controlador Mount Configuration - Mount Configuration + Configuração da Montagem Mounting HDFS folder on path {0} - Mounting HDFS folder on path {0} + Montando a pasta do HDFS no caminho {0} Refreshing HDFS Mount on path {0} - Refreshing HDFS Mount on path {0} + Atualizando a Montagem do HDFS no caminho {0} Deleting HDFS Mount on path {0} - Deleting HDFS Mount on path {0} + Excluindo a Montagem do HDFS no caminho {0} Mount creation has started - Mount creation has started + A criação da montagem foi iniciada Refresh mount request submitted - Refresh mount request submitted + Solicitação de atualização de montagem enviada Delete mount request submitted - Delete mount request submitted + Solicitação de exclusão de montagem enviada Mounting HDFS folder is complete - Mounting HDFS folder is complete + A montagem da pasta do HDFS está concluída Mounting is likely to complete, check back later to verify - Mounting is likely to complete, check back later to verify + A montagem provavelmente será concluída. Volte mais tarde para verificar Mount HDFS Folder - Mount HDFS Folder + Montar a Pasta do HDFS HDFS Path - HDFS Path + Caminho do HDFS Path to a new (non-existing) directory which you want to associate with the mount - Path to a new (non-existing) directory which you want to associate with the mount + Caminho para um novo diretório (não existente) que você deseja associar com a montagem Remote URI - Remote URI + URI remoto The URI to the remote data source. Example for ADLS: abfs://fs@saccount.dfs.core.windows.net/ - The URI to the remote data source. Example for ADLS: abfs://fs@saccount.dfs.core.windows.net/ + O URI da fonte de dados remota. Exemplo para o ADLS: abfs://fs@saccount.dfs.core.windows.net/ Credentials - Credentials + Credenciais Mount credentials for authentication to remote data source for reads - Mount credentials for authentication to remote data source for reads + Montar as credenciais para autenticação na fonte de dados remota para leituras Refresh Mount - Refresh Mount + Atualizar Montagem Delete Mount - Delete Mount + Excluir Montagem Loading cluster state completed - Loading cluster state completed + Carregamento do estado do cluster concluído Loading health status completed - Loading health status completed + Carregamento do status da integridade concluído Username is required - Username is required + O nome de usuário é obrigatório Password is required - Password is required + A senha é obrigatória Unexpected error retrieving BDC Endpoints: {0} - Unexpected error retrieving BDC Endpoints: {0} + Erro inesperado ao recuperar os pontos de Extremidade do BDC: {0} The dashboard requires a connection. Please click retry to enter your credentials. - The dashboard requires a connection. Please click retry to enter your credentials. + O painel requer uma conexão. Clique em tentar novamente para inserir suas credenciais. Unexpected error occurred: {0} - Unexpected error occurred: {0} + Erro inesperado: {0} Login to controller failed - Login to controller failed + Falha ao entrar no controlador Login to controller failed: {0} - Login to controller failed: {0} + Falha ao entrar no controlador: {0} Bad formatting of credentials at {0} - Bad formatting of credentials at {0} + Formatação incorreta de credenciais em {0} Error mounting folder: {0} - Error mounting folder: {0} + Erro na montagem da pasta: {0} Unknown error occurred during the mount process - Unknown error occurred during the mount process + Erro desconhecido durante o processo de montagem @@ -566,7 +686,7 @@ Error retrieving cluster config from {0} - Error retrieving cluster config from {0} + Erro ao recuperar a configuração do cluster do {0} Error retrieving endpoints from {0} @@ -582,7 +702,7 @@ Error getting mount status - Error getting mount status + Erro ao obter o status de montagem Error refreshing mount @@ -602,7 +722,7 @@ Big Data Cluster Dashboard - - Big Data Cluster Dashboard - + Painel do Cluster de Big Data – Yes @@ -614,7 +734,7 @@ Are you sure you want to remove '{0}'? - Are you sure you want to remove '{0}'? + Tem certeza de que deseja remover '{0}'? @@ -622,7 +742,7 @@ Unexpected error loading saved controllers: {0} - Unexpected error loading saved controllers: {0} + Erro inesperado ao carregar os controladores salvos: {0} diff --git a/resources/xlf/pt-br/cms.pt-BR.xlf b/resources/xlf/pt-br/cms.pt-BR.xlf index a32ca23048..b916ba0759 100644 --- a/resources/xlf/pt-br/cms.pt-BR.xlf +++ b/resources/xlf/pt-br/cms.pt-BR.xlf @@ -424,15 +424,7 @@ - - - - Loading ... - Carregando... - - - - + No resources found @@ -440,7 +432,7 @@ - + Add Central Management Server... @@ -448,15 +440,27 @@ - + + + + Unexpected error occurred while loading saved servers {0} + Erro inesperado durante o carregamento de servidores salvos {0} + + + Loading ... + Carregando... + + + + Central Management Server Group already has a Registered Server with the name {0} O Grupo de Servidores de Gerenciamento Central já tem um Servidor Registrado com o nome {0} - Azure SQL Database Servers cannot be used as Central Management Servers - Os Servidores de Banco de Dados SQL do Azure não podem ser usados como Servidores de Gerenciamento Central + Azure SQL Servers cannot be used as Central Management Servers + Os Servidores SQL do Azure não podem ser usados como Servidores de Gerenciamento Central Are you sure you want to delete @@ -500,7 +504,7 @@ - + You cannot add a shared registered server with the same name as the Configuration Server diff --git a/resources/xlf/pt-br/dacpac.pt-BR.xlf b/resources/xlf/pt-br/dacpac.pt-BR.xlf index 25bba50c37..e52c7baa71 100644 --- a/resources/xlf/pt-br/dacpac.pt-BR.xlf +++ b/resources/xlf/pt-br/dacpac.pt-BR.xlf @@ -1,16 +1,84 @@  - + + + Dacpac + Dacpac + + + Full path to folder where .DACPAC and .BACPAC files are saved by default + Caminho completo para a pasta em que se encontram os arquivos .DACPAC e .BACPAC são salvos por padrão + + + + + + + Target Server + Servidor de Destino + + + Source Server + Servidor de Origem + + + Source Database + Banco de Dados de Origem + + + Target Database + Banco de Dados de Destino + + + File Location + Localização do Arquivo + + + Select file + Selecionar arquivo + + + Summary of settings + Resumo das configurações + + + Version + Versão + + + Setting + Configuração + + + Value + Valor + + + Database Name + Nome do Banco de Dados + + + Open + Abrir + + + Upgrade Existing Database + Atualizar Banco de Dados Existente + + + New Database + Novo Banco de Dados + {0} of the deploy actions listed may result in data loss. Please ensure you have a backup or snapshot available in the event of an issue with the deployment. {0} das ações de implantação listadas podem resultar em perda de dados. Verifique se você tem um backup ou instantâneo disponível no caso de um problema com a implantação. - + Proceed despite possible data loss Prosseguir, apesar da possível perda de dados - + No data loss will occur from the listed deploy actions. Nenhuma perda de dados ocorrerá nas ações de implantação listadas. @@ -54,19 +122,11 @@ Save Salvar - - File Location - Localização do Arquivo - - + Version (use x.x.x.x where x is a number) Versão (use x.x.x.x, em que x é um número) - - Open - Abrir - - + Deploy a data-tier application .dacpac file to an instance of SQL Server [Deploy Dacpac] Implantar um arquivo .dacpac de aplicativo de camada de dados em uma instância do SQL Server [implantar Dacpac] @@ -82,49 +142,9 @@ Export the schema and data from a database to the logical .bacpac file format [Export Bacpac] Exportar o esquema e os dados de um banco de dados para o formato de arquivo lógico .bacpac [Exportar Bacpac] - - Database Name - Nome do Banco de Dados - - - Upgrade Existing Database - Atualizar Banco de Dados Existente - - - New Database - Novo Banco de Dados - - - Target Database - Banco de Dados de Destino - - - Target Server - Servidor de Destino - - - Source Server - Servidor de Origem - - - Source Database - Banco de Dados de Origem - - - Version - Versão - - - Setting - Configuração - - - Value - Valor - - - default - padrão + + Data-tier Application Wizard + Assistente de Aplicativo em Camada de Dados Select an Operation @@ -174,18 +194,66 @@ Generate Script Gerar Script + + You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. + Você pode exibir o status da geração de script na Exibição de Tarefas depois que o assistente for fechado. O script gerado será aberto quando concluído. + + + default + padrão + + + Deploy plan operations + Implantar plano de operações + + + A database with the same name already exists on the instance of SQL Server + Já existe um banco de dados com o mesmo nome na instância do SQL Server. + + + Undefined name + Nome indefinido + + + File name cannot end with a period + O nome do arquivo não pode terminar com um ponto + + + File name cannot be whitespace + O nome do arquivo não pode ser espaço em branco + + + Invalid file characters + Caracteres de arquivo inválidos + + + This file name is reserved for use by Windows. Choose another name and try again + Este nome de arquivo está reservado para ser usado pelo Windows. Escolha outro nome e tente novamente. + + + Reserved file name. Choose another name and try again + Nome de arquivo reservado. Escolha outro nome e tente novamente + + + File name cannot end with a whitespace + O nome do arquivo não pode terminar com um espaço em branco + + + File name is over 255 characters + O nome do arquivo tem mais de 255 caracteres + Generating deploy plan failed '{0}' Falha na geração do plano de implantação '{0}' + + Generating deploy script failed '{0}' + Falha na geração do script de implantação '{0}' + {0} operation failed '{1}' Falha na operação {0} '{1}' - - You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. - Você pode exibir o status da geração de script na Exibição de Tarefas depois que o assistente for fechado. O script gerado será aberto quando concluído. - \ No newline at end of file diff --git a/resources/xlf/pt-br/import.pt-BR.xlf b/resources/xlf/pt-br/import.pt-BR.xlf index 45b61fc858..8e8d36fc05 100644 --- a/resources/xlf/pt-br/import.pt-BR.xlf +++ b/resources/xlf/pt-br/import.pt-BR.xlf @@ -1,7 +1,143 @@  - + + + Flat File Import configuration + Configuração de Importação de Arquivo Simples + + + [Optional] Log debug output to the console (View -> Output) and then select appropriate output channel from the dropdown + [Opcional] Registre a saída da depuração no console (Exibir -> Saída) e, em seguida, selecione o canal de saída apropriado no menu suspenso + + + + + + + {0} Started + {0} iniciado + + + Starting {0} + Iniciando {0} + + + Failed to start {0}: {1} + Falha ao iniciar {0}: {1} + + + Installing {0} to {1} + Instalando {0} para {1} + + + Installing {0} Service + Instalando serviço {0} + + + Installed {0} + {0} instalado + + + Downloading {0} + Baixando {0} + + + ({0} KB) + ({0} KB) + + + Downloading {0} + Baixando {0} + + + Done downloading {0} + Download de {0} concluído + + + Extracted {0} ({1}/{2}) + {0} extraído ({1}/{2}) + + + + + + + Give Feedback + Fornecer Comentários + + + service component could not start + componente de serviço não pôde ser iniciado + + + Server the database is in + O servidor no qual o banco de dados está + + + Database the table is created in + Banco de dados em que a tabela é criada + + + Invalid file location. Please try a different input file + Localização de arquivo inválida. Tente um arquivo de entrada diferente + + + Browse + Procurar + + + Open + Abrir + + + Location of the file to be imported + Local do arquivo a ser importado + + + New table name + Nome da nova tabela + + + Table schema + Esquema da tabela + + + Import Data + Importar Dados + + + Next + Próximo + + + Column Name + Nome da Coluna + + + Data Type + Tipo de Dados + + + Primary Key + Chave Primária + + + Allow Nulls + Permitir Valores Nulos + + + This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. + Esta operação analisou a estrutura do arquivo de entrada para gerar a visualização abaixo para as primeiras 50 linhas. + + + This operation was unsuccessful. Please try a different input file. + Esta operação não teve êxito. Tente um arquivo de entrada diferente. + + + Refresh + Atualizar + Import information Importar informações @@ -34,90 +170,14 @@ ✔ You have successfully inserted the data into a table. ✔ Dados inseridos na tabela corretamente. - - - - - - This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. - Esta operação analisou a estrutura do arquivo de entrada para gerar a visualização abaixo para as primeiras 50 linhas. - - - This operation was unsuccessful. Please try a different input file. - Esta operação não teve êxito. Tente um arquivo de entrada diferente. - - - Refresh - Atualizar - - - - - - - Import Data - Importar Dados - - - Next - Próximo - - - Column Name - Nome da Coluna - - - Data Type - Tipo de Dados - - - Primary Key - Chave Primária - - - Allow Nulls - Permitir Valores Nulos - - - - - - - Server the database is in - O servidor no qual o banco de dados está - - - Database the table is created in - Banco de dados em que a tabela é criada - - - Browse - Procurar - - - Open - Abrir - - - Location of the file to be imported - Local do arquivo a ser importado - - - New table name - Nome da nova tabela - - - Table schema - Esquema da tabela - - - - - Please connect to a server before using this wizard. Conecte-se a um servidor antes de usar este assistente. + + SQL Server Import extension does not support this type of connection + A extensão de importação SQL Server não dá suporte a este tipo de conexão + Import flat file wizard Assistente de importação de arquivo simples @@ -144,60 +204,4 @@ - - - - Give Feedback - Fornecer Comentários - - - service component could not start - componente de serviço não pôde ser iniciado - - - - - - - Service Started - Serviço Iniciado - - - Starting service - Iniciando serviço - - - Failed to start Import service{0} - Falha ao iniciar o Serviço de importação{0} - - - Installing {0} service to {1} - Instalando o serviço {0} em {1} - - - Installing Service - Instalando Serviço - - - Installed - Instalado - - - Downloading {0} - Baixando {0} - - - ({0} KB) - ({0} KB) - - - Downloading Service - Baixando Serviço - - - Done! - Feito! - - - \ No newline at end of file diff --git a/resources/xlf/pt-br/notebook.pt-BR.xlf b/resources/xlf/pt-br/notebook.pt-BR.xlf index 494ce612b6..23206cd3d9 100644 --- a/resources/xlf/pt-br/notebook.pt-BR.xlf +++ b/resources/xlf/pt-br/notebook.pt-BR.xlf @@ -22,6 +22,14 @@ Local path to a preexisting python installation used by Notebooks. Caminho local para uma instalação do Python preexistente usada por Notebooks. + + Do not show prompt to update Python. + Não mostrar aviso para atualizar Python. + + + The amount of time (in minutes) to wait before shutting down a server after all notebooks are closed. (Enter 0 to not shutdown) + A quantidade de tempo (em minutos) de espera antes de desligar um servidor depois de fechar todos os blocos de anotações. (Digite 0 para não desligar) + Override editor default settings in the Notebook editor. Settings include background color, current line color and border Substitua as configurações padrão do editor no editor de Notebook. As configurações incluem a cor da tela de fundo, a cor e a borda da linha atual @@ -32,7 +40,7 @@ Notebooks contained in these books will automatically be trusted. - Notebooks contained in these books will automatically be trusted. + Os Notebooks contidos nesses livros serão automaticamente confiáveis. Maximum depth of subdirectories to search for Books (Enter 0 for infinite) @@ -40,15 +48,19 @@ Collapse Book items at root level in the Notebooks Viewlet - Collapse Book items at root level in the Notebooks Viewlet + Recolher itens do Livro no nível raiz no Viewlet dos Notebooks Download timeout in milliseconds for GitHub books - Download timeout in milliseconds for GitHub books + Baixar o tempo limite em milissegundos para os livros do GitHub Notebooks that are pinned by the user for the current workspace - Notebooks that are pinned by the user for the current workspace + Os Notebooks que são fixados pelo usuário para o workspace atual + + + Allow Jupyter server to run as root user + Allow Jupyter server to run as root user New Notebook @@ -139,72 +151,84 @@ Jupyter Books - Save Book - Salvar Book + Save Jupyter Book + Salvar Livro Jupyter - Trust Book - Trust Book + Trust Jupyter Book + Confiar Livro Jupyter - Search Book - Pesquisar Book + Search Jupyter Book + Pesquisar no Livro Jupyter Notebooks - Notebooks + Notebooks - Provided Books - Provided Books + Provided Jupyter Books + Livros Jupyter fornecidos Pinned notebooks - Pinned notebooks + Notebooks fixados Get localized SQL Server 2019 guide - Get localized SQL Server 2019 guide + Obtenha o guia do SQL Server 2019 localizado Open Jupyter Book - Open Jupyter Book + Abrir Livro do Jupyter Close Jupyter Book - Close Jupyter Book + Fechar o Livro do Jupyter - - Close Jupyter Notebook - Close Jupyter Notebook + + Close Notebook + Fechar Bloco de Anotações + + + Remove Notebook + Remover Bloco de Anotações + + + Add Notebook + Adicionar Bloco de Anotações + + + Add Markdown File + Adicionar Arquivo de Marcação Reveal in Books - Reveal in Books + Revelar nos Livros - Create Book (Preview) - Create Book (Preview) + Create Jupyter Book + Criar Livro Jupyter Open Notebooks in Folder - Open Notebooks in Folder + Abrir Notebooks na Pasta Add Remote Jupyter Book - Add Remote Jupyter Book + Adicionar Livro do Jupyter Remoto Pin Notebook - Pin Notebook + Fixar Notebook Unpin Notebook - Unpin Notebook + Desafixar Notebook Move to ... - Move to ... + Mover para... @@ -212,11 +236,11 @@ ... Ensuring {0} exists - ... Ensuring {0} exists + ... Verificando se {0} existe Process exited with error code: {0}. StdErr Output: {1} - Process exited with error code: {0}. StdErr Output: {1} + O processo foi encerrado com o código de erro: {0}. Saída de StdErr: {1} @@ -224,11 +248,11 @@ localhost - localhost + localhost Could not find the specified package - Could not find the specified package + Não foi possível localizar o pacote especificado @@ -248,293 +272,333 @@ Spark kernels require a connection to a SQL Server Big Data Cluster master instance. - Spark kernels require a connection to a SQL Server Big Data Cluster master instance. + Os kernels do Spark exigem uma conexão com uma instância mestra do cluster de Big Data do SQL Server. Non-MSSQL providers are not supported for spark kernels. - Non-MSSQL providers are not supported for spark kernels. + Não há suporte para provedores não MSSQL em kernels do Spark. All Files - All Files + Todos os Arquivos Select Folder - Select Folder + Selecionar Pasta - Select Book - Select Book + Select Jupyter Book + Selecionar Livro Jupyter Folder already exists. Are you sure you want to delete and replace this folder? - Folder already exists. Are you sure you want to delete and replace this folder? + A pasta já existe. Tem certeza de que deseja excluir e substituir essa pasta? Open Notebook - Open Notebook + Abrir Notebook Open Markdown - Open Markdown + Abrir Markdown Open External Link - Open External Link + Abrir Link Externo - Book is now trusted in the workspace. - Book is now trusted in the workspace. + Jupyter Book is now trusted in the workspace. + O Livro Jupyter agora é confiável no espaço de trabalho. - Book is already trusted in this workspace. - Book is already trusted in this workspace. + Jupyter Book is already trusted in this workspace. + O Livro Jupyter já é confiável neste espaço de trabalho. - Book is no longer trusted in this workspace - Book is no longer trusted in this workspace + Jupyter Book is no longer trusted in this workspace + O Livro Jupyter não é mais confiável neste espaço de trabalho - Book is already untrusted in this workspace. - Book is already untrusted in this workspace. + Jupyter Book is already untrusted in this workspace. + O Livro Jupyter já não é confiável neste espaço de trabalho. - Book {0} is now pinned in the workspace. - Book {0} is now pinned in the workspace. + Jupyter Book {0} is now pinned in the workspace. + O Livro Jupyter {0} agora está fixado no espaço de trabalho. - Book {0} is no longer pinned in this workspace - Book {0} is no longer pinned in this workspace + Jupyter Book {0} is no longer pinned in this workspace + O Livro Jupyter {0} agora não está mais fixado neste espaço de trabalho - Failed to find a Table of Contents file in the specified book. - Failed to find a Table of Contents file in the specified book. + Failed to find a Table of Contents file in the specified Jupyter Book. + Falha ao encontrar um arquivo de Índice no Livro Jupyter especificado. - No books are currently selected in the viewlet. - No books are currently selected in the viewlet. + No Jupyter Books are currently selected in the viewlet. + Nenhum Livro Jupyter está selecionado no momento no viewlet. - Select Book Section - Select Book Section + Select Jupyter Book Section + Selecione a Seção do Livro Jupyter Add to this level - Add to this level + Adicionar a este nível Missing file : {0} from {1} - Missing file : {0} from {1} + Arquivo ausente: {0} de {1} Invalid toc file - Invalid toc file + Arquivo de sumário inválido Error: {0} has an incorrect toc.yml file - Error: {0} has an incorrect toc.yml file + Erro: {0} tem um arquivo toc.yml incorreto Configuration file missing - Configuration file missing + Arquivo de configuração ausente - Open book {0} failed: {1} - Open book {0} failed: {1} + Open Jupyter Book {0} failed: {1} + Falha ao abrir o Livro Jupyter {0}: {1} - Failed to read book {0}: {1} - Failed to read book {0}: {1} + Failed to read Jupyter Book {0}: {1} + Falha ao ler o Livro Jupyter {0}: {1} Open notebook {0} failed: {1} - Open notebook {0} failed: {1} + Falha ao abrir o notebook {0}: {1} Open markdown {0} failed: {1} - Open markdown {0} failed: {1} + Falha ao abrir o markdown {0}: {1} Open untitled notebook {0} as untitled failed: {1} - Open untitled notebook {0} as untitled failed: {1} + Abrir o notebook sem título {0} porque o sem título falhou: {1} Open link {0} failed: {1} - Open link {0} failed: {1} + Falha ao abrir o link {0}: {1} - Close book {0} failed: {1} - Close book {0} failed: {1} + Close Jupyter Book {0} failed: {1} + Falha ao Fechar Livro Jupyter {0}: {1} File {0} already exists in the destination folder {1} The file has been renamed to {2} to prevent data loss. - File {0} already exists in the destination folder {1} - The file has been renamed to {2} to prevent data loss. + O arquivo {0} já existe na pasta de destino {1} + O arquivo foi renomeado para {2} para impedir a perda de dados. - Error while editing book {0}: {1} - Error while editing book {0}: {1} + Error while editing Jupyter Book {0}: {1} + Erro ao editar o Livro Jupyter {0}: {1} - Error while selecting a book or a section to edit: {0} - Error while selecting a book or a section to edit: {0} + Error while selecting a Jupyter Book or a section to edit: {0} + Erro ao selecionar um Livro Jupyter ou uma seção para editar: {0} + + + Failed to find section {0} in {1}. + Falha ao localizar a seção {0} em {1}. URL - URL + URL Repository URL - Repository URL + URL do repositório Location - Location + Localização - Add Remote Book - Add Remote Book + Add Remote Jupyter Book + Adicionar Livro do Jupyter Remoto GitHub - GitHub + GitHub Shared File - Shared File + Arquivo Compartilhado Releases - Releases + Versões - Book - Book + Jupyter Book + Livro Jupyter Version - Version + Versão Language - Language + Linguagem - No books are currently available on the provided link - No books are currently available on the provided link + No Jupyter Books are currently available on the provided link + Nenhum Livro Jupyter está disponível no momento no link fornecido The url provided is not a Github release url - The url provided is not a Github release url + A URL fornecida não é uma URL de versão do Github Search - Search + Pesquisar Add - Add + Adicionar Close - Close + Fechar - - - + - Remote Book download is in progress - Remote Book download is in progress + Remote Jupyter Book download is in progress + O download do Livro Jupyter Remoto está em andamento - Remote Book download is complete - Remote Book download is complete + Remote Jupyter Book download is complete + O download do Livro Jupyter Remoto está concluído - Error while downloading remote Book - Error while downloading remote Book + Error while downloading remote Jupyter Book + Erro ao baixar o Livro Jupyter remoto - Error while decompressing remote Book - Error while decompressing remote Book + Error while decompressing remote Jupyter Book + Erro ao descompactar o Livro Jupyter remoto - Error while creating remote Book directory - Error while creating remote Book directory + Error while creating remote Jupyter Book directory + Erro ao criar diretório remoto do Livro Jupyter - Downloading Remote Book - Downloading Remote Book + Downloading Remote Jupyter Book + Baixando o Livro Jupyter Remoto Resource not Found - Resource not Found + Recurso Não Encontrado - Books not Found - Books not Found + Jupyter Books not Found + Livros Jupyter não encontrados Releases not Found - Releases not Found + Versões Não Encontradas - The selected book is not valid - The selected book is not valid + The selected Jupyter Book is not valid + O Livro Jupyter selecionado não é válido Http Request failed with error: {0} {1} - Http Request failed with error: {0} {1} + Houve uma falha na solicitação HTTP com o erro: {0} {1} Downloading to {0} - Downloading to {0} + Baixando para {0} - - New Group - New Group + + New Jupyter Book (Preview) + Novo Livro Jupyter (Visualização) - - Groups are used to organize Notebooks. - Groups are used to organize Notebooks. + + Jupyter Books are used to organize Notebooks. + Os Livros Jupyter são usados para organizar Blocos de Anotações. - - Browse locations... - Browse locations... + + Learn more. + Saiba mais. - - Select content folder - Select content folder + + Content folder + Pasta de conteúdo Browse - Browse + Procurar Create - Create + Criar Name - Name + Nome Save location - Save location + Salvar localização - + Content folder (Optional) - Content folder (Optional) + Pasta de conteúdo (Opcional) Content folder path does not exist - Content folder path does not exist + O caminho da pasta de conteúdo não existe - Save location path does not exist - Save location path does not exist + Save location path does not exist. + O caminho de localização para salvar não existe. + + + Error while trying to access: {0} + Erro ao tentar acessar: {0} + + + New Notebook (Preview) + Novo Bloco de Anotações (Visualização) + + + New Markdown (Preview) + Nova Marcação (Visualização) + + + File Extension + Extensão de Arquivo + + + File already exists. Are you sure you want to overwrite this file? + O arquivo já existe. Tem certeza de que deseja substituir este arquivo? + + + Title + Título + + + File Name + Nome do Arquivo + + + Save location path is not valid. + O caminho do local salvo não é válido. + + + File {0} already exists in the destination folder + Arquivo {0} já existe na pasta de destino @@ -588,6 +652,18 @@ Another Python installation is currently in progress. Waiting for it to complete. Outra instalação do Python está em andamento no momento. Esperando a conclusão. + + Active Python notebook sessions will be shutdown in order to update. Would you like to proceed now? + As sessões ativas do bloco de anotações do Python serão encerradas para serem atualizadas. Deseja continuar agora? + + + Python {0} is now available in Azure Data Studio. The current Python version (3.6.6) will be out of support in December 2021. Would you like to update to Python {0} now? + O Python {0} agora está disponível no Azure Data Studio. A versão atual do Python (3.6.6) estará sem suporte em dezembro de 2021. Deseja atualizar para o Python {0} agora? + + + Python {0} will be installed and will replace Python 3.6.6. Some packages may no longer be compatible with the new version or may need to be reinstalled. A notebook will be created to help you reinstall all pip packages. Would you like to continue with the update now? + O Python {0} será instalado e substituirá o Python 3.6.6. Alguns pacotes podem não ser mais compatíveis com a nova versão ou talvez precisem ser reinstalados. Um bloco de anotações será criado para ajudá-lo a reinstalar todos os pacotes pip. Deseja continuar com a atualização agora? + Installing Notebook dependencies failed with error: {0} Falha na instalação das dependências do Notebook com o erro: {0} @@ -598,11 +674,23 @@ Encountered an error when trying to retrieve list of installed packages: {0} - Encountered an error when trying to retrieve list of installed packages: {0} + Foi encontrado um erro ao tentar recuperar a lista de pacotes instalados: {0} Encountered an error when getting Python user path: {0} - Encountered an error when getting Python user path: {0} + Foi encontrado um erro ao obter o caminho do usuário do Python: {0} + + + Yes + Sim + + + No + Não + + + Don't Ask Again + Não perguntar novamente @@ -610,35 +698,35 @@ Install - Install + Instalar The specified install location is invalid. - The specified install location is invalid. + O local de instalação especificado é inválido. No Python installation was found at the specified location. - No Python installation was found at the specified location. + Não foi encontrada nenhuma instalação do Python na localização especificada. Configure Python to run {0} kernel - Configure Python to run {0} kernel + Configurar o Python para executar o kernel {0} Configure Python to run kernels - Configure Python to run kernels + Configurar o Python para executar kernels Configure Python Runtime - Configure Python Runtime + Configurar Runtime do Python Install Dependencies - Install Dependencies + Instalar Dependências Python installation was declined. - Python installation was declined. + A instalação do Python foi recusada. @@ -678,55 +766,55 @@ Browse - Browse + Procurar Select - Select + Selecionar The {0} kernel requires a Python runtime to be configured and dependencies to be installed. - The {0} kernel requires a Python runtime to be configured and dependencies to be installed. + O kernel {0} exige que um runtime do Python seja configurado e que as dependências sejam instaladas. Notebook kernels require a Python runtime to be configured and dependencies to be installed. - Notebook kernels require a Python runtime to be configured and dependencies to be installed. + Os kernels do Notebook exigem que o runtime do Python seja configurado e as dependências sejam instaladas. Installation Type - Installation Type + Tipo de Instalação Python Install Location - Python Install Location + Localização da Instalação do Python Python runtime configured! - Python runtime configured! + Runtime do Python configurado. {0} (Python {1}) - {0} (Python {1}) + {0} (Python {1}) No supported Python versions found. - No supported Python versions found. + Não foram encontradas versões do Python com suporte. {0} (Default) - {0} (Default) + {0} (Padrão) New Python installation - New Python installation + Nova instalação do Python Use existing Python installation - Use existing Python installation + Usar a instalação existente do Python {0} (Custom) - {0} (Custom) + {0} (Personalizado) @@ -734,27 +822,27 @@ Name - Name + Nome Existing Version - Existing Version + Versão Existente Required Version - Required Version + Versão Obrigatória Kernel - Kernel + Kernel Install required kernel dependencies - Install required kernel dependencies + Instalar dependências do kernel obrigatórias Could not retrieve packages for kernel {0} - Could not retrieve packages for kernel {0} + Não foi possível recuperar pacotes para o kernel {0} @@ -774,7 +862,7 @@ Notebook process exited prematurely with error code: {0}. StdErr Output: {1} - Notebook process exited prematurely with error code: {0}. StdErr Output: {1} + O processo do Notebook foi encerrado prematuramente com o código de erro: {0}. Saída de StdErr: {1} Error sent from Jupyter: {0} @@ -806,23 +894,23 @@ Could not find Knox gateway endpoint - Could not find Knox gateway endpoint + Não foi possível localizar o ponto de extremidade do gateway do Knox {0}Please provide the username to connect to the BDC Controller: - {0}Please provide the username to connect to the BDC Controller: + {0}Forneça o nome de usuário para se conectar ao Controlador do BDC: Please provide the password to connect to the BDC Controller - Please provide the password to connect to the BDC Controller + Forneça a senha para se conectar ao Controlador do BDC Error: {0}. - Error: {0}. + Erro: {0}. A connection to the cluster controller is required to run Spark jobs - A connection to the cluster controller is required to run Spark jobs + Uma conexão com o controlador de cluster é necessária para executar trabalhos do Spark @@ -854,7 +942,7 @@ Delete - Delete + Excluir Uninstall selected packages @@ -866,7 +954,7 @@ Location - Location + Localização {0} {1} packages found @@ -946,7 +1034,7 @@ Package info request failed with error: {0} {1} - Package info request failed with error: {0} {1} + Falha na solicitação de informações do pacote com o erro: {0} {1} @@ -954,15 +1042,15 @@ This sample code loads the file into a data frame and shows the first 10 results. - This sample code loads the file into a data frame and shows the first 10 results. + Este código de exemplo carrega o arquivo em um quadro de dados e mostra os 10 primeiros resultados. No notebook editor is active - No notebook editor is active + Não há nenhum editor de notebook ativo Notebooks - Notebooks + Notebooks @@ -973,8 +1061,8 @@ Não há suporte para a ação {0} para esse manipulador - Cannot open link {0} as only HTTP and HTTPS links are supported - Não é possível abrir o link {0} porque somente os links HTTP e HTTPS são compatíveis + Cannot open link {0} as only HTTP, HTTPS, and File links are supported + Não é possível abrir o link {0} porque somente os links HTTP, HTTPS e de arquivos são compatíveis Download and open '{0}'? diff --git a/resources/xlf/pt-br/profiler.pt-BR.xlf b/resources/xlf/pt-br/profiler.pt-BR.xlf index 1e4398f0bd..94d4162c59 100644 --- a/resources/xlf/pt-br/profiler.pt-BR.xlf +++ b/resources/xlf/pt-br/profiler.pt-BR.xlf @@ -1,6 +1,6 @@  - + Cancel diff --git a/resources/xlf/pt-br/resource-deployment.pt-BR.xlf b/resources/xlf/pt-br/resource-deployment.pt-BR.xlf index 3f31c2c693..c2aabe0761 100644 --- a/resources/xlf/pt-br/resource-deployment.pt-BR.xlf +++ b/resources/xlf/pt-br/resource-deployment.pt-BR.xlf @@ -12,7 +12,7 @@ New Deployment… - New Deployment… + Nova Implantação… Deployment @@ -26,14 +26,6 @@ Run SQL Server container image with docker Executar a imagem de contêiner do SQL Server com o Docker - - SQL Server Big Data Cluster - Cluster de Big Data do SQL Server - - - SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes - O Cluster de Big Data do SQL Server permite implantar clusters escalonáveis de contêineres do SQL Server, do Spark e do HDFS em execução no Kubernetes - Version Versão @@ -44,43 +36,15 @@ SQL Server 2019 - SQL Server 2019 - - - SQL Server 2019 - SQL Server 2019 - - - Deployment target - Destino de implantação - - - New Azure Kubernetes Service Cluster - Novo Cluster do Serviço de Kubernetes do Azure - - - Existing Azure Kubernetes Service Cluster - Cluster do Serviço de Kubernetes do Azure existente - - - Existing Kubernetes Cluster (kubeadm) - Cluster do Kubernetes existente (kubeadm) - - - Existing Azure Red Hat OpenShift cluster - Existing Azure Red Hat OpenShift cluster - - - Existing OpenShift cluster - Existing OpenShift cluster + SQL Server 2019 Deploy SQL Server 2017 container images - Deploy SQL Server 2017 container images + Implantar imagens de contêiner do SQL Server 2017 Deploy SQL Server 2019 container images - Deploy SQL Server 2019 container images + Implantar imagens de contêiner do SQL Server 2019 Container name @@ -98,70 +62,6 @@ Port Porta - - SQL Server Big Data Cluster settings - Configurações do cluster de Big Data do SQL Server - - - Cluster name - Nome do cluster - - - Controller username - Nome de usuário do controlador - - - Password - Senha - - - Confirm password - Confirmar a senha - - - Azure settings - Configurações do Azure - - - Subscription id - ID da assinatura - - - Use my default Azure subscription - Usar minha assinatura padrão do Azure - - - Resource group name - Nome do grupo de recursos - - - Region - Região - - - AKS cluster name - Nome do cluster do AKS - - - VM size - Tamanho da VM - - - VM count - Contagem de VMs - - - Storage class name - Nome da classe de armazenamento - - - Capacity for data (GB) - Capacidade de dados (GB) - - - Capacity for logs (GB) - Capacidade de logs (GB) - SQL Server on Windows SQL Server no Windows @@ -170,197 +70,185 @@ Run SQL Server on Windows, select a version to get started. Execute o SQL Server no Windows, selecione uma versão para começar. - - I accept {0}, {1} and {2}. - Aceito {0}, {1} e {2}. - Microsoft Privacy Statement - Microsoft Privacy Statement - - - azdata License Terms - Termos de Licença do azdata - - - SQL Server License Terms - Termos de Licença do SQL Server + Política de Privacidade da Microsoft Deployment configuration - Deployment configuration + Configuração de implantação Location of the azdata package used for the install command - Location of the azdata package used for the install command + Localização do pacote azdata usado para o comando de instalação SQL Server on Azure Virtual Machine - SQL Server on Azure Virtual Machine + SQL Server na Máquina Virtual do Azure Create SQL virtual machines on Azure. Best for migrations and applications requiring OS-level access. - Create SQL virtual machines on Azure. Best for migrations and applications requiring OS-level access. + Crie máquinas virtuais do SQL no Azure. Isso é ideal para migrações e aplicativos que exigem acesso ao nível do SO. Deploy Azure SQL virtual machine - Deploy Azure SQL virtual machine + Implantar a máquina virtual do SQL do Azure Script to notebook - Script to notebook + Script para o notebook I accept {0}, {1} and {2}. - I accept {0}, {1} and {2}. + Aceito {0}, {1} e {2}. Azure SQL VM License Terms - Azure SQL VM License Terms + Termos de Licença da VM do SQL do Azure azdata License Terms - azdata License Terms + Termos de Licença do azdata Azure information - Azure information + Informações do Azure Azure locations - Azure locations + Locais do Azure VM information - VM information + Informações da VM Image - Image + Imagem VM image SKU - VM image SKU + SKU da imagem de VM Publisher - Publisher + Editor Virtual machine name - Virtual machine name + Nome da máquina virtual Size - Size + Tamanho Storage account - Storage account + Conta de armazenamento Storage account name - Storage account name + Nome da conta de armazenamento Storage account SKU type - Storage account SKU type + Tipo de SKU da conta de armazenamento Administrator account - Administrator account + Conta de administrador Username - Username + Nome de usuário Password - Password + Senha Confirm password - Confirm password + Confirmar a senha Summary - Summary + Resumo Azure SQL Database - Azure SQL Database + Banco de Dados SQL do Azure Create a SQL database, database server, or elastic pool in Azure. - Create a SQL database, database server, or elastic pool in Azure. + Crie um banco de dados SQL, um servidor de banco de dados ou um pool elástico no Azure. Create in Azure portal - Create in Azure portal + Criar no portal do Azure Select - Select + Selecionar Resource Type - Resource Type + Tipo de Recurso Single Database - Single Database + Banco de Dados Individual Elastic Pool - Elastic Pool + Pool Elástico Database Server - Database Server + Servidor de Banco de Dados I accept {0}, {1} and {2}. - I accept {0}, {1} and {2}. + Aceito {0}, {1} e {2}. Azure SQL DB License Terms - Azure SQL DB License Terms + Termos de Licença do BD SQL do Azure azdata License Terms - azdata License Terms + Termos de Licença do azdata Azure SQL managed instance - Azure SQL managed instance + Instância gerenciada de SQL do Azure Create a SQL Managed Instance in either Azure or a customer-managed environment - Create a SQL Managed Instance in either Azure or a customer-managed environment + Criar uma Instância Gerenciada de SQL no Azure ou em um ambiente gerenciado pelo cliente Open in Portal - Open in Portal + Abrir no Portal Resource Type - Resource Type + Tipo de Recurso I accept {0} and {1}. - I accept {0} and {1}. + Aceito {0} e {1}. Azure SQL MI License Terms - Azure SQL MI License Terms + Termos de Licença da MI do SQL do Azure Azure SQL Managed Instance provides full SQL Server access and feature compatibility for migrating SQL Servers to Azure, or developing new applications. {0}. - Azure SQL Managed Instance provides full SQL Server access and feature compatibility for migrating SQL Servers to Azure, or developing new applications. {0}. + A Instância Gerenciada de SQL do Azure fornece acesso completo ao SQL Server e compatibilidade de recurso para migrar SQL Servers para o Azure ou desenvolver novos aplicativos. {0}. Learn More - Learn More + Saiba Mais @@ -368,227 +256,243 @@ Azure Account - Azure Account + Conta do Azure Subscription (selected subset) - Subscription (selected subset) + Assinatura (subconjunto selecionado) Change the currently selected subscriptions through the 'Select Subscriptions' action on an account listed in the 'Azure' tree view of the 'Connections' viewlet - Change the currently selected subscriptions through the 'Select Subscriptions' action on an account listed in the 'Azure' tree view of the 'Connections' viewlet + Altere as assinaturas atualmente selecionadas por meio da ação 'Selecionar Assinaturas' em uma conta listada no modo de exibição de árvore 'Azure' do viewlet 'Conexões' Resource Group - Resource Group + Grupo de Recursos Azure Location - Azure Location + Localização do Azure Browse - Browse + Procurar Select - Select + Selecionar Kube config file path - Kube config file path + Caminho do arquivo de configuração de Kube No cluster context information found - No cluster context information found + Nenhuma informação de contexto de cluster encontrada Sign in… - Sign in… + Entrar… Refresh - Refresh + Atualizar Yes - Yes + Sim No - No + Não Create a new resource group - Create a new resource group + Criar um novo grupo de recurso New resource group name - New resource group name + Nome do novo grupo de recursos Realm - Realm + Realm Unknown field type: "{0}" - Unknown field type: "{0}" + Tipo de campo desconhecido: "{0}" Options Source with id:{0} is already defined - Options Source with id:{0} is already defined + A Fonte de Opções com a ID {0} já está definida Value Provider with id:{0} is already defined - Value Provider with id:{0} is already defined + O Provedor de Valor com a ID {0} já está definido No Options Source defined for id: {0} - No Options Source defined for id: {0} + Nenhuma Fonte de Opções definida para a ID: {0} No Value Provider defined for id: {0} - No Value Provider defined for id: {0} + Nenhum Provedor de Valor foi definido para a ID: {0} Attempt to get variable value for unknown variable:{0} - Attempt to get variable value for unknown variable:{0} + Tentativa de obter o valor de variável para a variável desconhecida: {0} Attempt to get isPassword for unknown variable:{0} - Attempt to get isPassword for unknown variable:{0} + Tentativa de obter isPassword para uma variável desconhecida: {0} FieldInfo.options was not defined for field type: {0} - FieldInfo.options was not defined for field type: {0} + FieldInfo.options não foi definido para o tipo de campo: {0} FieldInfo.options must be an object if it is not an array - FieldInfo.options must be an object if it is not an array + FieldInfo.options precisa ser um objeto se não for uma matriz When FieldInfo.options is an object it must have 'optionsType' property - When FieldInfo.options is an object it must have 'optionsType' property + Quando FieldInfo.options for um objeto, ele precisará ter a propriedade 'optionsType' When optionsType is not {0} then it must be {1} - When optionsType is not {0} then it must be {1} + Quando optionsType não for {0}, ele precisará ser {1} Deployment cannot continue. Azure Data CLI license terms have not yet been accepted. Please accept the EULA to enable the features that requires Azure Data CLI. - Deployment cannot continue. Azure Data CLI license terms have not yet been accepted. Please accept the EULA to enable the features that requires Azure Data CLI. + A implantação não pode continuar. Os termos de licença da CLI de Dados do Azure ainda não foram aceitos. Aceite os Termos de Licença para Software Microsoft para habilitar os recursos que exigem a CLI de Dados do Azure. Deployment cannot continue. Azure Data CLI license terms were declined.You can either Accept EULA to continue or Cancel this operation - Deployment cannot continue. Azure Data CLI license terms were declined.You can either Accept EULA to continue or Cancel this operation + A implantação não pode continuar. Os termos de licença da CLI de Dados do Azure foram recusados. Você pode aceitar os Termos de Licença para Software Microsoft para continuar ou cancelar esta operação Accept EULA & Select - Accept EULA & Select + Aceitar os Termos de Licença para Software Microsoft e Selecionar + + + The '{0}' extension is required to deploy this resource, do you want to install it now? + A extensão '{0}' é necessária para implantar esse recurso, deseja instalá-lo agora? + + + Install + Instalar + + + Installing extension '{0}'... + Instalando a Extensão '{0}'... + + + Unknown extension '{0}' + Extensão desconhecida '{0}' Select the deployment options - Select the deployment options + Selecione as opções de implantação Filter resources... - Filter resources... + Filtrar recursos... Categories - Categories + Categorias There are some errors on this page, click 'Show Details' to view the errors. - There are some errors on this page, click 'Show Details' to view the errors. + Há alguns erros nesta página. Clique em 'Mostrar Detalhes' para exibir os erros. Script - Script + Script Run - Run + Executar View error detail - View error detail + Exibir detalhe do erro An error occurred opening the output notebook. {1}{2}. - An error occurred opening the output notebook. {1}{2}. + Ocorreu um erro ao abrir o notebook de saída. {1}{2}. The task "{0}" has failed. - The task "{0}" has failed. + Falha na tarefa "{0}". The task "{0}" failed and no output Notebook was generated. - The task "{0}" failed and no output Notebook was generated. + Houve uma falha na tarefa "{0}" e nenhum Notebook de saída foi gerado. All - All + Tudo On-premises - On-premises + Local SQL Server - SQL Server + SQL Server Hybrid - Hybrid + Híbrido PostgreSQL - PostgreSQL + PostgreSQL Cloud - Cloud + Nuvem Description - Description + Descrição Tool - Tool + Ferramenta Status - Status + Status Version - Version + Versão Required Version - Required Version + Versão Obrigatória Discovered Path or Additional Information - Discovered Path or Additional Information + Caminho Descoberto ou Informações Adicionais Required tools - Required tools + Ferramentas necessárias Install tools - Install tools + Ferramentas de instalação Options - Options + Opções Required tool '{0}' [ {1} ] is being installed now. - Required tool '{0}' [ {1} ] is being installed now. + A ferramenta obrigatória '{0}' [ {1} ] está sendo instalada agora. @@ -596,45 +500,45 @@ An error ocurred while loading or parsing the config file:{0}, error is:{1} - An error ocurred while loading or parsing the config file:{0}, error is:{1} + Ocorreu um erro ao carregar ou analisar o arquivo de configuração: {0}. O erro é: {1} Path: {0} is not a file, please select a valid kube config file. - Path: {0} is not a file, please select a valid kube config file. + Caminho: {0} não é um arquivo, selecione um arquivo de configuração de kube válido. File: {0} not found. Please select a kube config file. - File: {0} not found. Please select a kube config file. + Arquivo: {0} não encontrado. Selecione um arquivo de configuração de kube. Unexpected error fetching accounts: {0} - Unexpected error fetching accounts: {0} + Erro inesperado ao buscar contas: {0} Unexpected error fetching available kubectl storage classes : {0} - Unexpected error fetching available kubectl storage classes : {0} + Erro inesperado ao buscar classes de armazenamento kubectl disponíveis: {0} Unexpected error fetching subscriptions for account {0}: {1} - Unexpected error fetching subscriptions for account {0}: {1} + Erro inesperado ao buscar assinaturas para a conta {0}: {1} The selected account '{0}' is no longer available. Click sign in to add it again or select a different account. - The selected account '{0}' is no longer available. Click sign in to add it again or select a different account. + A conta selecionada '{0}' não está mais disponível. Clique em entrar para adicioná-la novamente ou selecione uma conta diferente. Error Details: {0}. - - Error Details: {0}. + + Detalhes do Erro: {0}. The access token for selected account '{0}' is no longer valid. Please click the sign in button and refresh the account or select a different account. - The access token for selected account '{0}' is no longer valid. Please click the sign in button and refresh the account or select a different account. + O token de acesso para a conta selecionada '{0}' não é mais válido. Clique no botão Entrar e atualize a conta ou selecione uma conta diferente. Unexpected error fetching resource groups for subscription {0}: {1} - Unexpected error fetching resource groups for subscription {0}: {1} + Erro inesperado ao buscar grupos de recursos para a assinatura {0}: {1} {0} doesn't meet the password complexity requirement. For more information: https://docs.microsoft.com/sql/relational-databases/security/password-policy @@ -650,139 +554,139 @@ Deploy Azure SQL VM - Deploy Azure SQL VM + Implantar a VM do SQL do Azure Script to Notebook - Script to Notebook + Script para o Notebook Please fill out the required fields marked with red asterisks. - Please fill out the required fields marked with red asterisks. + Preencha os campos obrigatórios marcados com asteriscos vermelhos. Azure settings - Azure settings + Configurações do Azure Azure Account - Azure Account + Conta do Azure Subscription - Subscription + Assinatura Resource Group - Resource Group + Grupo de Recursos Region - Region + Região Virtual machine settings - Virtual machine settings + Configurações de máquina virtual Virtual machine name - Virtual machine name + Nome da máquina virtual Administrator account username - Administrator account username + Nome de usuário da conta de administrador Administrator account password - Administrator account password + Senha da conta de administrador Confirm password - Confirm password + Confirmar a senha Image - Image + Imagem Image SKU - Image SKU + SKU da Imagem Image Version - Image Version + Versão da Imagem Size - Size + Tamanho Click here to learn more about pricing and supported VM sizes - Click here to learn more about pricing and supported VM sizes + Clique aqui para saber mais sobre o preço e os tamanhos de VM com suporte Networking - Networking + Rede Configure network settings - Configure network settings + Definir configurações de rede New virtual network - New virtual network + Nova rede virtual Virtual Network - Virtual Network + Rede Virtual New subnet - New subnet + Nova sub-rede Subnet - Subnet + Sub-rede Public IP - Public IP + IP New public ip - New public ip + Novo IP Enable Remote Desktop (RDP) inbound port (3389) - Enable Remote Desktop (RDP) inbound port (3389) + Habilitar a porta de entrada da RDP (Área de Trabalho Remota) (3389) SQL Servers settings - SQL Servers settings + Configurações de SQL Servers SQL connectivity - SQL connectivity + Conectividade do SQL Port - Port + Porta Enable SQL authentication - Enable SQL authentication + Habilitar autenticação do SQL Username - Username + Nome de usuário Password - Password + Senha Confirm password - Confirm password + Confirmar a senha @@ -790,39 +694,39 @@ Save config files - Save config files + Salvar arquivos de configuração Script to Notebook - Script to Notebook + Script para o Notebook Save config files - Save config files + Salvar arquivos de configuração Config files saved to {0} - Config files saved to {0} + Arquivos de configuração salvos em {0} Deploy SQL Server 2019 Big Data Cluster on a new AKS cluster - Deploy SQL Server 2019 Big Data Cluster on a new AKS cluster + Implantar o Cluster de Big Data do SQL Server 2019 em um novo cluster do AKS Deploy SQL Server 2019 Big Data Cluster on an existing AKS cluster - Deploy SQL Server 2019 Big Data Cluster on an existing AKS cluster + Implantar o Cluster de Big Data do SQL Server 2019 em um cluster do AKS existente Deploy SQL Server 2019 Big Data Cluster on an existing kubeadm cluster - Deploy SQL Server 2019 Big Data Cluster on an existing kubeadm cluster + Implantar o Cluster de Big Data do SQL Server 2019 em um cluster de kubeadm existente Deploy SQL Server 2019 Big Data Cluster on an existing Azure Red Hat OpenShift cluster - Deploy SQL Server 2019 Big Data Cluster on an existing Azure Red Hat OpenShift cluster + Implante o Cluster de Big Data do SQL Server 2019 em um cluster do Red Hat OpenShift no Azure existente Deploy SQL Server 2019 Big Data Cluster on an existing OpenShift cluster - Deploy SQL Server 2019 Big Data Cluster on an existing OpenShift cluster + Implante o Cluster de Big Data do SQL Server 2019 em um cluster do OpenShift existente @@ -830,79 +734,79 @@ Not Installed - Not Installed + Não Instalado Installed - Installed + Instalado Installing… - Installing… + Instalando… Error - Error + Erro Failed - Failed + Com falha • brew is needed for deployment of the tools and needs to be pre-installed before necessary tools can be deployed - • brew is needed for deployment of the tools and needs to be pre-installed before necessary tools can be deployed + • O brew é necessário na implantação das ferramentas e precisa ser pré-instalado antes que as ferramentas necessárias possam ser implantadas • curl is needed for installation and needs to be pre-installed before necessary tools can be deployed - • curl is needed for installation and needs to be pre-installed before necessary tools can be deployed + • O curl é necessário na instalação e precisa ser pré-instalado antes que as ferramentas necessárias possam ser implantadas Could not find 'Location' in the output: - Could not find 'Location' in the output: + Não foi possível encontrar 'Localização' na saída: output: - output: + saída: Error installing tool '{0}' [ {1} ].{2}Error: {3}{2}See output channel '{4}' for more details - Error installing tool '{0}' [ {1} ].{2}Error: {3}{2}See output channel '{4}' for more details + Erro ao instalar a ferramenta '{0}' [ {1} ].{2}Erro: {3}{2}Confira o canal de saída '{4}' para obter mais detalhes Error installing tool. See output channel '{0}' for more details - Error installing tool. See output channel '{0}' for more details + Erro ao instalar a ferramenta. Confira o canal de saída '{0}' para obter mais detalhes Installation commands completed but version of tool '{0}' could not be detected so our installation attempt has failed. Detection Error: {1}{2}Cleaning up previous installations would help. - Installation commands completed but version of tool '{0}' could not be detected so our installation attempt has failed. Detection Error: {1}{2}Cleaning up previous installations would help. + Os comandos de instalação foram concluídos, mas a versão da ferramenta '{0}' não pôde ser detectada, portanto, houve uma falha na tentativa de instalação. Erro de detecção: {1}{2}Limpar instalações anteriores pode ajudar. Failed to detect version post installation. See output channel '{0}' for more details - Failed to detect version post installation. See output channel '{0}' for more details + Falha ao detectar a versão após a instalação. Confira o canal de saída '{0}' para obter mais detalhes A possibly way to uninstall is using this command:{0} >{1} - A possibly way to uninstall is using this command:{0} >{1} + Um modo possível de desinstalar é usando este comando:{0} >{1} {0}See output channel '{1}' for more details - {0}See output channel '{1}' for more details + {0}Confira o canal de saída '{1}' para obter mais detalhes Cannot install tool:{0}::{1} as installation commands are unknown for your OS distribution, Please install {0} manually before proceeding - Cannot install tool:{0}::{1} as installation commands are unknown for your OS distribution, Please install {0} manually before proceeding + Não é possível instalar a ferramenta {0}::{1}, pois os comandos de instalação são desconhecidos pela sua distribuição de SO. Instale o {0} manualmente antes de continuar Search Paths for tool '{0}': {1} - Search Paths for tool '{0}': {1} + Caminhos de pesquisa para a ferramenta '{0}': {1} Error retrieving version information. See output channel '{0}' for more details - Error retrieving version information. See output channel '{0}' for more details + Erro ao recuperar as informações da versão. Confira o canal de saída '{0}' para obter mais detalhes Error retrieving version information.{0}Invalid output received, get version command output: '{1}' - Error retrieving version information.{0}Invalid output received, get version command output: '{1}' + Erro ao recuperar informações de versão.{0}Saída inválida recebida, obtenha a saída do comando da versão: '{1}' @@ -910,87 +814,87 @@ Deploy Azure SQL DB - Deploy Azure SQL DB + Implantar o BD SQL do Azure Script to Notebook - Script to Notebook + Script para o Notebook Please fill out the required fields marked with red asterisks. - Please fill out the required fields marked with red asterisks. + Preencha os campos obrigatórios marcados com asteriscos vermelhos. Azure SQL Database - Azure account settings - Azure SQL Database - Azure account settings + Banco de Dados SQL do Azure – Configurações da conta do Azure Azure account settings - Azure account settings + Configurações de conta do Azure Azure account - Azure account + Conta do Azure Subscription - Subscription + Assinatura Server - Server + Servidor Resource group - Resource group + Grupo de recursos Database settings - Database settings + Configurações do banco de dados Firewall rule name - Firewall rule name + Nome da regra de firewall SQL database name - SQL database name + Nome do banco de dados SQL Database collation - Database collation + Ordenação de banco de dados Collation for database - Collation for database + Ordenação para banco de dados Enter IP addresses in IPv4 format. - Enter IP addresses in IPv4 format. + Insira os endereços IP no formato IPv4. Min IP address in firewall IP range - Min IP address in firewall IP range + Endereço IP mínimo no intervalo de IP do firewall Max IP address in firewall IP range - Max IP address in firewall IP range + Endereço IP máximo no intervalo de IP do firewall Min IP address - Min IP address + Endereço IP mínimo Max IP address - Max IP address + Endereço IP máximo Create a firewall rule for your local client IP in order to connect to your database through Azure Data Studio after creation is completed. - Create a firewall rule for your local client IP in order to connect to your database through Azure Data Studio after creation is completed. + Crie uma regra de firewall para o IP do cliente local para se conectar ao seu banco de dados por meio do Azure Data Studio após a conclusão da criação. Create a firewall rule - Create a firewall rule + Criar uma regra de firewall @@ -998,7 +902,7 @@ Runs commands against Kubernetes clusters - Runs commands against Kubernetes clusters + Executa comandos em clusters do Kubernetes kubectl @@ -1006,67 +910,67 @@ Unable to parse the kubectl version command output: "{0}" - Unable to parse the kubectl version command output: "{0}" + Não é possível analisar a saída do comando da versão do kubectl: "{0}" updating your brew repository for kubectl installation … - updating your brew repository for kubectl installation … + atualizando o seu repositório brew para a instalação do kubectl… installing kubectl … - installing kubectl … + instalando o kubectl… updating repository information … - updating repository information … + atualizando informações do repositório… getting packages needed for kubectl installation … - getting packages needed for kubectl installation … + obtendo pacotes necessários para a instalação do kubectl… downloading and installing the signing key for kubectl … - downloading and installing the signing key for kubectl … + baixando e instalando a chave de assinatura para kubectl… adding the kubectl repository information … - adding the kubectl repository information … + adicionando informações do repositório kubectl… installing kubectl … - installing kubectl … + instalando o kubectl… deleting previously downloaded kubectl.exe if one exists … - deleting previously downloaded kubectl.exe if one exists … + excluindo o kubectl.exe baixado anteriormente, se houver… downloading and installing the latest kubectl.exe … - downloading and installing the latest kubectl.exe … + baixando e instalando o kubectl.exe mais recente… deleting previously downloaded kubectl if one exists … - deleting previously downloaded kubectl if one exists … + excluindo o kubectl baixado anteriormente, se houver… downloading the latest kubectl release … - downloading the latest kubectl release … + baixando a versão mais recente do kubectl… making kubectl executable … - making kubectl executable … + tornando o kubectl executável… cleaning up any previously backed up version in the install location if they exist … - cleaning up any previously backed up version in the install location if they exist … + limpando todas as versões das quais foi feito backup anteriormente na localização de instalação, se houver… backing up any existing kubectl in the install location … - backing up any existing kubectl in the install location … + fazendo backup de qualquer kubectl existente na localização de instalação… moving kubectl into the install location in the PATH … - moving kubectl into the install location in the PATH … + movendo o kubectl para a localização de instalação em PATH… @@ -1074,7 +978,7 @@ There are some errors on this page, click 'Show Details' to view the errors. - There are some errors on this page, click 'Show Details' to view the errors. + Há alguns erros nesta página. Clique em 'Mostrar Detalhes' para exibir os erros. @@ -1082,24 +986,20 @@ Open Notebook - Open Notebook + Abrir Notebook OK - OK + OK Notebook type - Notebook type + Tipo de notebook - - Failed to load extension: {0}, Error detected in the resource type definition in package.json, check debug console for details. - Falha ao carregar a extensão: {0}, Erro detectado na definição de tipo de recurso no package.json. Verifique o console de depuração para obter detalhes. - The resource type: {0} is not defined O tipo de recurso: {0} não está definido @@ -1118,31 +1018,31 @@ Deployments - Deployments + Implantações >>> {0} … errored out: {1} - >>> {0} … errored out: {1} + >>> {0} … com o erro: {1} >>> Ignoring error in execution and continuing tool deployment - >>> Ignoring error in execution and continuing tool deployment + >>> Ignorando erro na execução e continuando a implantação da ferramenta stdout: - stdout: + stdout: stderr: - stderr: + stderr: >>> {0} … exited with code: {1} - >>> {0} … exited with code: {1} + >>> {0} … foi encerrado com o código: {1} >>> {0} … exited with signal: {1} - >>> {0} … exited with signal: {1} + >>> {0} … foi encerrado com o sinal: {1} @@ -1158,31 +1058,31 @@ Service scale settings (Instances) - Service scale settings (Instances) + Configurações de escala de serviço (Instâncias) Service storage settings (GB per Instance) - Service storage settings (GB per Instance) + Configurações de armazenamento de serviço (GB por Instância) Features - Features + Recursos Yes - Yes + Sim No - No + Não Deployment configuration profile - Deployment configuration profile + Perfil de configuração de implantação Select the target configuration profile - Select the target configuration profile + Selecione o perfil de configuração de destino Note: The settings of the deployment profile can be customized in later steps. @@ -1190,15 +1090,15 @@ Loading profiles - Loading profiles + Carregando perfis Loading profiles completed - Loading profiles completed + Carregamento de perfis concluído Deployment configuration profile - Deployment configuration profile + Perfil de configuração de implantação Failed to load the deployment profiles: {0} @@ -1222,19 +1122,19 @@ Service - Service + Serviço Data - Data + Dados Logs - Logs + Logs Storage type - Storage type + Tipo de armazenamento Basic authentication @@ -1250,7 +1150,7 @@ Feature - Feature + Recurso Please select a deployment profile. @@ -1262,7 +1162,7 @@ Please fill out the required fields marked with red asterisks. - Please fill out the required fields marked with red asterisks. + Preencha os campos obrigatórios marcados com asteriscos vermelhos. Azure settings @@ -1322,7 +1222,7 @@ The cluster name must consist only of alphanumeric lowercase characters or '-' and must start and end with an alphanumeric character. - The cluster name must consist only of alphanumeric lowercase characters or '-' and must start and end with an alphanumeric character. + O nome do cluster precisa conter apenas caracteres alfanuméricos em minúsculas ou '-', e começar e terminar com um caractere alfanumérico. Cluster settings @@ -1434,7 +1334,7 @@ If not provided, the domain DNS name will be used as the default value. - If not provided, the domain DNS name will be used as the default value. + Se não for fornecido, o nome DNS do domínio será usado como o valor padrão. Cluster admin group @@ -1470,7 +1370,7 @@ App owners - App owners + Proprietários de aplicativos Use comma to separate the values. @@ -1494,19 +1394,19 @@ Subdomain - Subdomain + Subdomínio A unique DNS subdomain to use for this SQL Server Big Data Cluster. If not provided, the cluster name will be used as the default value. - A unique DNS subdomain to use for this SQL Server Big Data Cluster. If not provided, the cluster name will be used as the default value. + Um subdomínio DNS exclusivo a ser usado neste Cluster de Big Data do SQL Server. Se não for fornecido, o nome do cluster será usado como o valor padrão. Account prefix - Account prefix + Prefixo da conta A unique prefix for AD accounts SQL Server Big Data Cluster will generate. If not provided, the subdomain name will be used as the default value. If a subdomain is not provided, the cluster name will be used as the default value. - A unique prefix for AD accounts SQL Server Big Data Cluster will generate. If not provided, the subdomain name will be used as the default value. If a subdomain is not provided, the cluster name will be used as the default value. + Um prefixo exclusivo para contas do AD que o Cluster de Big Data do SQL Server vai gerar. Se não for fornecido, o nome de subdomínio será usado como o valor padrão. Se um subdomínio não for fornecido, o nome do cluster será usado como o valor padrão. Password @@ -1646,19 +1546,19 @@ Controller's data storage class - Controller's data storage class + Classe de armazenamento de dados do controlador Controller's data storage claim size - Controller's data storage claim size + Tamanho da declaração de armazenamento de dados do controlador Controller's logs storage class - Controller's logs storage class + Classe de armazenamento de logs do controlador Controller's logs storage claim size - Controller's logs storage claim size + Tamanho da declaração de armazenamento de logs do controlador Storage pool (HDFS) @@ -1666,19 +1566,19 @@ Storage pool's data storage class - Storage pool's data storage class + Classe de armazenamento de dados do pool de armazenamento Storage pool's data storage claim size - Storage pool's data storage claim size + Tamanho da declaração de armazenamento de dados do pool de armazenamento Storage pool's logs storage class - Storage pool's logs storage class + Classe de armazenamento de logs do pool de armazenamento Storage pool's logs storage claim size - Storage pool's logs storage claim size + Tamanho da declaração de armazenamento de logs do pool de armazenamento Data pool @@ -1686,39 +1586,39 @@ Data pool's data storage class - Data pool's data storage class + Classe de armazenamento de dados do pool de dados Data pool's data storage claim size - Data pool's data storage claim size + Tamanho da declaração de armazenamento de dados do pool de dados Data pool's logs storage class - Data pool's logs storage class + Classe de armazenamento de logs do pool de dados Data pool's logs storage claim size - Data pool's logs storage claim size + Tamanho da declaração de armazenamento de logs do pool de dados SQL Server master's data storage class - SQL Server master's data storage class + Classe de armazenamento de dados do SQL Server mestre SQL Server master's data storage claim size - SQL Server master's data storage claim size + Tamanho da declaração de armazenamento de dados do SQL Server mestre SQL Server master's logs storage class - SQL Server master's logs storage class + Classe de armazenamento de logs do SQL Server mestre SQL Server master's logs storage claim size - SQL Server master's logs storage claim size + Tamanho da declaração de armazenamento de logs do SQL Server mestre Service name - Service name + Nome do serviço Storage class for data @@ -1738,7 +1638,7 @@ Storage settings - Storage settings + Configurações de armazenamento Storage settings @@ -1822,7 +1722,7 @@ App owners - App owners + Proprietários de aplicativos App readers @@ -1830,11 +1730,11 @@ Subdomain - Subdomain + Subdomínio Account prefix - Account prefix + Prefixo da conta Service account username @@ -1902,7 +1802,7 @@ Service - Service + Serviço Storage class for data @@ -2010,11 +1910,11 @@ Password must be between 12 and 123 characters long. - Password must be between 12 and 123 characters long. + A senha precisa ter entre 12 e 123 caracteres. Password must have 3 of the following: 1 lower case character, 1 upper case character, 1 number, and 1 special character. - Password must have 3 of the following: 1 lower case character, 1 upper case character, 1 number, and 1 special character. + A senha deve ter 3 dos seguintes itens: 1 caractere minúsculo, 1 caractere maiúsculo, 1 número e 1 caractere especial. @@ -2022,47 +1922,47 @@ Virtual machine name must be between 1 and 15 characters long. - Virtual machine name must be between 1 and 15 characters long. + O nome da máquina virtual precisa ter entre 1 e 15 caracteres. Virtual machine name cannot contain only numbers. - Virtual machine name cannot contain only numbers. + O nome da máquina virtual não pode conter somente números. Virtual machine name Can't start with underscore. Can't end with period or hyphen - Virtual machine name Can't start with underscore. Can't end with period or hyphen + O nome da máquina virtual não pode começar com sublinhado e não pode terminar com ponto ou hífen Virtual machine name cannot contain special characters \/""[]:|<>+=;,?*@&, . - Virtual machine name cannot contain special characters \/""[]:|<>+=;,?*@&, . + O nome da máquina virtual não pode conter os caracteres especiais \/""[]:|<>+=;,?*@&, . Virtual machine name must be unique in the current resource group. - Virtual machine name must be unique in the current resource group. + O nome da máquina virtual deve ser exclusivo no grupo de recursos atual. Username must be between 1 and 20 characters long. - Username must be between 1 and 20 characters long. + O nome de usuário precisa ter entre 1 e 20 caracteres. Username cannot end with period - Username cannot end with period + O nome de usuário não pode terminar com um ponto Username cannot contain special characters \/""[]:|<>+=;,?*@& . - Username cannot contain special characters \/""[]:|<>+=;,?*@& . + O nome de usuário não pode conter caracteres especiais \/""[]:|<>+=;,?*@& . Username must not include reserved words. - Username must not include reserved words. + O nome de usuário não pode incluir palavras reservadas. Password and confirm password must match. - Password and confirm password must match. + A Senha e a Confirmação de senha devem corresponder. Select a valid virtual machine size. - Select a valid virtual machine size. + Selecione um tamanho de máquina virtual válido. @@ -2070,39 +1970,39 @@ Enter name for new virtual network - Enter name for new virtual network + Inserir o nome da nova rede virtual Enter name for new subnet - Enter name for new subnet + Inserir o nome da nova sub-rede Enter name for new public IP - Enter name for new public IP + Inserir o nome do novo IP Virtual Network name must be between 2 and 64 characters long - Virtual Network name must be between 2 and 64 characters long + O nome da Rede Virtual precisa ter entre 2 e 64 caracteres Create a new virtual network - Create a new virtual network + Criar uma rede virtual Subnet name must be between 1 and 80 characters long - Subnet name must be between 1 and 80 characters long + O nome da sub-rede precisa ter entre 1 e 80 caracteres Create a new sub network - Create a new sub network + Criar uma sub-rede Public IP name must be between 1 and 80 characters long - Public IP name must be between 1 and 80 characters long + O nome do IP precisa ter entre 1 e 80 caracteres Create a new new public Ip - Create a new new public Ip + Criar um IP @@ -2110,27 +2010,27 @@ Private (within Virtual Network) - Private (within Virtual Network) + Privado (dentro da Rede Virtual) Local (inside VM only) - Local (inside VM only) + Local (somente dentro da VM) Public (Internet) - Public (Internet) + Público (Internet) Username must be between 2 and 128 characters long. - Username must be between 2 and 128 characters long. + O nome de usuário precisa ter entre 2 e 128 caracteres. Username cannot contain special characters \/""[]:|<>+=;,?* . - Username cannot contain special characters \/""[]:|<>+=;,?* . + O nome de usuário não pode conter caracteres especiais \/""[]:|<>+=;,?* . Password and confirm password must match. - Password and confirm password must match. + A Senha e a Confirmação de senha devem corresponder. @@ -2138,7 +2038,7 @@ Review your configuration - Review your configuration + Examine a sua configuração @@ -2146,55 +2046,55 @@ Min Ip address is invalid - Min Ip address is invalid + O endereço IP mínimo é inválido Max Ip address is invalid - Max Ip address is invalid + O endereço IP máximo é inválido Firewall name cannot contain only numbers. - Firewall name cannot contain only numbers. + O nome do firewall não pode conter somente números. Firewall name must be between 1 and 100 characters long. - Firewall name must be between 1 and 100 characters long. + O nome do firewall precisa ter entre 1 e 100 caracteres. Firewall name cannot contain special characters \/""[]:|<>+=;,?*@&, . - Firewall name cannot contain special characters \/""[]:|<>+=;,?*@&, . + O nome do firewall não pode conter caracteres especiais \/""[]:|<>+=;,?*@&, . Upper case letters are not allowed for firewall name - Upper case letters are not allowed for firewall name + Letras maiúsculas não são permitidas no nome do firewall Database name cannot contain only numbers. - Database name cannot contain only numbers. + O nome do banco de dados não pode conter somente números. Database name must be between 1 and 100 characters long. - Database name must be between 1 and 100 characters long. + O nome do banco de dados precisa ter entre 1 e 100 caracteres. Database name cannot contain special characters \/""[]:|<>+=;,?*@&, . - Database name cannot contain special characters \/""[]:|<>+=;,?*@&, . + O nome do banco de dados não pode conter caracteres especiais \/""[]:|<>+=;,?*@&, . Database name must be unique in the current server. - Database name must be unique in the current server. + O nome do banco de dados precisa ser exclusivo no servidor atual. Collation name cannot contain only numbers. - Collation name cannot contain only numbers. + O nome da ordenação não pode conter somente números. Collation name must be between 1 and 100 characters long. - Collation name must be between 1 and 100 characters long. + O nome da ordenação precisa ter entre 1 e 100 caracteres. Collation name cannot contain special characters \/""[]:|<>+=;,?*@&, . - Collation name cannot contain special characters \/""[]:|<>+=;,?*@&, . + O nome da ordenação não pode conter caracteres especiais \/""[]:|<>+=;,?*@&, . @@ -2202,17 +2102,17 @@ Sign in to an Azure account first - Sign in to an Azure account first + Entrar em uma conta do Azure primeiro No servers found - No servers found + Não foram encontrados servidores No servers found in current subscription. Select a different subscription containing at least one server - No servers found in current subscription. -Select a different subscription containing at least one server + Nenhum servidor encontrado na assinatura atual. +Selecione uma assinatura diferente contendo pelo menos um servidor @@ -2220,59 +2120,59 @@ Select a different subscription containing at least one server Deployment pre-requisites - Deployment pre-requisites - - - To proceed, you must accept the terms of the End User License Agreement(EULA) - To proceed, you must accept the terms of the End User License Agreement(EULA) + Pré-requisitos da implantação Some tools were still not discovered. Please make sure that they are installed, running and discoverable - Some tools were still not discovered. Please make sure that they are installed, running and discoverable + Algumas ferramentas ainda não foram descobertas. Verifique se eles estão instaladas, em execução e são detectáveis + + + To proceed, you must accept the terms of the End User License Agreement(EULA) + Para continuar, você precisa aceitar os Termos de Licença Loading required tools information completed - Loading required tools information completed + O carregamento das informações das ferramentas necessárias foi concluído Loading required tools information - Loading required tools information + Carregando informações de ferramentas necessárias Accept terms of use - Accept terms of use + Aceitar os termos de uso '{0}' [ {1} ] does not meet the minimum version requirement, please uninstall it and restart Azure Data Studio. - '{0}' [ {1} ] does not meet the minimum version requirement, please uninstall it and restart Azure Data Studio. + O '{0}' [ {1} ] não atende ao requisito mínimo de versão. Desinstale-o e reinicie o Azure Data Studio. All required tools are installed now. - All required tools are installed now. + Todas as ferramentas necessárias estão instaladas agora. Following tools: {0} were still not discovered. Please make sure that they are installed, running and discoverable - Following tools: {0} were still not discovered. Please make sure that they are installed, running and discoverable + As ferramentas {0} ainda não foram descobertas. Verifique se elas estão instaladas, em execução e são detectáveis '{0}' was not discovered and automated installation is not currently supported. Install '{0}' manually or ensure it is started and discoverable. Once done please restart Azure Data Studio. See [{1}] . - '{0}' was not discovered and automated installation is not currently supported. Install '{0}' manually or ensure it is started and discoverable. Once done please restart Azure Data Studio. See [{1}] . + O '{0}' não foi descoberto e a instalação automática não tem suporte atualmente. Instale o '{0}' manualmente ou verifique se ele foi iniciado e é detectável. Depois de fazer isso, reinicie o Azure Data Studio. Confira [{1}]. You will need to restart Azure Data Studio if the tools are installed manually to pick up the change. You may find additional details in 'Deployments' and 'Azure Data CLI' output channels - You will need to restart Azure Data Studio if the tools are installed manually to pick up the change. You may find additional details in 'Deployments' and 'Azure Data CLI' output channels + Você precisará reiniciar o Azure Data Studio se as ferramentas forem instaladas manualmente para escolher a alteração. Você pode encontrar mais detalhes nos canais de saída 'Implantações' e 'CLI de Dados do Azure' Tool: {0} is not installed, you can click the "{1}" button to install it. - Tool: {0} is not installed, you can click the "{1}" button to install it. + Ferramenta: o {0} não está instalado, você pode clicar no botão "{1}" para instalá-lo. Tools: {0} are not installed, you can click the "{1}" button to install them. - Tools: {0} are not installed, you can click the "{1}" button to install them. + Ferramentas: os {0} não estão instalados, você pode clicar no botão "{1}" para instalá-los. No tools required - No tools required + Nenhuma ferramenta é necessária @@ -2280,23 +2180,23 @@ Select a different subscription containing at least one server Download and launch installer, URL: {0} - Download and launch installer, URL: {0} + Baixe e inicie o instalador, URL: {0} Downloading from: {0} - Downloading from: {0} + Baixando de: {0} Successfully downloaded: {0} - Successfully downloaded: {0} + Baixado com êxito: {0} Launching: {0} - Launching: {0} + Iniciando: {0} Successfully launched: {0} - Successfully launched: {0} + Iniciado com êxito: {0} @@ -2304,7 +2204,7 @@ Select a different subscription containing at least one server Packages and runs applications in isolated containers - Packages and runs applications in isolated containers + Empacota e executa aplicativos em contêineres isolados docker @@ -2316,7 +2216,7 @@ Select a different subscription containing at least one server Manages Azure resources - Manages Azure resources + Gerencia recursos do Azure Azure CLI @@ -2324,47 +2224,47 @@ Select a different subscription containing at least one server deleting previously downloaded azurecli.msi if one exists … - deleting previously downloaded azurecli.msi if one exists … + excluindo o azurecli.msi baixado anteriormente, se houver… downloading azurecli.msi and installing azure-cli … - downloading azurecli.msi and installing azure-cli … + baixando o azurecli.msi e instalando o azure-cli… displaying the installation log … - displaying the installation log … + exibindo o log de instalação… updating your brew repository for azure-cli installation … - updating your brew repository for azure-cli installation … + atualizando o seu repositório brew para a instalação do azure-cli… installing azure-cli … - installing azure-cli … + instalando o azure-cli.… updating repository information before installing azure-cli … - updating repository information before installing azure-cli … + atualizando as informações do repositório antes de instalar o azure-cli… getting packages needed for azure-cli installation … - getting packages needed for azure-cli installation … + obtendo pacotes necessários para a instalação do azure-cli… downloading and installing the signing key for azure-cli … - downloading and installing the signing key for azure-cli … + baixando e instalando a chave de assinatura do azure-cli… adding the azure-cli repository information … - adding the azure-cli repository information … + adicionando informações do repositório do azure-cli… updating repository information again for azure-cli … - updating repository information again for azure-cli … + atualizando as informações do repositório novamente do azure-cli… download and invoking script to install azure-cli … - download and invoking script to install azure-cli … + baixe e invoque o script para instalar o azure-cli… @@ -2372,59 +2272,23 @@ Select a different subscription containing at least one server Azure Data command line interface - Azure Data command line interface + Interface de linha de comando dos Dados do Azure Azure Data CLI - Azure Data CLI + CLI de Dados do Azure + + + The Azure Data CLI extension must be installed to deploy this resource. Please install it through the extension gallery and try again. + A extensão Azure Data CLI deve ser instalada para implantar esse recurso. Instale-o por meio da galeria de extensões e tente novamente. Error retrieving version information. See output channel '{0}' for more details - Error retrieving version information. See output channel '{0}' for more details + Erro ao recuperar as informações da versão. Confira o canal de saída '{0}' para obter mais detalhes Error retrieving version information.{0}Invalid output received, get version command output: '{1}' - Error retrieving version information.{0}Invalid output received, get version command output: '{1}' - - - deleting previously downloaded Azdata.msi if one exists … - deleting previously downloaded Azdata.msi if one exists … - - - downloading Azdata.msi and installing azdata-cli … - downloading Azdata.msi and installing azdata-cli … - - - displaying the installation log … - displaying the installation log … - - - tapping into the brew repository for azdata-cli … - tapping into the brew repository for azdata-cli … - - - updating the brew repository for azdata-cli installation … - updating the brew repository for azdata-cli installation … - - - installing azdata … - installing azdata … - - - updating repository information … - updating repository information … - - - getting packages needed for azdata installation … - getting packages needed for azdata installation … - - - downloading and installing the signing key for azdata … - downloading and installing the signing key for azdata … - - - adding the azdata repository information … - adding the azdata repository information … + Erro ao recuperar informações de versão.{0}Saída inválida recebida, obtenha a saída do comando da versão: '{1}' @@ -2432,51 +2296,51 @@ Select a different subscription containing at least one server Azure Data command line interface - Azure Data command line interface + Interface de linha de comando dos Dados do Azure Azure Data CLI - Azure Data CLI + CLI de Dados do Azure deleting previously downloaded Azdata.msi if one exists … - deleting previously downloaded Azdata.msi if one exists … + excluindo o Azdata.msi baixado anteriormente, se houver… downloading Azdata.msi and installing azdata-cli … - downloading Azdata.msi and installing azdata-cli … + baixando o Azdata.msi e instalando o azdata-cli… displaying the installation log … - displaying the installation log … + exibindo o log de instalação… tapping into the brew repository for azdata-cli … - tapping into the brew repository for azdata-cli … + explorando o repositório brew para azdata-cli… updating the brew repository for azdata-cli installation … - updating the brew repository for azdata-cli installation … + atualizando o repositório brew para a instalação do azdata-cli… installing azdata … - installing azdata … + instalando o azdata… updating repository information … - updating repository information … + atualizando informações do repositório… getting packages needed for azdata installation … - getting packages needed for azdata installation … + obtendo pacotes necessários para a instalação do azdata… downloading and installing the signing key for azdata … - downloading and installing the signing key for azdata … + baixando e instalando a chave de assinatura para azdata… adding the azdata repository information … - adding the azdata repository information … + adicionando informações do repositório azdata… @@ -2484,7 +2348,7 @@ Select a different subscription containing at least one server Deployment options - Deployment options + Opções de implantação diff --git a/resources/xlf/pt-br/schema-compare.pt-BR.xlf b/resources/xlf/pt-br/schema-compare.pt-BR.xlf index a5e42a3f24..d5791a1375 100644 --- a/resources/xlf/pt-br/schema-compare.pt-BR.xlf +++ b/resources/xlf/pt-br/schema-compare.pt-BR.xlf @@ -16,28 +16,116 @@ - + - - Ok - Ok + + OK + OK - + Cancel Cancelar + + Source + Fonte + + + Target + Destino + + + File + Arquivo + + + Data-tier Application File (.dacpac) + Arquivo do Aplicativo da Camada de Dados (.dacpac) + + + Database + Banco de dados + + + Type + Tipo + + + Server + Servidor + + + Database + Banco de dados + + + Schema Compare + Comparação de Esquemas + + + A different source schema has been selected. Compare to see the comparison? + Um esquema de origem diferente foi selecionado. Comparar para ver a comparação? + + + A different target schema has been selected. Compare to see the comparison? + Um esquema de destino diferente foi selecionado. Comparar para ver a comparação? + + + Different source and target schemas have been selected. Compare to see the comparison? + Diferentes esquemas de origem e de destino foram selecionados. Comparar para ver a comparação? + + + Yes + Sim + + + No + Não + + + Source file + Arquivo de origem + + + Target file + Arquivo de destino + + + Source Database + Banco de Dados de Origem + + + Target Database + Banco de Dados de Destino + + + Source Server + Servidor de Origem + + + Target Server + Servidor de Destino + + + default + padrão + + + Open + Abrir + + + Select source file + Selecione o arquivo de origem + + + Select target file + Selecionar a pasta de destino + Reset Redefinir - - Yes - Sim - - - No - Não - Options have changed. Recompare to see the comparison? As opções mudaram. Comparar novamente para ver a comparação? @@ -54,6 +142,174 @@ Include Object Types Incluir Tipos de Objetos + + Compare Details + Comparar os Detalhes + + + Are you sure you want to update the target? + Tem certeza de que deseja atualizar o destino? + + + Press Compare to refresh the comparison. + Pressione Comparar para atualizar a comparação. + + + Generate script to deploy changes to target + Gerar script para implantar alterações no destino + + + No changes to script + Nenhuma alteração no script + + + Apply changes to target + Aplicar alterações ao destino + + + No changes to apply + Não há nenhuma alteração a ser aplicada + + + Please note that include/exclude operations can take a moment to calculate affected dependencies + Observe que as operações incluir/excluir podem demorar um pouco para calcular as dependências afetadas + + + Delete + Excluir + + + Change + Alterar + + + Add + Adicionar + + + Comparison between Source and Target + Comparação entre Origem e Destino + + + Initializing Comparison. This might take a moment. + Inicializando a comparação. Isso pode demorar um pouco. + + + To compare two schemas, first select a source schema and target schema, then press Compare. + Para comparar dois esquemas, primeiro selecione um esquema de origem e um esquema de destino e, em seguida, pressione Comparar. + + + No schema differences were found. + Não foi encontrada nenhuma diferença de esquema. + + + Type + Tipo + + + Source Name + Nome da Origem + + + Include + Incluir + + + Action + Ação + + + Target Name + Nome do Destino + + + Generate script is enabled when the target is a database + Gerar script é habilitado quando o destino é um banco de dados + + + Apply is enabled when the target is a database + Aplicar é habilitado quando o destino é um banco de dados + + + Cannot exclude {0}. Included dependents exist, such as {1} + Não é possível excluir {0}. Existem dependentes incluídos, como {1} + + + Cannot include {0}. Excluded dependents exist, such as {1} + Não é possível incluir {0}. Existem dependentes excluídos, como {1} + + + Cannot exclude {0}. Included dependents exist + Não é possível excluir {0}. Existem dependentes incluídos + + + Cannot include {0}. Excluded dependents exist + Não é possível incluir {0}. Existem dependentes excluídos + + + Compare + Comparar + + + Stop + Parar + + + Generate script + Gerar script + + + Options + Opções + + + Apply + Aplicar + + + Switch direction + Alternar direção + + + Switch source and target + Alternar origem e destino + + + Select Source + Selecionar Origem + + + Select Target + Selecionar Destino + + + Open .scmp file + Abrir arquivo .scmp + + + Load source, target, and options saved in an .scmp file + Carregar a origem, o destino e as opções salvas em um arquivo .scmp + + + Save .scmp file + Salvar o arquivo .scmp + + + Save source and target, options, and excluded elements + Salvar a origem e o destino, as opções e os elementos excluídos + + + Save + Salvar + + + Do you want to connect to {0}? + Você deseja se conectar a {0}? + + + Select connection + Selecionar a conexão + Ignore Table Options Ignorar as Opções de Tabela @@ -407,8 +663,8 @@ Funções de Banco de Dados - DatabaseTriggers - DatabaseTriggers + Database Triggers + Gatilhos de Banco de Dados Defaults @@ -426,6 +682,14 @@ External File Formats Formatos de Arquivo Externos + + External Streams + Fluxos Externos + + + External Streaming Jobs + Trabalhos de Streaming Externos + External Tables Tabelas Externas @@ -434,6 +698,10 @@ Filegroups Grupos de Arquivos + + Files + Arquivos + File Tables Tabelas de Arquivos @@ -503,12 +771,12 @@ Assinaturas - StoredProcedures - StoredProcedures + Stored Procedures + Procedimentos Armazenados - SymmetricKeys - SymmetricKeys + Symmetric Keys + Chaves Simétricas Synonyms @@ -926,286 +1194,30 @@ Specifies whether differences in table column order should be ignored or updated when you publish to a database. Especifica se as diferenças na ordem das colunas da tabela deverão ser ignoradas ou atualizadas quando você publicar em um banco de dados. - - - - - - Ok - Ok - - - Cancel - Cancelar - - - Source - Fonte - - - Target - Destino - - - File - Arquivo - - - Data-tier Application File (.dacpac) - Arquivo do Aplicativo da Camada de Dados (.dacpac) - - - Database - Banco de dados - - - Type - Tipo - - - Server - Servidor - - - Database - Banco de dados - - - No active connections - Nenhuma conexão ativa - - - Schema Compare - Comparação de Esquemas - - - A different source schema has been selected. Compare to see the comparison? - Um esquema de origem diferente foi selecionado. Comparar para ver a comparação? - - - A different target schema has been selected. Compare to see the comparison? - Um esquema de destino diferente foi selecionado. Comparar para ver a comparação? - - - Different source and target schemas have been selected. Compare to see the comparison? - Diferentes esquemas de origem e de destino foram selecionados. Comparar para ver a comparação? - - - Yes - Sim - - - No - Não - - - Open - Abrir - - - default - padrão - - - - - - - Compare Details - Comparar os Detalhes - - - Are you sure you want to update the target? - Tem certeza de que deseja atualizar o destino? - - - Press Compare to refresh the comparison. - Pressione Comparar para atualizar a comparação. - - - Generate script to deploy changes to target - Gerar script para implantar alterações no destino - - - No changes to script - Nenhuma alteração no script - - - Apply changes to target - Aplicar alterações ao destino - - - No changes to apply - Não há nenhuma alteração a ser aplicada - - - Delete - Excluir - - - Change - Alterar - - - Add - Adicionar - - - Schema Compare - Comparação de Esquemas - - - Source - Fonte - - - Target - Destino - - - ➔ - - - - Initializing Comparison. This might take a moment. - Inicializando a comparação. Isso pode demorar um pouco. - - - To compare two schemas, first select a source schema and target schema, then press Compare. - Para comparar dois esquemas, primeiro selecione um esquema de origem e um esquema de destino e, em seguida, pressione Comparar. - - - No schema differences were found. - Não foi encontrada nenhuma diferença de esquema. - Schema Compare failed: {0} Falha na Comparação de Esquemas: {0} - - Type - Tipo - - - Source Name - Nome da Origem - - - Include - Incluir - - - Action - Ação - - - Target Name - Nome do Destino - - - Generate script is enabled when the target is a database - Gerar script é habilitado quando o destino é um banco de dados - - - Apply is enabled when the target is a database - Aplicar é habilitado quando o destino é um banco de dados - - - Compare - Comparar - - - Compare - Comparar - - - Stop - Parar - - - Stop - Parar - - - Cancel schema compare failed: '{0}' - Falha no cancelamento da comparação de esquemas: '{0}' - - - Generate script - Gerar script - - - Generate script failed: '{0}' - Falha ao gerar script: '{0}' - - - Options - Opções - - - Options - Opções - - - Apply - Aplicar - - - Yes - Sim - - - Schema Compare Apply failed '{0}' - Falha ao Aplicar a Comparação de Esquemas '{0}' - - - Switch direction - Alternar direção - - - Switch source and target - Alternar origem e destino - - - Select Source - Selecionar Origem - - - Select Target - Selecionar Destino - - - Open .scmp file - Abrir arquivo .scmp - - - Load source, target, and options saved in an .scmp file - Carregar a origem, o destino e as opções salvas em um arquivo .scmp - - - Open - Abrir - - - Open scmp failed: '{0}' - Falha ao abrir o scmp: '{0}' - - - Save .scmp file - Salvar o arquivo .scmp - - - Save source and target, options, and excluded elements - Salvar a origem e o destino, as opções e os elementos excluídos - - - Save - Salvar - Save scmp failed: '{0}' Falha ao salvar scmp: '{0}' + + Cancel schema compare failed: '{0}' + Falha no cancelamento da comparação de esquemas: '{0}' + + + Generate script failed: '{0}' + Falha ao gerar script: '{0}' + + + Schema Compare Apply failed '{0}' + Falha ao Aplicar a Comparação de Esquemas '{0}' + + + Open scmp failed: '{0}' + Falha ao abrir o scmp: '{0}' + \ No newline at end of file diff --git a/resources/xlf/pt-br/sql.pt-BR.xlf b/resources/xlf/pt-br/sql.pt-BR.xlf index 2f3472a500..34448bcdbc 100644 --- a/resources/xlf/pt-br/sql.pt-BR.xlf +++ b/resources/xlf/pt-br/sql.pt-BR.xlf @@ -1,2251 +1,6 @@  - - - - Copying images is not supported - Não há suporte para copiar imagens - - - - - - - Get Started - Introdução - - - Show Getting Started - Mostrar Introdução - - - Getting &&Started - && denotes a mnemonic - I&&ntrodução - - - - - - - QueryHistory - QueryHistory - - - Whether Query History capture is enabled. If false queries executed will not be captured. - Se a captura do Histórico de Consultas estiver habilitada. Se for false, as consultas executadas não serão capturadas. - - - View - Exibir - - - &&Query History - && denotes a mnemonic - &&Histórico de Consultas - - - Query History - Histórico de Consultas - - - - - - - Connecting: {0} - Conectando: {0} - - - Running command: {0} - Comando em execução: {0} - - - Opening new query: {0} - Abrindo a nova consulta: {0} - - - Cannot connect as no server information was provided - Não é possível se conectar, pois não foi fornecida nenhuma informação do servidor - - - Could not open URL due to error {0} - Não foi possível abrir a URL devido ao erro {0} - - - This will connect to server {0} - Isso será conectado ao servidor {0} - - - Are you sure you want to connect? - Tem certeza de que deseja se conectar? - - - &&Open - &&Abrir - - - Connecting query file - Conectando o arquivo de consulta - - - - - - - 1 or more tasks are in progress. Are you sure you want to quit? - 1 ou mais tarefas estão em andamento. Tem certeza de que deseja sair? - - - Yes - Sim - - - No - Não - - - - - - - Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? - Os recursos de versão prévia aprimoram a sua experiência no Azure Data Studio oferecendo a você acesso completo a novos recursos e melhorias. Saiba mais sobre os recursos de versão prévia [aqui]({0}). Deseja habilitar os recursos de versão prévia? - - - Yes (recommended) - Sim (recomendado) - - - No - Não - - - No, don't show again - Não, não mostrar novamente - - - - - - - Toggle Query History - Ativar/desativar o Histórico de Consultas - - - Delete - Excluir - - - Clear All History - Limpar Todo o Histórico - - - Open Query - Abrir Consulta - - - Run Query - Executar Consulta - - - Toggle Query History capture - Ativar/desativar a captura de Histórico de Consultas - - - Pause Query History Capture - Pausar a Captura de Histórico de Consultas - - - Start Query History Capture - Iniciar a Captura do Histórico de Consultas - - - - - - - No queries to display. - Não há nenhuma consulta a ser exibida. - - - Query History - QueryHistory - Histórico de Consultas - - - - - - - Error - Erro - - - Warning - Aviso - - - Info - Informações - - - Ignore - Ignorar - - - - - - - Saving results into different format disabled for this data provider. - O salvamento de resultados em diferentes formatos está desabilitado para este provedor de dados. - - - Cannot serialize data as no provider has been registered - Não foi possível serializar os dados, pois não foi registrado nenhum provedor - - - Serialization failed with an unknown error - Falha na serialização com um erro desconhecido - - - - - - - Connection is required in order to interact with adminservice - A conexão é necessária para interagir com adminservice - - - No Handler Registered - Nenhum manipulador registrado - - - - - - - Select a file - Selecionar um arquivo - - - - - - - Connection is required in order to interact with Assessment Service - A conexão é necessária para interagir com o Serviço de Avaliação - - - No Handler Registered - Nenhum Manipulador Registrado - - - - - - - Results Grid and Messages - Grade de Resultados e Mensagens - - - Controls the font family. - Controla a família de fontes. - - - Controls the font weight. - Controla a espessura da fonte. - - - Controls the font size in pixels. - Controla o tamanho da fonte em pixels. - - - Controls the letter spacing in pixels. - Controla o espaçamento de letras em pixels. - - - Controls the row height in pixels - Controla a altura da linha em pixels - - - Controls the cell padding in pixels - Controla o preenchimento em pixels da célula - - - Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells - Dimensionar automaticamente a largura de colunas nos resultados iniciais. Pode haver problemas de desempenho com um grande número de colunas ou com células grandes - - - The maximum width in pixels for auto-sized columns - A largura máxima em pixels para colunas dimensionadas automaticamente - - - - - - - View - Exibir - - - Database Connections - Conexões de Banco de Dados - - - data source connections - conexões de fonte de dados - - - data source groups - grupos de fonte de dados - - - Startup Configuration - Configuração de Inicialização - - - True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown - True para a exibição Servidores a ser mostrada na inicialização do padrão do Azure Data Studio; false se a última visualização aberta deve ser mostrada - - - - - - - Disconnect - Desconectar - - - Refresh - Atualizar - - - - - - - Preview Features - Versões prévias dos recursos - - - Enable unreleased preview features - Habilitar versões prévias dos recursos não liberadas - - - Show connect dialog on startup - Mostrar caixa de diálogo de conexão na inicialização - - - Obsolete API Notification - Notificação de API obsoleta - - - Enable/disable obsolete API usage notification - Habilitar/desabilitar a notificação de uso de API obsoleta - - - - - - - Problems - Problemas - - - - - - - {0} in progress tasks - {0} tarefas em andamento - - - View - Exibir - - - Tasks - Tarefas - - - &&Tasks - && denotes a mnemonic - &&Tarefas - - - - - - - The maximum number of recently used connections to store in the connection list. - O número máximo de conexões usadas recentemente para armazenar na lista de conexão. - - - Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. - Mecanismo SQL padrão a ser usado. Isso direciona o provedor de idioma padrão em arquivos .sql e o padrão a ser usado ao criar uma conexão. - - - Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. - Tentativa de analisar o conteúdo da área de transferência quando a caixa de diálogo conexão é aberta ou a cópia é executada. - - - - - - - Server Group color palette used in the Object Explorer viewlet. - Paleta de cores do grupo de servidores usada no viewlet do Pesquisador de Objetos. - - - Auto-expand Server Groups in the Object Explorer viewlet. - Expanda automaticamente grupos de servidores no viewlet do Pesquisador de Objetos. - - - (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. - (Versão Prévia) Use a nova árvore de servidor assíncrono para o modo de exibição Servidores e a caixa de diálogo Conexão com suporte para novos recursos, como filtragem dinâmica de nós. - - - - - - - Identifier of the account type - Identificador do tipo de conta - - - (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration - (Opcional) Ícone que é usado para representar o accpunt na interface do usuário. Um caminho de arquivo ou uma configuração tematizáveis - - - Icon path when a light theme is used - Caminho do ícone quando um tema leve é usado - - - Icon path when a dark theme is used - Caminho de ícone quando um tema escuro é usado - - - Contributes icons to account provider. - Contribui ícones para provedor de conta. - - - - - - - Show Edit Data SQL pane on startup - Mostrar painel do SQL Editar Dados na inicialização - - - - - - - Minimum value of the y axis - Valor mínimo do eixo y - - - Maximum value of the y axis - Valor máximo do eixo y - - - Label for the y axis - Rótulo para o eixo y - - - Minimum value of the x axis - Valor mínimo do eixo x - - - Maximum value of the x axis - Valor máximo do eixo x - - - Label for the x axis - Rótulo para o eixo x - - - - - - - Resource Viewer - Visualizador de Recursos - - - - - - - Indicates data property of a data set for a chart. - Indica a propriedade de dados de um conjunto de dados para um gráfico. - - - - - - - For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 - Para cada coluna em um conjunto de resultados, exibe o valor na linha 0 como uma contagem seguida pelo nome da coluna. Dá suporte para '1 Íntegro', '3 Não Íntegro', por exemplo, em que 'Íntegro' é o nome da coluna e 1 é o valor na célula 1 da linha 1 - - - - - - - Displays the results in a simple table - Exibe os resultados em uma tabela simples - - - - - - - Displays an image, for example one returned by an R query using ggplot2 - Exibe uma imagem, por exemplo, um retornado por uma consulta R usando o ggplot2 - - - What format is expected - is this a JPEG, PNG or other format? - Qual é o formato esperado – É um JPEG, PNG ou outro formato? - - - Is this encoded as hex, base64 or some other format? - É codificado como hexa, base64 ou algum outro formato? - - - - - - - Manage - Gerenciar - - - Dashboard - Painel - - - - - - - The webview that will be displayed in this tab. - O modo de exibição da Web que será exibido nesta guia. - - - - - - - The controlhost that will be displayed in this tab. - O controlhost que será exibido nesta guia. - - - - - - - The list of widgets that will be displayed in this tab. - A lista de widgets que serão exibidos nesta guia. - - - The list of widgets is expected inside widgets-container for extension. - A lista de widgets é esperada dentro de contêiner de widgets para a extensão. - - - - - - - The list of widgets or webviews that will be displayed in this tab. - A lista de widgets ou de modos de exibição da Web que serão exibidos nesta guia. - - - widgets or webviews are expected inside widgets-container for extension. - widgets ou modos de exibição da Web são esperados dentro de contêiner de widgets para a extensão. - - - - - - - Unique identifier for this container. - Identificador exclusivo para este contêiner. - - - The container that will be displayed in the tab. - O contêiner que será exibido na guia. - - - Contributes a single or multiple dashboard containers for users to add to their dashboard. - Contribui com um único ou vários contêineres de painéis para os usuários adicionarem ao painel. - - - No id in dashboard container specified for extension. - Nenhuma ID no contêiner de painéis especificada para a extensão. - - - No container in dashboard container specified for extension. - Nenhum contêiner no contêiner de painéis especificado para a extensão. - - - Exactly 1 dashboard container must be defined per space. - Exatamente 1 contêiner de painéis deve ser definido por espaço. - - - Unknown container type defines in dashboard container for extension. - O tipo de contêiner desconhecido é definido no contêiner de painéis para extensão. - - - - - - - Unique identifier for this nav section. Will be passed to the extension for any requests. - Identificador exclusivo para esta seção de navegação. Será passado para a extensão para quaisquer solicitações. - - - (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration - (Opcional) Ícone usado para representar essa seção de navegação na interface do usuário. Um caminho de arquivo ou uma configuração com tema - - - Icon path when a light theme is used - Caminho do ícone quando um tema leve é usado - - - Icon path when a dark theme is used - Caminho de ícone quando um tema escuro é usado - - - Title of the nav section to show the user. - Título da seção de navegação para mostrar ao usuário. - - - The container that will be displayed in this nav section. - O contêiner que será exibido nesta seção de navegação. - - - The list of dashboard containers that will be displayed in this navigation section. - A lista de contêineres de painéis que será exibida nesta seção de navegação. - - - No title in nav section specified for extension. - Não foi especificado nenhum título na seção de navegação para a extensão. - - - No container in nav section specified for extension. - Não foi especificado nenhum contêiner na seção de navegação para a extensão. - - - Exactly 1 dashboard container must be defined per space. - Exatamente 1 contêiner de painéis deve ser definido por espaço. - - - NAV_SECTION within NAV_SECTION is an invalid container for extension. - NAV_SECTION dentro de NAV_SECTION é um contêiner inválido para a extensão. - - - - - - - The model-backed view that will be displayed in this tab. - A visualização com suporte do modelo que será exibida nesta guia. - - - - - - - Backup - Backup - - - - - - - Restore - Restaurar - - - Restore - Restaurar - - - - - - - Open in Azure Portal - Abrir no Portal do Azure - - - - - - - disconnected - desconectado - - - - - - - Cannot expand as the required connection provider '{0}' was not found - Não é possível expandir, pois o provedor de conexão necessário '{0}' não foi encontrado - - - User canceled - Usuário cancelado - - - Firewall dialog canceled - Caixa de diálogo do Firewall cancelada - - - - - - - Connection is required in order to interact with JobManagementService - A conexão é necessária para interagir com JobManagementService - - - No Handler Registered - Nenhum Manipulador Registrado - - - - - - - An error occured while loading the file browser. - Ocorreu um erro ao carregar o navegador de arquivos. - - - File browser error - Erro do navegador de arquivo - - - - - - - Common id for the provider - ID comum do provedor - - - Display Name for the provider - Nome de Exibição do provedor - - - Notebook Kernel Alias for the provider - Alias do Kernel do Notebook para o provedor - - - Icon path for the server type - Caminho do ícone do tipo de servidor - - - Options for connection - Opções de conexão - - - - - - - Unique identifier for this tab. Will be passed to the extension for any requests. - Identificador exclusivo para esta guia. Será passado para a extensão para quaisquer solicitações. - - - Title of the tab to show the user. - Título da guia para mostrar ao usuário. - - - Description of this tab that will be shown to the user. - Descrição desta guia que será mostrada ao usuário. - - - Condition which must be true to show this item - A condição deve ser true para mostrar este item - - - Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set - Define os tipos de conexão com os quais essa guia é compatível. O padrão será 'MSSQL' se essa opção não for definida - - - The container that will be displayed in this tab. - O contêiner que será exibido nesta guia. - - - Whether or not this tab should always be shown or only when the user adds it. - Se esta guia deve ou não ser sempre exibida ou apenas quando o usuário a adiciona. - - - Whether or not this tab should be used as the Home tab for a connection type. - Se esta guia deve ou não ser usada como guia da Página Inicial para um tipo de conexão. - - - The unique identifier of the group this tab belongs to, value for home group: home. - O identificador exclusivo do grupo ao qual esta guia pertence. Valor do grupo doméstico: página inicial. - - - (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration - (Opcional) Ícone usado para representar esta guia na interface do usuário. Um caminho de arquivo ou uma configuração com tema - - - Icon path when a light theme is used - Caminho do ícone quando um tema leve é usado - - - Icon path when a dark theme is used - Caminho de ícone quando um tema escuro é usado - - - Contributes a single or multiple tabs for users to add to their dashboard. - Contribui com uma única ou várias guias para que os usuários adicionem ao painel. - - - No title specified for extension. - Nenhum título especificado para a extensão. - - - No description specified to show. - Nenhuma descrição especificada para mostrar. - - - No container specified for extension. - Nenhum contêiner especificado para a extensão. - - - Exactly 1 dashboard container must be defined per space - Exatamente 1 contêiner de painéis deve ser definido por espaço - - - Unique identifier for this tab group. - Identificador exclusivo deste grupo de guias. - - - Title of the tab group. - Título do grupo de guias. - - - Contributes a single or multiple tab groups for users to add to their dashboard. - Contribui com um ou vários grupos de guias para os usuários adicionarem ao painel. - - - No id specified for tab group. - Nenhuma ID foi especificada para o grupo de guias. - - - No title specified for tab group. - Nenhum título foi especificado para o grupo de guias. - - - Administration - Administração - - - Monitoring - Monitoramento - - - Performance - Desempenho - - - Security - Segurança - - - Troubleshooting - Solução de Problemas - - - Settings - Configurações - - - databases tab - guia de bancos de dados - - - Databases - Bancos de Dados - - - - - - - succeeded - com êxito - - - failed - falhou - - - - - - - Connection error - Erro de conexão - - - Connection failed due to Kerberos error. - A conexão falhou devido a um erro do Kerberos. - - - Help configuring Kerberos is available at {0} - Ajuda para configurar o Kerberos está disponível em {0} - - - If you have previously connected you may need to re-run kinit. - Se você já se conectou anteriormente, pode ser necessário executar novamente o kinit. - - - - - - - Close - Fechar - - - Adding account... - Adicionando conta... - - - Refresh account was canceled by the user - A conta de atualização foi cancelada pelo usuário - - - - - - - Query Results - Resultados da Consulta - - - Query Editor - Editor da Consulta - - - New Query - Nova Consulta - - - Query Editor - Editor de Consultas - - - When true, column headers are included when saving results as CSV - Quando true, os cabeçalhos de coluna são incluídos ao salvar os resultados como CSV - - - The custom delimiter to use between values when saving as CSV - O delimitador personalizado a ser usado entre valores ao salvar como CSV - - - Character(s) used for seperating rows when saving results as CSV - Os caracteres usados para separar linhas ao salvar os resultados como CSV - - - Character used for enclosing text fields when saving results as CSV - O caractere usado para delimitar os campos de texto ao salvar os resultados como CSV - - - File encoding used when saving results as CSV - Arquivo de codificação usado ao salvar os resultados como CSV - - - When true, XML output will be formatted when saving results as XML - Quando true, a saída XML será formatada ao salvar resultados como XML - - - File encoding used when saving results as XML - Codificação de arquivo usada ao salvar os resultados como XML - - - Enable results streaming; contains few minor visual issues - Habilitar streaming de resultados; contém alguns problemas visuais menores - - - Configuration options for copying results from the Results View - Opções de configuração para copiar os resultados na Visualização dos Resultados - - - Configuration options for copying multi-line results from the Results View - Opções de configuração para copiar os resultados de várias linhas da Visualização dos Resultados - - - (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. - (Experimental) Use uma tabela otimizada nos resultados. Algumas funcionalidades podem estar ausentes e em funcionamento. - - - Should execution time be shown for individual batches - O tempo de execução deve ser mostrado para lotes individuais? - - - Word wrap messages - Mensagens de quebra automática de linha - - - The default chart type to use when opening Chart Viewer from a Query Results - O tipo de gráfico padrão a ser usado ao abrir o Visualizador de Gráficos nos Resultados da Consulta - - - Tab coloring will be disabled - A coloração da guia será desabilitada - - - The top border of each editor tab will be colored to match the relevant server group - A borda superior de cada guia do editor será colorida para combinar com o grupo de servidores relevante - - - Each editor tab's background color will match the relevant server group - A cor de fundo de cada editor da guia corresponderá ao grupo de servidores relevante - - - Controls how to color tabs based on the server group of their active connection - Controla como colorir as guias com base no grupo de servidores de sua conexão ativa - - - Controls whether to show the connection info for a tab in the title. - Controla se deseja mostrar a informação de conexão para uma guia no título. - - - Prompt to save generated SQL files - Pedir para salvar arquivos SQL gerados - - - Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call. Any selected text in the query editor will be passed as a parameter - Defina keybinding workbench.action.query.shortcut{0} para executar o texto do atalho como uma chamada de procedimento. Qualquer texto selecionado no editor de consultas será passado como um parâmetro - - - - - - - Specifies view templates - Especifica os modelos de exibição - - - Specifies session templates - Especifica os modelos de sessão - - - Profiler Filters - Filtros do Profiler - - - - - - - Script as Create - Script como Criar - - - Script as Drop - Script como Soltar - - - Select Top 1000 - Selecione Top 1000 - - - Script as Execute - Script como Executar - - - Script as Alter - Script como Alterar - - - Edit Data - Editar Dados - - - Select Top 1000 - Selecione Top 1000 - - - Take 10 - Levar 10 - - - Script as Create - Script como Criar - - - Script as Execute - Script como Executar - - - Script as Alter - Script como Alterar - - - Script as Drop - Script como Soltar - - - Refresh - Atualizar - - - - - - - Commit row failed: - A linha de commit falhou: - - - Started executing query at - Iniciada a execução de consulta em - - - Started executing query "{0}" - Começou a executar consulta "{0}" - - - Line {0} - Linha {0} - - - Canceling the query failed: {0} - O cancelamento da consulta falhou: {0} - - - Update cell failed: - Falha na célula de atualização: - - - - - - - No URI was passed when creating a notebook manager - Nenhum URI foi passado ao criar um gerenciador de notebooks - - - Notebook provider does not exist - O provedor de notebooks não existe - - - - - - - Notebook Editor - Editor do Notebook - - - New Notebook - Novo Notebook - - - New Notebook - Novo Notebook - - - Set Workspace And Open - Definir Workspace e Abrir - - - SQL kernel: stop Notebook execution when error occurs in a cell. - Kernel do SQL: parar a execução do Notebook quando ocorrer um erro em uma célula. - - - (Preview) show all kernels for the current notebook provider. - (Versão Prévia) Mostrar todos os kernels para o provedor do notebook atual. - - - Allow notebooks to run Azure Data Studio commands. - Permitir que notebooks executem comandos do Azure Data Studio. - - - Enable double click to edit for text cells in notebooks - Habilitar clique duplo para editar células de texto nos notebooks - - - Set Rich Text View mode by default for text cells - Definir modo de Exibição de Rich Text por padrão para células de texto - - - (Preview) Save connection name in notebook metadata. - (Versão Prévia) Salve o nome da conexão nos metadados do notebook. - - - Controls the line height used in the notebook markdown preview. This number is relative to the font size. - Controla a altura da linha usada na versão prévia de markdown do notebook. Este número é relativo ao tamanho da fonte. - - - View - Exibir - - - Search Notebooks - Pesquisar Notebooks - - - Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). - Configurar padrões glob para excluir arquivos e pastas em pesquisas de texto completo e abrir rapidamente. Herda todos os padrões glob da configuração `#files.exclude#`. Leia mais sobre padrões glob [aqui] (https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). - - - The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. - O padrão glob ao qual corresponder os caminhos do arquivo. Defina como true ou false para habilitar ou desabilitar o padrão. - - - Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. - Verificação adicional nos irmãos de um arquivo correspondente. Use $(basename) como variável para o nome do arquivo correspondente. - - - This setting is deprecated and now falls back on "search.usePCRE2". - Essa configuração foi preterida e agora retorna ao "search.usePCRE2". - - - Deprecated. Consider "search.usePCRE2" for advanced regex feature support. - Preterido. Considere "search.usePCRE2" para obter suporte do recurso regex avançado. - - - When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. - Quando habilitado, o processo de searchService será mantido ativo em vez de ser desligado após uma hora de inatividade. Isso manterá o cache de pesquisa de arquivo na memória. - - - Controls whether to use `.gitignore` and `.ignore` files when searching for files. - Controla se os arquivos `.gitignore` e `.ignore` devem ser usados ao pesquisar arquivos. - - - Controls whether to use global `.gitignore` and `.ignore` files when searching for files. - Controla se os arquivos globais `.gitignore` e `.ignore` devem ser usados durante a pesquisa de arquivos. - - - Whether to include results from a global symbol search in the file results for Quick Open. - Se deseja incluir os resultados de uma pesquisa de símbolo global nos resultados do arquivo para Abertura Rápida. - - - Whether to include results from recently opened files in the file results for Quick Open. - Se deseja incluir os resultados de arquivos abertos recentemente nos resultados do arquivo para Abertura Rápida. - - - History entries are sorted by relevance based on the filter value used. More relevant entries appear first. - As entradas do histórico são classificadas por relevância com base no valor do filtro usado. As entradas mais relevantes aparecem primeiro. - - - History entries are sorted by recency. More recently opened entries appear first. - As entradas do histórico são classificadas por recência. As entradas abertas mais recentemente aparecem primeiro. - - - Controls sorting order of editor history in quick open when filtering. - Controla a ordem de classificação do histórico do editor ao abrir rapidamente ao filtrar. - - - Controls whether to follow symlinks while searching. - Controla se os ciclos de links devem ser seguidos durante a pesquisa. - - - Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. - Pesquisar sem diferenciar maiúsculas de minúsculas se o padrão for todo em minúsculas, caso contrário, pesquisar diferenciando maiúsculas de minúsculas. - - - Controls whether the search view should read or modify the shared find clipboard on macOS. - Controla se o modo de exibição de pesquisa deve ler ou modificar a área de transferência de localização compartilhada no macOS. - - - Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. - Controla se a pesquisa será mostrada como um modo de exibição na barra lateral ou como um painel na área do painel para obter mais espaço horizontal. - - - This setting is deprecated. Please use the search view's context menu instead. - Esta configuração é preterida. Em vez disso, use o menu de contexto da exibição de pesquisa. - - - Files with less than 10 results are expanded. Others are collapsed. - Arquivos com menos de 10 resultados são expandidos. Outros são recolhidos. - - - Controls whether the search results will be collapsed or expanded. - Controla se os resultados da pesquisa serão recolhidos ou expandidos. - - - Controls whether to open Replace Preview when selecting or replacing a match. - Controla se é necessário abrir a Visualização de Substituição ao selecionar ou substituir uma correspondência. - - - Controls whether to show line numbers for search results. - Controla se os números de linha devem ser mostrados para os resultados da pesquisa. - - - Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. - Se o mecanismo de regex do PCRE2 deve ser usado na pesquisa de texto. Isso permite o uso de alguns recursos de regex avançados, como referências inversas e de lookahead. No entanto, nem todos os recursos PCRE2 são compatíveis, somente recursos compatíveis com o JavaScript. - - - Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. - Preterido. O PCRE2 será usado automaticamente ao usar os recursos regex que só têm suporte do PCRE2. - - - Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. - Posicione o actionBar à direita quando o modo de exibição de pesquisa for estreito e imediatamente após o conteúdo quando o modo de exibição de pesquisa for largo. - - - Always position the actionbar to the right. - Sempre posicione o actionbar à direita. - - - Controls the positioning of the actionbar on rows in the search view. - Controla o posicionamento do actionbar nas linhas do modo de exibição de pesquisa. - - - Search all files as you type. - Pesquisar todos os arquivos enquanto você digita. - - - Enable seeding search from the word nearest the cursor when the active editor has no selection. - Habilitar a pesquisa de propagação da palavra mais próxima ao cursor quando o editor ativo não tiver nenhuma seleção. - - - Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. - Atualizar a consulta de pesquisa do workspace para o texto selecionado do editor ao focar no modo de exibição de pesquisa. Isso acontece ao clicar ou ao disparar o comando `workbench.views.search.focus`. - - - When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. - Quando `#search.searchOnType#` está habilitado, controla o tempo limite em milissegundos entre um caractere que está sendo digitado e o início da pesquisa. Não tem efeito quando `search.searchOnType` está desabilitado. - - - Double clicking selects the word under the cursor. - Clicar duas vezes seleciona a palavra sob o cursor. - - - Double clicking opens the result in the active editor group. - Clicar duas vezes abre o resultado no grupo de editor ativo. - - - Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. - Clicar duas vezes abrirá o resultado no grupo editor ao lado, criando um se ele ainda não existir. - - - Configure effect of double clicking a result in a search editor. - Configurar efeito de clicar duas vezes em um resultado em um editor de pesquisas. - - - Results are sorted by folder and file names, in alphabetical order. - Os resultados são classificados por nomes de pastas e arquivos, em ordem alfabética. - - - Results are sorted by file names ignoring folder order, in alphabetical order. - Os resultados são classificados por nomes de arquivo ignorando a ordem da pasta, em ordem alfabética. - - - Results are sorted by file extensions, in alphabetical order. - Os resultados são classificados por extensões de arquivo, em ordem alfabética. - - - Results are sorted by file last modified date, in descending order. - Os resultados são classificados pela data da última modificação do arquivo, em ordem descendente. - - - Results are sorted by count per file, in descending order. - Os resultados são classificados por contagem por arquivo, em ordem descendente. - - - Results are sorted by count per file, in ascending order. - Os resultados são classificados por contagem por arquivo, em ordem ascendente. - - - Controls sorting order of search results. - Controla a ordem de classificação dos resultados da pesquisa. - - - - - - - New Query - Nova Consulta - - - Run - Executar - - - Cancel - Cancelar - - - Explain - Explicar - - - Actual - Real - - - Disconnect - Desconectar - - - Change Connection - Alterar Conexão - - - Connect - Conectar - - - Enable SQLCMD - Habilitar SQLCMD - - - Disable SQLCMD - Desabilitar SQLCMD - - - Select Database - Selecionar Banco de Dados - - - Failed to change database - Falha ao alterar o banco de dados - - - Failed to change database {0} - Falha ao alterar o banco de dados {0} - - - Export as Notebook - Exportar o Notebook - - - - - - - OK - OK - - - Close - Fechar - - - Action - Ação - - - Copy details - Copiar detalhes - - - - - - - Add server group - Adicionar grupo de servidores - - - Edit server group - Editar grupo de servidores - - - - - - - Extension - Extensão - - - - - - - Failed to create Object Explorer session - Falha ao criar a sessão do Pesquisador de Objetos - - - Multiple errors: - Múltiplos erros: - - - - - - - Error adding account - Erro ao adicionar a conta - - - Firewall rule error - Erro de regra de firewall - - - - - - - Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window - Algumas das extensões carregadas estão usando APIs obsoletas. Encontre as informações detalhadas na guia Console da janela Ferramentas para Desenvolvedores - - - Don't Show Again - Não Mostrar Novamente - - - - - - - Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. - Identificador da exibição. Use isso para registrar um provedor de dados por meio da API 'vscode.window.registerTreeDataProviderForView'. Também para ativar sua extensão registrando o evento 'onView: ${id}' para 'activationEvents'. - - - The human-readable name of the view. Will be shown - O nome legível para humanos da exibição. Será mostrado - - - Condition which must be true to show this view - A condição que deve ser true para mostrar esta exibição - - - Contributes views to the editor - Contribui com exibições para o editor - - - Contributes views to Data Explorer container in the Activity bar - Contribui com exibições para o contêiner do Data Explorer na barra de Atividade - - - Contributes views to contributed views container - Contribui com exibições para o contêiner de exibições contribuídas - - - Cannot register multiple views with same id `{0}` in the view container `{1}` - Não é possível registrar vários modos de exibição com a mesma id '{0}' no contêiner de exibição '{1}' - - - A view with id `{0}` is already registered in the view container `{1}` - Uma exibição com a id '{0}' já está registrada no contêiner de exibição '{1}' - - - views must be an array - as exibições devem ser uma matriz - - - property `{0}` is mandatory and must be of type `string` - a propriedade `{0}` é obrigatória e deve ser do tipo `string` - - - property `{0}` can be omitted or must be of type `string` - a propriedade `{0}` pode ser omitida ou deve ser do tipo `string` - - - - - - - {0} was replaced with {1} in your user settings. - {0} foi substituído por {1} nas suas configurações de usuário. - - - {0} was replaced with {1} in your workspace settings. - {0} foi substituído por {1} nas suas configurações de workspace. - - - - - - - Manage - Gerenciar - - - Show Details - Mostrar Detalhes - - - Learn More - Saiba Mais - - - Clear all saved accounts - Limpar todas as contas salvas - - - - - - - Toggle Tasks - Alternar Tarefas - - - - - - - Connection Status - Status da Conexão - - - - - - - User visible name for the tree provider - Nome visível do usuário para o provedor de árvore - - - Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` - A ID do provedor precisa ser a mesma usada para registrar o provedor de dados de árvore e precisa começar com `connectionDialog/` - - - - - - - Displays results of a query as a chart on the dashboard - Exibe os resultados de uma consulta como um gráfico no painel - - - Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color - Mapeia 'nome de coluna' -> cor. Por exemplo, adicione 'column1': red para garantir que essa coluna use uma cor vermelha - - - Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry - Indica a posição preferida e a visibilidade da legenda do gráfico. Esses são os nomes das colunas da sua consulta e mapeados para o rótulo de cada entrada do gráfico - - - If dataDirection is horizontal, setting this to true uses the first columns value for the legend. - Se dataDirection for horizontal, definir como true usará o valor das primeiras colunas para a legenda. - - - If dataDirection is vertical, setting this to true will use the columns names for the legend. - Se dataDirection for vertical, definir como true usará os nomes das colunas para a legenda. - - - Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. - Define se os dados são lidos de uma coluna (vertical) ou uma linha (horizontal). Para séries temporais, isso é ignorado, pois a direção deve ser vertical. - - - If showTopNData is set, showing only top N data in the chart. - Se showTopNData for definido, mostre somente os dados top N no gráfico. - - - - - - - Widget used in the dashboards - Widget usado nos painéis - - - - - - - Show Actions - Mostrar Ações - - - Resource Viewer - Visualizador de Recursos - - - - - - - Identifier of the resource. - Identificador do recurso. - - - The human-readable name of the view. Will be shown - O nome legível para humanos da exibição. Será mostrado - - - Path to the resource icon. - Caminho para o ícone de recurso. - - - Contributes resource to the resource view - Contribui o recurso para o modo de exibição de recursos - - - property `{0}` is mandatory and must be of type `string` - a propriedade `{0}` é obrigatória e deve ser do tipo `string` - - - property `{0}` can be omitted or must be of type `string` - a propriedade `{0}` pode ser omitida ou deve ser do tipo `string` - - - - - - - Resource Viewer Tree - Árvore do Visualizador de Recursos - - - - - - - Widget used in the dashboards - Widget usado nos painéis - - - Widget used in the dashboards - Widget usado nos painéis - - - Widget used in the dashboards - Widget usado nos painéis - - - - - - - Condition which must be true to show this item - A condição deve ser true para mostrar este item - - - Whether to hide the header of the widget, default value is false - Opção de ocultar o cabeçalho do widget. O valor padrão é false - - - The title of the container - O título do contêiner - - - The row of the component in the grid - A linha do componente na grade - - - The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. - O rowspan do componente na grade. O valor padrão é 1. Use '*' para definir o número de linhas na grade. - - - The column of the component in the grid - A coluna do componente na grade - - - The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. - O colspan do component na grade. O valor padrão é 1. Use '*' para definir o número de colunas na grade. - - - Unique identifier for this tab. Will be passed to the extension for any requests. - Identificador exclusivo para esta guia. Será passado para a extensão para quaisquer solicitações. - - - Extension tab is unknown or not installed. - A guia Extensão é desconhecida ou não está instalada. - - - - - - - Enable or disable the properties widget - Habilitar ou desabilitar o widget de propriedades - - - Property values to show - Valores de propriedade para mostrar - - - Display name of the property - Nome de exibição da propriedade - - - Value in the Database Info Object - Valor no objeto de informações do banco de dados - - - Specify specific values to ignore - Especificar valores específicos para ignorar - - - Recovery Model - Modo de Recuperação - - - Last Database Backup - Último Backup de Banco de Dados - - - Last Log Backup - Último Backup de Log - - - Compatibility Level - Nível de Compatibilidade - - - Owner - Proprietário - - - Customizes the database dashboard page - Personaliza a página do painel de banco de dados - - - Search - Pesquisar - - - Customizes the database dashboard tabs - Personaliza as guias do painel de banco de dados - - - - - - - Enable or disable the properties widget - Habilitar ou desabilitar o widget de propriedades - - - Property values to show - Valores de propriedade para mostrar - - - Display name of the property - Nome de exibição da propriedade - - - Value in the Server Info Object - Valor no objeto de informações do servidor - - - Version - Versão - - - Edition - Edição - - - Computer Name - Nome do Computador - - - OS Version - Versão do Sistema Operacional - - - Search - Pesquisar - - - Customizes the server dashboard page - Personaliza a página de painel do servidor - - - Customizes the Server dashboard tabs - Personaliza as guias de painel do servidor - - - - - - - Manage - Gerenciar - - - - - - - property `icon` can be omitted or must be either a string or a literal like `{dark, light}` - propriedade `ícone` pode ser omitida ou deve ser uma cadeia de caracteres ou um literal como `{escuro, claro}` - - - - - - - Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more - Adiciona um widget que pode consultar um servidor ou banco de dados e exibir os resultados de várias maneiras – como um gráfico, uma contagem resumida e muito mais - - - Unique Identifier used for caching the results of the insight. - Identificador Exclusivo usado para armazenar em cache os resultados do insight. - - - SQL query to run. This should return exactly 1 resultset. - Consulta SQL para executar. Isso deve retornar exatamente 1 resultset. - - - [Optional] path to a file that contains a query. Use if 'query' is not set - [Opcional] caminho para um arquivo que contém uma consulta. Use se a 'query' não for definida - - - [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh - [Opcional] Intervalo de atualização automática em minutos, se não estiver definido, não haverá atualização automática - - - Which actions to use - Quais ações usar - - - Target database for the action; can use the format '${ columnName }' to use a data driven column name. - Banco de dados de destino da ação. É possível usar o formato '${ columnName }' para usar um nome de coluna controlado por dados. - - - Target server for the action; can use the format '${ columnName }' to use a data driven column name. - O servidor de destino da ação. É possível usar o formato '${ columnName }' para usar um nome de coluna controlado por dados. - - - Target user for the action; can use the format '${ columnName }' to use a data driven column name. - O usuário de destino para a ação. É possível usar o formato '${ columnName }' para usar um nome de coluna controlado por dados. - - - Identifier of the insight - Identificador do insight - - - Contributes insights to the dashboard palette. - Contribui com insights para a paleta do painel. - - - - - - - Backup - Backup - - - You must enable preview features in order to use backup - Você precisa habilitar as versões prévias dos recursos para poder utilizar o backup - - - Backup command is not supported for Azure SQL databases. - O comando Backup não é compatível com bancos de dados SQL do Azure. - - - Backup command is not supported in Server Context. Please select a Database and try again. - O comando Backup não é compatível no contexto do servidor. Selecione um banco de dados e tente novamente. - - - - - - - Restore - Restaurar - - - You must enable preview features in order to use restore - Você precisa habilitar as versões prévias dos recursos para poder utilizar a restauração - - - Restore command is not supported for Azure SQL databases. - O comando Restore não é compatível com bancos de dados SQL do Azure. - - - - - - - Show Recommendations - Mostrar Recomendações - - - Install Extensions - Instalar Extensões - - - Author an Extension... - Criar uma Extensão... - - - - - - - Edit Data Session Failed To Connect - Falha ao conectar sessão de dados - - - - - - - OK - OK - - - Cancel - Cancelar - - - - - - - Open dashboard extensions - Abrir extensões do painel - - - OK - OK - - - Cancel - Cancelar - - - No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. - Não há extensões de painel para serem instaladas neste momento. Vá para o Gerenciador de Extensões para explorar extensões recomendadas. - - - - - - - Selected path - Caminho selecionado - - - Files of type - Arquivos do tipo - - - OK - OK - - - Discard - Descartar - - - - - - - No Connection Profile was passed to insights flyout - Nenhum Perfil de Conexão foi passado para o submenu de insights - - - Insights error - Erro de insights - - - There was an error reading the query file: - Houve um erro ao ler o arquivo de consulta: - - - There was an error parsing the insight config; could not find query array/string or queryfile - Ocorreu um erro ao analisar a configuração do insight. Não foi possível encontrar a matriz/cadeia de caracteres de consulta ou o arquivo de consulta - - - - - - - Azure account - Conta do Azure - - - Azure tenant - Locatário do Azure - - - - - - - Show Connections - Mostrar Conexões - - - Servers - Servidores - - - Connections - Conexões - - - - - - - No task history to display. - Nenhum histórico de tarefas a ser exibido. - - - Task history - TaskHistory - Histórico de tarefa - - - Task error - Erro de tarefa - - - - - - - Clear List - Limpar Lista - - - Recent connections list cleared - Lista de conexões recentes limpa - - - Yes - Sim - - - No - Não - - - Are you sure you want to delete all the connections from the list? - Tem certeza de que deseja excluir todas as conexões da lista? - - - Yes - Sim - - - No - Não - - - Delete - Excluir - - - Get Current Connection String - Obter a Cadeia de Conexão Atual - - - Connection string not available - A cadeia de conexão não está disponível - - - No active connection available - Nenhuma conexão ativa disponível - - - - - - - Refresh - Atualizar - - - Edit Connection - Editar Conexão - - - Disconnect - Desconectar - - - New Connection - Nova Conexão - - - New Server Group - Novo Grupo de Servidores - - - Edit Server Group - Editar Grupo de Servidores - - - Show Active Connections - Mostrar Conexões Ativas - - - Show All Connections - Mostrar Todas as Conexões - - - Recent Connections - Conexões Recentes - - - Delete Connection - Excluir Conexão - - - Delete Group - Excluir Grupo - - - - - - - Run - Executar - - - Dispose Edit Failed With Error: - Editar descarte falhou com o erro: - - - Stop - Parar - - - Show SQL Pane - Mostrar Painel do SQL - - - Close SQL Pane - Fechar Painel do SQL - - - - - - - Profiler - Profiler - - - Not connected - Não conectado - - - XEvent Profiler Session stopped unexpectedly on the server {0}. - A sessão do XEvent Profiler parou inesperadamente no servidor {0}. - - - Error while starting new session - Erro ao iniciar nova sessão - - - The XEvent Profiler session for {0} has lost events. - A sessão do XEvent Profiler para {0} perdeu eventos. - - - - + Loading @@ -2257,746 +12,26 @@ - + - - Server Groups - Grupos de Servidores + + Hide text labels + Ocultar rótulos de texto - - OK - OK - - - Cancel - Cancelar - - - Server group name - Nome do grupo de servidores - - - Group name is required. - O nome do grupo é obrigatório. - - - Group description - Descrição do grupo - - - Group color - Cor do grupo + + Show text labels + Mostrar rótulos de texto - + - - Error adding account - Erro ao adicionar a conta - - - - - - - Item - Item - - - Value - Valor - - - Insight Details - Detalhes do Insight - - - Property - Propriedade - - - Value - Valor - - - Insights - Insights - - - Items - Itens - - - Item Details - Detalhes do Item - - - - - - - Cannot start auto OAuth. An auto OAuth is already in progress. - Não é possível iniciar o OAuth automático. Um OAuth automático já está em andamento. - - - - - - - Sort by event - Classificar por evento - - - Sort by column - Classificar por coluna - - - Profiler - Profiler - - - OK - OK - - - Cancel - Cancelar - - - - - - - Clear all - Limpar tudo - - - Apply - Aplicar - - - OK - OK - - - Cancel - Cancelar - - - Filters - Filtros - - - Remove this clause - Remover esta cláusula - - - Save Filter - Salvar Filtro - - - Load Filter - Carregar Filtro - - - Add a clause - Adicionar uma cláusula - - - Field - Campo - - - Operator - Operador - - - Value - Valor - - - Is Null - É Nulo - - - Is Not Null - Não É Nulo - - - Contains - Contém - - - Not Contains - Não Contém - - - Starts With - Começa Com - - - Not Starts With - Não Começa Com - - - - - - - Save As CSV - Salvar Como CSV - - - Save As JSON - Salvar Como JSON - - - Save As Excel - Salvar Como Excel - - - Save As XML - Salvar Como XML - - - Copy - Copiar - - - Copy With Headers - Copiar com Cabeçalhos - - - Select All - Selecionar Tudo - - - - - - - Defines a property to show on the dashboard - Define uma propriedade para mostrar no painel - - - What value to use as a label for the property - Qual o valor a ser usado como um rótulo para a propriedade - - - What value in the object to access for the value - Qual o valor do objeto para acessar o valor - - - Specify values to be ignored - Especifique os valores a serem ignorados - - - Default value to show if ignored or no value - Valor padrão para mostrar se ignorado ou sem valor - - - A flavor for defining dashboard properties - Uma variante para definir as propriedades do painel - - - Id of the flavor - Id da variante - - - Condition to use this flavor - Condição para usar essa variante - - - Field to compare to - Campo para comparar a - - - Which operator to use for comparison - Qual operador usar para comparação - - - Value to compare the field to - Valor para comparar o campo com - - - Properties to show for database page - Propriedades a serem exibidas na página de banco de dados - - - Properties to show for server page - Propriedades a serem exibidas na página do servidor - - - Defines that this provider supports the dashboard - Define que este provedor oferece suporte para o painel - - - Provider id (ex. MSSQL) - Id do provedor (ex. MSSQL) - - - Property values to show on dashboard - Valores de propriedade a serem exibidos no painel - - - - - - - Invalid value - Valor inválido - - - {0}. {1} - {0}. {1} - - - - - - - Loading - Carregando - - - Loading completed - Carregamento concluído - - - - - - - blank - branco - - - check all checkboxes in column: {0} - marcar todas as caixas de seleção na coluna: {0} - - - - - - - No tree view with id '{0}' registered. - Não há exibição de árvore com a id '{0}' registrada. - - - - - - - Initialize edit data session failed: - Falha ao inicializar a sessão de edição de dados: - - - - - - - Identifier of the notebook provider. - Identificador do provedor de notebook. - - - What file extensions should be registered to this notebook provider - Quais extensões de arquivo devem ser registradas para este provedor de notebook? - - - What kernels should be standard with this notebook provider - Quais kernels devem ser padrão com este provedor de notebook? - - - Contributes notebook providers. - Contribui com provedores de notebooks. - - - Name of the cell magic, such as '%%sql'. - Nome do magic da célula, como '%%sql'. - - - The cell language to be used if this cell magic is included in the cell - A linguagem de célula a ser usada se esta magic da célula estiver incluída na célula - - - Optional execution target this magic indicates, for example Spark vs SQL - Destino de execução opcional que essa mágic indica, por exemplo, Spark versus SQL - - - Optional set of kernels this is valid for, e.g. python3, pyspark, sql - Conjunto opcional de kernels que é válido para, por exemplo, python3, pyspark, SQL - - - Contributes notebook language. - Contribui com a linguagem do notebook. - - - - - - - F5 shortcut key requires a code cell to be selected. Please select a code cell to run. - A tecla de atalho F5 requer que uma célula de código seja selecionada. Selecione uma célula de código para executar. - - - Clear result requires a code cell to be selected. Please select a code cell to run. - Limpar o resultado requer que uma célula de código seja selecionada. Selecione uma célula de código para executar. - - - - - - - SQL - SQL - - - - - - - Max Rows: - Máximo de Linhas: - - - - - - - Select View - Selecionar Exibição - - - Select Session - Selecionar Sessão - - - Select Session: - Selecionar Sessão: - - - Select View: - Selecionar Exibição: - - - Text - Texto - - - Label - Rótulo - - - Value - Valor - - - Details - Detalhes - - - - - - - Time Elapsed - Tempo Decorrido - - - Row Count - Contagem de Linhas - - - {0} rows - {0} linhas - - - Executing query... - Executando consulta... - - - Execution Status - Status de Execução - - - Selection Summary - Resumo da Seleção - - - Average: {0} Count: {1} Sum: {2} - Média: {0} Contagem: {1} Soma: {2} - - - - - - - Choose SQL Language - Escolha a linguagem SQL - - - Change SQL language provider - Alterar provedor de linguagem SQL - - - SQL Language Flavor - Variante de linguagem SQL - - - Change SQL Engine Provider - Alterar Provedor de Mecanismo SQL - - - A connection using engine {0} exists. To change please disconnect or change connection - Existe uma conexão usando o mecanismo {0}. Para alterar, desconecte ou altere a conexão - - - No text editor active at this time - Nenhum editor de texto ativo neste momento - - - Select Language Provider - Selecionar o Provedor de Linguagem - - - - - - - Error displaying Plotly graph: {0} - Erro ao exibir o gráfico Plotly: {0} - - - - - - - No {0} renderer could be found for output. It has the following MIME types: {1} - Nenhum renderizador {0} foi encontrado para saída. Ele tem os seguintes tipos MIME: {1} - - - (safe) - (seguro) - - - - - - - Select Top 1000 - Selecione Top 1000 - - - Take 10 - Levar 10 - - - Script as Execute - Script como Executar - - - Script as Alter - Script como Alterar - - - Edit Data - Editar Dados - - - Script as Create - Script como Criar - - - Script as Drop - Script como Soltar - - - - - - - A NotebookProvider with valid providerId must be passed to this method - Um NotebookProvider com providerId válido precisa ser passado para este método - - - - - - - A NotebookProvider with valid providerId must be passed to this method - Um NotebookProvider com providerId válido precisa ser passado para este método - - - no notebook provider found - nenhum provedor de notebook encontrado - - - No Manager found - Nenhum Gerenciador encontrado - - - Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it - O Notebook Manager para o notebook {0} não tem um gerenciador de servidores. Não é possível executar operações nele - - - Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it - O Notebook Manager do notebook {0} não tem um gerenciador de conteúdo. Não é possível executar operações nele - - - Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it - O Notebook Manager do notebook {0} não tem um gerenciador de sessão. Não é possível executar operações nele - - - - - - - Failed to get Azure account token for connection - Falha ao obter o token de conta do Azure para a conexão - - - Connection Not Accepted - Conexão não aceita - - - Yes - Sim - - - No - Não - - - Are you sure you want to cancel this connection? - Tem certeza de que deseja cancelar esta conexão? - - - - - - - OK - OK - - + Close Fechar - - - - Loading kernels... - Carregando kernels... - - - Changing kernel... - Alterando kernel... - - - Attach to - Anexar a - - - Kernel - Kernel - - - Loading contexts... - Carregando contextos... - - - Change Connection - Alterar Conexão - - - Select Connection - Selecionar Conexão - - - localhost - localhost - - - No Kernel - Nenhum Kernel - - - Clear Results - Limpar Resultados - - - Trusted - Confiável - - - Not Trusted - Não Confiável - - - Collapse Cells - Recolher Células - - - Expand Cells - Expandir Células - - - None - Nenhum - - - New Notebook - Novo Notebook - - - Find Next String - Encontrar Próxima Cadeia de Caracteres - - - Find Previous String - Encontrar Cadeia de Caracteres Anterior - - - - - - - Query Plan - Plano de Consulta - - - - - - - Refresh - Atualizar - - - - - - - Step {0} - Etapa {0} - - - - - - - Must be an option from the list - Deve ser uma opção da lista - - - Select Box - Selecionar Caixa - - - @@ -3013,133 +48,260 @@ - + - - Connection - Conexão - - - Connecting - Conectando - - - Connection type - Tipo de conexão - - - Recent Connections - Conexões Recentes - - - Saved Connections - Conexões Salvas - - - Connection Details - Detalhes da Conexão - - - Connect - Conectar - - - Cancel - Cancelar - - - Recent Connections - Conexões Recentes - - - No recent connection - Nenhuma conexão recente - - - Saved Connections - Conexões Salvas - - - No saved connection - Nenhuma conexão salva + + no data available + não há dados disponíveis - + - - File browser tree - FileBrowserTree - Árvore de navegador de arquivo + + Select/Deselect All + Selecionar/Desmarcar Tudo - + - - From - De + + Show Filter + Mostrar Filtro - - To - Para + + Select All + Selecionar tudo - - Create new firewall rule - Criar regra de firewall + + Search + Pesquisar - + + {0} Results + This tells the user how many items are shown in the list. Currently not visible, but read by screen readers. + {0} resultados + + + {0} Selected + This tells the user how many items are selected in the list + {0} selecionado(s) + + + Sort Ascending + Classificação Crescente + + + Sort Descending + Classificação Decrescente + + OK OK - + + Clear + Limpar + + Cancel Cancelar - - Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. - Seu endereço IP de cliente não tem acesso ao servidor. Entre com uma conta Azure e crie uma regra de firewall para permitir o acesso. - - - Learn more about firewall settings - Saiba mais sobre as configurações do firewall - - - Firewall rule - Regra de firewall - - - Add my client IP - Adicionar o meu IP de cliente - - - Add my subnet IP range - Adicionar meu intervalo de IP de sub-rede + + Filter Options + Opções de filtro - + - - All files - Todos os arquivos + + Loading + Carregando - + - - Could not find query file at any of the following paths : - {0} - Não foi possível encontrar o arquivo de consulta em nenhum dos seguintes caminhos: {0} + + Loading Error... + Erro ao carregar... - + - - You need to refresh the credentials for this account. - Você precisa atualizar as credenciais para esta conta. + + Toggle More + Alternar Mais + + + + + + + Azure Data Studio + Azure Data Studio + + + Enable automatic update checks. Azure Data Studio will check for updates automatically and periodically. + Habilitar verificações de atualização automática. O Azure Data Studio verificará se há atualizações automaticamente e periodicamente. + + + Enable to download and install new Azure Data Studio Versions in the background on Windows + Habilitar o download e a instalação de novas versões do Azure Data Studio no segundo plano no Windows + + + Show Release Notes after an update. The Release Notes are opened in a new web browser window. + Mostrar notas de versão após uma atualização. As notas de versão são abertas em uma nova janela do navegador da Web. + + + The dashboard toolbar action menu + O menu de ação da barra de ferramentas do painel + + + The notebook cell title menu + O menu de título da célula do bloco de anotações + + + The notebook title menu + O menu de título do bloco de anotações + + + The notebook toolbar menu + O menu da barra de ferramentas do bloco de anotações. + + + The dataexplorer view container title action menu + O menu de ação do título do contêiner de exibição dataexplorer + + + The dataexplorer item context menu + O menu de contexto do item dataexplorer + + + The object explorer item context menu + O menu de contexto do item do explorador de objetos + + + The connection dialog's browse tree context menu + O menu de contexto da árvore de navegação da caixa de diálogo de conexão + + + The data grid item context menu + O menu de contexto do item da grade de dados + + + Sets the security policy for downloading extensions. + Define a política de segurança para baixar extensões. + + + Your extension policy does not allow installing extensions. Please change your extension policy and try again. + A política de extensão não permite a instalação de extensões. Altere sua política de extensão e tente novamente. + + + Completed installing {0} extension from VSIX. Please reload Azure Data Studio to enable it. + A instalação da extensão {0} foi concluída do VSIX. Recarregue o Azure Data Studio para habilitá-la. + + + Please reload Azure Data Studio to complete the uninstallation of this extension. + Recarregue o Azure Data Studio para concluir a desinstalação dessa extensão. + + + Please reload Azure Data Studio to enable the updated extension. + Recarregue o Azure Data Studio para habilitar a extensão atualizada. + + + Please reload Azure Data Studio to enable this extension locally. + Recarregue o Azure Data Studio para habilitar essa extensão localmente. + + + Please reload Azure Data Studio to enable this extension. + Recarregue o Azure Data Studio para habilitar essa extensão. + + + Please reload Azure Data Studio to disable this extension. + Recarregue o Azure Data Studio para desabilitar essa extensão. + + + Please reload Azure Data Studio to complete the uninstallation of the extension {0}. + Recarregue o Azure Data Studio para concluir a desinstalação da extensão {0}. + + + Please reload Azure Data Studio to enable this extension in {0}. + Recarregue o Azure Data Studio para habilitar essa extensão em {0}. + + + Installing extension {0} is completed. Please reload Azure Data Studio to enable it. + A instalação da extensão {0} foi concluída. Recarregue o Azure Data Studio para habilitá-la. + + + Please reload Azure Data Studio to complete reinstalling the extension {0}. + Recarregue o Azure Data Studio para concluir a reinstalação da extensão {0}. + + + Marketplace + Marketplace + + + The scenario type for extension recommendations must be provided. + O tipo de cenário para as recomendações de extensão precisa ser fornecido. + + + Unable to install extension '{0}' as it is not compatible with Azure Data Studio '{1}'. + Não é possível instalar a extensão '{0}' porque ela não é compatível com o Azure Data Studio '{1}'. + + + New Query + Nova consulta + + + New &&Query + && denotes a mnemonic + Nova &&consulta + + + &&New Notebook + && denotes a mnemonic + &&Novo Bloco de anotações + + + Controls the memory available to Azure Data Studio after restart when trying to open large files. Same effect as specifying `--max-memory=NEWSIZE` on the command line. + Controla a memória disponível para o Azure Data Studio após a reinicialização ao tentar abrir arquivos grandes. O mesmo efeito que especificar `--max-memory=NEWSIZE` na linha de comando. + + + Would you like to change Azure Data Studio's UI language to {0} and restart? + Deseja alterar o idioma da interface do usuário do Azure Data Studio para {0} e reiniciar? + + + In order to use Azure Data Studio in {0}, Azure Data Studio needs to restart. + Para usar o Azure Data Studio em {0}, o Azure Data Studio precisa ser reiniciado. + + + New SQL File + Novo arquivo SQL + + + New Notebook + Novo bloco de anotações + + + Install Extension from VSIX Package + && denotes a mnemonic + Instalar extensão do pacote VSIX + + + + + + + Must be an option from the list + Deve ser uma opção da lista + + + Select Box + Selecionar Caixa @@ -3183,1263 +345,59 @@ - + - - Show Notebooks - Mostrar Notebooks - - - Search Results - Resultados da Pesquisa - - - Search path not found: {0} - Caminho de pesquisa não encontrado: {0} - - - Notebooks - Notebooks + + Copying images is not supported + Não há suporte para copiar imagens - + - - Focus on Current Query - Foco na Consulta Atual - - - Run Query - Executar Consulta - - - Run Current Query - Executar Consulta Atual - - - Copy Query With Results - Copiar Consulta com Resultados - - - Successfully copied query and results. - Consulta e resultados copiados com êxito. - - - Run Current Query with Actual Plan - Executar Consulta Atual com Plano Real - - - Cancel Query - Cancelar Consulta - - - Refresh IntelliSense Cache - Atualizar Cache do IntelliSense - - - Toggle Query Results - Alternar Resultados da Consulta - - - Toggle Focus Between Query And Results - Alternar Foco entre a Consulta e os Resultados - - - Editor parameter is required for a shortcut to be executed - O editor de parâmetro é necessário para um atalho ser executado - - - Parse Query - Analisar Consulta - - - Commands completed successfully - Comandos concluídos com êxito - - - Command failed: - Falha no comando: - - - Please connect to a server - Conecte-se a um servidor + + A server group with the same name already exists. + Um grupo de servidores com o mesmo nome já existe. - + - - succeeded - com êxito - - - failed - falhou - - - in progress - em andamento - - - not started - não iniciado - - - canceled - cancelado - - - canceling - cancelando + + Widget used in the dashboards + Widget usado nos painéis - + - - Chart cannot be displayed with the given data - O gráfico não pode ser exibido com os dados fornecidos + + Widget used in the dashboards + Widget usado nos painéis + + + Widget used in the dashboards + Widget usado nos painéis + + + Widget used in the dashboards + Widget usado nos painéis - + - - Error opening link : {0} - Erro ao abrir o link: {0} + + Saving results into different format disabled for this data provider. + O salvamento de resultados em diferentes formatos está desabilitado para este provedor de dados. - - Error executing command '{0}' : {1} - Erro ao executar o comando '{0}' : {1} + + Cannot serialize data as no provider has been registered + Não foi possível serializar os dados, pois não foi registrado nenhum provedor - - - - - - Copy failed with error {0} - Falha na cópia com o erro {0} - - - Show chart - Mostrar gráfico - - - Show table - Mostrar tabela - - - - - - - <i>Double-click to edit</i> - <i>Clique duas vezes para editar</i> - - - <i>Add content here...</i> - <i>Adicionar conteúdo aqui... </i> - - - - - - - An error occurred refreshing node '{0}': {1} - Ocorreu um erro ao atualizar o nó '{0}': {1} - - - - - - - Done - Concluído - - - Cancel - Cancelar - - - Generate script - Gerar script - - - Next - Próximo - - - Previous - Anterior - - - Tabs are not initialized - As guias não estão inicializadas - - - - - - - is required. - é necessário. - - - Invalid input. Numeric value expected. - Entrada inválida. Valor numérico esperado. - - - - - - - Backup file path - Caminho do arquivo de backup - - - Target database - Banco de dados de destino - - - Restore - Restaurar - - - Restore database - Restaurar banco de dados - - - Database - Banco de dados - - - Backup file - Arquivo de backup - - - Restore database - Restaurar banco de dados - - - Cancel - Cancelar - - - Script - Script - - - Source - Fonte - - - Restore from - Restaurar de - - - Backup file path is required. - O caminho do arquivo de backup é obrigatório. - - - Please enter one or more file paths separated by commas - Insira um ou mais caminhos de arquivo separados por vírgulas - - - Database - Banco de dados - - - Destination - Destino - - - Restore to - Restaurar para - - - Restore plan - Restaurar plano - - - Backup sets to restore - Conjuntos de backup para restaurar - - - Restore database files as - Restaurar arquivos de banco de dados como - - - Restore database file details - Restaurar os detalhes do arquivo de banco de dados - - - Logical file Name - Nome do Arquivo lógico - - - File type - Tipo de arquivo - - - Original File Name - Nome do Arquivo Original - - - Restore as - Restaurar como - - - Restore options - Opções de restauração - - - Tail-Log backup - Backup da parte final do log - - - Server connections - Conexões de servidor - - - General - Geral - - - Files - Arquivos - - - Options - Opções - - - - - - - Copy Cell - Copiar Célula - - - - - - - Done - Concluído - - - Cancel - Cancelar - - - - - - - Copy & Open - Copiar e Abrir - - - Cancel - Cancelar - - - User code - Código do usuário - - - Website - Site - - - - - - - The index {0} is invalid. - O índice {0} é inválido. - - - - - - - Server Description (optional) - Descrição do Servidor (opcional) - - - - - - - Advanced Properties - Propriedades Avançadas - - - Discard - Descartar - - - - - - - nbformat v{0}.{1} not recognized - nbformat v{0}.{1} não reconhecido - - - This file does not have a valid notebook format - Este arquivo não tem um formato de notebook válido - - - Cell type {0} unknown - Tipo de célula {0} desconhecido - - - Output type {0} not recognized - Tipo de saída {0} não reconhecido - - - Data for {0} is expected to be a string or an Array of strings - Espera-se que os dados de {0} sejam uma cadeia de caracteres ou uma matriz de cadeia de caracteres - - - Output type {0} not recognized - Tipo de saída {0} não reconhecido - - - - - - - Welcome - Bem-vindo(a) - - - SQL Admin Pack - Admin Pack do SQL - - - SQL Admin Pack - Admin Pack do SQL - - - Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server - O Admin Pack do SQL Server é uma coleção de extensões populares de administração de banco de dados que ajudam você a gerenciar o SQL Server - - - Powershell - PowerShell - - - Write and execute PowerShell scripts using Azure Data Studio's rich query editor - Grave e execute scripts do PowerShell usando o editor de consultas avançado do Azure Data Studio - - - Data Virtualization - Virtualização de Dados - - - Virtualize data with SQL Server 2019 and create external tables using interactive wizards - Virtualize os dados com o SQL Server 2019 e crie tabelas externas usando assistentes interativos - - - PostgreSQL - PostgreSQL - - - Connect, query, and manage Postgres databases with Azure Data Studio - Conecte-se, consulte e gerencie bancos de dados Postgres com o Azure Data Studio - - - Support for {0} is already installed. - O suporte para {0} já está instalado. - - - The window will reload after installing additional support for {0}. - A janela será recarregada após a instalação do suporte adicional para {0}. - - - Installing additional support for {0}... - Instalando suporte adicional para {0}... - - - Support for {0} with id {1} could not be found. - Não foi possível encontrar suporte para {0} com a id {1}. - - - New connection - Nova conexão - - - New query - Nova consulta - - - New notebook - Novo notebook - - - Deploy a server - Implantar um servidor - - - Welcome - Bem-vindo(a) - - - New - Novo - - - Open… - Abrir… - - - Open file… - Abrir arquivo… - - - Open folder… - Abrir a pasta… - - - Start Tour - Iniciar Tour - - - Close quick tour bar - Fechar barra do tour rápido - - - Would you like to take a quick tour of Azure Data Studio? - Deseja fazer um tour rápido pelo Azure Data Studio? - - - Welcome! - Bem-vindo(a)! - - - Open folder {0} with path {1} - Abrir pasta {0} com caminho {1} - - - Install - Instalar - - - Install {0} keymap - Instalar o mapa de teclas {0} - - - Install additional support for {0} - Instalar suporte adicional para {0} - - - Installed - Instalado - - - {0} keymap is already installed - O mapa de teclas {0} já está instalado - - - {0} support is already installed - O suporte de {0} já está instalado - - - OK - OK - - - Details - Detalhes - - - Background color for the Welcome page. - Cor da tela de fundo da página inicial. - - - - - - - Profiler editor for event text. Readonly - Editor do Profiler para o texto do evento .ReadOnly - - - - - - - Failed to save results. - Falha ao salvar os resultados. - - - Choose Results File - Escolher o Arquivo de Resultados - - - CSV (Comma delimited) - CSV (separado por vírgula) - - - JSON - JSON - - - Excel Workbook - Pasta de Trabalho do Excel - - - XML - XML - - - Plain Text - Texto Sem Formatação - - - Saving file... - Salvando arquivo... - - - Successfully saved results to {0} - Os resultados foram salvos com êxito em {0} - - - Open file - Abrir arquivo - - - - - - - Hide text labels - Ocultar rótulos de texto - - - Show text labels - Mostrar rótulos de texto - - - - - - - modelview code editor for view model. - Editor de código modelview para modelo de exibição. - - - - - - - Information - Informações - - - Warning - Aviso - - - Error - Erro - - - Show Details - Mostrar Detalhes - - - Copy - Copiar - - - Close - Fechar - - - Back - Voltar - - - Hide Details - Ocultar Detalhes - - - - - - - Accounts - Contas - - - Linked accounts - Contas vinculadas - - - Close - Fechar - - - There is no linked account. Please add an account. - Não há nenhuma conta vinculada. Adicione uma conta. - - - Add an account - Adicionar uma conta - - - You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud - Você não tem nuvens habilitadas. Acesse Configurações-> Pesquisar Configuração de Conta do Azure-> Habilitar pelo menos uma nuvem - - - You didn't select any authentication provider. Please try again. - Você não selecionou nenhum provedor de autenticação. Tente novamente. - - - - - - - Execution failed due to an unexpected error: {0} {1} - A execução falhou devido a um erro inesperado: {0} {1} - - - Total execution time: {0} - Tempo total de execução: {0} - - - Started executing query at Line {0} - Execução da consulta iniciada na linha {0} - - - Started executing batch {0} - Execução do lote {0} iniciada - - - Batch execution time: {0} - Tempo de execução em lote: {0} - - - Copy failed with error {0} - Falha na cópia com o erro {0} - - - - - - - Azure Data Studio - Azure Data Studio - - - Start - Início - - - New connection - Nova conexão - - - New query - Nova consulta - - - New notebook - Novo notebook - - - Open file - Abrir arquivo - - - Open file - Abrir arquivo - - - Deploy - Implantar - - - New Deployment… - Nova Implantação… - - - Recent - Recente - - - More... - Mais... - - - No recent folders - Não há pastas recentes - - - Help - Ajuda - - - Getting started - Introdução - - - Documentation - Documentação - - - Report issue or feature request - Relatar problema ou solicitação de recurso - - - GitHub repository - Repositório GitHub - - - Release notes - Notas sobre a versão - - - Show welcome page on startup - Mostrar a página inicial na inicialização - - - Customize - Personalizar - - - Extensions - Extensões - - - Download extensions that you need, including the SQL Server Admin pack and more - Baixe as extensões necessárias, incluindo o pacote de Administrador do SQL Server e muito mais - - - Keyboard Shortcuts - Atalhos de Teclado - - - Find your favorite commands and customize them - Encontre seus comandos favoritos e personalize-os - - - Color theme - Tema de cores - - - Make the editor and your code look the way you love - Faça com que o editor e seu código tenham a aparência que você mais gosta - - - Learn - Learn - - - Find and run all commands - Encontrar e executar todos os comandos - - - Rapidly access and search commands from the Command Palette ({0}) - Acesse e pesquise rapidamente comandos na Paleta de Comandos ({0}) - - - Discover what's new in the latest release - Descubra o que há de novo na versão mais recente - - - New monthly blog posts each month showcasing our new features - Novas postagens mensais do blog apresentando nossos novos recursos - - - Follow us on Twitter - Siga-nos no Twitter - - - Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. - Mantenha-se atualizado com a forma como a Comunidade está usando o Azure Data Studio e converse diretamente com os engenheiros. - - - - - - - Connect - Conectar - - - Disconnect - Desconectar - - - Start - Início - - - New Session - Nova Sessão - - - Pause - Pausar - - - Resume - Continuar - - - Stop - Parar - - - Clear Data - Limpar Dados - - - Are you sure you want to clear the data? - Tem certeza de que deseja limpar os dados? - - - Yes - Sim - - - No - Não - - - Auto Scroll: On - Rolagem Automática: Ativada - - - Auto Scroll: Off - Rolagem Automática: Desativada - - - Toggle Collapsed Panel - Alternar Painel Recolhido - - - Edit Columns - Editar Colunas - - - Find Next String - Encontrar Próxima Cadeia de Caracteres - - - Find Previous String - Encontrar Cadeia de Caracteres Anterior - - - Launch Profiler - Iniciar Profiler - - - Filter… - Filtro... - - - Clear Filter - Limpar Filtro - - - Are you sure you want to clear the filters? - Tem certeza de que deseja limpar os filtros? - - - - - - - Events (Filtered): {0}/{1} - Eventos (Filtrados): {0}/{1} - - - Events: {0} - Eventos: {0} - - - Event Count - Contagem de Eventos - - - - - - - no data available - não há dados disponíveis - - - - - - - Results - Resultados - - - Messages - Mensagens - - - - - - - No script was returned when calling select script on object - Nenhum script foi retornado ao chamar o script select no objeto - - - Select - Selecionar - - - Create - Criar - - - Insert - Inserir - - - Update - Atualizar - - - Delete - Excluir - - - No script was returned when scripting as {0} on object {1} - Nenhum script foi retornado durante o script como {0} no objeto {1} - - - Scripting Failed - O script falhou - - - No script was returned when scripting as {0} - Nenhum script foi retornado ao criar scripts como {0} - - - - - - - Table header background color - Cor da tela de fundo do cabeçalho de tabela - - - Table header foreground color - Cor de primeiro plano do cabeçalho de tabela - - - List/Table background color for the selected and focus item when the list/table is active - Cor da tela de fundo da lista/tabela para o item selecionado e foco quando a lista/tabela estiver ativa - - - Color of the outline of a cell. - Cor do contorno de uma célula. - - - Disabled Input box background. - Fundo da caixa de entrada desabilitado. - - - Disabled Input box foreground. - Primeiro plano da caixa de entrada desabilitado. - - - Button outline color when focused. - Cor do contorno do botão quando focada. - - - Disabled checkbox foreground. - Primeiro plano da caixa de seleção desabilitado. - - - SQL Agent Table background color. - Cor da tela de fundo da tabela do SQL Agent. - - - SQL Agent table cell background color. - Cor da tela de fundo da célula de tabela do SQL Agent. - - - SQL Agent table hover background color. - Cor da tela de fundo para tabela do SQL Agent. - - - SQL Agent heading background color. - Cor da tela de fundo do título do SQL Agent. - - - SQL Agent table cell border color. - Cor da borda da célula na tabela do SQL Agent. - - - Results messages error color. - Cor de erro das mensagens de resultados. - - - - - - - Backup name - Nome do backup - - - Recovery model - Modelo de recuperação - - - Backup type - Tipo de backup - - - Backup files - Arquivos de backup - - - Algorithm - Algoritmo - - - Certificate or Asymmetric key - Chave de Certificado ou Assimétrica - - - Media - Mídia - - - Backup to the existing media set - Backup para o conjunto de mídias existente - - - Backup to a new media set - Backup para um novo conjunto de mídias - - - Append to the existing backup set - Acrescentar ao conjunto de backup existente - - - Overwrite all existing backup sets - Substituir todos os conjuntos de backup existentes - - - New media set name - Novo nome do conjunto de mídias - - - New media set description - Nova descrição do conjunto de mídias - - - Perform checksum before writing to media - Executar soma de verificação antes de gravar na mídia - - - Verify backup when finished - Verificar backup quando terminar - - - Continue on error - Continuar em caso de erro - - - Expiration - Expiração - - - Set backup retain days - Defina os dias de retenção de backup - - - Copy-only backup - Backup somente cópia - - - Advanced Configuration - Configuração Avançada - - - Compression - Compactação - - - Set backup compression - Definir a compactação de backup - - - Encryption - Criptografia - - - Transaction log - Log de transações - - - Truncate the transaction log - Truncar o log de transações - - - Backup the tail of the log - Backup do final do log - - - Reliability - Confiabilidade - - - Media name is required - O nome da mídia é obrigatório - - - No certificate or asymmetric key is available - Nenhum certificado ou chave assimétrica está disponível - - - Add a file - Adicionar um arquivo - - - Remove files - Remover arquivos - - - Invalid input. Value must be greater than or equal 0. - Entrada inválida. O valor deve ser maior ou igual a 0. - - - Script - Script - - - Backup - Backup - - - Cancel - Cancelar - - - Only backup to file is supported - Apenas backup para arquivo é compatível - - - Backup file path is required - O caminho do arquivo de backup é obrigatório + + Serialization failed with an unknown error + Falha na serialização com um erro desconhecido @@ -4631,407 +589,87 @@ - + - - There is no data provider registered that can provide view data. - Não há nenhum provedor de dados registrado que possa fornecer dados de exibição. + + Table header background color + Cor da tela de fundo do cabeçalho de tabela - - Refresh - Atualizar + + Table header foreground color + Cor de primeiro plano do cabeçalho de tabela - - Collapse All - Recolher Tudo + + List/Table background color for the selected and focus item when the list/table is active + Cor da tela de fundo da lista/tabela para o item selecionado e foco quando a lista/tabela estiver ativa - - Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. - Erro ao executar o comando {1}: {0}. Isso provavelmente é causado pela extensão que contribui com {1}. + + Color of the outline of a cell. + Cor do contorno de uma célula. + + + Disabled Input box background. + Fundo da caixa de entrada desabilitado. + + + Disabled Input box foreground. + Primeiro plano da caixa de entrada desabilitado. + + + Button outline color when focused. + Cor do contorno do botão quando focada. + + + Disabled checkbox foreground. + Primeiro plano da caixa de seleção desabilitado. + + + SQL Agent Table background color. + Cor da tela de fundo da tabela do SQL Agent. + + + SQL Agent table cell background color. + Cor da tela de fundo da célula de tabela do SQL Agent. + + + SQL Agent table hover background color. + Cor da tela de fundo para tabela do SQL Agent. + + + SQL Agent heading background color. + Cor da tela de fundo do título do SQL Agent. + + + SQL Agent table cell border color. + Cor da borda da célula na tabela do SQL Agent. + + + Results messages error color. + Cor de erro das mensagens de resultados. - + - - Please select active cell and try again - Selecione a célula ativa e tente novamente + + Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window + Algumas das extensões carregadas estão usando APIs obsoletas. Encontre as informações detalhadas na guia Console da janela Ferramentas para Desenvolvedores - - Run cell - Executar célula - - - Cancel execution - Cancelar execução - - - Error on last run. Click to run again - Erro na última execução. Clique para executar novamente + + Don't Show Again + Não Mostrar Novamente - + - - Cancel - Cancelar + + F5 shortcut key requires a code cell to be selected. Please select a code cell to run. + A tecla de atalho F5 requer que uma célula de código seja selecionada. Selecione uma célula de código para executar. - - The task is failed to cancel. - Falha ao cancelar a tarefa. - - - Script - Script - - - - - - - Toggle More - Alternar Mais - - - - - - - Loading - Carregando - - - - - - - Home - Página Inicial - - - - - - - The "{0}" section has invalid content. Please contact extension owner. - A seção "{0}" tem conteúdo inválido. Entre em contato com o proprietário da extensão. - - - - - - - Jobs - Trabalhos - - - Notebooks - Notebooks - - - Alerts - Alertas - - - Proxies - Proxies - - - Operators - Operadores - - - - - - - Server Properties - Propriedades do Servidor - - - - - - - Database Properties - Propriedades do Banco de Dados - - - - - - - Select/Deselect All - Selecionar/Desmarcar Tudo - - - - - - - Show Filter - Mostrar Filtro - - - OK - OK - - - Clear - Limpar - - - Cancel - Cancelar - - - - - - - Recent Connections - Conexões Recentes - - - Servers - Servidores - - - Servers - Servidores - - - - - - - Backup Files - Arquivos de Backup - - - All Files - Todos os Arquivos - - - - - - - Search: Type Search Term and press Enter to search or Escape to cancel - Pesquisar: digite o termo de pesquisa e pressione Enter para pesquisar ou Escape para cancelar - - - Search - Pesquisar - - - - - - - Failed to change database - Falha ao alterar o banco de dados - - - - - - - Name - Nome - - - Last Occurrence - Última Ocorrência - - - Enabled - Habilitado - - - Delay Between Responses (in secs) - Atraso Entre as Respostas (em segundos) - - - Category Name - Nome da Categoria - - - - - - - Name - Nome - - - Email Address - Endereço de Email - - - Enabled - Habilitado - - - - - - - Account Name - Nome da Conta - - - Credential Name - Nome da Credencial - - - Description - Descrição - - - Enabled - Habilitado - - - - - - - loading objects - carregando objetos - - - loading databases - carregando bancos de dados - - - loading objects completed. - carregamento de objetos concluído. - - - loading databases completed. - carregamento dos bancos de dados concluído. - - - Search by name of type (t:, v:, f:, or sp:) - Pesquisar pelo nome do tipo (t:, v:, f: ou sp:) - - - Search databases - Pesquisar bancos de dados - - - Unable to load objects - Não é possível carregar objetos - - - Unable to load databases - Não é possível carregar bancos de dados - - - - - - - Loading properties - Carregando as propriedades - - - Loading properties completed - Carregamento de propriedades concluído - - - Unable to load dashboard properties - Não é possível carregar as propriedades do painel - - - - - - - Loading {0} - Carregando {0} - - - Loading {0} completed - Carregamento de {0} concluído - - - Auto Refresh: OFF - Atualização Automática: DESATIVADA - - - Last Updated: {0} {1} - Ultima Atualização: {0} {1} - - - No results to show - Nenhum resultado para mostrar - - - - - - - Steps - Etapas - - - - - - - Save As CSV - Salvar Como CSV - - - Save As JSON - Salvar Como JSON - - - Save As Excel - Salvar Como Excel - - - Save As XML - Salvar Como XML - - - Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. - A codificação de resultados não será salva ao exportar para JSON. Lembre-se de salvar com a codificação desejada após a criação do arquivo. - - - Save to file is not supported by the backing data source - Salvar em arquivo não é uma ação compatível com a fonte de dados de backup - - - Copy - Copiar - - - Copy With Headers - Copiar Com Cabeçalhos - - - Select All - Selecionar Tudo - - - Maximize - Maximizar - - - Restore - Restaurar - - - Chart - Gráfico - - - Visualizer - Visualizador + + Clear result requires a code cell to be selected. Please select a code cell to run. + Limpar o resultado requer que uma célula de código seja selecionada. Selecione uma célula de código para executar. @@ -5051,349 +689,495 @@ - + - - Step ID - ID da Etapa + + Done + Concluído - - Step Name - Nome da Etapa + + Cancel + Cancelar - - Message - Mensagem + + Generate script + Gerar script + + + Next + Próximo + + + Previous + Anterior + + + Tabs are not initialized + As guias não estão inicializadas - + - - Find - Encontrar + + No tree view with id '{0}' registered. + Não há exibição de árvore com a id '{0}' registrada. - - Find - Encontrar + + + + + + A NotebookProvider with valid providerId must be passed to this method + Um NotebookProvider com providerId válido precisa ser passado para este método - - Previous match - Correspondência anterior + + no notebook provider found + nenhum provedor de notebook encontrado - - Next match - Próxima correspondência + + No Manager found + Nenhum Gerenciador encontrado - + + Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it + O Notebook Manager para o notebook {0} não tem um gerenciador de servidores. Não é possível executar operações nele + + + Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it + O Notebook Manager do notebook {0} não tem um gerenciador de conteúdo. Não é possível executar operações nele + + + Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it + O Notebook Manager do notebook {0} não tem um gerenciador de sessão. Não é possível executar operações nele + + + + + + + A NotebookProvider with valid providerId must be passed to this method + Um NotebookProvider com providerId válido precisa ser passado para este método + + + + + + + Manage + Gerenciar + + + Show Details + Mostrar Detalhes + + + Learn More + Saiba Mais + + + Clear all saved accounts + Limpar todas as contas salvas + + + + + + + Preview Features + Versões prévias dos recursos + + + Enable unreleased preview features + Habilitar versões prévias dos recursos não liberadas + + + Show connect dialog on startup + Mostrar caixa de diálogo de conexão na inicialização + + + Obsolete API Notification + Notificação de API obsoleta + + + Enable/disable obsolete API usage notification + Habilitar/desabilitar a notificação de uso de API obsoleta + + + + + + + Edit Data Session Failed To Connect + Falha ao conectar sessão de dados + + + + + + + Profiler + Profiler + + + Not connected + Não conectado + + + XEvent Profiler Session stopped unexpectedly on the server {0}. + A sessão do XEvent Profiler parou inesperadamente no servidor {0}. + + + Error while starting new session + Erro ao iniciar nova sessão + + + The XEvent Profiler session for {0} has lost events. + A sessão do XEvent Profiler para {0} perdeu eventos. + + + + + + + Show Actions + Mostrar Ações + + + Resource Viewer + Visualizador de Recursos + + + + + + + Information + Informações + + + Warning + Aviso + + + Error + Erro + + + Show Details + Mostrar Detalhes + + + Copy + Copiar + + Close Fechar - - Your search returned a large number of results, only the first 999 matches will be highlighted. - Sua pesquisa retornou um grande número de resultados. Apenas as primeiras 999 correspondências serão destacadas. + + Back + Voltar - - {0} of {1} - {0} de {1} - - - No Results - Nenhum Resultado + + Hide Details + Ocultar Detalhes - + - - Horizontal Bar - Barra Horizontal + + OK + OK - - Bar - Barra - - - Line - Linha - - - Pie - Pizza - - - Scatter - Dispersão - - - Time Series - Série Temporal - - - Image - Imagem - - - Count - Contagem - - - Table - Tabela - - - Doughnut - Rosca - - - Failed to get rows for the dataset to chart. - Falha ao obter as linhas do conjunto de dados para o gráfico. - - - Chart type '{0}' is not supported. - Não há suporte para o tipo de gráfico '{0}'. + + Cancel + Cancelar - + - - Parameters - Parâmetros + + is required. + é necessário. + + + Invalid input. Numeric value expected. + Entrada inválida. Valor numérico esperado. - + - - Connected to - Conectado a - - - Disconnected - Desconectado - - - Unsaved Connections - Conexões Não Salvas + + The index {0} is invalid. + O índice {0} é inválido. - + - - Browse (Preview) - Procurar (Versão Prévia) + + blank + branco - - Type here to filter the list - Digite aqui para filtrar a lista + + check all checkboxes in column: {0} + marcar todas as caixas de seleção na coluna: {0} - - Filter connections - Filtrar conexões - - - Applying filter - Aplicando filtro - - - Removing filter - Removendo filtro - - - Filter applied - Filtro aplicado - - - Filter removed - Filtro removido - - - Saved Connections - Conexões Salvas - - - Saved Connections - Conexões Salvas - - - Connection Browser Tree - Árvore do Navegador de Conexão + + Show Actions + Mostrar ações - + - - This extension is recommended by Azure Data Studio. - Esta extensão é recomendada pelo Azure Data Studio. + + Loading + Carregando + + + Loading completed + Carregamento concluído - + - - Don't Show Again - Não Mostrar Novamente + + Invalid value + Valor inválido - - Azure Data Studio has extension recommendations. - O Azure Data Studio tem recomendações de extensão. - - - Azure Data Studio has extension recommendations for data visualization. -Once installed, you can select the Visualizer icon to visualize your query results. - O Azure Data Studio tem recomendações de extensão para a visualização de dados. -Quando ele estiver, você poderá selecionar o ícone Visualizador para visualizar os resultados da consulta. - - - Install All - Instalar Tudo - - - Show Recommendations - Mostrar Recomendações - - - The scenario type for extension recommendations must be provided. - O tipo de cenário para as recomendações de extensão precisa ser fornecido. + + {0}. {1} + {0}. {1} - + - - This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. - Esta página de recurso está em versão prévia. Os recursos de versão prévia apresentam novas funcionalidades que estão no caminho para se tornar parte permanente do produto. Eles são estáveis, mas precisam de melhorias de acessibilidade adicionais. Nós agradecemos os seus comentários iniciais enquanto os recursos estão em desenvolvimento. + + Loading + Carregando - - Preview - Versão prévia - - - Create a connection - Criar uma conexão - - - Connect to a database instance through the connection dialog. - Conectar a uma instância do banco de dados por meio da caixa de diálogo de conexão. - - - Run a query - Executar uma consulta - - - Interact with data through a query editor. - Interagir com os dados por meio de um editor de consultas. - - - Create a notebook - Criar um notebook - - - Build a new notebook using a native notebook editor. - Crie um notebook usando um editor de notebook nativo. - - - Deploy a server - Implantar um servidor - - - Create a new instance of a relational data service on the platform of your choice. - Crie uma instância de um serviço de dados relacionais na plataforma de sua escolha. - - - Resources - Recursos - - - History - Histórico - - - Name - Nome - - - Location - Localização - - - Show more - Mostrar mais - - - Show welcome page on startup - Mostrar a página inicial na inicialização - - - Useful Links - Links Úteis - - - Getting Started - Introdução - - - Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. - Descubra as funcionalidades oferecidas pelo Azure Data Studio e saiba como aproveitá-las ao máximo. - - - Documentation - Documentação - - - Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. - Visite o centro de documentos para obter guias de início rápido, guias de instruções e referências para o PowerShell, as APIs e outros. - - - Overview of Azure Data Studio - Visão geral do Azure Data Studio - - - Introduction to Azure Data Studio Notebooks | Data Exposed - Introdução aos Notebooks do Azure Data Studio | Dados Expostos - - - Extensions - Extensões - - - Show All - Mostrar Tudo - - - Learn more - Saiba mais + + Loading completed + Carregamento concluído - + - - Date Created: - Data de Criação: + + modelview code editor for view model. + Editor de código modelview para modelo de exibição. - - Notebook Error: - Erro do Notebook: + + + + + + Could not find component for type {0} + Não foi possível localizar o componente para o tipo {0} - - Job Error: - Erro de Trabalho: + + + + + + Changing editor types on unsaved files is unsupported + Não há suporte para alterar os tipos de editor em arquivos não salvos - - Pinned - Fixo + + + + + + Select Top 1000 + Selecione Top 1000 - - Recent Runs - Execuções Recentes + + Take 10 + Levar 10 - - Past Runs - Execuções Anteriores + + Script as Execute + Script como Executar + + + Script as Alter + Script como Alterar + + + Edit Data + Editar Dados + + + Script as Create + Script como Criar + + + Script as Drop + Script como Soltar + + + + + + + No script was returned when calling select script on object + Nenhum script foi retornado ao chamar o script select no objeto + + + Select + Selecionar + + + Create + Criar + + + Insert + Inserir + + + Update + Atualizar + + + Delete + Excluir + + + No script was returned when scripting as {0} on object {1} + Nenhum script foi retornado durante o script como {0} no objeto {1} + + + Scripting Failed + O script falhou + + + No script was returned when scripting as {0} + Nenhum script foi retornado ao criar scripts como {0} + + + + + + + disconnected + desconectado + + + + + + + Extension + Extensão + + + + + + + Active tab background color for vertical tabs + Cor da tela de fundo da guia ativa para guias verticais + + + Color for borders in dashboard + Cor das bordas no painel + + + Color of dashboard widget title + Cor do título do widget do painel + + + Color for dashboard widget subtext + Cor do subtexto do widget de painel + + + Color for property values displayed in the properties container component + Cor dos valores de propriedade exibidos no componente contêiner de propriedades + + + Color for property names displayed in the properties container component + Cor dos nomes de propriedade exibidos no componente contêiner de propriedades + + + Toolbar overflow shadow color + Cor da sombra do estouro de barra de ferramentas + + + + + + + Identifier of the account type + Identificador do tipo de conta + + + (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration + (Opcional) Ícone que é usado para representar o accpunt na interface do usuário. Um caminho de arquivo ou uma configuração tematizáveis + + + Icon path when a light theme is used + Caminho do ícone quando um tema leve é usado + + + Icon path when a dark theme is used + Caminho de ícone quando um tema escuro é usado + + + Contributes icons to account provider. + Contribui ícones para provedor de conta. + + + + + + + View applicable rules + Exibir regras aplicáveis + + + View applicable rules for {0} + Exibir regras aplicáveis para {0} + + + Invoke Assessment + Invocar Avaliação + + + Invoke Assessment for {0} + Invocar Avaliação para {0} + + + Export As Script + Exportar como Script + + + View all rules and learn more on GitHub + Veja todas as regras e saiba mais no GitHub + + + Create HTML Report + Criar Relatório HTML + + + Report has been saved. Do you want to open it? + O relatório foi salvo. Deseja abri-lo? + + + Open + Abrir + + + Cancel + Cancelar @@ -5425,390 +1209,6 @@ Quando ele estiver, você poderá selecionar o ícone Visualizador para visualiz - - - - Chart - Gráfico - - - - - - - Operation - Operação - - - Object - Objeto - - - Est Cost - Custo Est. - - - Est Subtree Cost - Custo Est. da Subárvore - - - Actual Rows - Linhas Atuais - - - Est Rows - Linhas Est. - - - Actual Executions - Execuções Reais - - - Est CPU Cost - Custo Est. de CPU - - - Est IO Cost - Custo Est. de E/S - - - Parallel - Paralelo - - - Actual Rebinds - Reassociações Reais - - - Est Rebinds - Reassociações Est. - - - Actual Rewinds - Rebobinações Reais - - - Est Rewinds - Rebobinações Est. - - - Partitioned - Particionado - - - Top Operations - Operações Principais - - - - - - - No connections found. - Nenhuma conexão encontrada. - - - Add Connection - Adicionar Conexão - - - - - - - Add an account... - Adicionar uma conta... - - - <Default> - <Padrão> - - - Loading... - Carregando... - - - Server group - Grupo de servidores - - - <Default> - <Padrão> - - - Add new group... - Adicionar novo grupo... - - - <Do not save> - <Não salvar> - - - {0} is required. - {0} é obrigatório. - - - {0} will be trimmed. - {0} será removido. - - - Remember password - Lembrar senha - - - Account - Conta - - - Refresh account credentials - Atualizar as credenciais de conta - - - Azure AD tenant - Locatário do Azure AD - - - Name (optional) - Nome (opcional) - - - Advanced... - Avançado... - - - You must select an account - Você precisa selecionar uma conta - - - - - - - Database - Banco de dados - - - Files and filegroups - Arquivos e grupos de arquivos - - - Full - Completo - - - Differential - Diferencial - - - Transaction Log - Log de Transações - - - Disk - Disco - - - Url - URL - - - Use the default server setting - Usar a configuração padrão do servidor - - - Compress backup - Compactar backup - - - Do not compress backup - Não compactar backup - - - Server Certificate - Certificado do Servidor - - - Asymmetric Key - Chave Assimétrica - - - - - - - You have not opened any folder that contains notebooks/books. - Você não abriu nenhuma pasta que contenha notebooks/livros. - - - Open Notebooks - Abrir os Notebooks - - - The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. - O conjunto de resultados contém apenas um subconjunto de todas as correspondências. Faça uma pesquisa mais específica para restringir os resultados. - - - Search in progress... - - Pesquisa em andamento... – - - - No results found in '{0}' excluding '{1}' - - Nenhum resultado encontrado em '{0}', exceto '{1}' – - - - No results found in '{0}' - - Nenhum resultado encontrado em '{0}' – - - - No results found excluding '{0}' - - Nenhum resultado encontrado, exceto '{0}' – - - - No results found. Review your settings for configured exclusions and check your gitignore files - - Nenhum resultado encontrado. Examine suas configurações para obter exclusões configuradas e verifique os arquivos do gitignore – - - - Search again - Pesquisar novamente - - - Cancel Search - Cancelar Pesquisa - - - Search again in all files - Pesquisar novamente em todos os arquivos - - - Open Settings - Abrir as Configurações - - - Search returned {0} results in {1} files - A pesquisa retornou {0} resultados em {1} arquivos - - - Toggle Collapse and Expand - Ativar/Desativar Recolhimento e Expansão - - - Cancel Search - Cancelar Pesquisa - - - Expand All - Expandir Tudo - - - Collapse All - Recolher Tudo - - - Clear Search Results - Limpar os Resultados da Pesquisa - - - - - - - Connections - Conexões - - - Connect, query, and manage your connections from SQL Server, Azure, and more. - Conecte-se, consulte e gerencie as suas conexões no SQL Server, no Azure e muito mais. - - - 1 - 1 - - - Next - Próximo - - - Notebooks - Notebooks - - - Get started creating your own notebook or collection of notebooks in a single place. - Comece a criar o seu notebook ou uma coleção de notebooks em um único lugar. - - - 2 - 2 - - - Extensions - Extensões - - - Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). - Estenda a funcionalidade do Azure Data Studio instalando extensões desenvolvidas por nós/Microsoft e também pela comunidade de terceiros (você!). - - - 3 - 3 - - - Settings - Configurações - - - Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. - Personalize o Azure Data Studio com base nas suas preferências. Você pode definir configurações como o salvamento automático e o tamanho da tabulação, personalizar os seus Atalhos de Teclado e mudar para um Tema de Cores de sua preferência. - - - 4 - 4 - - - Welcome Page - Página Inicial - - - Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. - Descubra os principais recursos, arquivos abertos recentemente e extensões recomendadas na Página inicial. Para obter mais informações sobre como começar a usar o Azure Data Studio, confira nossos vídeos e documentação. - - - 5 - 5 - - - Finish - Concluir - - - User Welcome Tour - Tour de Boas-Vindas do Usuário - - - Hide Welcome Tour - Ocultar Tour de Boas-Vindas - - - Read more - Leia mais - - - Help - Ajuda - - - - - - - Delete Row - Excluir Linha - - - Revert Current Row - Desfazer Linha Atual - - - @@ -5893,575 +1293,283 @@ Quando ele estiver, você poderá selecionar o ícone Visualizador para visualiz - + - - Message Panel - Painel de Mensagens - - - Copy - Copiar - - - Copy All - Copiar Tudo + + Open in Azure Portal + Abrir no Portal do Azure - + - - Loading - Carregando + + Backup name + Nome do backup - - Loading completed - Carregamento concluído + + Recovery model + Modelo de recuperação + + + Backup type + Tipo de backup + + + Backup files + Arquivos de backup + + + Algorithm + Algoritmo + + + Certificate or Asymmetric key + Chave de Certificado ou Assimétrica + + + Media + Mídia + + + Backup to the existing media set + Backup para o conjunto de mídias existente + + + Backup to a new media set + Backup para um novo conjunto de mídias + + + Append to the existing backup set + Acrescentar ao conjunto de backup existente + + + Overwrite all existing backup sets + Substituir todos os conjuntos de backup existentes + + + New media set name + Novo nome do conjunto de mídias + + + New media set description + Nova descrição do conjunto de mídias + + + Perform checksum before writing to media + Executar soma de verificação antes de gravar na mídia + + + Verify backup when finished + Verificar backup quando terminar + + + Continue on error + Continuar em caso de erro + + + Expiration + Expiração + + + Set backup retain days + Defina os dias de retenção de backup + + + Copy-only backup + Backup somente cópia + + + Advanced Configuration + Configuração Avançada + + + Compression + Compactação + + + Set backup compression + Definir a compactação de backup + + + Encryption + Criptografia + + + Transaction log + Log de transações + + + Truncate the transaction log + Truncar o log de transações + + + Backup the tail of the log + Backup do final do log + + + Reliability + Confiabilidade + + + Media name is required + O nome da mídia é obrigatório + + + No certificate or asymmetric key is available + Nenhum certificado ou chave assimétrica está disponível + + + Add a file + Adicionar um arquivo + + + Remove files + Remover arquivos + + + Invalid input. Value must be greater than or equal 0. + Entrada inválida. O valor deve ser maior ou igual a 0. + + + Script + Script + + + Backup + Backup + + + Cancel + Cancelar + + + Only backup to file is supported + Apenas backup para arquivo é compatível + + + Backup file path is required + O caminho do arquivo de backup é obrigatório - + - - Click on - Clique em - - - + Code - + Código - - - or - ou - - - + Text - + Texto - - - to add a code or text cell - para adicionar uma célula de texto ou código + + Backup + Backup - + - - StdIn: - Stdin: + + You must enable preview features in order to use backup + Você precisa habilitar as versões prévias dos recursos para poder utilizar o backup + + + Backup command is not supported outside of a database context. Please select a database and try again. + O comando Backup não é suportado fora de um contexto de banco de dados. Selecione um banco de dados e tente novamente. + + + Backup command is not supported for Azure SQL databases. + O comando Backup não é compatível com bancos de dados SQL do Azure. + + + Backup + Backup - + - - Expand code cell contents - Expandir conteúdo da célula do código + + Database + Banco de dados - - Collapse code cell contents - Recolher conteúdo da célula do código + + Files and filegroups + Arquivos e grupos de arquivos + + + Full + Completo + + + Differential + Diferencial + + + Transaction Log + Log de Transações + + + Disk + Disco + + + Url + URL + + + Use the default server setting + Usar a configuração padrão do servidor + + + Compress backup + Compactar backup + + + Do not compress backup + Não compactar backup + + + Server Certificate + Certificado do Servidor + + + Asymmetric Key + Chave Assimétrica - + - - XML Showplan - Plano de execução XML + + Create Insight + Criar Insight - - Results grid - Grade de resultados + + Cannot create insight as the active editor is not a SQL Editor + Não é possível criar insight, pois o editor ativo não é um Editor SQL - - - - - - Add cell - Adicionar célula + + My-Widget + Meu Widget - - Code cell - Célula de código + + Configure Chart + Configurar Gráfico - - Text cell - Célula de texto + + Copy as image + Copiar como imagem - - Move cell down - Mover a célula para baixo + + Could not find chart to save + Não foi possível encontrar o gráfico para salvar - - Move cell up - Mover a célula para cima + + Save as image + Salvar como imagem - - Delete - Excluir + + PNG + PNG - - Add cell - Adicionar célula - - - Code cell - Célula de código - - - Text cell - Célula de texto - - - - - - - SQL kernel error - Erro no kernel do SQL - - - A connection must be chosen to run notebook cells - Uma conexão precisa ser escolhida para executar as células do notebook - - - Displaying Top {0} rows. - Exibindo as Primeiras {0} linhas. - - - - - - - Name - Nome - - - Last Run - Última Execução - - - Next Run - Próxima Execução - - - Enabled - Habilitado - - - Status - Status - - - Category - Categoria - - - Runnable - Executável - - - Schedule - Agendamento - - - Last Run Outcome - Resultado da Última Execução - - - Previous Runs - Execuções Anteriores - - - No Steps available for this job. - Nenhuma etapa disponível para este trabalho. - - - Error: - Erro: - - - - - - - Could not find component for type {0} - Não foi possível localizar o componente para o tipo {0} - - - - - - - Find - Encontrar - - - Find - Encontrar - - - Previous match - Correspondência anterior - - - Next match - Próxima correspondência - - - Close - Fechar - - - Your search returned a large number of results, only the first 999 matches will be highlighted. - Sua pesquisa retornou um grande número de resultados. Apenas as primeiras 999 correspondências serão destacadas. - - - {0} of {1} - {0} de {1} - - - No Results - Nenhum Resultado - - - - - - - Name - Nome - - - Schema - Esquema - - - Type - Tipo - - - - - - - Run Query - Executar Consulta - - - - - - - No {0}renderer could be found for output. It has the following MIME types: {1} - Não foi possível encontrar nenhum {0}renderizador para saída. Ele tem os seguintes tipos MIME: {1} - - - safe - seguro - - - No component could be found for selector {0} - Não foi possível encontrar nenhum componente para o seletor {0} - - - Error rendering component: {0} - Erro ao renderizar o componente: {0} - - - - - - - Loading... - Carregando... - - - - - - - Loading... - Carregando... - - - - - - - Edit - Editar - - - Exit - Sair - - - Refresh - Atualizar - - - Show Actions - Mostrar Ações - - - Delete Widget - Excluir Widget - - - Click to unpin - Clique para desafixar - - - Click to pin - Clique para fixar - - - Open installed features - Abrir recursos instalados - - - Collapse Widget - Recolher Widget - - - Expand Widget - Expandir Widget - - - - - - - {0} is an unknown container. - {0} é um contêiner desconhecido. - - - - - - - Name - Nome - - - Target Database - Banco de Dados de Destino - - - Last Run - Última Execução - - - Next Run - Próxima Execução - - - Status - Status - - - Last Run Outcome - Resultado da Última Execução - - - Previous Runs - Execuções Anteriores - - - No Steps available for this job. - Nenhuma etapa disponível para este trabalho. - - - Error: - Erro: - - - Notebook Error: - Erro do Notebook: - - - - - - - Loading Error... - Erro ao carregar... - - - - - - - Show Actions - Mostrar Ações - - - No matching item found - Não foi encontrado nenhum item correspondente - - - Filtered search list to 1 item - Lista de pesquisa filtrada para um item - - - Filtered search list to {0} items - Lista de pesquisa filtrada para {0} itens - - - - - - - Failed - Com falha - - - Succeeded - Com Êxito - - - Retry - Tentar Novamente - - - Cancelled - Cancelado - - - In Progress - Em Andamento - - - Status Unknown - Status Desconhecido - - - Executing - Executando - - - Waiting for Thread - Esperando pela Thread - - - Between Retries - Entre Tentativas - - - Idle - Ocioso - - - Suspended - Suspenso - - - [Obsolete] - [Obsoleto] - - - Yes - Sim - - - No - Não - - - Not Scheduled - Não Agendado - - - Never Run - Nunca Executar - - - - - - - Bold - Negrito - - - Italic - Itálico - - - Underline - Sublinhado - - - Highlight - Realçar - - - Code - Código - - - Link - Vínculo - - - List - Lista - - - Ordered list - Lista ordenada - - - Image - Imagem - - - Markdown preview toggle - off - Alternância de versão prévia do Markdown – Desativado - - - Heading - Título - - - Heading 1 - Título 1 - - - Heading 2 - Título 2 - - - Heading 3 - Título 3 - - - Paragraph - Parágrafo - - - Insert link - Inserir link - - - Insert image - Inserir imagem - - - Rich Text View - Exibição de Rich Text - - - Split View - Modo Divisão - - - Markdown View - Exibição do Markdown + + Saved Chart to path: {0} + Gráfico salvo no caminho: {0} @@ -6549,19 +1657,411 @@ Quando ele estiver, você poderá selecionar o ícone Visualizador para visualiz - + - + + Chart + Gráfico + + + + + + + Horizontal Bar + Barra Horizontal + + + Bar + Barra + + + Line + Linha + + + Pie + Pizza + + + Scatter + Dispersão + + + Time Series + Série Temporal + + + Image + Imagem + + + Count + Contagem + + + Table + Tabela + + + Doughnut + Rosca + + + Failed to get rows for the dataset to chart. + Falha ao obter as linhas do conjunto de dados para o gráfico. + + + Chart type '{0}' is not supported. + Não há suporte para o tipo de gráfico '{0}'. + + + + + + + Built-in Charts + Gráficos Integrados + + + The maximum number of rows for charts to display. Warning: increasing this may impact performance. + O número máximo de linhas para os gráficos exibirem. Aviso: aumentar isso pode afetar o desempenho. + + + + + + Close Fechar - + - - A server group with the same name already exists. - Um grupo de servidores com o mesmo nome já existe. + + Series {0} + Série {0} + + + + + + + Table does not contain a valid image + A tabela não contém uma imagem válida + + + + + + + Maximum row count for built-in charts has been exceeded, only the first {0} rows are used. To configure the value, you can open user settings and search for: 'builtinCharts.maxRowCount'. + A contagem máxima de linhas para gráficos integrados foi excedida, somente as primeiras {0} linhas são usadas. Para definir o valor, você pode abrir as configurações do usuário e procurar: 'builtinCharts.maxRowCount'. + + + Don't Show Again + Não Mostrar Novamente + + + + + + + Connecting: {0} + Conectando: {0} + + + Running command: {0} + Comando em execução: {0} + + + Opening new query: {0} + Abrindo a nova consulta: {0} + + + Cannot connect as no server information was provided + Não é possível se conectar, pois não foi fornecida nenhuma informação do servidor + + + Could not open URL due to error {0} + Não foi possível abrir a URL devido ao erro {0} + + + This will connect to server {0} + Isso será conectado ao servidor {0} + + + Are you sure you want to connect? + Tem certeza de que deseja se conectar? + + + &&Open + &&Abrir + + + Connecting query file + Conectando o arquivo de consulta + + + + + + + {0} was replaced with {1} in your user settings. + {0} foi substituído por {1} nas suas configurações de usuário. + + + {0} was replaced with {1} in your workspace settings. + {0} foi substituído por {1} nas suas configurações de workspace. + + + + + + + The maximum number of recently used connections to store in the connection list. + O número máximo de conexões usadas recentemente para armazenar na lista de conexão. + + + Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. + Mecanismo SQL padrão a ser usado. Isso direciona o provedor de idioma padrão em arquivos .sql e o padrão a ser usado ao criar uma conexão. + + + Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. + Tentativa de analisar o conteúdo da área de transferência quando a caixa de diálogo conexão é aberta ou a cópia é executada. + + + + + + + Connection Status + Status da Conexão + + + + + + + Common id for the provider + ID comum do provedor + + + Display Name for the provider + Nome de Exibição do provedor + + + Notebook Kernel Alias for the provider + Alias do Kernel do Notebook para o provedor + + + Icon path for the server type + Caminho do ícone do tipo de servidor + + + Options for connection + Opções de conexão + + + + + + + User visible name for the tree provider + Nome visível do usuário para o provedor de árvore + + + Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` + A ID do provedor precisa ser a mesma usada para registrar o provedor de dados de árvore e precisa começar com `connectionDialog/` + + + + + + + Unique identifier for this container. + Identificador exclusivo para este contêiner. + + + The container that will be displayed in the tab. + O contêiner que será exibido na guia. + + + Contributes a single or multiple dashboard containers for users to add to their dashboard. + Contribui com um único ou vários contêineres de painéis para os usuários adicionarem ao painel. + + + No id in dashboard container specified for extension. + Nenhuma ID no contêiner de painéis especificada para a extensão. + + + No container in dashboard container specified for extension. + Nenhum contêiner no contêiner de painéis especificado para a extensão. + + + Exactly 1 dashboard container must be defined per space. + Exatamente 1 contêiner de painéis deve ser definido por espaço. + + + Unknown container type defines in dashboard container for extension. + O tipo de contêiner desconhecido é definido no contêiner de painéis para extensão. + + + + + + + The controlhost that will be displayed in this tab. + O controlhost que será exibido nesta guia. + + + + + + + The "{0}" section has invalid content. Please contact extension owner. + A seção "{0}" tem conteúdo inválido. Entre em contato com o proprietário da extensão. + + + + + + + The list of widgets or webviews that will be displayed in this tab. + A lista de widgets ou de modos de exibição da Web que serão exibidos nesta guia. + + + widgets or webviews are expected inside widgets-container for extension. + widgets ou modos de exibição da Web são esperados dentro de contêiner de widgets para a extensão. + + + + + + + The model-backed view that will be displayed in this tab. + A visualização com suporte do modelo que será exibida nesta guia. + + + + + + + Unique identifier for this nav section. Will be passed to the extension for any requests. + Identificador exclusivo para esta seção de navegação. Será passado para a extensão para quaisquer solicitações. + + + (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration + (Opcional) Ícone usado para representar essa seção de navegação na interface do usuário. Um caminho de arquivo ou uma configuração com tema + + + Icon path when a light theme is used + Caminho do ícone quando um tema leve é usado + + + Icon path when a dark theme is used + Caminho de ícone quando um tema escuro é usado + + + Title of the nav section to show the user. + Título da seção de navegação para mostrar ao usuário. + + + The container that will be displayed in this nav section. + O contêiner que será exibido nesta seção de navegação. + + + The list of dashboard containers that will be displayed in this navigation section. + A lista de contêineres de painéis que será exibida nesta seção de navegação. + + + No title in nav section specified for extension. + Não foi especificado nenhum título na seção de navegação para a extensão. + + + No container in nav section specified for extension. + Não foi especificado nenhum contêiner na seção de navegação para a extensão. + + + Exactly 1 dashboard container must be defined per space. + Exatamente 1 contêiner de painéis deve ser definido por espaço. + + + NAV_SECTION within NAV_SECTION is an invalid container for extension. + NAV_SECTION dentro de NAV_SECTION é um contêiner inválido para a extensão. + + + + + + + The webview that will be displayed in this tab. + O modo de exibição da Web que será exibido nesta guia. + + + + + + + The list of widgets that will be displayed in this tab. + A lista de widgets que serão exibidos nesta guia. + + + The list of widgets is expected inside widgets-container for extension. + A lista de widgets é esperada dentro de contêiner de widgets para a extensão. + + + + + + + Edit + Editar + + + Exit + Sair + + + Refresh + Atualizar + + + Show Actions + Mostrar Ações + + + Delete Widget + Excluir Widget + + + Click to unpin + Clique para desafixar + + + Click to pin + Clique para fixar + + + Open installed features + Abrir recursos instalados + + + Collapse Widget + Recolher Widget + + + Expand Widget + Expandir Widget + + + + + + + {0} is an unknown container. + {0} é um contêiner desconhecido. @@ -6581,111 +2081,1025 @@ Quando ele estiver, você poderá selecionar o ícone Visualizador para visualiz - + - - Create Insight - Criar Insight + + Unique identifier for this tab. Will be passed to the extension for any requests. + Identificador exclusivo para esta guia. Será passado para a extensão para quaisquer solicitações. - - Cannot create insight as the active editor is not a SQL Editor - Não é possível criar insight, pois o editor ativo não é um Editor SQL + + Title of the tab to show the user. + Título da guia para mostrar ao usuário. - - My-Widget - Meu Widget + + Description of this tab that will be shown to the user. + Descrição desta guia que será mostrada ao usuário. - - Configure Chart - Configurar Gráfico + + Condition which must be true to show this item + A condição deve ser true para mostrar este item - - Copy as image - Copiar como imagem + + Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set + Define os tipos de conexão com os quais essa guia é compatível. O padrão será 'MSSQL' se essa opção não for definida - - Could not find chart to save - Não foi possível encontrar o gráfico para salvar + + The container that will be displayed in this tab. + O contêiner que será exibido nesta guia. - - Save as image - Salvar como imagem + + Whether or not this tab should always be shown or only when the user adds it. + Se esta guia deve ou não ser sempre exibida ou apenas quando o usuário a adiciona. - - PNG - PNG + + Whether or not this tab should be used as the Home tab for a connection type. + Se esta guia deve ou não ser usada como guia da Página Inicial para um tipo de conexão. - - Saved Chart to path: {0} - Gráfico salvo no caminho: {0} + + The unique identifier of the group this tab belongs to, value for home group: home. + O identificador exclusivo do grupo ao qual esta guia pertence. Valor do grupo doméstico: página inicial. + + + (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration + (Opcional) Ícone usado para representar esta guia na interface do usuário. Um caminho de arquivo ou uma configuração com tema + + + Icon path when a light theme is used + Caminho do ícone quando um tema leve é usado + + + Icon path when a dark theme is used + Caminho de ícone quando um tema escuro é usado + + + Contributes a single or multiple tabs for users to add to their dashboard. + Contribui com uma única ou várias guias para que os usuários adicionem ao painel. + + + No title specified for extension. + Nenhum título especificado para a extensão. + + + No description specified to show. + Nenhuma descrição especificada para mostrar. + + + No container specified for extension. + Nenhum contêiner especificado para a extensão. + + + Exactly 1 dashboard container must be defined per space + Exatamente 1 contêiner de painéis deve ser definido por espaço + + + Unique identifier for this tab group. + Identificador exclusivo deste grupo de guias. + + + Title of the tab group. + Título do grupo de guias. + + + Contributes a single or multiple tab groups for users to add to their dashboard. + Contribui com um ou vários grupos de guias para os usuários adicionarem ao painel. + + + No id specified for tab group. + Nenhuma ID foi especificada para o grupo de guias. + + + No title specified for tab group. + Nenhum título foi especificado para o grupo de guias. + + + Administration + Administração + + + Monitoring + Monitoramento + + + Performance + Desempenho + + + Security + Segurança + + + Troubleshooting + Solução de Problemas + + + Settings + Configurações + + + databases tab + guia de bancos de dados + + + Databases + Bancos de Dados - + - - Add code - Adicionar código + + Manage + Gerenciar - - Add text - Adicionar texto + + Dashboard + Painel - - Create File - Criar Arquivo + + + + + + Manage + Gerenciar - - Could not display contents: {0} - Não foi possível exibir o conteúdo: {0} + + + + + + property `icon` can be omitted or must be either a string or a literal like `{dark, light}` + propriedade `ícone` pode ser omitida ou deve ser uma cadeia de caracteres ou um literal como `{escuro, claro}` - - Add cell - Adicionar célula + + + + + + Defines a property to show on the dashboard + Define uma propriedade para mostrar no painel - - Code cell - Célula de código + + What value to use as a label for the property + Qual o valor a ser usado como um rótulo para a propriedade - - Text cell - Célula de texto + + What value in the object to access for the value + Qual o valor do objeto para acessar o valor - - Run all - Executar tudo + + Specify values to be ignored + Especifique os valores a serem ignorados - - Cell - Célula + + Default value to show if ignored or no value + Valor padrão para mostrar se ignorado ou sem valor - - Code - Código + + A flavor for defining dashboard properties + Uma variante para definir as propriedades do painel - - Text - Texto + + Id of the flavor + Id da variante - - Run Cells - Executar Células + + Condition to use this flavor + Condição para usar essa variante - - < Previous - < Anterior + + Field to compare to + Campo para comparar a - - Next > - Próximo > + + Which operator to use for comparison + Qual operador usar para comparação - - cell with URI {0} was not found in this model - a célula com o URI {0} não foi encontrada neste modelo + + Value to compare the field to + Valor para comparar o campo com - - Run Cells failed - See error in output of the currently selected cell for more information. - Falha ao executar células – Confira o erro na saída da célula selecionada no momento para obter mais informações. + + Properties to show for database page + Propriedades a serem exibidas na página de banco de dados + + + Properties to show for server page + Propriedades a serem exibidas na página do servidor + + + Defines that this provider supports the dashboard + Define que este provedor oferece suporte para o painel + + + Provider id (ex. MSSQL) + Id do provedor (ex. MSSQL) + + + Property values to show on dashboard + Valores de propriedade a serem exibidos no painel + + + + + + + Condition which must be true to show this item + A condição deve ser true para mostrar este item + + + Whether to hide the header of the widget, default value is false + Opção de ocultar o cabeçalho do widget. O valor padrão é false + + + The title of the container + O título do contêiner + + + The row of the component in the grid + A linha do componente na grade + + + The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. + O rowspan do componente na grade. O valor padrão é 1. Use '*' para definir o número de linhas na grade. + + + The column of the component in the grid + A coluna do componente na grade + + + The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. + O colspan do component na grade. O valor padrão é 1. Use '*' para definir o número de colunas na grade. + + + Unique identifier for this tab. Will be passed to the extension for any requests. + Identificador exclusivo para esta guia. Será passado para a extensão para quaisquer solicitações. + + + Extension tab is unknown or not installed. + A guia Extensão é desconhecida ou não está instalada. + + + + + + + Database Properties + Propriedades do Banco de Dados + + + + + + + Enable or disable the properties widget + Habilitar ou desabilitar o widget de propriedades + + + Property values to show + Valores de propriedade para mostrar + + + Display name of the property + Nome de exibição da propriedade + + + Value in the Database Info Object + Valor no objeto de informações do banco de dados + + + Specify specific values to ignore + Especificar valores específicos para ignorar + + + Recovery Model + Modo de Recuperação + + + Last Database Backup + Último Backup de Banco de Dados + + + Last Log Backup + Último Backup de Log + + + Compatibility Level + Nível de Compatibilidade + + + Owner + Proprietário + + + Customizes the database dashboard page + Personaliza a página do painel de banco de dados + + + Search + Pesquisar + + + Customizes the database dashboard tabs + Personaliza as guias do painel de banco de dados + + + + + + + Server Properties + Propriedades do Servidor + + + + + + + Enable or disable the properties widget + Habilitar ou desabilitar o widget de propriedades + + + Property values to show + Valores de propriedade para mostrar + + + Display name of the property + Nome de exibição da propriedade + + + Value in the Server Info Object + Valor no objeto de informações do servidor + + + Version + Versão + + + Edition + Edição + + + Computer Name + Nome do Computador + + + OS Version + Versão do Sistema Operacional + + + Search + Pesquisar + + + Customizes the server dashboard page + Personaliza a página de painel do servidor + + + Customizes the Server dashboard tabs + Personaliza as guias de painel do servidor + + + + + + + Home + Página Inicial + + + + + + + Failed to change database + Falha ao alterar o banco de dados + + + + + + + Show Actions + Mostrar Ações + + + No matching item found + Não foi encontrado nenhum item correspondente + + + Filtered search list to 1 item + Lista de pesquisa filtrada para um item + + + Filtered search list to {0} items + Lista de pesquisa filtrada para {0} itens + + + + + + + Name + Nome + + + Schema + Esquema + + + Type + Tipo + + + + + + + loading objects + carregando objetos + + + loading databases + carregando bancos de dados + + + loading objects completed. + carregamento de objetos concluído. + + + loading databases completed. + carregamento dos bancos de dados concluído. + + + Search by name of type (t:, v:, f:, or sp:) + Pesquisar pelo nome do tipo (t:, v:, f: ou sp:) + + + Search databases + Pesquisar bancos de dados + + + Unable to load objects + Não é possível carregar objetos + + + Unable to load databases + Não é possível carregar bancos de dados + + + + + + + Run Query + Executar Consulta + + + + + + + Loading {0} + Carregando {0} + + + Loading {0} completed + Carregamento de {0} concluído + + + Auto Refresh: OFF + Atualização Automática: DESATIVADA + + + Last Updated: {0} {1} + Ultima Atualização: {0} {1} + + + No results to show + Nenhum resultado para mostrar + + + + + + + Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more + Adiciona um widget que pode consultar um servidor ou banco de dados e exibir os resultados de várias maneiras – como um gráfico, uma contagem resumida e muito mais + + + Unique Identifier used for caching the results of the insight. + Identificador Exclusivo usado para armazenar em cache os resultados do insight. + + + SQL query to run. This should return exactly 1 resultset. + Consulta SQL para executar. Isso deve retornar exatamente 1 resultset. + + + [Optional] path to a file that contains a query. Use if 'query' is not set + [Opcional] caminho para um arquivo que contém uma consulta. Use se a 'query' não for definida + + + [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh + [Opcional] Intervalo de atualização automática em minutos, se não estiver definido, não haverá atualização automática + + + Which actions to use + Quais ações usar + + + Target database for the action; can use the format '${ columnName }' to use a data driven column name. + Banco de dados de destino da ação. É possível usar o formato '${ columnName }' para usar um nome de coluna controlado por dados. + + + Target server for the action; can use the format '${ columnName }' to use a data driven column name. + O servidor de destino da ação. É possível usar o formato '${ columnName }' para usar um nome de coluna controlado por dados. + + + Target user for the action; can use the format '${ columnName }' to use a data driven column name. + O usuário de destino para a ação. É possível usar o formato '${ columnName }' para usar um nome de coluna controlado por dados. + + + Identifier of the insight + Identificador do insight + + + Contributes insights to the dashboard palette. + Contribui com insights para a paleta do painel. + + + + + + + Chart cannot be displayed with the given data + O gráfico não pode ser exibido com os dados fornecidos + + + + + + + Displays results of a query as a chart on the dashboard + Exibe os resultados de uma consulta como um gráfico no painel + + + Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color + Mapeia 'nome de coluna' -> cor. Por exemplo, adicione 'column1': red para garantir que essa coluna use uma cor vermelha + + + Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry + Indica a posição preferida e a visibilidade da legenda do gráfico. Esses são os nomes das colunas da sua consulta e mapeados para o rótulo de cada entrada do gráfico + + + If dataDirection is horizontal, setting this to true uses the first columns value for the legend. + Se dataDirection for horizontal, definir como true usará o valor das primeiras colunas para a legenda. + + + If dataDirection is vertical, setting this to true will use the columns names for the legend. + Se dataDirection for vertical, definir como true usará os nomes das colunas para a legenda. + + + Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. + Define se os dados são lidos de uma coluna (vertical) ou uma linha (horizontal). Para séries temporais, isso é ignorado, pois a direção deve ser vertical. + + + If showTopNData is set, showing only top N data in the chart. + Se showTopNData for definido, mostre somente os dados top N no gráfico. + + + + + + + Minimum value of the y axis + Valor mínimo do eixo y + + + Maximum value of the y axis + Valor máximo do eixo y + + + Label for the y axis + Rótulo para o eixo y + + + Minimum value of the x axis + Valor mínimo do eixo x + + + Maximum value of the x axis + Valor máximo do eixo x + + + Label for the x axis + Rótulo para o eixo x + + + + + + + Indicates data property of a data set for a chart. + Indica a propriedade de dados de um conjunto de dados para um gráfico. + + + + + + + For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 + Para cada coluna em um conjunto de resultados, exibe o valor na linha 0 como uma contagem seguida pelo nome da coluna. Dá suporte para '1 Íntegro', '3 Não Íntegro', por exemplo, em que 'Íntegro' é o nome da coluna e 1 é o valor na célula 1 da linha 1 + + + + + + + Displays an image, for example one returned by an R query using ggplot2 + Exibe uma imagem, por exemplo, um retornado por uma consulta R usando o ggplot2 + + + What format is expected - is this a JPEG, PNG or other format? + Qual é o formato esperado – É um JPEG, PNG ou outro formato? + + + Is this encoded as hex, base64 or some other format? + É codificado como hexa, base64 ou algum outro formato? + + + + + + + Displays the results in a simple table + Exibe os resultados em uma tabela simples + + + + + + + Loading properties + Carregando as propriedades + + + Loading properties completed + Carregamento de propriedades concluído + + + Unable to load dashboard properties + Não é possível carregar as propriedades do painel + + + + + + + Database Connections + Conexões de Banco de Dados + + + data source connections + conexões de fonte de dados + + + data source groups + grupos de fonte de dados + + + Saved connections are sorted by the dates they were added. + As conexões salvas são classificadas pelas datas em que foram adicionadas. + + + Saved connections are sorted by their display names alphabetically. + As conexões salvas são classificadas por seus nomes de exibição alfabeticamente. + + + Controls sorting order of saved connections and connection groups. + Controla a ordem de classificação das conexões e dos grupos de conexão salvos. + + + Startup Configuration + Configuração de Inicialização + + + True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown + True para a exibição Servidores a ser mostrada na inicialização do padrão do Azure Data Studio; false se a última visualização aberta deve ser mostrada + + + + + + + Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. + Identificador da exibição. Use isso para registrar um provedor de dados por meio da API 'vscode.window.registerTreeDataProviderForView'. Também para ativar sua extensão registrando o evento 'onView: ${id}' para 'activationEvents'. + + + The human-readable name of the view. Will be shown + O nome legível para humanos da exibição. Será mostrado + + + Condition which must be true to show this view + A condição que deve ser true para mostrar esta exibição + + + Contributes views to the editor + Contribui com exibições para o editor + + + Contributes views to Data Explorer container in the Activity bar + Contribui com exibições para o contêiner do Data Explorer na barra de Atividade + + + Contributes views to contributed views container + Contribui com exibições para o contêiner de exibições contribuídas + + + Cannot register multiple views with same id `{0}` in the view container `{1}` + Não é possível registrar vários modos de exibição com a mesma id '{0}' no contêiner de exibição '{1}' + + + A view with id `{0}` is already registered in the view container `{1}` + Uma exibição com a id '{0}' já está registrada no contêiner de exibição '{1}' + + + views must be an array + as exibições devem ser uma matriz + + + property `{0}` is mandatory and must be of type `string` + a propriedade `{0}` é obrigatória e deve ser do tipo `string` + + + property `{0}` can be omitted or must be of type `string` + a propriedade `{0}` pode ser omitida ou deve ser do tipo `string` + + + + + + + Servers + Servidores + + + Connections + Conexões + + + Show Connections + Mostrar Conexões + + + + + + + Disconnect + Desconectar + + + Refresh + Atualizar + + + + + + + Show Edit Data SQL pane on startup + Mostrar painel do SQL Editar Dados na inicialização + + + + + + + Run + Executar + + + Dispose Edit Failed With Error: + Editar descarte falhou com o erro: + + + Stop + Parar + + + Show SQL Pane + Mostrar Painel do SQL + + + Close SQL Pane + Fechar Painel do SQL + + + + + + + Max Rows: + Máximo de Linhas: + + + + + + + Delete Row + Excluir Linha + + + Revert Current Row + Desfazer Linha Atual + + + + + + + Save As CSV + Salvar Como CSV + + + Save As JSON + Salvar Como JSON + + + Save As Excel + Salvar Como Excel + + + Save As XML + Salvar Como XML + + + Copy + Copiar + + + Copy With Headers + Copiar com Cabeçalhos + + + Select All + Selecionar Tudo + + + + + + + Dashboard Tabs ({0}) + Guias do Painel ({0}) + + + Id + ID + + + Title + Título + + + Description + Descrição + + + Dashboard Insights ({0}) + Painel de Insights ({0}) + + + Id + ID + + + Name + Nome + + + When + Quando + + + + + + + Gets extension information from the gallery + Obtém informações de extensão na galeria + + + Extension id + ID de Extensão + + + Extension '{0}' not found. + Extensão '{0}' não encontrada. + + + + + + + Show Recommendations + Mostrar Recomendações + + + Install Extensions + Instalar Extensões + + + Author an Extension... + Criar uma Extensão... + + + + + + + Don't Show Again + Não Mostrar Novamente + + + Azure Data Studio has extension recommendations. + O Azure Data Studio tem recomendações de extensão. + + + Azure Data Studio has extension recommendations for data visualization. +Once installed, you can select the Visualizer icon to visualize your query results. + O Azure Data Studio tem recomendações de extensão para a visualização de dados. +Quando ele estiver, você poderá selecionar o ícone Visualizador para visualizar os resultados da consulta. + + + Install All + Instalar Tudo + + + Show Recommendations + Mostrar Recomendações + + + The scenario type for extension recommendations must be provided. + O tipo de cenário para as recomendações de extensão precisa ser fornecido. + + + + + + + This extension is recommended by Azure Data Studio. + Esta extensão é recomendada pelo Azure Data Studio. + + + + + + + Jobs + Trabalhos + + + Notebooks + Notebooks + + + Alerts + Alertas + + + Proxies + Proxies + + + Operators + Operadores + + + + + + + Name + Nome + + + Last Occurrence + Última Ocorrência + + + Enabled + Habilitado + + + Delay Between Responses (in secs) + Atraso Entre as Respostas (em segundos) + + + Category Name + Nome da Categoria @@ -6905,257 +3319,187 @@ Erro: {1} - + - - View applicable rules - Exibir regras aplicáveis + + Step ID + ID da Etapa - - View applicable rules for {0} - Exibir regras aplicáveis para {0} + + Step Name + Nome da Etapa - - Invoke Assessment - Invocar Avaliação - - - Invoke Assessment for {0} - Invocar Avaliação para {0} - - - Export As Script - Exportar como Script - - - View all rules and learn more on GitHub - Veja todas as regras e saiba mais no GitHub - - - Create HTML Report - Criar Relatório HTML - - - Report has been saved. Do you want to open it? - O relatório foi salvo. Deseja abri-lo? - - - Open - Abrir - - - Cancel - Cancelar + + Message + Mensagem - + - - Data - Dados - - - Connection - Conexão - - - Query Editor - Editor de Consultas - - - Notebook - Notebook - - - Dashboard - Painel - - - Profiler - Profiler + + Steps + Etapas - + - - Dashboard Tabs ({0}) - Guias do Painel ({0}) - - - Id - ID - - - Title - Título - - - Description - Descrição - - - Dashboard Insights ({0}) - Painel de Insights ({0}) - - - Id - ID - - + Name Nome - - When - Quando + + Last Run + Última Execução + + + Next Run + Próxima Execução + + + Enabled + Habilitado + + + Status + Status + + + Category + Categoria + + + Runnable + Executável + + + Schedule + Agendamento + + + Last Run Outcome + Resultado da Última Execução + + + Previous Runs + Execuções Anteriores + + + No Steps available for this job. + Nenhuma etapa disponível para este trabalho. + + + Error: + Erro: - + - - Table does not contain a valid image - A tabela não contém uma imagem válida + + Date Created: + Data de Criação: + + + Notebook Error: + Erro do Notebook: + + + Job Error: + Erro de Trabalho: + + + Pinned + Fixo + + + Recent Runs + Execuções Recentes + + + Past Runs + Execuções Anteriores - + - - More - Mais + + Name + Nome - - Edit - Editar + + Target Database + Banco de Dados de Destino - - Close - Fechar + + Last Run + Última Execução - - Convert Cell - Converter Célula + + Next Run + Próxima Execução - - Run Cells Above - Executar as Células Acima + + Status + Status - - Run Cells Below - Executar as Células Abaixo + + Last Run Outcome + Resultado da Última Execução - - Insert Code Above - Inserir Código Acima + + Previous Runs + Execuções Anteriores - - Insert Code Below - Inserir Código Abaixo + + No Steps available for this job. + Nenhuma etapa disponível para este trabalho. - - Insert Text Above - Inserir Texto Acima + + Error: + Erro: - - Insert Text Below - Inserir Texto Abaixo - - - Collapse Cell - Recolher Célula - - - Expand Cell - Expandir Célula - - - Make parameter cell - Criar célula de parâmetro - - - Remove parameter cell - Remover célula de parâmetro - - - Clear Result - Limpar Resultado + + Notebook Error: + Erro do Notebook: - + - - An error occurred while starting the notebook session - Ocorreu um erro ao iniciar a sessão do notebook + + Name + Nome - - Server did not start for unknown reason - O servidor não foi iniciado por uma razão desconhecida + + Email Address + Endereço de Email - - Kernel {0} was not found. The default kernel will be used instead. - O kernel {0} não foi encontrado. O kernel padrão será usado em seu lugar. + + Enabled + Habilitado - + - - Series {0} - Série {0} + + Account Name + Nome da Conta - - - - - - Close - Fechar + + Credential Name + Nome da Credencial - - - - - - # Injected-Parameters - - # Injected-Parameters - + + Description + Descrição - - Please select a connection to run cells for this kernel - Selecione uma conexão para executar células para este kernel - - - Failed to delete cell. - Falha ao excluir a célula. - - - Failed to change kernel. Kernel {0} will be used. Error was: {1} - Falha ao alterar o kernel. O kernel {0} será usado. O erro foi: {1} - - - Failed to change kernel due to error: {0} - Falha ao alterar o kernel devido ao erro: {0} - - - Changing context failed: {0} - Falha ao alterar o contexto: {0} - - - Could not start session: {0} - Não foi possível iniciar a sessão: {0} - - - A client session error occurred when closing the notebook: {0} - Ocorreu um erro de sessão de cliente ao fechar o notebook: {0} - - - Can't find notebook manager for provider {0} - Não é possível encontrar o gerenciador de notebook do provedor {0} + + Enabled + Habilitado @@ -7227,6 +3571,3316 @@ Erro: {1} + + + + More + Mais + + + Edit + Editar + + + Close + Fechar + + + Convert Cell + Converter Célula + + + Run Cells Above + Executar as Células Acima + + + Run Cells Below + Executar as Células Abaixo + + + Insert Code Above + Inserir Código Acima + + + Insert Code Below + Inserir Código Abaixo + + + Insert Text Above + Inserir Texto Acima + + + Insert Text Below + Inserir Texto Abaixo + + + Collapse Cell + Recolher Célula + + + Expand Cell + Expandir Célula + + + Make parameter cell + Criar célula de parâmetro + + + Remove parameter cell + Remover célula de parâmetro + + + Clear Result + Limpar Resultado + + + + + + + Add cell + Adicionar célula + + + Code cell + Célula de código + + + Text cell + Célula de texto + + + Move cell down + Mover a célula para baixo + + + Move cell up + Mover a célula para cima + + + Delete + Excluir + + + Add cell + Adicionar célula + + + Code cell + Célula de código + + + Text cell + Célula de texto + + + + + + + Parameters + Parâmetros + + + + + + + Please select active cell and try again + Selecione a célula ativa e tente novamente + + + Run cell + Executar célula + + + Cancel execution + Cancelar execução + + + Error on last run. Click to run again + Erro na última execução. Clique para executar novamente + + + + + + + Expand code cell contents + Expandir conteúdo da célula do código + + + Collapse code cell contents + Recolher conteúdo da célula do código + + + + + + + Bold + Negrito + + + Italic + Itálico + + + Underline + Sublinhado + + + Highlight + Realçar + + + Code + Código + + + Link + Vínculo + + + List + Lista + + + Ordered list + Lista ordenada + + + Image + Imagem + + + Markdown preview toggle - off + Alternância de versão prévia do Markdown – Desativado + + + Heading + Título + + + Heading 1 + Título 1 + + + Heading 2 + Título 2 + + + Heading 3 + Título 3 + + + Paragraph + Parágrafo + + + Insert link + Inserir link + + + Insert image + Inserir imagem + + + Rich Text View + Exibição de Rich Text + + + Split View + Modo Divisão + + + Markdown View + Exibição do Markdown + + + + + + + No {0}renderer could be found for output. It has the following MIME types: {1} + Não foi possível encontrar nenhum {0}renderizador para saída. Ele tem os seguintes tipos MIME: {1} + + + safe + seguro + + + No component could be found for selector {0} + Não foi possível encontrar nenhum componente para o seletor {0} + + + Error rendering component: {0} + Erro ao renderizar o componente: {0} + + + + + + + Click on + Clique em + + + + Code + + Código + + + or + ou + + + + Text + + Texto + + + to add a code or text cell + para adicionar uma célula de texto ou código + + + Add a code cell + Adicionar uma célula de código + + + Add a text cell + Adicionar uma célula de texto + + + + + + + StdIn: + Stdin: + + + + + + + <i>Double-click to edit</i> + <i>Clique duas vezes para editar</i> + + + <i>Add content here...</i> + <i>Adicionar conteúdo aqui... </i> + + + + + + + Find + Encontrar + + + Find + Encontrar + + + Previous match + Correspondência anterior + + + Next match + Próxima correspondência + + + Close + Fechar + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + Sua pesquisa retornou um grande número de resultados. Apenas as primeiras 999 correspondências serão destacadas. + + + {0} of {1} + {0} de {1} + + + No Results + Nenhum Resultado + + + + + + + Add code + Adicionar código + + + Add text + Adicionar texto + + + Create File + Criar Arquivo + + + Could not display contents: {0} + Não foi possível exibir o conteúdo: {0} + + + Add cell + Adicionar célula + + + Code cell + Célula de código + + + Text cell + Célula de texto + + + Run all + Executar tudo + + + Cell + Célula + + + Code + Código + + + Text + Texto + + + Run Cells + Executar Células + + + < Previous + < Anterior + + + Next > + Próximo > + + + cell with URI {0} was not found in this model + a célula com o URI {0} não foi encontrada neste modelo + + + Run Cells failed - See error in output of the currently selected cell for more information. + Falha ao executar células – Confira o erro na saída da célula selecionada no momento para obter mais informações. + + + + + + + New Notebook + Novo Notebook + + + New Notebook + Novo Notebook + + + Set Workspace And Open + Definir Workspace e Abrir + + + SQL kernel: stop Notebook execution when error occurs in a cell. + Kernel do SQL: parar a execução do Notebook quando ocorrer um erro em uma célula. + + + (Preview) show all kernels for the current notebook provider. + (Versão Prévia) Mostrar todos os kernels para o provedor do notebook atual. + + + Allow notebooks to run Azure Data Studio commands. + Permitir que notebooks executem comandos do Azure Data Studio. + + + Enable double click to edit for text cells in notebooks + Habilitar clique duplo para editar células de texto nos notebooks + + + Text is displayed as Rich Text (also known as WYSIWYG). + O texto é exibido como Rich Text (também conhecido como WYSIWYG). + + + Markdown is displayed on the left, with a preview of the rendered text on the right. + O Markdown é exibido à esquerda, com uma visualização do texto renderizado à direita. + + + Text is displayed as Markdown. + O texto é exibido como Markdown. + + + The default editing mode used for text cells + O modo de edição padrão usado para células de texto + + + (Preview) Save connection name in notebook metadata. + (Versão Prévia) Salve o nome da conexão nos metadados do notebook. + + + Controls the line height used in the notebook markdown preview. This number is relative to the font size. + Controla a altura da linha usada na versão prévia de markdown do notebook. Este número é relativo ao tamanho da fonte. + + + (Preview) Show rendered notebook in diff editor. + (Visualização) Mostrar bloco de anotações renderizado no editor de dif. + + + The maximum number of changes stored in the undo history for the notebook Rich Text editor. + O número máximo de alterações armazenadas no histórico de desfazer do editor de Rich Text do bloco de anotações. + + + Search Notebooks + Pesquisar Notebooks + + + Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). + Configurar padrões glob para excluir arquivos e pastas em pesquisas de texto completo e abrir rapidamente. Herda todos os padrões glob da configuração `#files.exclude#`. Leia mais sobre padrões glob [aqui] (https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). + + + The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. + O padrão glob ao qual corresponder os caminhos do arquivo. Defina como true ou false para habilitar ou desabilitar o padrão. + + + Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. + Verificação adicional nos irmãos de um arquivo correspondente. Use $(basename) como variável para o nome do arquivo correspondente. + + + This setting is deprecated and now falls back on "search.usePCRE2". + Essa configuração foi preterida e agora retorna ao "search.usePCRE2". + + + Deprecated. Consider "search.usePCRE2" for advanced regex feature support. + Preterido. Considere "search.usePCRE2" para obter suporte do recurso regex avançado. + + + When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. + Quando habilitado, o processo de searchService será mantido ativo em vez de ser desligado após uma hora de inatividade. Isso manterá o cache de pesquisa de arquivo na memória. + + + Controls whether to use `.gitignore` and `.ignore` files when searching for files. + Controla se os arquivos `.gitignore` e `.ignore` devem ser usados ao pesquisar arquivos. + + + Controls whether to use global `.gitignore` and `.ignore` files when searching for files. + Controla se os arquivos globais `.gitignore` e `.ignore` devem ser usados durante a pesquisa de arquivos. + + + Whether to include results from a global symbol search in the file results for Quick Open. + Se deseja incluir os resultados de uma pesquisa de símbolo global nos resultados do arquivo para Abertura Rápida. + + + Whether to include results from recently opened files in the file results for Quick Open. + Se deseja incluir os resultados de arquivos abertos recentemente nos resultados do arquivo para Abertura Rápida. + + + History entries are sorted by relevance based on the filter value used. More relevant entries appear first. + As entradas do histórico são classificadas por relevância com base no valor do filtro usado. As entradas mais relevantes aparecem primeiro. + + + History entries are sorted by recency. More recently opened entries appear first. + As entradas do histórico são classificadas por recência. As entradas abertas mais recentemente aparecem primeiro. + + + Controls sorting order of editor history in quick open when filtering. + Controla a ordem de classificação do histórico do editor ao abrir rapidamente ao filtrar. + + + Controls whether to follow symlinks while searching. + Controla se os ciclos de links devem ser seguidos durante a pesquisa. + + + Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. + Pesquisar sem diferenciar maiúsculas de minúsculas se o padrão for todo em minúsculas, caso contrário, pesquisar diferenciando maiúsculas de minúsculas. + + + Controls whether the search view should read or modify the shared find clipboard on macOS. + Controla se o modo de exibição de pesquisa deve ler ou modificar a área de transferência de localização compartilhada no macOS. + + + Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. + Controla se a pesquisa será mostrada como um modo de exibição na barra lateral ou como um painel na área do painel para obter mais espaço horizontal. + + + This setting is deprecated. Please use the search view's context menu instead. + Esta configuração é preterida. Em vez disso, use o menu de contexto da exibição de pesquisa. + + + Files with less than 10 results are expanded. Others are collapsed. + Arquivos com menos de 10 resultados são expandidos. Outros são recolhidos. + + + Controls whether the search results will be collapsed or expanded. + Controla se os resultados da pesquisa serão recolhidos ou expandidos. + + + Controls whether to open Replace Preview when selecting or replacing a match. + Controla se é necessário abrir a Visualização de Substituição ao selecionar ou substituir uma correspondência. + + + Controls whether to show line numbers for search results. + Controla se os números de linha devem ser mostrados para os resultados da pesquisa. + + + Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. + Se o mecanismo de regex do PCRE2 deve ser usado na pesquisa de texto. Isso permite o uso de alguns recursos de regex avançados, como referências inversas e de lookahead. No entanto, nem todos os recursos PCRE2 são compatíveis, somente recursos compatíveis com o JavaScript. + + + Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. + Preterido. O PCRE2 será usado automaticamente ao usar os recursos regex que só têm suporte do PCRE2. + + + Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. + Posicione o actionBar à direita quando o modo de exibição de pesquisa for estreito e imediatamente após o conteúdo quando o modo de exibição de pesquisa for largo. + + + Always position the actionbar to the right. + Sempre posicione o actionbar à direita. + + + Controls the positioning of the actionbar on rows in the search view. + Controla o posicionamento do actionbar nas linhas do modo de exibição de pesquisa. + + + Search all files as you type. + Pesquisar todos os arquivos enquanto você digita. + + + Enable seeding search from the word nearest the cursor when the active editor has no selection. + Habilitar a pesquisa de propagação da palavra mais próxima ao cursor quando o editor ativo não tiver nenhuma seleção. + + + Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. + Atualizar a consulta de pesquisa do workspace para o texto selecionado do editor ao focar no modo de exibição de pesquisa. Isso acontece ao clicar ou ao disparar o comando `workbench.views.search.focus`. + + + When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. + Quando `#search.searchOnType#` está habilitado, controla o tempo limite em milissegundos entre um caractere que está sendo digitado e o início da pesquisa. Não tem efeito quando `search.searchOnType` está desabilitado. + + + Double clicking selects the word under the cursor. + Clicar duas vezes seleciona a palavra sob o cursor. + + + Double clicking opens the result in the active editor group. + Clicar duas vezes abre o resultado no grupo de editor ativo. + + + Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. + Clicar duas vezes abrirá o resultado no grupo editor ao lado, criando um se ele ainda não existir. + + + Configure effect of double clicking a result in a search editor. + Configurar efeito de clicar duas vezes em um resultado em um editor de pesquisas. + + + Results are sorted by folder and file names, in alphabetical order. + Os resultados são classificados por nomes de pastas e arquivos, em ordem alfabética. + + + Results are sorted by file names ignoring folder order, in alphabetical order. + Os resultados são classificados por nomes de arquivo ignorando a ordem da pasta, em ordem alfabética. + + + Results are sorted by file extensions, in alphabetical order. + Os resultados são classificados por extensões de arquivo, em ordem alfabética. + + + Results are sorted by file last modified date, in descending order. + Os resultados são classificados pela data da última modificação do arquivo, em ordem descendente. + + + Results are sorted by count per file, in descending order. + Os resultados são classificados por contagem por arquivo, em ordem descendente. + + + Results are sorted by count per file, in ascending order. + Os resultados são classificados por contagem por arquivo, em ordem ascendente. + + + Controls sorting order of search results. + Controla a ordem de classificação dos resultados da pesquisa. + + + + + + + Loading kernels... + Carregando kernels... + + + Changing kernel... + Alterando kernel... + + + Attach to + Anexar a + + + Kernel + Kernel + + + Loading contexts... + Carregando contextos... + + + Change Connection + Alterar Conexão + + + Select Connection + Selecionar Conexão + + + localhost + localhost + + + No Kernel + Nenhum Kernel + + + This notebook cannot run with parameters as the kernel is not supported. Please use the supported kernels and format. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Esse bloco de anotações não pode ser executado com parâmetros porque não há suporte para o kernel. Use os kernels e o formato com suporte. [Learn more] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + This notebook cannot run with parameters until a parameter cell is added. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Este bloco de anotações não pode ser executado com parâmetros até que uma célula de parâmetro seja adicionada. [Saiba mais] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + This notebook cannot run with parameters until there are parameters added to the parameter cell. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Este bloco de anotações não pode ser executado com parâmetros até que haja parâmetros adicionados à célula de parâmetro. [Saiba mais] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + Clear Results + Limpar Resultados + + + Trusted + Confiável + + + Not Trusted + Não Confiável + + + Collapse Cells + Recolher Células + + + Expand Cells + Expandir Células + + + Run with Parameters + Executar com Parâmetros + + + None + Nenhum + + + New Notebook + Novo Notebook + + + Find Next String + Encontrar Próxima Cadeia de Caracteres + + + Find Previous String + Encontrar Cadeia de Caracteres Anterior + + + + + + + Notebook Editor + Notebook Editor + + + + + + + Search Results + Resultados da Pesquisa + + + Search path not found: {0} + Caminho de pesquisa não encontrado: {0} + + + Notebooks + Notebooks + + + + + + + You have not opened any folder that contains notebooks/books. + Você não abriu nenhuma pasta que contenha notebooks/livros. + + + Open Notebooks + Abrir os Notebooks + + + The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. + O conjunto de resultados contém apenas um subconjunto de todas as correspondências. Faça uma pesquisa mais específica para restringir os resultados. + + + Search in progress... - + Pesquisa em andamento... – + + + No results found in '{0}' excluding '{1}' - + Nenhum resultado encontrado em '{0}', exceto '{1}' – + + + No results found in '{0}' - + Nenhum resultado encontrado em '{0}' – + + + No results found excluding '{0}' - + Nenhum resultado encontrado, exceto '{0}' – + + + No results found. Review your settings for configured exclusions and check your gitignore files - + Nenhum resultado encontrado. Examine suas configurações para obter exclusões configuradas e verifique os arquivos do gitignore – + + + Search again + Pesquisar novamente + + + Search again in all files + Pesquisar novamente em todos os arquivos + + + Open Settings + Abrir as Configurações + + + Search returned {0} results in {1} files + A pesquisa retornou {0} resultados em {1} arquivos + + + Toggle Collapse and Expand + Ativar/Desativar Recolhimento e Expansão + + + Cancel Search + Cancelar Pesquisa + + + Expand All + Expandir Tudo + + + Collapse All + Recolher Tudo + + + Clear Search Results + Limpar os Resultados da Pesquisa + + + + + + + Search: Type Search Term and press Enter to search or Escape to cancel + Pesquisar: digite o termo de pesquisa e pressione Enter para pesquisar ou Escape para cancelar + + + Search + Pesquisar + + + + + + + cell with URI {0} was not found in this model + a célula com o URI {0} não foi encontrada neste modelo + + + Run Cells failed - See error in output of the currently selected cell for more information. + Falha ao executar células – Confira o erro na saída da célula selecionada no momento para obter mais informações. + + + + + + + Please run this cell to view outputs. + Execute essa célula para exibir as saídas. + + + + + + + This view is empty. Add a cell to this view by clicking the Insert Cells button. + Essa exibição está vazia. Adicione uma célula a essa exibição clicando no botão Inserir células. + + + + + + + Copy failed with error {0} + Falha na cópia com o erro {0} + + + Show chart + Mostrar gráfico + + + Show table + Mostrar tabela + + + + + + + No {0} renderer could be found for output. It has the following MIME types: {1} + Nenhum renderizador {0} foi encontrado para saída. Ele tem os seguintes tipos MIME: {1} + + + (safe) + (seguro) + + + + + + + Error displaying Plotly graph: {0} + Erro ao exibir o gráfico Plotly: {0} + + + + + + + No connections found. + Nenhuma conexão encontrada. + + + Add Connection + Adicionar Conexão + + + + + + + Server Group color palette used in the Object Explorer viewlet. + Paleta de cores do grupo de servidores usada no viewlet do Pesquisador de Objetos. + + + Auto-expand Server Groups in the Object Explorer viewlet. + Expanda automaticamente grupos de servidores no viewlet do Pesquisador de Objetos. + + + (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. + (Versão Prévia) Use a nova árvore de servidor assíncrono para o modo de exibição Servidores e a caixa de diálogo Conexão com suporte para novos recursos, como filtragem dinâmica de nós. + + + + + + + Data + Dados + + + Connection + Conexão + + + Query Editor + Editor de Consultas + + + Notebook + Notebook + + + Dashboard + Painel + + + Profiler + Profiler + + + Built-in Charts + Gráficos Integrados + + + + + + + Specifies view templates + Especifica os modelos de exibição + + + Specifies session templates + Especifica os modelos de sessão + + + Profiler Filters + Filtros do Profiler + + + + + + + Connect + Conectar + + + Disconnect + Desconectar + + + Start + Início + + + New Session + Nova Sessão + + + Pause + Pausar + + + Resume + Continuar + + + Stop + Parar + + + Clear Data + Limpar Dados + + + Are you sure you want to clear the data? + Tem certeza de que deseja limpar os dados? + + + Yes + Sim + + + No + Não + + + Auto Scroll: On + Rolagem Automática: Ativada + + + Auto Scroll: Off + Rolagem Automática: Desativada + + + Toggle Collapsed Panel + Alternar Painel Recolhido + + + Edit Columns + Editar Colunas + + + Find Next String + Encontrar Próxima Cadeia de Caracteres + + + Find Previous String + Encontrar Cadeia de Caracteres Anterior + + + Launch Profiler + Iniciar Profiler + + + Filter… + Filtro... + + + Clear Filter + Limpar Filtro + + + Are you sure you want to clear the filters? + Tem certeza de que deseja limpar os filtros? + + + + + + + Select View + Selecionar Exibição + + + Select Session + Selecionar Sessão + + + Select Session: + Selecionar Sessão: + + + Select View: + Selecionar Exibição: + + + Text + Texto + + + Label + Rótulo + + + Value + Valor + + + Details + Detalhes + + + + + + + Find + Encontrar + + + Find + Encontrar + + + Previous match + Correspondência anterior + + + Next match + Próxima correspondência + + + Close + Fechar + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + Sua pesquisa retornou um grande número de resultados. Apenas as primeiras 999 correspondências serão destacadas. + + + {0} of {1} + {0} de {1} + + + No Results + Nenhum Resultado + + + + + + + Profiler editor for event text. Readonly + Editor do Profiler para o texto do evento .ReadOnly + + + + + + + Events (Filtered): {0}/{1} + Eventos (Filtrados): {0}/{1} + + + Events: {0} + Eventos: {0} + + + Event Count + Contagem de Eventos + + + + + + + Save As CSV + Salvar Como CSV + + + Save As JSON + Salvar Como JSON + + + Save As Excel + Salvar Como Excel + + + Save As XML + Salvar Como XML + + + Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. + A codificação de resultados não será salva ao exportar para JSON. Lembre-se de salvar com a codificação desejada após a criação do arquivo. + + + Save to file is not supported by the backing data source + Salvar em arquivo não é uma ação compatível com a fonte de dados de backup + + + Copy + Copiar + + + Copy With Headers + Copiar Com Cabeçalhos + + + Select All + Selecionar Tudo + + + Maximize + Maximizar + + + Restore + Restaurar + + + Chart + Gráfico + + + Visualizer + Visualizador + + + + + + + Choose SQL Language + Escolha a linguagem SQL + + + Change SQL language provider + Alterar provedor de linguagem SQL + + + SQL Language Flavor + Variante de linguagem SQL + + + Change SQL Engine Provider + Alterar Provedor de Mecanismo SQL + + + A connection using engine {0} exists. To change please disconnect or change connection + Existe uma conexão usando o mecanismo {0}. Para alterar, desconecte ou altere a conexão + + + No text editor active at this time + Nenhum editor de texto ativo neste momento + + + Select Language Provider + Selecionar o Provedor de Linguagem + + + + + + + XML Showplan + Plano de execução XML + + + Results grid + Grade de resultados + + + Max row count for filtering/sorting has been exceeded. To update it, you can go to User Settings and change the setting: 'queryEditor.results.inMemoryDataProcessingThreshold' + A contagem máxima de linhas para filtragem/classificação foi excedida. Para atualizá-la, você pode ir para as configurações do usuário e alterar a configuração: 'queryEditor. Results. inMemoryDataProcessingThreshold' + + + + + + + Focus on Current Query + Foco na Consulta Atual + + + Run Query + Executar Consulta + + + Run Current Query + Executar Consulta Atual + + + Copy Query With Results + Copiar Consulta com Resultados + + + Successfully copied query and results. + Consulta e resultados copiados com êxito. + + + Run Current Query with Actual Plan + Executar Consulta Atual com Plano Real + + + Cancel Query + Cancelar Consulta + + + Refresh IntelliSense Cache + Atualizar Cache do IntelliSense + + + Toggle Query Results + Alternar Resultados da Consulta + + + Toggle Focus Between Query And Results + Alternar Foco entre a Consulta e os Resultados + + + Editor parameter is required for a shortcut to be executed + O editor de parâmetro é necessário para um atalho ser executado + + + Parse Query + Analisar Consulta + + + Commands completed successfully + Comandos concluídos com êxito + + + Command failed: + Falha no comando: + + + Please connect to a server + Conecte-se a um servidor + + + + + + + Message Panel + Painel de Mensagens + + + Copy + Copiar + + + Copy All + Copiar Tudo + + + + + + + Query Results + Resultados da Consulta + + + New Query + Nova Consulta + + + Query Editor + Editor de Consultas + + + When true, column headers are included when saving results as CSV + Quando true, os cabeçalhos de coluna são incluídos ao salvar os resultados como CSV + + + The custom delimiter to use between values when saving as CSV + O delimitador personalizado a ser usado entre valores ao salvar como CSV + + + Character(s) used for seperating rows when saving results as CSV + Os caracteres usados para separar linhas ao salvar os resultados como CSV + + + Character used for enclosing text fields when saving results as CSV + O caractere usado para delimitar os campos de texto ao salvar os resultados como CSV + + + File encoding used when saving results as CSV + Arquivo de codificação usado ao salvar os resultados como CSV + + + When true, XML output will be formatted when saving results as XML + Quando true, a saída XML será formatada ao salvar resultados como XML + + + File encoding used when saving results as XML + Codificação de arquivo usada ao salvar os resultados como XML + + + Enable results streaming; contains few minor visual issues + Habilitar streaming de resultados; contém alguns problemas visuais menores + + + Configuration options for copying results from the Results View + Opções de configuração para copiar os resultados na Visualização dos Resultados + + + Configuration options for copying multi-line results from the Results View + Opções de configuração para copiar os resultados de várias linhas da Visualização dos Resultados + + + (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. + (Experimental) Use uma tabela otimizada nos resultados. Algumas funcionalidades podem estar ausentes e em funcionamento. + + + Controls the max number of rows allowed to do filtering and sorting in memory. If the number is exceeded, sorting and filtering will be disabled. Warning: Increasing this may impact performance. + Controla o número máximo de linhas permitidas para filtragem e classificação na memória. Se o número for excedido, a classificação e a filtragem serão desabilitadas. Aviso: aumentar isso pode afetar o desempenho. + + + Whether to open the file in Azure Data Studio after the result is saved. + Se o arquivo deve ser aberto no Azure Data Studio depois que o resultado é salvo. + + + Should execution time be shown for individual batches + O tempo de execução deve ser mostrado para lotes individuais? + + + Word wrap messages + Mensagens de quebra automática de linha + + + The default chart type to use when opening Chart Viewer from a Query Results + O tipo de gráfico padrão a ser usado ao abrir o Visualizador de Gráficos nos Resultados da Consulta + + + Tab coloring will be disabled + A coloração da guia será desabilitada + + + The top border of each editor tab will be colored to match the relevant server group + A borda superior de cada guia do editor será colorida para combinar com o grupo de servidores relevante + + + Each editor tab's background color will match the relevant server group + A cor de fundo de cada editor da guia corresponderá ao grupo de servidores relevante + + + Controls how to color tabs based on the server group of their active connection + Controla como colorir as guias com base no grupo de servidores de sua conexão ativa + + + Controls whether to show the connection info for a tab in the title. + Controla se deseja mostrar a informação de conexão para uma guia no título. + + + Prompt to save generated SQL files + Pedir para salvar arquivos SQL gerados + + + Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call or query execution. Any selected text in the query editor will be passed as a parameter at the end of your query, or you can reference it with {arg} + Defina o atalho workbench.action.query.shortcut{0} para executar o texto de atalho como uma chamada de procedimento ou execução de consulta. Qualquer texto selecionado no editor de consultas será passado como um parâmetro no final da consulta ou você pode fazer referência a ele com {arg} + + + + + + + New Query + Nova Consulta + + + Run + Executar + + + Cancel + Cancelar + + + Explain + Explicar + + + Actual + Real + + + Disconnect + Desconectar + + + Change Connection + Alterar Conexão + + + Connect + Conectar + + + Enable SQLCMD + Habilitar SQLCMD + + + Disable SQLCMD + Desabilitar SQLCMD + + + Select Database + Selecionar Banco de Dados + + + Failed to change database + Falha ao alterar o banco de dados + + + Failed to change database: {0} + Falha ao alterar o banco de dados: {0} + + + Export as Notebook + Exportar o Notebook + + + + + + + Query Editor + Query Editor + + + + + + + Results + Resultados + + + Messages + Mensagens + + + + + + + Time Elapsed + Tempo Decorrido + + + Row Count + Contagem de Linhas + + + {0} rows + {0} linhas + + + Executing query... + Executando consulta... + + + Execution Status + Status de Execução + + + Selection Summary + Resumo da Seleção + + + Average: {0} Count: {1} Sum: {2} + Média: {0} Contagem: {1} Soma: {2} + + + + + + + Results Grid and Messages + Grade de Resultados e Mensagens + + + Controls the font family. + Controla a família de fontes. + + + Controls the font weight. + Controla a espessura da fonte. + + + Controls the font size in pixels. + Controla o tamanho da fonte em pixels. + + + Controls the letter spacing in pixels. + Controla o espaçamento de letras em pixels. + + + Controls the row height in pixels + Controla a altura da linha em pixels + + + Controls the cell padding in pixels + Controla o preenchimento em pixels da célula + + + Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells + Dimensionar automaticamente a largura de colunas nos resultados iniciais. Pode haver problemas de desempenho com um grande número de colunas ou com células grandes + + + The maximum width in pixels for auto-sized columns + A largura máxima em pixels para colunas dimensionadas automaticamente + + + + + + + Toggle Query History + Ativar/desativar o Histórico de Consultas + + + Delete + Excluir + + + Clear All History + Limpar Todo o Histórico + + + Open Query + Abrir Consulta + + + Run Query + Executar Consulta + + + Toggle Query History capture + Ativar/desativar a captura de Histórico de Consultas + + + Pause Query History Capture + Pausar a Captura de Histórico de Consultas + + + Start Query History Capture + Iniciar a Captura do Histórico de Consultas + + + + + + + succeeded + com êxito + + + failed + falhou + + + + + + + No queries to display. + Não há nenhuma consulta a ser exibida. + + + Query History + QueryHistory + Histórico de Consultas + + + + + + + QueryHistory + QueryHistory + + + Whether Query History capture is enabled. If false queries executed will not be captured. + Se a captura do Histórico de Consultas estiver habilitada. Se for false, as consultas executadas não serão capturadas. + + + Clear All History + Limpar todo o histórico + + + Pause Query History Capture + Pausar a Captura de Histórico de Consultas + + + Start Query History Capture + Iniciar a Captura do Histórico de Consultas + + + View + Exibir + + + &&Query History + && denotes a mnemonic + &&Histórico de Consultas + + + Query History + Histórico de Consultas + + + + + + + Query Plan + Plano de Consulta + + + + + + + Query Plan Editor + Query Plan Editor + + + + + + + Operation + Operação + + + Object + Objeto + + + Est Cost + Custo Est. + + + Est Subtree Cost + Custo Est. da Subárvore + + + Actual Rows + Linhas Atuais + + + Est Rows + Linhas Est. + + + Actual Executions + Execuções Reais + + + Est CPU Cost + Custo Est. de CPU + + + Est IO Cost + Custo Est. de E/S + + + Parallel + Paralelo + + + Actual Rebinds + Reassociações Reais + + + Est Rebinds + Reassociações Est. + + + Actual Rewinds + Rebobinações Reais + + + Est Rewinds + Rebobinações Est. + + + Partitioned + Particionado + + + Top Operations + Operações Principais + + + + + + + Resource Viewer + Visualizador de Recursos + + + + + + + Refresh + Atualizar + + + + + + + Error opening link : {0} + Erro ao abrir o link: {0} + + + Error executing command '{0}' : {1} + Erro ao executar o comando '{0}' : {1} + + + + + + + Resource Viewer Tree + Árvore do Visualizador de Recursos + + + + + + + Identifier of the resource. + Identificador do recurso. + + + The human-readable name of the view. Will be shown + O nome legível para humanos da exibição. Será mostrado + + + Path to the resource icon. + Caminho para o ícone de recurso. + + + Contributes resource to the resource view + Contribui o recurso para o modo de exibição de recursos + + + property `{0}` is mandatory and must be of type `string` + a propriedade `{0}` é obrigatória e deve ser do tipo `string` + + + property `{0}` can be omitted or must be of type `string` + a propriedade `{0}` pode ser omitida ou deve ser do tipo `string` + + + + + + + Restore + Restaurar + + + Restore + Restaurar + + + + + + + You must enable preview features in order to use restore + Você precisa habilitar as versões prévias dos recursos para poder utilizar a restauração + + + Restore command is not supported outside of a server context. Please select a server or database and try again. + O comando Restaurar não tem suporte fora de um contexto de servidor. Selecione um servidor ou banco de dados e tente novamente. + + + Restore command is not supported for Azure SQL databases. + O comando Restore não é compatível com bancos de dados SQL do Azure. + + + Restore + Restaurar + + + + + + + Script as Create + Script como Criar + + + Script as Drop + Script como Soltar + + + Select Top 1000 + Selecione Top 1000 + + + Script as Execute + Script como Executar + + + Script as Alter + Script como Alterar + + + Edit Data + Editar Dados + + + Select Top 1000 + Selecione Top 1000 + + + Take 10 + Levar 10 + + + Script as Create + Script como Criar + + + Script as Execute + Script como Executar + + + Script as Alter + Script como Alterar + + + Script as Drop + Script como Soltar + + + Refresh + Atualizar + + + + + + + An error occurred refreshing node '{0}': {1} + Ocorreu um erro ao atualizar o nó '{0}': {1} + + + + + + + {0} in progress tasks + {0} tarefas em andamento + + + View + Exibir + + + Tasks + Tarefas + + + &&Tasks + && denotes a mnemonic + &&Tarefas + + + + + + + Toggle Tasks + Alternar Tarefas + + + + + + + succeeded + com êxito + + + failed + falhou + + + in progress + em andamento + + + not started + não iniciado + + + canceled + cancelado + + + canceling + cancelando + + + + + + + No task history to display. + Nenhum histórico de tarefas a ser exibido. + + + Task history + TaskHistory + Histórico de tarefa + + + Task error + Erro de tarefa + + + + + + + Cancel + Cancelar + + + The task failed to cancel. + Falha ao cancelar a tarefa. + + + Script + Script + + + + + + + There is no data provider registered that can provide view data. + Não há nenhum provedor de dados registrado que possa fornecer dados de exibição. + + + Refresh + Atualizar + + + Collapse All + Recolher Tudo + + + Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. + Erro ao executar o comando {1}: {0}. Isso provavelmente é causado pela extensão que contribui com {1}. + + + + + + + OK + OK + + + Close + Fechar + + + + + + + Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? + Os recursos de versão prévia aprimoram a sua experiência no Azure Data Studio oferecendo a você acesso completo a novos recursos e melhorias. Saiba mais sobre os recursos de versão prévia [aqui]({0}). Deseja habilitar os recursos de versão prévia? + + + Yes (recommended) + Sim (recomendado) + + + No + Não + + + No, don't show again + Não, não mostrar novamente + + + + + + + This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. + Esta página de recurso está em versão prévia. Os recursos de versão prévia apresentam novas funcionalidades que estão no caminho para se tornar parte permanente do produto. Eles são estáveis, mas precisam de melhorias de acessibilidade adicionais. Nós agradecemos os seus comentários iniciais enquanto os recursos estão em desenvolvimento. + + + Preview + Versão prévia + + + Create a connection + Criar uma conexão + + + Connect to a database instance through the connection dialog. + Conectar a uma instância do banco de dados por meio da caixa de diálogo de conexão. + + + Run a query + Executar uma consulta + + + Interact with data through a query editor. + Interagir com os dados por meio de um editor de consultas. + + + Create a notebook + Criar um notebook + + + Build a new notebook using a native notebook editor. + Crie um notebook usando um editor de notebook nativo. + + + Deploy a server + Implantar um servidor + + + Create a new instance of a relational data service on the platform of your choice. + Crie uma instância de um serviço de dados relacionais na plataforma de sua escolha. + + + Resources + Recursos + + + History + Histórico + + + Name + Nome + + + Location + Localização + + + Show more + Mostrar mais + + + Show welcome page on startup + Mostrar a página inicial na inicialização + + + Useful Links + Links Úteis + + + Getting Started + Introdução + + + Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. + Descubra as funcionalidades oferecidas pelo Azure Data Studio e saiba como aproveitá-las ao máximo. + + + Documentation + Documentação + + + Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. + Visite o centro de documentos para obter guias de início rápido, guias de instruções e referências para o PowerShell, as APIs e outros. + + + Videos + Vídeos + + + Overview of Azure Data Studio + Visão geral do Azure Data Studio + + + Introduction to Azure Data Studio Notebooks | Data Exposed + Introdução aos Notebooks do Azure Data Studio | Dados Expostos + + + Extensions + Extensões + + + Show All + Mostrar Tudo + + + Learn more + Saiba mais + + + + + + + Connections + Conexões + + + Connect, query, and manage your connections from SQL Server, Azure, and more. + Conecte-se, consulte e gerencie as suas conexões no SQL Server, no Azure e muito mais. + + + 1 + 1 + + + Next + Próximo + + + Notebooks + Notebooks + + + Get started creating your own notebook or collection of notebooks in a single place. + Comece a criar o seu notebook ou uma coleção de notebooks em um único lugar. + + + 2 + 2 + + + Extensions + Extensões + + + Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). + Estenda a funcionalidade do Azure Data Studio instalando extensões desenvolvidas por nós/Microsoft e também pela comunidade de terceiros (você!). + + + 3 + 3 + + + Settings + Configurações + + + Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. + Personalize o Azure Data Studio com base nas suas preferências. Você pode definir configurações como o salvamento automático e o tamanho da tabulação, personalizar os seus Atalhos de Teclado e mudar para um Tema de Cores de sua preferência. + + + 4 + 4 + + + Welcome Page + Página Inicial + + + Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. + Descubra os principais recursos, arquivos abertos recentemente e extensões recomendadas na Página inicial. Para obter mais informações sobre como começar a usar o Azure Data Studio, confira nossos vídeos e documentação. + + + 5 + 5 + + + Finish + Concluir + + + User Welcome Tour + Tour de Boas-Vindas do Usuário + + + Hide Welcome Tour + Ocultar Tour de Boas-Vindas + + + Read more + Leia mais + + + Help + Ajuda + + + + + + + Welcome + Bem-vindo(a) + + + SQL Admin Pack + Admin Pack do SQL + + + SQL Admin Pack + Admin Pack do SQL + + + Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server + O Admin Pack do SQL Server é uma coleção de extensões populares de administração de banco de dados que ajudam você a gerenciar o SQL Server + + + SQL Server Agent + SQL Server Agent + + + SQL Server Profiler + SQL Server Profiler + + + SQL Server Import + Importação do SQL Server + + + SQL Server Dacpac + SQL Server Dacpac + + + Powershell + PowerShell + + + Write and execute PowerShell scripts using Azure Data Studio's rich query editor + Grave e execute scripts do PowerShell usando o editor de consultas avançado do Azure Data Studio + + + Data Virtualization + Virtualização de Dados + + + Virtualize data with SQL Server 2019 and create external tables using interactive wizards + Virtualize os dados com o SQL Server 2019 e crie tabelas externas usando assistentes interativos + + + PostgreSQL + PostgreSQL + + + Connect, query, and manage Postgres databases with Azure Data Studio + Conecte-se, consulte e gerencie bancos de dados Postgres com o Azure Data Studio + + + Support for {0} is already installed. + O suporte para {0} já está instalado. + + + The window will reload after installing additional support for {0}. + A janela será recarregada após a instalação do suporte adicional para {0}. + + + Installing additional support for {0}... + Instalando suporte adicional para {0}... + + + Support for {0} with id {1} could not be found. + Não foi possível encontrar suporte para {0} com a id {1}. + + + New connection + Nova conexão + + + New query + Nova consulta + + + New notebook + Novo notebook + + + Deploy a server + Implantar um servidor + + + Welcome + Bem-vindo(a) + + + New + Novo + + + Open… + Abrir… + + + Open file… + Abrir arquivo… + + + Open folder… + Abrir a pasta… + + + Start Tour + Iniciar Tour + + + Close quick tour bar + Fechar barra do tour rápido + + + Would you like to take a quick tour of Azure Data Studio? + Deseja fazer um tour rápido pelo Azure Data Studio? + + + Welcome! + Bem-vindo(a)! + + + Open folder {0} with path {1} + Abrir pasta {0} com caminho {1} + + + Install + Instalar + + + Install {0} keymap + Instalar o mapa de teclas {0} + + + Install additional support for {0} + Instalar suporte adicional para {0} + + + Installed + Instalado + + + {0} keymap is already installed + O mapa de teclas {0} já está instalado + + + {0} support is already installed + O suporte de {0} já está instalado + + + OK + OK + + + Details + Detalhes + + + Background color for the Welcome page. + Cor da tela de fundo da página inicial. + + + + + + + Azure Data Studio + Azure Data Studio + + + Start + Início + + + New connection + Nova conexão + + + New query + Nova consulta + + + New notebook + Novo notebook + + + Open file + Abrir arquivo + + + Open file + Abrir arquivo + + + Deploy + Implantar + + + New Deployment… + Nova Implantação… + + + Recent + Recente + + + More... + Mais... + + + No recent folders + Não há pastas recentes + + + Help + Ajuda + + + Getting started + Introdução + + + Documentation + Documentação + + + Report issue or feature request + Relatar problema ou solicitação de recurso + + + GitHub repository + Repositório GitHub + + + Release notes + Notas sobre a versão + + + Show welcome page on startup + Mostrar a página inicial na inicialização + + + Customize + Personalizar + + + Extensions + Extensões + + + Download extensions that you need, including the SQL Server Admin pack and more + Baixe as extensões necessárias, incluindo o pacote de Administrador do SQL Server e muito mais + + + Keyboard Shortcuts + Atalhos de Teclado + + + Find your favorite commands and customize them + Encontre seus comandos favoritos e personalize-os + + + Color theme + Tema de cores + + + Make the editor and your code look the way you love + Faça com que o editor e seu código tenham a aparência que você mais gosta + + + Learn + Learn + + + Find and run all commands + Encontrar e executar todos os comandos + + + Rapidly access and search commands from the Command Palette ({0}) + Acesse e pesquise rapidamente comandos na Paleta de Comandos ({0}) + + + Discover what's new in the latest release + Descubra o que há de novo na versão mais recente + + + New monthly blog posts each month showcasing our new features + Novas postagens mensais do blog apresentando nossos novos recursos + + + Follow us on Twitter + Siga-nos no Twitter + + + Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. + Mantenha-se atualizado com a forma como a Comunidade está usando o Azure Data Studio e converse diretamente com os engenheiros. + + + + + + + Accounts + Contas + + + Linked accounts + Contas vinculadas + + + Close + Fechar + + + There is no linked account. Please add an account. + Não há nenhuma conta vinculada. Adicione uma conta. + + + Add an account + Adicionar uma conta + + + You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud + Você não tem nuvens habilitadas. Acesse Configurações-> Pesquisar Configuração de Conta do Azure-> Habilitar pelo menos uma nuvem + + + You didn't select any authentication provider. Please try again. + Você não selecionou nenhum provedor de autenticação. Tente novamente. + + + + + + + Error adding account + Erro ao adicionar a conta + + + + + + + You need to refresh the credentials for this account. + Você precisa atualizar as credenciais para esta conta. + + + + + + + Close + Fechar + + + Adding account... + Adicionando conta... + + + Refresh account was canceled by the user + A conta de atualização foi cancelada pelo usuário + + + + + + + Azure account + Conta do Azure + + + Azure tenant + Locatário do Azure + + + + + + + Copy & Open + Copiar e Abrir + + + Cancel + Cancelar + + + User code + Código do usuário + + + Website + Site + + + + + + + Cannot start auto OAuth. An auto OAuth is already in progress. + Não é possível iniciar o OAuth automático. Um OAuth automático já está em andamento. + + + + + + + Connection is required in order to interact with adminservice + A conexão é necessária para interagir com adminservice + + + No Handler Registered + Nenhum manipulador registrado + + + + + + + Connection is required in order to interact with Assessment Service + A conexão é necessária para interagir com o Serviço de Avaliação + + + No Handler Registered + Nenhum Manipulador Registrado + + + + + + + Advanced Properties + Propriedades Avançadas + + + Discard + Descartar + + + + + + + Server Description (optional) + Descrição do Servidor (opcional) + + + + + + + Clear List + Limpar Lista + + + Recent connections list cleared + Lista de conexões recentes limpa + + + Yes + Sim + + + No + Não + + + Are you sure you want to delete all the connections from the list? + Tem certeza de que deseja excluir todas as conexões da lista? + + + Yes + Sim + + + No + Não + + + Delete + Excluir + + + Get Current Connection String + Obter a Cadeia de Conexão Atual + + + Connection string not available + A cadeia de conexão não está disponível + + + No active connection available + Nenhuma conexão ativa disponível + + + + + + + Browse + Procurar + + + Type here to filter the list + Digite aqui para filtrar a lista + + + Filter connections + Filtrar conexões + + + Applying filter + Aplicando filtro + + + Removing filter + Removendo filtro + + + Filter applied + Filtro aplicado + + + Filter removed + Filtro removido + + + Saved Connections + Conexões Salvas + + + Saved Connections + Conexões Salvas + + + Connection Browser Tree + Árvore do Navegador de Conexão + + + + + + + Connection error + Erro de conexão + + + Connection failed due to Kerberos error. + A conexão falhou devido a um erro do Kerberos. + + + Help configuring Kerberos is available at {0} + Ajuda para configurar o Kerberos está disponível em {0} + + + If you have previously connected you may need to re-run kinit. + Se você já se conectou anteriormente, pode ser necessário executar novamente o kinit. + + + + + + + Connection + Conexão + + + Connecting + Conectando + + + Connection type + Tipo de conexão + + + Recent + Recente + + + Connection Details + Detalhes da Conexão + + + Connect + Conectar + + + Cancel + Cancelar + + + Recent Connections + Conexões Recentes + + + No recent connection + Nenhuma conexão recente + + + + + + + Failed to get Azure account token for connection + Falha ao obter o token de conta do Azure para a conexão + + + Connection Not Accepted + Conexão não aceita + + + Yes + Sim + + + No + Não + + + Are you sure you want to cancel this connection? + Tem certeza de que deseja cancelar esta conexão? + + + + + + + Add an account... + Adicionar uma conta... + + + <Default> + <Padrão> + + + Loading... + Carregando... + + + Server group + Grupo de servidores + + + <Default> + <Padrão> + + + Add new group... + Adicionar novo grupo... + + + <Do not save> + <Não salvar> + + + {0} is required. + {0} é obrigatório. + + + {0} will be trimmed. + {0} será removido. + + + Remember password + Lembrar senha + + + Account + Conta + + + Refresh account credentials + Atualizar as credenciais de conta + + + Azure AD tenant + Locatário do Azure AD + + + Name (optional) + Nome (opcional) + + + Advanced... + Avançado... + + + You must select an account + Você precisa selecionar uma conta + + + + + + + Connected to + Conectado a + + + Disconnected + Desconectado + + + Unsaved Connections + Conexões Não Salvas + + + + + + + Open dashboard extensions + Abrir extensões do painel + + + OK + OK + + + Cancel + Cancelar + + + No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. + Não há extensões de painel para serem instaladas neste momento. Vá para o Gerenciador de Extensões para explorar extensões recomendadas. + + + + + + + Step {0} + Etapa {0} + + + + + + + Done + Concluído + + + Cancel + Cancelar + + + + + + + Initialize edit data session failed: + Falha ao inicializar a sessão de edição de dados: + + + + + + + OK + OK + + + Close + Fechar + + + Action + Ação + + + Copy details + Copiar detalhes + + + + + + + Error + Erro + + + Warning + Aviso + + + Info + Informações + + + Ignore + Ignorar + + + + + + + Selected path + Caminho selecionado + + + Files of type + Arquivos do tipo + + + OK + OK + + + Discard + Descartar + + + + + + + Select a file + Selecionar um arquivo + + + + + + + File browser tree + FileBrowserTree + Árvore de navegador de arquivo + + + + + + + An error occured while loading the file browser. + Ocorreu um erro ao carregar o navegador de arquivos. + + + File browser error + Erro do navegador de arquivo + + + + + + + All files + Todos os arquivos + + + + + + + Copy Cell + Copiar Célula + + + + + + + No Connection Profile was passed to insights flyout + Nenhum Perfil de Conexão foi passado para o submenu de insights + + + Insights error + Erro de insights + + + There was an error reading the query file: + Houve um erro ao ler o arquivo de consulta: + + + There was an error parsing the insight config; could not find query array/string or queryfile + Ocorreu um erro ao analisar a configuração do insight. Não foi possível encontrar a matriz/cadeia de caracteres de consulta ou o arquivo de consulta + + + + + + + Item + Item + + + Value + Valor + + + Insight Details + Detalhes do Insight + + + Property + Propriedade + + + Value + Valor + + + Insights + Insights + + + Items + Itens + + + Item Details + Detalhes do Item + + + + + + + Could not find query file at any of the following paths : + {0} + Não foi possível encontrar o arquivo de consulta em nenhum dos seguintes caminhos: {0} + + + + + + + Failed + Com falha + + + Succeeded + Com Êxito + + + Retry + Tentar Novamente + + + Cancelled + Cancelado + + + In Progress + Em Andamento + + + Status Unknown + Status Desconhecido + + + Executing + Executando + + + Waiting for Thread + Esperando pela Thread + + + Between Retries + Entre Tentativas + + + Idle + Ocioso + + + Suspended + Suspenso + + + [Obsolete] + [Obsoleto] + + + Yes + Sim + + + No + Não + + + Not Scheduled + Não Agendado + + + Never Run + Nunca Executar + + + + + + + Connection is required in order to interact with JobManagementService + A conexão é necessária para interagir com JobManagementService + + + No Handler Registered + Nenhum Manipulador Registrado + + + + + + + SQL + SQL + + + @@ -7255,6 +6909,22 @@ Erro: {1} + + + + An error occurred while starting the notebook session + Ocorreu um erro ao iniciar a sessão do notebook + + + Server did not start for unknown reason + O servidor não foi iniciado por uma razão desconhecida + + + Kernel {0} was not found. The default kernel will be used instead. + O kernel {0} não foi encontrado. O kernel padrão será usado em seu lugar. + + + @@ -7267,11 +6937,738 @@ Erro: {1} - + - - Changing editor types on unsaved files is unsupported - Não há suporte para alterar os tipos de editor em arquivos não salvos + + # Injected-Parameters + + # Injected-Parameters + + + + Please select a connection to run cells for this kernel + Selecione uma conexão para executar células para este kernel + + + Failed to delete cell. + Falha ao excluir a célula. + + + Failed to change kernel. Kernel {0} will be used. Error was: {1} + Falha ao alterar o kernel. O kernel {0} será usado. O erro foi: {1} + + + Failed to change kernel due to error: {0} + Falha ao alterar o kernel devido ao erro: {0} + + + Changing context failed: {0} + Falha ao alterar o contexto: {0} + + + Could not start session: {0} + Não foi possível iniciar a sessão: {0} + + + A client session error occurred when closing the notebook: {0} + Ocorreu um erro de sessão de cliente ao fechar o notebook: {0} + + + Can't find notebook manager for provider {0} + Não é possível encontrar o gerenciador de notebook do provedor {0} + + + + + + + No URI was passed when creating a notebook manager + Nenhum URI foi passado ao criar um gerenciador de notebooks + + + Notebook provider does not exist + O provedor de notebooks não existe + + + + + + + A view with the name {0} already exists in this notebook. + Já existe uma exibição com o nome {0} nesse bloco de anotações. + + + + + + + SQL kernel error + Erro no kernel do SQL + + + A connection must be chosen to run notebook cells + Uma conexão precisa ser escolhida para executar as células do notebook + + + Displaying Top {0} rows. + Exibindo as Primeiras {0} linhas. + + + + + + + Rich Text + Rich Text + + + Split View + Modo Divisão + + + Markdown + Markdown + + + + + + + nbformat v{0}.{1} not recognized + nbformat v{0}.{1} não reconhecido + + + This file does not have a valid notebook format + Este arquivo não tem um formato de notebook válido + + + Cell type {0} unknown + Tipo de célula {0} desconhecido + + + Output type {0} not recognized + Tipo de saída {0} não reconhecido + + + Data for {0} is expected to be a string or an Array of strings + Espera-se que os dados de {0} sejam uma cadeia de caracteres ou uma matriz de cadeia de caracteres + + + Output type {0} not recognized + Tipo de saída {0} não reconhecido + + + + + + + Identifier of the notebook provider. + Identificador do provedor de notebook. + + + What file extensions should be registered to this notebook provider + Quais extensões de arquivo devem ser registradas para este provedor de notebook? + + + What kernels should be standard with this notebook provider + Quais kernels devem ser padrão com este provedor de notebook? + + + Contributes notebook providers. + Contribui com provedores de notebooks. + + + Name of the cell magic, such as '%%sql'. + Nome do magic da célula, como '%%sql'. + + + The cell language to be used if this cell magic is included in the cell + A linguagem de célula a ser usada se esta magic da célula estiver incluída na célula + + + Optional execution target this magic indicates, for example Spark vs SQL + Destino de execução opcional que essa mágic indica, por exemplo, Spark versus SQL + + + Optional set of kernels this is valid for, e.g. python3, pyspark, sql + Conjunto opcional de kernels que é válido para, por exemplo, python3, pyspark, SQL + + + Contributes notebook language. + Contribui com a linguagem do notebook. + + + + + + + Loading... + Carregando... + + + + + + + Refresh + Atualizar + + + Edit Connection + Editar Conexão + + + Disconnect + Desconectar + + + New Connection + Nova Conexão + + + New Server Group + Novo Grupo de Servidores + + + Edit Server Group + Editar Grupo de Servidores + + + Show Active Connections + Mostrar Conexões Ativas + + + Show All Connections + Mostrar Todas as Conexões + + + Delete Connection + Excluir Conexão + + + Delete Group + Excluir Grupo + + + + + + + Failed to create Object Explorer session + Falha ao criar a sessão do Pesquisador de Objetos + + + Multiple errors: + Múltiplos erros: + + + + + + + Cannot expand as the required connection provider '{0}' was not found + Não é possível expandir, pois o provedor de conexão necessário '{0}' não foi encontrado + + + User canceled + Usuário cancelado + + + Firewall dialog canceled + Caixa de diálogo do Firewall cancelada + + + + + + + Loading... + Carregando... + + + + + + + Recent Connections + Conexões Recentes + + + Servers + Servidores + + + Servers + Servidores + + + + + + + Sort by event + Classificar por evento + + + Sort by column + Classificar por coluna + + + Profiler + Profiler + + + OK + OK + + + Cancel + Cancelar + + + + + + + Clear all + Limpar tudo + + + Apply + Aplicar + + + OK + OK + + + Cancel + Cancelar + + + Filters + Filtros + + + Remove this clause + Remover esta cláusula + + + Save Filter + Salvar Filtro + + + Load Filter + Carregar Filtro + + + Add a clause + Adicionar uma cláusula + + + Field + Campo + + + Operator + Operador + + + Value + Valor + + + Is Null + É Nulo + + + Is Not Null + Não É Nulo + + + Contains + Contém + + + Not Contains + Não Contém + + + Starts With + Começa Com + + + Not Starts With + Não Começa Com + + + + + + + Commit row failed: + A linha de commit falhou: + + + Started executing query at + Iniciada a execução de consulta em + + + Started executing query "{0}" + Começou a executar consulta "{0}" + + + Line {0} + Linha {0} + + + Canceling the query failed: {0} + O cancelamento da consulta falhou: {0} + + + Update cell failed: + Falha na célula de atualização: + + + + + + + Execution failed due to an unexpected error: {0} {1} + A execução falhou devido a um erro inesperado: {0} {1} + + + Total execution time: {0} + Tempo total de execução: {0} + + + Started executing query at Line {0} + Execução da consulta iniciada na linha {0} + + + Started executing batch {0} + Execução do lote {0} iniciada + + + Batch execution time: {0} + Tempo de execução em lote: {0} + + + Copy failed with error {0} + Falha na cópia com o erro {0} + + + + + + + Failed to save results. + Falha ao salvar os resultados. + + + Choose Results File + Escolher o Arquivo de Resultados + + + CSV (Comma delimited) + CSV (separado por vírgula) + + + JSON + JSON + + + Excel Workbook + Pasta de Trabalho do Excel + + + XML + XML + + + Plain Text + Texto Sem Formatação + + + Saving file... + Salvando arquivo... + + + Successfully saved results to {0} + Os resultados foram salvos com êxito em {0} + + + Open file + Abrir arquivo + + + + + + + From + De + + + To + Para + + + Create new firewall rule + Criar regra de firewall + + + OK + OK + + + Cancel + Cancelar + + + Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. + Seu endereço IP de cliente não tem acesso ao servidor. Entre com uma conta Azure e crie uma regra de firewall para permitir o acesso. + + + Learn more about firewall settings + Saiba mais sobre as configurações do firewall + + + Firewall rule + Regra de firewall + + + Add my client IP + Adicionar o meu IP de cliente + + + Add my subnet IP range + Adicionar meu intervalo de IP de sub-rede + + + + + + + Error adding account + Erro ao adicionar a conta + + + Firewall rule error + Erro de regra de firewall + + + + + + + Backup file path + Caminho do arquivo de backup + + + Target database + Banco de dados de destino + + + Restore + Restaurar + + + Restore database + Restaurar banco de dados + + + Database + Banco de dados + + + Backup file + Arquivo de backup + + + Restore database + Restaurar banco de dados + + + Cancel + Cancelar + + + Script + Script + + + Source + Fonte + + + Restore from + Restaurar de + + + Backup file path is required. + O caminho do arquivo de backup é obrigatório. + + + Please enter one or more file paths separated by commas + Insira um ou mais caminhos de arquivo separados por vírgulas + + + Database + Banco de dados + + + Destination + Destino + + + Restore to + Restaurar para + + + Restore plan + Restaurar plano + + + Backup sets to restore + Conjuntos de backup para restaurar + + + Restore database files as + Restaurar arquivos de banco de dados como + + + Restore database file details + Restaurar os detalhes do arquivo de banco de dados + + + Logical file Name + Nome do Arquivo lógico + + + File type + Tipo de arquivo + + + Original File Name + Nome do Arquivo Original + + + Restore as + Restaurar como + + + Restore options + Opções de restauração + + + Tail-Log backup + Backup da parte final do log + + + Server connections + Conexões de servidor + + + General + Geral + + + Files + Arquivos + + + Options + Opções + + + + + + + Backup Files + Arquivos de Backup + + + All Files + Todos os Arquivos + + + + + + + Server Groups + Grupos de Servidores + + + OK + OK + + + Cancel + Cancelar + + + Server group name + Nome do grupo de servidores + + + Group name is required. + O nome do grupo é obrigatório. + + + Group description + Descrição do grupo + + + Group color + Cor do grupo + + + + + + + Add server group + Adicionar grupo de servidores + + + Edit server group + Editar grupo de servidores + + + + + + + 1 or more tasks are in progress. Are you sure you want to quit? + 1 ou mais tarefas estão em andamento. Tem certeza de que deseja sair? + + + Yes + Sim + + + No + Não + + + + + + + Get Started + Introdução + + + Show Getting Started + Mostrar Introdução + + + Getting &&Started + && denotes a mnemonic + I&&ntrodução diff --git a/resources/xlf/ru/admin-tool-ext-win.ru.xlf b/resources/xlf/ru/admin-tool-ext-win.ru.xlf index 575b3b5bda..9d63d99d31 100644 --- a/resources/xlf/ru/admin-tool-ext-win.ru.xlf +++ b/resources/xlf/ru/admin-tool-ext-win.ru.xlf @@ -20,7 +20,7 @@ - + No ConnectionContext provided for handleLaunchSsmsMinPropertiesDialogCommand diff --git a/resources/xlf/ru/agent.ru.xlf b/resources/xlf/ru/agent.ru.xlf index d662955068..82ec8ec887 100644 --- a/resources/xlf/ru/agent.ru.xlf +++ b/resources/xlf/ru/agent.ru.xlf @@ -1,230 +1,18 @@  - + - - New Schedule - Создание расписания - - + OK ОК - + Cancel Отмена - - Schedule Name - Имя расписания - - - Schedules - Расписания - - - - - Create Proxy - Создание прокси-сервера - - - Edit Proxy - Изменить прокси-сервер - - - General - Общее - - - Proxy name - Имя прокси-сервера - - - Credential name - Имя учетных данных - - - Description - Описание - - - Subsystem - Подсистема - - - Operating system (CmdExec) - Операционная система (CmdExec) - - - Replication Snapshot - Репликация: моментальный снимок - - - Replication Transaction-Log Reader - Репликация: средство чтения журнала транзакций - - - Replication Distributor - Репликация: распространитель - - - Replication Merge - Репликация: слияние - - - Replication Queue Reader - Репликация: средство просмотра очередей - - - SQL Server Analysis Services Query - Запрос служб SQL Server Analysis Services - - - SQL Server Analysis Services Command - Команда служб SQL Server Analysis Services - - - SQL Server Integration Services Package - Пакет служб SQL Server Integration Services - - - PowerShell - PowerShell - - - Active to the following subsytems - Активно в следующих подсистемах - - - - - - - Job Schedules - Расписания заданий - - - OK - ОК - - - Cancel - Отмена - - - Available Schedules: - Доступные расписания: - - - Name - Имя - - - ID - Идентификатор - - - Description - Описание - - - - - - - Create Operator - Оператор создания - - - Edit Operator - Оператор редактирования - - - General - Общее - - - Notifications - Уведомления - - - Name - Имя - - - Enabled - Включено - - - E-mail Name - Имя для адреса электронной почты - - - Pager E-mail Name - Имя для адреса электронной почты пейджера - - - Monday - понедельник - - - Tuesday - вторник - - - Wednesday - среда - - - Thursday - четверг - - - Friday - пятница - - - Saturday - суббота - - - Sunday - воскресенье - - - Workday begin - Начало рабочего дня - - - Workday end - Конец рабочего дня - - - Pager on duty schedule - Расписание работы для пейджера - - - Alert list - Список предупреждений - - - Alert name - Имя предупреждения - - - E-mail - Электронная почта - - - Pager - Пейджер - - - - + Locate Database Files - @@ -416,159 +204,39 @@ - + - - General - Общее + + Job Schedules + Расписания заданий - - Steps - Шаги + + OK + ОК - - Schedules - Расписания + + Cancel + Отмена - - Alerts - Предупреждения + + Available Schedules: + Доступные расписания: - - Notifications - Уведомления - - - The name of the job cannot be blank. - Имя задания не может быть пустым. - - + Name Имя - - Owner - Владелец + + ID + Идентификатор - - Category - Категория - - + Description Описание - - Enabled - Включено - - - Job step list - Список шагов задания - - - Step - Шаг - - - Type - Тип - - - On Success - При успешном завершении - - - On Failure - При сбое - - - New Step - Новый шаг - - - Edit Step - Изменить шаг - - - Delete Step - Удалить шаг - - - Move Step Up - Перейти на шаг выше - - - Move Step Down - Перейти на шаг вниз - - - Start step - Запустить шаг - - - Actions to perform when the job completes - Действия для выполнения после завершения задачи - - - Email - Адрес электронной почты - - - Page - Страница - - - Write to the Windows Application event log - Запись в журнал событий приложений Windows - - - Automatically delete job - Автоматически удалить задание - - - Schedules list - Список расписаний - - - Pick Schedule - Выбор расписания - - - Schedule Name - Имя расписания - - - Alerts list - Список предупреждений - - - New Alert - Новое предупреждение - - - Alert Name - Имя предупреждения - - - Enabled - Включено - - - Type - Тип - - - New Job - Новое задание - - - Edit Job - Изменение задания - - + Create Alert @@ -778,10 +446,6 @@ Additional notification message to send Дополнительное уведомление для отправки - - Delay between responses - Задержка между ответами - Delay Minutes Задержка в минутах @@ -792,51 +456,251 @@ - + - - OK - ОК + + Create Operator + Оператор создания - - Cancel - Отмена + + Edit Operator + Оператор редактирования + + + General + Общее + + + Notifications + Уведомления + + + Name + Имя + + + Enabled + Включено + + + E-mail Name + Имя для адреса электронной почты + + + Pager E-mail Name + Имя для адреса электронной почты пейджера + + + Monday + понедельник + + + Tuesday + вторник + + + Wednesday + среда + + + Thursday + четверг + + + Friday + пятница + + + Saturday + суббота + + + Sunday + воскресенье + + + Workday begin + Начало рабочего дня + + + Workday end + Конец рабочего дня + + + Pager on duty schedule + Расписание работы для пейджера + + + Alert list + Список предупреждений + + + Alert name + Имя предупреждения + + + E-mail + Электронная почта + + + Pager + Пейджер - + - - Proxy update failed '{0}' - Не удалось обновить прокси-сервер "{0}" + + General + Общее - - Proxy '{0}' updated successfully - Прокси-сервер "{0}" обновлен + + Steps + Шаги - - Proxy '{0}' created successfully - Прокси-сервер "{0}" создан + + Schedules + Расписания + + + Alerts + Предупреждения + + + Notifications + Уведомления + + + The name of the job cannot be blank. + Имя задания не может быть пустым. + + + Name + Имя + + + Owner + Владелец + + + Category + Категория + + + Description + Описание + + + Enabled + Включено + + + Job step list + Список шагов задания + + + Step + Шаг + + + Type + Тип + + + On Success + При успешном завершении + + + On Failure + При сбое + + + New Step + Новый шаг + + + Edit Step + Изменить шаг + + + Delete Step + Удалить шаг + + + Move Step Up + Перейти на шаг выше + + + Move Step Down + Перейти на шаг вниз + + + Start step + Запустить шаг + + + Actions to perform when the job completes + Действия для выполнения после завершения задачи + + + Email + Адрес электронной почты + + + Page + Страница + + + Write to the Windows Application event log + Запись в журнал событий приложений Windows + + + Automatically delete job + Автоматически удалить задание + + + Schedules list + Список расписаний + + + Pick Schedule + Выбор расписания + + + Remove Schedule + Удалить расписание + + + Alerts list + Список предупреждений + + + New Alert + Новое предупреждение + + + Alert Name + Имя предупреждения + + + Enabled + Включено + + + Type + Тип + + + New Job + Новое задание + + + Edit Job + Изменение задания - - - - Step update failed '{0}' - Не удалось обновить шаг "{0}" - - - Job name must be provided - Необходимо указать имя задания - - - Step name must be provided - Необходимо указать имя шага - - - - + When the job completes @@ -872,7 +736,55 @@ - + + + + Step update failed '{0}' + Не удалось обновить шаг "{0}" + + + Job name must be provided + Необходимо указать имя задания + + + Step name must be provided + Необходимо указать имя шага + + + + + + + This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! + Эта функция находится в разработке. Попробуйте последние сборки для участников программы предварительной оценки, если хотите оценить самые свежие изменения! + + + Template updated successfully + Шаблон успешно обновлен + + + Template update failure + Сбой обновления шаблона + + + The notebook must be saved before being scheduled. Please save and then retry scheduling again. + Перед тем, как начать планировать, записную книжку необходимо сохранить. Сохраните и повторите попытку планирования снова. + + + Add new connection + Добавить подключение + + + Select a connection + Выберите подключение + + + Please select a valid connection + Выберите допустимое подключение. + + + + Alert update failed '{0}' @@ -892,11 +804,223 @@ - + - - This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! - Эта функция находится в разработке. Попробуйте последние сборки для участников программы предварительной оценки, если хотите оценить самые свежие изменения! + + Create Proxy + Создание прокси-сервера + + + Edit Proxy + Изменить прокси-сервер + + + General + Общее + + + Proxy name + Имя прокси-сервера + + + Credential name + Имя учетных данных + + + Description + Описание + + + Subsystem + Подсистема + + + Operating system (CmdExec) + Операционная система (CmdExec) + + + Replication Snapshot + Репликация: моментальный снимок + + + Replication Transaction-Log Reader + Репликация: средство чтения журнала транзакций + + + Replication Distributor + Репликация: распространитель + + + Replication Merge + Репликация: слияние + + + Replication Queue Reader + Репликация: средство просмотра очередей + + + SQL Server Analysis Services Query + Запрос служб SQL Server Analysis Services + + + SQL Server Analysis Services Command + Команда служб SQL Server Analysis Services + + + SQL Server Integration Services Package + Пакет служб SQL Server Integration Services + + + PowerShell + PowerShell + + + + + + + Proxy update failed '{0}' + Не удалось обновить прокси-сервер "{0}" + + + Proxy '{0}' updated successfully + Прокси-сервер "{0}" обновлен + + + Proxy '{0}' created successfully + Прокси-сервер "{0}" создан + + + + + + + New Notebook Job + Новое задание записной книжки + + + Edit Notebook Job + Изменить задание записной книжки + + + General + Общее + + + Notebook Details + Сведения о записной книжке + + + Notebook Path + Путь к записной книжке + + + Storage Database + База данных хранилища + + + Execution Database + База данных выполнения + + + Select Database + Выберите базу данных + + + Job Details + Сведения о задании + + + Name + Имя + + + Owner + Владелец + + + Schedules list + Список расписаний + + + Pick Schedule + Выбор расписания + + + Remove Schedule + Удалить расписание + + + Description + Описание + + + Select a notebook to schedule from PC + Выберите записную книжку для планирования с компьютера + + + Select a database to store all notebook job metadata and results + Выберите базу данных для хранения всех метаданных и результатов задания записной книжки + + + Select a database against which notebook queries will run + Выберите базу данных, в которой будут выполняться запросы записных книжек + + + + + + + When the notebook completes + При заполнении записной книжки + + + When the notebook fails + Когда возникает сбой записной книжки + + + When the notebook succeeds + Когда успешно выполняется операция записной книжки + + + Notebook name must be provided + Записные книжки должны быть предоставлены + + + Template path must be provided + Необходимо указать путь к шаблону + + + Invalid notebook path + Недопустимый путь к записной книжке + + + Select storage database + Выберите базу данных хранения + + + Select execution database + Выберите базу данных исполнения + + + Job with similar name already exists + Работа с похожим названием уже существует + + + Notebook update failed '{0}' + Не удалось обновить записную книжку "{0}" + + + Notebook creation failed '{0}' + Не удалось создать записную книжку "{0}" + + + Notebook '{0}' updated successfully + Записная книжка «{0}» успешно обновлена + + + Notebook '{0}' created successfully + Записная книжка "{0}" успешно создана diff --git a/resources/xlf/ru/azurecore.ru.xlf b/resources/xlf/ru/azurecore.ru.xlf index aca849b987..4c0c35ec31 100644 --- a/resources/xlf/ru/azurecore.ru.xlf +++ b/resources/xlf/ru/azurecore.ru.xlf @@ -126,6 +126,10 @@ Error fetching resource groups for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} Ошибка при получении групп ресурсов для учетной записи {0} ({1}) в подписке {2} ({3}) и клиенте {4}: {5} + + Error fetching locations for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} + Ошибка при получении местоположений для учетной записи {0} ({1}) в подписке {2} ({3}) и клиенте {4}: {5} + Invalid query Недопустимый запрос @@ -379,8 +383,8 @@ SQL Server — Azure Arc - Azure Arc enabled PostgreSQL Hyperscale - Гипермасштабирование для PostgreSQL с поддержкой Azure Arc + Azure Arc-enabled PostgreSQL Hyperscale + Гипермасштабирование для PostgreSQL с поддержкой Azure Arc Unable to open link, missing required values @@ -411,7 +415,7 @@ Неизвестная ошибка при проверке подлинности Azure - Specifed tenant with ID '{0}' not found. + Specified tenant with ID '{0}' not found. Указанный клиент с идентификатором "{0}" не найден. @@ -419,7 +423,7 @@ Произошла ошибка при проверке подлинности, или ваши токены были удалены из системы. Попробуйте добавить учетную запись в Azure Data Studio еще раз. - Token retrival failed with an error. Open developer tools to view the error + Token retrieval failed with an error. Open developer tools to view the error Не удалось получить токен из-за ошибки. Откройте Инструменты разработчика, чтобы просмотреть ошибку @@ -513,6 +517,14 @@ Failed to get credential for account {0}. Please go to the accounts dialog and refresh the account. Не удалось получить учетные данные для учетной записи {0}. Перейдите в диалоговое окно учетных записей и обновите учетную запись. + + Requests from this account have been throttled. To retry, please select a smaller number of subscriptions. + Запросы от этой учетной записи были ограничены. Чтобы повторить попытку, выберите меньшее количество подписок. + + + An error occured while loading Azure resources: {0} + При загрузке ресурсов Azure произошла ошибка: {0} + @@ -703,6 +715,14 @@ + + + + Azure Monitor Workspace + Azure Monitor Workspace + + + diff --git a/resources/xlf/ru/big-data-cluster.ru.xlf b/resources/xlf/ru/big-data-cluster.ru.xlf index e5f8e5342f..eb6f394064 100644 --- a/resources/xlf/ru/big-data-cluster.ru.xlf +++ b/resources/xlf/ru/big-data-cluster.ru.xlf @@ -60,6 +60,126 @@ Ignore SSL verification errors against SQL Server Big Data Cluster endpoints such as HDFS, Spark, and Controller if true Если этот параметр имеет значение TRUE, игнорировать ошибки проверки SSL в отношении конечных точек кластера больших данных SQL Server, таких как HDFS, Spark и Controller + + SQL Server Big Data Cluster + Кластер больших данных SQL Server + + + SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes + Кластер больших данных SQL Server позволяет развертывать масштабируемые кластеры контейнеров SQL Server, Spark и HDFS, работающие на базе Kubernetes + + + Version + Версия + + + SQL Server 2019 + SQL Server 2019 + + + Deployment target + Целевой объект развертывания + + + New Azure Kubernetes Service Cluster + Новый кластер Службы Azure Kubernetes + + + Existing Azure Kubernetes Service Cluster + Существующий кластер Службы Azure Kubernetes + + + Existing Kubernetes Cluster (kubeadm) + Существующий кластер Kubernetes (kubeadm) + + + Existing Azure Red Hat OpenShift cluster + Существующий кластер Azure Red Hat OpenShift + + + Existing OpenShift cluster + Существующий кластер OpenShift + + + SQL Server Big Data Cluster settings + Параметры кластера больших данных SQL Server + + + Cluster name + Имя кластера + + + Controller username + Имя пользователя контроллера + + + Password + Пароль + + + Confirm password + Подтверждение пароля + + + Azure settings + Параметры Azure + + + Subscription id + Идентификатор подписки + + + Use my default Azure subscription + Использовать мою подписку Azure по умолчанию + + + Resource group name + Имя группы ресурсов + + + Region + Регион + + + AKS cluster name + Имя кластера AKS + + + VM size + Размер виртуальной машины + + + VM count + Число виртуальных машин + + + Storage class name + Имя класса хранения + + + Capacity for data (GB) + Емкость данных (ГБ) + + + Capacity for logs (GB) + Емкость для журналов (ГБ) + + + I accept {0}, {1} and {2}. + Я принимаю {0}, {1} и {2}. + + + Microsoft Privacy Statement + Заявление о конфиденциальности корпорации Майкрософт + + + azdata License Terms + Условия лицензии azdata + + + SQL Server License Terms + Условия лицензии SQL Server + diff --git a/resources/xlf/ru/cms.ru.xlf b/resources/xlf/ru/cms.ru.xlf index f081aed98f..01d0fb7a40 100644 --- a/resources/xlf/ru/cms.ru.xlf +++ b/resources/xlf/ru/cms.ru.xlf @@ -424,15 +424,7 @@ - - - - Loading ... - Идет загрузка… - - - - + No resources found @@ -440,7 +432,7 @@ - + Add Central Management Server... @@ -448,15 +440,27 @@ - + + + + Unexpected error occurred while loading saved servers {0} + При загрузке сохраненных серверов произошла непредвиденная ошибка {0} + + + Loading ... + Идет загрузка… + + + + Central Management Server Group already has a Registered Server with the name {0} Группа центральных серверов управления уже содержит зарегистрированный сервер с именем {0} - Azure SQL Database Servers cannot be used as Central Management Servers - Серверы базы данных SQL Azure не могут использоваться в качестве Центральных серверов управления. + Azure SQL Servers cannot be used as Central Management Servers + Серверы SQL Azure не могут использоваться в качестве Центральных серверов управления. Are you sure you want to delete @@ -500,7 +504,7 @@ - + You cannot add a shared registered server with the same name as the Configuration Server diff --git a/resources/xlf/ru/dacpac.ru.xlf b/resources/xlf/ru/dacpac.ru.xlf index 70c7a70a35..dd5d0312a4 100644 --- a/resources/xlf/ru/dacpac.ru.xlf +++ b/resources/xlf/ru/dacpac.ru.xlf @@ -1,16 +1,84 @@  - + + + Dacpac + Dacpac + + + Full path to folder where .DACPAC and .BACPAC files are saved by default + Полный путь к папке, в которой по умолчанию сохраняются файлы DACPAC и BACPAC + + + + + + + Target Server + Целевой сервер + + + Source Server + Исходный сервер + + + Source Database + База данных — источник + + + Target Database + Целевая база данных + + + File Location + Расположение файла + + + Select file + Выберите файл + + + Summary of settings + Итоговые настройки + + + Version + Версия + + + Setting + Параметр + + + Value + Значение + + + Database Name + Имя базы данных + + + Open + Открыть + + + Upgrade Existing Database + Обновление существующей базы данных + + + New Database + Новая база данных + {0} of the deploy actions listed may result in data loss. Please ensure you have a backup or snapshot available in the event of an issue with the deployment. {0} из указанных действий развертывания может привести к потере данных. Убедитесь в наличии резервной копии или моментального снимка на случай проблем с развертыванием. - + Proceed despite possible data loss Продолжать, несмотря на возможную потерю данных - + No data loss will occur from the listed deploy actions. Указанные действия развертывания не приведут к потере данных. @@ -54,19 +122,11 @@ Save Сохранить - - File Location - Расположение файла - - + Version (use x.x.x.x where x is a number) Версия (используйте формат x.x.x.x, где x — это число) - - Open - Открыть - - + Deploy a data-tier application .dacpac file to an instance of SQL Server [Deploy Dacpac] Развертывание файла DACPAC приложения уровня данных в экземпляре SQL Server [Развертывание DACPAC] @@ -82,49 +142,9 @@ Export the schema and data from a database to the logical .bacpac file format [Export Bacpac] Экспорт схемы и данных из базы данных в логический формат файла BACPAC [Экспорт BACPAC] - - Database Name - Имя базы данных - - - Upgrade Existing Database - Обновление существующей базы данных - - - New Database - Новая база данных - - - Target Database - Целевая база данных - - - Target Server - Целевой сервер - - - Source Server - Исходный сервер - - - Source Database - База данных — источник - - - Version - Версия - - - Setting - Параметр - - - Value - Значение - - - default - по умолчанию + + Data-tier Application Wizard + Мастер приложений уровня данных Select an Operation @@ -174,18 +194,66 @@ Generate Script Создать сценарий + + You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. + Вы можете просмотреть состояние создания сценариев в представлении задач после закрытия мастера. После завершения созданный сценарий откроется. + + + default + по умолчанию + + + Deploy plan operations + Операции плана развертывания + + + A database with the same name already exists on the instance of SQL Server + В этом экземпляре SQL Server уже существует база данных с таким именем. + + + Undefined name + Не определено имя + + + File name cannot end with a period + Имя не может заканчиваться точкой + + + File name cannot be whitespace + Имя файла не может быть пробелом + + + Invalid file characters + Недопустимые символы файла + + + This file name is reserved for use by Windows. Choose another name and try again + Это имя файла зарезервировано для использования операционной системой. Выберите другое имя и повторите попытку + + + Reserved file name. Choose another name and try again + Имя файла уже используется. Выберите другое имя и повторите попытку + + + File name cannot end with a whitespace + Имя не может заканчиваться пробелом + + + File name is over 255 characters + Длина имени файла превышает 255 символов + Generating deploy plan failed '{0}' Сбой при создании плана развертывания "{0}" + + Generating deploy script failed '{0}' + Сбой при создании сценария развертывания "{0}" + {0} operation failed '{1}' Сбой операции {0} "{1}" - - You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. - Вы можете просмотреть состояние создания сценариев в представлении задач после закрытия мастера. После завершения созданный сценарий откроется. - \ No newline at end of file diff --git a/resources/xlf/ru/import.ru.xlf b/resources/xlf/ru/import.ru.xlf index 512122d445..233b8c38e6 100644 --- a/resources/xlf/ru/import.ru.xlf +++ b/resources/xlf/ru/import.ru.xlf @@ -1,7 +1,143 @@  - + + + Flat File Import configuration + Конфигурация импорта неструктурированных файлов + + + [Optional] Log debug output to the console (View -> Output) and then select appropriate output channel from the dropdown + [Необязательно] Выведите выходные данные отладки в консоль (Вид -> Вывод), а затем выберите подходящий выходной канал в раскрывающемся списке + + + + + + + {0} Started + Запущено: {0} + + + Starting {0} + Запуск {0} + + + Failed to start {0}: {1} + Не удалось запустить {0}: {1} + + + Installing {0} to {1} + Установка {0} в {1} + + + Installing {0} Service + Установка службы {0} + + + Installed {0} + Установлено: {0} + + + Downloading {0} + Идет загрузка {0} + + + ({0} KB) + ({0} КБ) + + + Downloading {0} + Скачивание {0} + + + Done downloading {0} + Скачивание {0} завершено + + + Extracted {0} ({1}/{2}) + Извлечено {0} ({1}/{2}) + + + + + + + Give Feedback + Оставить отзыв + + + service component could not start + Не удалось запустить компонент службы + + + Server the database is in + База данных сервера в + + + Database the table is created in + База данных, в которой будет создана таблица + + + Invalid file location. Please try a different input file + Недопустимое расположение файла. Попробуйте другой входной файл. + + + Browse + Обзор + + + Open + Открыть + + + Location of the file to be imported + Расположение файла для импорта + + + New table name + Имя новой таблицы + + + Table schema + Схема таблицы + + + Import Data + Импорт данных + + + Next + Далее + + + Column Name + Имя столбца + + + Data Type + Тип данных + + + Primary Key + Первичный ключ + + + Allow Nulls + Разрешить значения NULL + + + This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. + Эта операция проанализировала структуру первых 50 строк входного файла для отображения предварительного просмотра ниже. + + + This operation was unsuccessful. Please try a different input file. + Эта операция не была выполнена. Попробуйте использовать другой входной файл. + + + Refresh + Обновить + Import information Сведения об импорте @@ -34,90 +170,14 @@ ✔ You have successfully inserted the data into a table. ✔ Вы успешно вставили данные в таблицу. - - - - - - This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. - Эта операция проанализировала структуру первых 50 строк входного файла для отображения предварительного просмотра ниже. - - - This operation was unsuccessful. Please try a different input file. - Эта операция не была выполнена. Попробуйте использовать другой входной файл. - - - Refresh - Обновить - - - - - - - Import Data - Импорт данных - - - Next - Далее - - - Column Name - Имя столбца - - - Data Type - Тип данных - - - Primary Key - Первичный ключ - - - Allow Nulls - Разрешить значения NULL - - - - - - - Server the database is in - База данных сервера в - - - Database the table is created in - База данных, в которой будет создана таблица - - - Browse - Обзор - - - Open - Открыть - - - Location of the file to be imported - Расположение файла для импорта - - - New table name - Имя новой таблицы - - - Table schema - Схема таблицы - - - - - Please connect to a server before using this wizard. Подключитесь к серверу перед использованием этого мастера. + + SQL Server Import extension does not support this type of connection + Расширение импорта SQL Server не поддерживает этот тип подключения + Import flat file wizard Мастер импорта неструктурированных файлов @@ -144,60 +204,4 @@ - - - - Give Feedback - Оставить отзыв - - - service component could not start - Не удалось запустить компонент службы - - - - - - - Service Started - Служба запущена - - - Starting service - Запуск службы - - - Failed to start Import service{0} - Не удалось запустить службу импорта {0} - - - Installing {0} service to {1} - Установка службы {0} в {1} - - - Installing Service - Установка службы - - - Installed - Установлен - - - Downloading {0} - Идет загрузка {0} - - - ({0} KB) - ({0} КБ) - - - Downloading Service - Скачивание службы - - - Done! - Готово! - - - \ No newline at end of file diff --git a/resources/xlf/ru/notebook.ru.xlf b/resources/xlf/ru/notebook.ru.xlf index 2026a28617..4deea2953e 100644 --- a/resources/xlf/ru/notebook.ru.xlf +++ b/resources/xlf/ru/notebook.ru.xlf @@ -22,6 +22,14 @@ Local path to a preexisting python installation used by Notebooks. Локальный путь к существующей установке Python, используемой Записными книжками. + + Do not show prompt to update Python. + Не показывать предложение обновить Python. + + + The amount of time (in minutes) to wait before shutting down a server after all notebooks are closed. (Enter 0 to not shutdown) + Интервал времени (в минутах), по истечении которого производится завершение работы сервера после закрытия всех записных книжек. (Введите 0, чтобы не завершать работу) + Override editor default settings in the Notebook editor. Settings include background color, current line color and border Переопределите параметры редактора по умолчанию в редакторе Notebook. Параметры включают в себя цвет фона, цвет текущей строки и границу @@ -50,6 +58,10 @@ Notebooks that are pinned by the user for the current workspace Записные книжки, закрепленные пользователем для текущей рабочей области + + Allow Jupyter server to run as root user + Allow Jupyter server to run as root user + New Notebook Создать записную книжку @@ -139,24 +151,24 @@ Книги Jupyter - Save Book - Сохранить книгу + Save Jupyter Book + Сохранить книгу Jupyter - Trust Book - Сделать книгу доверенной + Trust Jupyter Book + Доверенные книги Jupyter - Search Book - Поиск книги + Search Jupyter Book + Искать книгу Jupyter Notebooks Записные книжки - Provided Books - Предоставленные книги + Provided Jupyter Books + Указанные книги Jupyter Pinned notebooks @@ -174,17 +186,29 @@ Close Jupyter Book Закрыть книгу Jupyter - - Close Jupyter Notebook - Закрыть записную книжку Jupyter + + Close Notebook + Закрыть записную книжку + + + Remove Notebook + Удалить записную книжку + + + Add Notebook + Добавить записную книжку + + + Add Markdown File + Добавить файл Markdown Reveal in Books Показать в книгах - Create Book (Preview) - Создание книги (предварительная версия) + Create Jupyter Book + Создать книгу Jupyter Open Notebooks in Folder @@ -263,8 +287,8 @@ Выбрать папку - Select Book - Выбрать книгу + Select Jupyter Book + Выберите книгу Jupyter Folder already exists. Are you sure you want to delete and replace this folder? @@ -283,40 +307,40 @@ Открыть внешнюю ссылку - Book is now trusted in the workspace. - Книга сейчас является доверенной в рабочей области. + Jupyter Book is now trusted in the workspace. + Книга Jupyter сейчас является доверенной в рабочей области. - Book is already trusted in this workspace. - Книга уже является доверенной в этой рабочей области. + Jupyter Book is already trusted in this workspace. + Книга Jupyter уже является доверенной в этой рабочей области. - Book is no longer trusted in this workspace - Книга больше не является доверенной в этой рабочей области. + Jupyter Book is no longer trusted in this workspace + Книга Jupyter больше не является доверенной в этой рабочей области. - Book is already untrusted in this workspace. - Книга уже является недоверенной в этой рабочей области. + Jupyter Book is already untrusted in this workspace. + Книга Jupyter уже является недоверенной в этой рабочей области. - Book {0} is now pinned in the workspace. - Книга {0} сейчас закреплена в рабочей области. + Jupyter Book {0} is now pinned in the workspace. + Книга Jupyter {0} сейчас закреплена в рабочей области. - Book {0} is no longer pinned in this workspace - Книга {0} больше не закреплена в этой рабочей области. + Jupyter Book {0} is no longer pinned in this workspace + Книга Jupyter {0} больше не закреплена в этой рабочей области - Failed to find a Table of Contents file in the specified book. - Не удалось найти файл содержания в указанной книге. + Failed to find a Table of Contents file in the specified Jupyter Book. + Не удалось найти файл содержания в указанной книге Jupyter. - No books are currently selected in the viewlet. - Книги во вьюлете сейчас не выбраны. + No Jupyter Books are currently selected in the viewlet. + В данный момент во viewlet не выбраны книги Jupyter. - Select Book Section - Выбрать раздел книги + Select Jupyter Book Section + Выберите раздел книги Jupyter Add to this level @@ -339,12 +363,12 @@ Отсутствует файл конфигурации - Open book {0} failed: {1} - Не удалось открыть книгу {0}: {1} + Open Jupyter Book {0} failed: {1} + Не удалось открыть книгу Jupyter {0}: {1} - Failed to read book {0}: {1} - Не удалось прочитать книгу {0}: {1} + Failed to read Jupyter Book {0}: {1} + Не удалось прочитать книгу Jupyter {0}: {1} Open notebook {0} failed: {1} @@ -363,8 +387,8 @@ Не удалось открыть ссылку {0}: {1} - Close book {0} failed: {1} - Не удалось закрыть книгу {0}: {1} + Close Jupyter Book {0} failed: {1} + Не удалось закрыть книгу Jupyter {0}: {1} File {0} already exists in the destination folder {1} @@ -373,12 +397,16 @@ Имя файла было изменено на {2} для предотвращения потери данных. - Error while editing book {0}: {1} - Ошибка при редактировании книги {0}: {1} + Error while editing Jupyter Book {0}: {1} + Ошибка при редактировании книги Jupyter {0}: {1} - Error while selecting a book or a section to edit: {0} - Ошибка при выборе книги или раздела для изменения: {0} + Error while selecting a Jupyter Book or a section to edit: {0} + Ошибка при выборе книги Jupyter или раздела для изменения: {0} + + + Failed to find section {0} in {1}. + Не найден раздел {0} в {1}. URL @@ -393,8 +421,8 @@ Расположение - Add Remote Book - Добавить удаленную книгу + Add Remote Jupyter Book + Добавить удаленную книгу Jupyter GitHub @@ -409,8 +437,8 @@ Выпуски - Book - Книга + Jupyter Book + Книга Jupyter Version @@ -421,8 +449,8 @@ Язык - No books are currently available on the provided link - По указанной ссылке отсутствуют доступные книги + No Jupyter Books are currently available on the provided link + По указанной ссылке отсутствуют доступные книги Jupyter The url provided is not a Github release url @@ -445,44 +473,44 @@ - - Remote Book download is in progress - Выполняется скачивание удаленной книги + Remote Jupyter Book download is in progress + Сейчас выполняется скачивание удаленной книги Jupyter - Remote Book download is complete - Скачивание удаленной книги завершено + Remote Jupyter Book download is complete + Скачивание удаленной книги Jupyter завершено - Error while downloading remote Book - Ошибка при скачивании удаленной книги + Error while downloading remote Jupyter Book + Произошла ошибка во время скачивания удаленной книги Jupyter - Error while decompressing remote Book - Ошибка при распаковке удаленной книги + Error while decompressing remote Jupyter Book + Ошибка при распаковке удаленной книги Jupyter - Error while creating remote Book directory - Ошибка при создании каталога удаленной книги + Error while creating remote Jupyter Book directory + Ошибка при создании каталога удаленной книги Jupyter - Downloading Remote Book - Выполняется скачивание удаленной книги + Downloading Remote Jupyter Book + Выполняется скачивание удаленной книги Jupyter Resource not Found Ресурс не найден - Books not Found - Книги не найдены + Jupyter Books not Found + Книги Jupyter не найдены Releases not Found Выпуски не найдены - The selected book is not valid - Выбранная книга является недопустимой + The selected Jupyter Book is not valid + Выбранная книга Jupyter является недопустимой Http Request failed with error: {0} {1} @@ -492,21 +520,21 @@ Downloading to {0} Выполняется скачивание в {0} - - New Group - Новая группа + + New Jupyter Book (Preview) + Новая книга Jupyter (предварительный просмотр) - - Groups are used to organize Notebooks. - Группы используются для организации записных книжек. + + Jupyter Books are used to organize Notebooks. + Для упорядочения записных книжек используется Jupyter Books. - - Browse locations... - Обзор расположений… + + Learn more. + Подробнее. - - Select content folder - Выбрать папку содержимого + + Content folder + Папка содержимого Browse @@ -524,7 +552,7 @@ Save location Расположение сохранения - + Content folder (Optional) Папка содержимого (необязательно) @@ -533,8 +561,44 @@ Путь к папке содержимого не существует - Save location path does not exist - Путь к расположению сохранения не существует + Save location path does not exist. + Путь к расположению сохранения не существует. + + + Error while trying to access: {0} + Ошибка при попытке доступа: {0} + + + New Notebook (Preview) + Новая записная книжка (предварительный просмотр) + + + New Markdown (Preview) + Новый файл Markdown (предварительный просмотр) + + + File Extension + Расширение файла + + + File already exists. Are you sure you want to overwrite this file? + Файл уже существует. Перезаписать его? + + + Title + Название + + + File Name + Имя файла + + + Save location path is not valid. + Недопустимый путь к расположению сохранения. + + + File {0} already exists in the destination folder + Файл {0} уже существует в папке назначения @@ -588,6 +652,18 @@ Another Python installation is currently in progress. Waiting for it to complete. Сейчас выполняется другая установка Python. Дождитесь ее завершения. + + Active Python notebook sessions will be shutdown in order to update. Would you like to proceed now? + Сеансы активных записных книжек Python будут завершены, чтобы обновить их. Хотите продолжить? + + + Python {0} is now available in Azure Data Studio. The current Python version (3.6.6) will be out of support in December 2021. Would you like to update to Python {0} now? + {0} Python доступна в Azure Data Studio. Текущая версия Python (3.6.6) не поддерживается в декабре 2021. Вы хотите обновить {0} Python сейчас? + + + Python {0} will be installed and will replace Python 3.6.6. Some packages may no longer be compatible with the new version or may need to be reinstalled. A notebook will be created to help you reinstall all pip packages. Would you like to continue with the update now? + Будет установлен {0} Python, который заменит 3.6.6 Python. Некоторые пакеты могут быть несовместимы с новой версией или требуют переустановки. Будет создана Записная книжка, которая поможет вам переустановить все пакеты PIP. Вы хотите продолжить обновление сейчас? + Installing Notebook dependencies failed with error: {0} Установка зависимостей Notebook завершилась с ошибкой: {0} @@ -604,6 +680,18 @@ Encountered an error when getting Python user path: {0} Обнаружена ошибка при получении пути пользователя Python: {0} + + Yes + Да + + + No + Нет + + + Don't Ask Again + Больше не спрашивать + @@ -973,8 +1061,8 @@ Действие {0} не поддерживается для этого обработчика - Cannot open link {0} as only HTTP and HTTPS links are supported - Не удается открыть ссылку {0}, так как поддерживаются только ссылки HTTP и HTTPS + Cannot open link {0} as only HTTP, HTTPS, and File links are supported + Не удается открыть ссылку {0}, так как поддерживаются только ссылки HTTP, HTTPS и ссылки на файлы Download and open '{0}'? diff --git a/resources/xlf/ru/profiler.ru.xlf b/resources/xlf/ru/profiler.ru.xlf index c52fc56c82..0cff4e28ce 100644 --- a/resources/xlf/ru/profiler.ru.xlf +++ b/resources/xlf/ru/profiler.ru.xlf @@ -1,6 +1,6 @@  - + Cancel diff --git a/resources/xlf/ru/resource-deployment.ru.xlf b/resources/xlf/ru/resource-deployment.ru.xlf index 7da62368be..c7f8d4d139 100644 --- a/resources/xlf/ru/resource-deployment.ru.xlf +++ b/resources/xlf/ru/resource-deployment.ru.xlf @@ -26,14 +26,6 @@ Run SQL Server container image with docker Запустить образ контейнера SQL Server с помощью Docker - - SQL Server Big Data Cluster - Кластер больших данных SQL Server - - - SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes - Кластер больших данных SQL Server позволяет развертывать масштабируемые кластеры контейнеров SQL Server, Spark и HDFS, работающие на базе Kubernetes - Version Версия @@ -46,34 +38,6 @@ SQL Server 2019 SQL Server 2019 - - SQL Server 2019 - SQL Server 2019 - - - Deployment target - Целевой объект развертывания - - - New Azure Kubernetes Service Cluster - Новый кластер Службы Azure Kubernetes - - - Existing Azure Kubernetes Service Cluster - Существующий кластер Службы Azure Kubernetes - - - Existing Kubernetes Cluster (kubeadm) - Существующий кластер Kubernetes (kubeadm) - - - Existing Azure Red Hat OpenShift cluster - Существующий кластер Azure Red Hat OpenShift - - - Existing OpenShift cluster - Существующий кластер OpenShift - Deploy SQL Server 2017 container images Развертывание образов контейнеров SQL Server 2017 @@ -98,70 +62,6 @@ Port Порт - - SQL Server Big Data Cluster settings - Параметры кластера больших данных SQL Server - - - Cluster name - Имя кластера - - - Controller username - Имя пользователя контроллера - - - Password - Пароль - - - Confirm password - Подтверждение пароля - - - Azure settings - Параметры Azure - - - Subscription id - Идентификатор подписки - - - Use my default Azure subscription - Использовать мою подписку Azure по умолчанию - - - Resource group name - Имя группы ресурсов - - - Region - Регион - - - AKS cluster name - Имя кластера AKS - - - VM size - Размер виртуальной машины - - - VM count - Число виртуальных машин - - - Storage class name - Имя класса хранения - - - Capacity for data (GB) - Емкость данных (ГБ) - - - Capacity for logs (GB) - Емкость для журналов (ГБ) - SQL Server on Windows SQL Server в Windows @@ -170,22 +70,10 @@ Run SQL Server on Windows, select a version to get started. Запустите SQL Server в Windows, выберите версию для начала работы. - - I accept {0}, {1} and {2}. - Я принимаю {0}, {1} и {2}. - Microsoft Privacy Statement Заявление о конфиденциальности Майкрософт - - azdata License Terms - Условия лицензии azdata - - - SQL Server License Terms - Условия лицензии SQL Server - Deployment configuration Конфигурация развертывания @@ -486,6 +374,22 @@ Accept EULA & Select Принять лицензионное соглашение и выбрать + + The '{0}' extension is required to deploy this resource, do you want to install it now? + Для развертывания этого ресурса требуется расширение "{0}". Хотите ли вы установить его? + + + Install + Установить + + + Installing extension '{0}'... + Установка расширения "{0}"... + + + Unknown extension '{0}' + Неизвестное расширение "{0}" + Select the deployment options Выбор параметров развертывания @@ -1096,10 +1000,6 @@ - - Failed to load extension: {0}, Error detected in the resource type definition in package.json, check debug console for details. - Сбой при загрузке расширения: {0}, обнаружена ошибка в определении типа ресурса в package.json, дополнительные сведения см. в консоли отладки. - The resource type: {0} is not defined Тип ресурса: {0} не определен @@ -2222,14 +2122,14 @@ Select a different subscription containing at least one server Deployment pre-requisites Предварительные требования к развертыванию - - To proceed, you must accept the terms of the End User License Agreement(EULA) - Чтобы продолжить, необходимо принять условия лицензионного соглашения (EULA) - Some tools were still not discovered. Please make sure that they are installed, running and discoverable Некоторые инструменты еще не обнаружены. Убедитесь, что они установлены, запущены и могут быть обнаружены + + To proceed, you must accept the terms of the End User License Agreement(EULA) + Чтобы продолжить, необходимо принять условия лицензионного соглашения (EULA) + Loading required tools information completed Загрузка сведений о необходимых инструментах завершена @@ -2378,6 +2278,10 @@ Select a different subscription containing at least one server Azure Data CLI Azure Data CLI + + The Azure Data CLI extension must be installed to deploy this resource. Please install it through the extension gallery and try again. + Для развертывания этого ресурса необходимо установить расширение Azure Data CLI. Установите его из коллекции расширений и повторите попытку. + Error retrieving version information. See output channel '{0}' for more details Ошибка при получении сведений о версии. Дополнительные сведения см. в канале вывода "{0}" @@ -2386,46 +2290,6 @@ Select a different subscription containing at least one server Error retrieving version information.{0}Invalid output received, get version command output: '{1}' Ошибка при получении сведений о версии.{0}Получены недопустимые выходные данные, выходные данные команды get version: "{1}" - - deleting previously downloaded Azdata.msi if one exists … - удаление ранее скачанного файла Azdata.msi, если он существует… - - - downloading Azdata.msi and installing azdata-cli … - скачивание Azdata.msi и установка azdata-cli… - - - displaying the installation log … - отображение журнала установки… - - - tapping into the brew repository for azdata-cli … - получение доступа к репозиторию brew для azdata-cli… - - - updating the brew repository for azdata-cli installation … - обновление репозитория brew для установки azdata-cli… - - - installing azdata … - установка azdata… - - - updating repository information … - обновление сведений в репозитории… - - - getting packages needed for azdata installation … - получение пакетов, необходимых для установки azdata… - - - downloading and installing the signing key for azdata … - скачивание и установка ключа подписывания для azdata… - - - adding the azdata repository information … - добавление в репозиторий сведений для azdata… - diff --git a/resources/xlf/ru/schema-compare.ru.xlf b/resources/xlf/ru/schema-compare.ru.xlf index 8160f4bdc9..7bd63c4042 100644 --- a/resources/xlf/ru/schema-compare.ru.xlf +++ b/resources/xlf/ru/schema-compare.ru.xlf @@ -16,28 +16,116 @@ - + - - Ok + + OK ОК - + Cancel Отмена + + Source + Исходная база данных + + + Target + Целевой объект + + + File + Файл + + + Data-tier Application File (.dacpac) + Файл приложения уровня данных (DACPAC) + + + Database + База данных + + + Type + Тип + + + Server + Сервер + + + Database + База данных + + + Schema Compare + Сравнение схем + + + A different source schema has been selected. Compare to see the comparison? + Выбрана другая исходная схема. Выполнить сравнение для просмотра его результатов? + + + A different target schema has been selected. Compare to see the comparison? + Выбрана другая целевая схема. Выполнить сравнение для просмотра его результатов? + + + Different source and target schemas have been selected. Compare to see the comparison? + Выбраны другие исходная и целевая схемы. Выполнить сравнение для просмотра его результатов? + + + Yes + Да + + + No + Нет + + + Source file + Исходный файл + + + Target file + Целевой файл + + + Source Database + Исходная база данных + + + Target Database + Целевая база данных + + + Source Server + Исходный сервер + + + Target Server + Целевой сервер + + + default + По умолчанию + + + Open + Открыть + + + Select source file + Выберите исходный файл + + + Select target file + Выберите целевой файл + Reset Сброс - - Yes - Да - - - No - Нет - Options have changed. Recompare to see the comparison? Параметры изменились. Выполнить повторное сравнение для просмотра его результатов? @@ -54,6 +142,174 @@ Include Object Types Включить типы объектов + + Compare Details + Сравнить сведения + + + Are you sure you want to update the target? + Вы действительно хотите обновить целевой объект? + + + Press Compare to refresh the comparison. + Нажмите "Сравнить", чтобы обновить сравнение. + + + Generate script to deploy changes to target + Создать сценарий для развертывания изменений в целевом объекте + + + No changes to script + Нет изменений в сценарии + + + Apply changes to target + Применить изменения к целевому объекту + + + No changes to apply + Нет изменений для применения + + + Please note that include/exclude operations can take a moment to calculate affected dependencies + Обратите внимание, что операции включения и исключения могут занять некоторое время, чтобы вычислить затронутые зависимости + + + Delete + Удалить + + + Change + Изменить + + + Add + Добавить + + + Comparison between Source and Target + Сравнение между исходным и целевым объектами + + + Initializing Comparison. This might take a moment. + Инициализация сравнения. Это может занять некоторое время. + + + To compare two schemas, first select a source schema and target schema, then press Compare. + Чтобы сравнить две схемы, сначала выберите исходную и целевую схему, а затем нажмите кнопку "Сравнить". + + + No schema differences were found. + Различия в схемах не найдены. + + + Type + Тип + + + Source Name + Имя источника + + + Include + Включить + + + Action + Действие + + + Target Name + Имя цели + + + Generate script is enabled when the target is a database + Создание сценария включено, когда целевой объект является базой данных + + + Apply is enabled when the target is a database + Применение включено, когда целевой объект является базой данных + + + Cannot exclude {0}. Included dependents exist, such as {1} + Невозможно исключить {0}. Существуют включенные зависимости, например {1} + + + Cannot include {0}. Excluded dependents exist, such as {1} + Невозможно включить {0}. Существуют исключенные зависимости, например {1} + + + Cannot exclude {0}. Included dependents exist + Невозможно исключить {0}. Существуют включенные зависимости + + + Cannot include {0}. Excluded dependents exist + Невозможно включить {0}. Существуют исключенные зависимости + + + Compare + Сравнить + + + Stop + Остановить + + + Generate script + Создать сценарий + + + Options + Параметры + + + Apply + Применить + + + Switch direction + Сменить направление + + + Switch source and target + Поменять местами источник и назначение + + + Select Source + Выбор источника + + + Select Target + Выберите целевой объект + + + Open .scmp file + Открыть файл SCMP + + + Load source, target, and options saved in an .scmp file + Загрузить источник, целевой объект и параметры, сохраненные в файле SCMP + + + Save .scmp file + Сохранить файл SCMP + + + Save source and target, options, and excluded elements + Сохранить источник, целевой объект, параметры и исключенные элементы + + + Save + Сохранить + + + Do you want to connect to {0}? + Установить подключение к {0}? + + + Select connection + Выберите подключение + Ignore Table Options Игнорировать параметры таблицы @@ -407,8 +663,8 @@ Роли базы данных - DatabaseTriggers - DatabaseTriggers + Database Triggers + Триггеры базы данных Defaults @@ -426,6 +682,14 @@ External File Formats Форматы внешних файлов + + External Streams + Внешние потоки + + + External Streaming Jobs + Задания внешней потоковой передачи + External Tables Внешние таблицы @@ -434,6 +698,10 @@ Filegroups Файловые группы + + Files + Файлы + File Tables Таблицы файлов @@ -503,12 +771,12 @@ Подписи - StoredProcedures - StoredProcedures + Stored Procedures + Хранимые процедуры - SymmetricKeys - SymmetricKeys + Symmetric Keys + Симметричные ключи Synonyms @@ -926,286 +1194,30 @@ Specifies whether differences in table column order should be ignored or updated when you publish to a database. Указывает, следует ли игнорировать или обновлять различия в порядке столбцов таблицы при публикации в базе данных. - - - - - - Ok - ОК - - - Cancel - Отмена - - - Source - Исходная база данных - - - Target - Целевой объект - - - File - Файл - - - Data-tier Application File (.dacpac) - Файл приложения уровня данных (DACPAC) - - - Database - База данных - - - Type - Тип - - - Server - Сервер - - - Database - База данных - - - No active connections - Нет активных подключений - - - Schema Compare - Сравнение схем - - - A different source schema has been selected. Compare to see the comparison? - Выбрана другая исходная схема. Выполнить сравнение для просмотра его результатов? - - - A different target schema has been selected. Compare to see the comparison? - Выбрана другая целевая схема. Выполнить сравнение для просмотра его результатов? - - - Different source and target schemas have been selected. Compare to see the comparison? - Выбраны другие исходная и целевая схемы. Выполнить сравнение для просмотра его результатов? - - - Yes - Да - - - No - Нет - - - Open - Открыть - - - default - По умолчанию - - - - - - - Compare Details - Сравнить сведения - - - Are you sure you want to update the target? - Вы действительно хотите обновить целевой объект? - - - Press Compare to refresh the comparison. - Нажмите "Сравнить", чтобы обновить сравнение. - - - Generate script to deploy changes to target - Создать сценарий для развертывания изменений в целевом объекте - - - No changes to script - Нет изменений в сценарии - - - Apply changes to target - Применить изменения к целевому объекту - - - No changes to apply - Нет изменений для применения - - - Delete - Удалить - - - Change - Изменить - - - Add - Добавить - - - Schema Compare - Сравнение схем - - - Source - Исходная база данных - - - Target - Целевой объект - - - ➔ - - - - Initializing Comparison. This might take a moment. - Инициализация сравнения. Это может занять некоторое время. - - - To compare two schemas, first select a source schema and target schema, then press Compare. - Чтобы сравнить две схемы, сначала выберите исходную и целевую схему, а затем нажмите кнопку "Сравнить". - - - No schema differences were found. - Различия в схемах не найдены. - Schema Compare failed: {0} Сбой при сравнении схем: {0} - - Type - Тип - - - Source Name - Имя источника - - - Include - Включить - - - Action - Действие - - - Target Name - Имя цели - - - Generate script is enabled when the target is a database - Создание сценария включено, когда целевой объект является базой данных - - - Apply is enabled when the target is a database - Применение включено, когда целевой объект является базой данных - - - Compare - Сравнить - - - Compare - Сравнить - - - Stop - Остановить - - - Stop - Остановить - - - Cancel schema compare failed: '{0}' - Сбой при отмене сравнения схем: "{0}" - - - Generate script - Создать сценарий - - - Generate script failed: '{0}' - Сбой при создании сценария: "{0}" - - - Options - Параметры - - - Options - Параметры - - - Apply - Применить - - - Yes - Да - - - Schema Compare Apply failed '{0}' - Сбой при применении Сравнения схем "{0}" - - - Switch direction - Сменить направление - - - Switch source and target - Поменять местами источник и назначение - - - Select Source - Выбор источника - - - Select Target - Выберите целевой объект - - - Open .scmp file - Открыть файл SCMP - - - Load source, target, and options saved in an .scmp file - Загрузить источник, целевой объект и параметры, сохраненные в файле SCMP - - - Open - Открыть - - - Open scmp failed: '{0}' - Сбой при открытии файла SCMP: "{0}" - - - Save .scmp file - Сохранить файл SCMP - - - Save source and target, options, and excluded elements - Сохранить источник, целевой объект, параметры и исключенные элементы - - - Save - Сохранить - Save scmp failed: '{0}' Сбой при сохранении файла SCMP: "{0}" + + Cancel schema compare failed: '{0}' + Сбой при отмене сравнения схем: "{0}" + + + Generate script failed: '{0}' + Сбой при создании сценария: "{0}" + + + Schema Compare Apply failed '{0}' + Сбой при применении Сравнения схем "{0}" + + + Open scmp failed: '{0}' + Сбой при открытии файла SCMP: "{0}" + \ No newline at end of file diff --git a/resources/xlf/ru/sql.ru.xlf b/resources/xlf/ru/sql.ru.xlf index 1613e18685..d9390c3da9 100644 --- a/resources/xlf/ru/sql.ru.xlf +++ b/resources/xlf/ru/sql.ru.xlf @@ -1,2251 +1,6 @@  - - - - Copying images is not supported - Копирование изображений не поддерживается - - - - - - - Get Started - Начать работу - - - Show Getting Started - Показать раздел "Приступая к работе" - - - Getting &&Started - && denotes a mnemonic - Приступая к р&&аботе - - - - - - - QueryHistory - QueryHistory - - - Whether Query History capture is enabled. If false queries executed will not be captured. - Включено ли ведение Журнала запросов. Если этот параметр имеет значение False, выполняемые запросы не будут записываться в истории. - - - View - Вид - - - &&Query History - && denotes a mnemonic - &&Журнал запросов - - - Query History - Журнал запросов - - - - - - - Connecting: {0} - Подключение: {0} - - - Running command: {0} - Выполняемая команда: {0} - - - Opening new query: {0} - Открытие нового запроса: {0} - - - Cannot connect as no server information was provided - Не удается выполнить подключение, так как информация о сервере не указана - - - Could not open URL due to error {0} - Не удалось открыть URL-адрес из-за ошибки {0} - - - This will connect to server {0} - Будет выполнено подключение к серверу {0} - - - Are you sure you want to connect? - Вы действительно хотите выполнить подключение? - - - &&Open - &&Открыть - - - Connecting query file - Файл с запросом на подключение - - - - - - - 1 or more tasks are in progress. Are you sure you want to quit? - Выполняется одна или несколько задач. Вы действительно хотите выйти? - - - Yes - Да - - - No - Нет - - - - - - - Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? - Предварительные версии функций расширяют возможности Azure Data Studio, предоставляя полный доступ к новым функциям и улучшениям. Дополнительные сведения о предварительных версиях функций см. [здесь]({0}). Вы хотите включить предварительные версии функций? - - - Yes (recommended) - Да (рекомендуется) - - - No - Нет - - - No, don't show again - Больше не показывать - - - - - - - Toggle Query History - Включить или отключить журнал запросов - - - Delete - Удалить - - - Clear All History - Очистить весь журнал - - - Open Query - Открыть запрос - - - Run Query - Выполнить запрос - - - Toggle Query History capture - Включить или отключить ведение Журнала запросов - - - Pause Query History Capture - Приостановить ведение Журнала запросов - - - Start Query History Capture - Начать ведение Журнала запросов - - - - - - - No queries to display. - Нет запросов для отображения. - - - Query History - QueryHistory - Журнал запросов - - - - - - - Error - Ошибка - - - Warning - Предупреждение - - - Info - Информация - - - Ignore - Игнорировать - - - - - - - Saving results into different format disabled for this data provider. - Сохранение результатов в другом формате отключено для этого поставщика данных. - - - Cannot serialize data as no provider has been registered - Не удается сериализировать данные, так как ни один поставщик не зарегистрирован - - - Serialization failed with an unknown error - Не удалось выполнить сериализацию. Произошла неизвестная ошибка - - - - - - - Connection is required in order to interact with adminservice - Требуется подключение для взаимодействия с adminservice - - - No Handler Registered - Нет зарегистрированного обработчика - - - - - - - Select a file - Выберите файл - - - - - - - Connection is required in order to interact with Assessment Service - Требуется подключение для взаимодействия со службой оценки - - - No Handler Registered - Нет зарегистрированного обработчика - - - - - - - Results Grid and Messages - Сетка результатов и сообщения - - - Controls the font family. - Определяет семейство шрифтов. - - - Controls the font weight. - Управляет насыщенностью шрифта. - - - Controls the font size in pixels. - Определяет размер шрифта в пикселях. - - - Controls the letter spacing in pixels. - Управляет интервалом между буквами в пикселях. - - - Controls the row height in pixels - Определяет высоту строки в пикселах - - - Controls the cell padding in pixels - Определяет поле ячейки в пикселах - - - Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells - Автоматически устанавливать ширину столбцов на основе начальных результатов. При наличии большого числа столбцов или широких ячеек возможны проблемы с производительностью - - - The maximum width in pixels for auto-sized columns - Максимальная ширина в пикселях для столбцов, размер которых определяется автоматически - - - - - - - View - Вид - - - Database Connections - Подключения к базе данных - - - data source connections - Подключения к источнику данных - - - data source groups - группы источника данных - - - Startup Configuration - Конфигурация запуска - - - True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown - Задайте значение TRUE, чтобы при запуске Azure Data Studio отображалось представление "Серверы" (по умолчанию); задайте значение FALSE, чтобы при запуске Azure Data Studio отображалось последнее открытое представление - - - - - - - Disconnect - Отключить - - - Refresh - Обновить - - - - - - - Preview Features - Предварительные версии функции - - - Enable unreleased preview features - Включить невыпущенные предварительные версии функции - - - Show connect dialog on startup - Показывать диалоговое окно подключения при запуске - - - Obsolete API Notification - Уведомление об устаревших API - - - Enable/disable obsolete API usage notification - Включить/отключить уведомление об использовании устаревших API - - - - - - - Problems - Проблемы - - - - - - - {0} in progress tasks - Выполняющихся задач: {0} - - - View - Вид - - - Tasks - Задачи - - - &&Tasks - && denotes a mnemonic - &&Задачи - - - - - - - The maximum number of recently used connections to store in the connection list. - Максимальное количество недавно использованных подключений для хранения в списке подключений. - - - Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. - Ядро СУБД, используемое по умолчанию. Оно определяет поставщика языка по умолчанию в файлах .sql и используется по умолчанию при создании новых подключений. - - - Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. - Попытка проанализировать содержимое буфера обмена, когда открыто диалоговое окно подключения или выполняется вставка. - - - - - - - Server Group color palette used in the Object Explorer viewlet. - Цветовая палитра группы серверов, используемых во вьюлете обозревателя объектов. - - - Auto-expand Server Groups in the Object Explorer viewlet. - Автоматически разворачивать группы серверов во вьюлете обозревателя объектов. - - - (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. - (Предварительная версия.) Используйте новое дерево асинхронных серверов для представления серверов и диалогового окна подключения с поддержкой новых функций, таких как фильтрация динамических узлов. - - - - - - - Identifier of the account type - Идентификатор типа учетной записи - - - (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration - (Необязательно) Значок, который используется для представления учетной записи в пользовательском интерфейсе. Путь к файлу или конфигурация с возможностью применения тем - - - Icon path when a light theme is used - Путь к значку, когда используется светлая тема - - - Icon path when a dark theme is used - Путь к значку, когда используется темная тема - - - Contributes icons to account provider. - Передает значки поставщику учетной записи. - - - - - - - Show Edit Data SQL pane on startup - Отображать панель редактирования данных SQL при запуске - - - - - - - Minimum value of the y axis - Минимальное значение для оси Y - - - Maximum value of the y axis - Максимальное значение по оси Y - - - Label for the y axis - Метка для оси Y - - - Minimum value of the x axis - Минимальное значение по оси X - - - Maximum value of the x axis - Максимальное значение по оси X - - - Label for the x axis - Метка для оси X - - - - - - - Resource Viewer - Средство просмотра ресурсов - - - - - - - Indicates data property of a data set for a chart. - Определяет свойство данных для набора данных диаграммы. - - - - - - - For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 - Для каждого столбца в наборе результатов в строке 0 отображается значение, представляющее собой число, за которым следует название столбца. Например, "1 Healthy", "3 Unhealthy", где "Healthy" — название столбца, а 1 — значение в строке 1 ячейки 1 - - - - - - - Displays the results in a simple table - Отображает результаты в виде простой таблицы - - - - - - - Displays an image, for example one returned by an R query using ggplot2 - Отображает изображение, например, возвращенное с помощью запроса R, с использованием ggplot2 - - - What format is expected - is this a JPEG, PNG or other format? - Каков ожидаемый формат изображения: JPEG, PNG или другой формат? - - - Is this encoded as hex, base64 or some other format? - Используется ли кодировка hex, base64 или другой формат кодировки? - - - - - - - Manage - Управление - - - Dashboard - Панель мониторинга - - - - - - - The webview that will be displayed in this tab. - Веб-представление, которое будет отображаться в этой вкладке. - - - - - - - The controlhost that will be displayed in this tab. - Узел управления, который будет отображаться на этой вкладке. - - - - - - - The list of widgets that will be displayed in this tab. - Список мини-приложений, которые будут отображаться на этой вкладке. - - - The list of widgets is expected inside widgets-container for extension. - Список мини-приложений, которые должны находиться внутри контейнера мини-приложений для расширения. - - - - - - - The list of widgets or webviews that will be displayed in this tab. - Список мини-приложений или веб-представлений, которые будут отображаться в этой вкладке. - - - widgets or webviews are expected inside widgets-container for extension. - Ожидается, что мини-приложения или веб-представления размещаются в контейнере мини-приложений для расширения. - - - - - - - Unique identifier for this container. - Уникальный идентификатор этого контейнера. - - - The container that will be displayed in the tab. - Контейнер, который будет отображаться в этой вкладке. - - - Contributes a single or multiple dashboard containers for users to add to their dashboard. - Добавляет один или несколько контейнеров панелей мониторинга, которые пользователи могут добавить на свои панели мониторинга. - - - No id in dashboard container specified for extension. - В контейнере панелей мониторинга для расширения не указан идентификатор. - - - No container in dashboard container specified for extension. - В контейнере панелей мониторинга для расширения не указан контейнер. - - - Exactly 1 dashboard container must be defined per space. - Для каждого пространства необходимо определить ровно один контейнер панелей мониторинга. - - - Unknown container type defines in dashboard container for extension. - В контейнере панелей мониторинга для расширения указан неизвестный тип контейнера. - - - - - - - Unique identifier for this nav section. Will be passed to the extension for any requests. - Уникальный идентификатор для этого раздела навигации. Будет передан расширению для любых запросов. - - - (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration - (Необязательно) Значок, который используется для представления раздела навигации в пользовательском интерфейсе. Путь к файлу или к конфигурации с возможностью использования тем - - - Icon path when a light theme is used - Путь к значку, когда используется светлая тема - - - Icon path when a dark theme is used - Путь к значку, когда используется темная тема - - - Title of the nav section to show the user. - Название раздела навигации для отображения пользователю. - - - The container that will be displayed in this nav section. - Контейнер, который будет отображаться в разделе навигации. - - - The list of dashboard containers that will be displayed in this navigation section. - Список контейнеров панелей мониторинга, отображаемых в этом разделе навигации. - - - No title in nav section specified for extension. - Название в разделе навигации для расширения не указано. - - - No container in nav section specified for extension. - Для расширения не указан контейнер в разделе навигации. - - - Exactly 1 dashboard container must be defined per space. - Для каждого пространства необходимо определить ровно один контейнер панелей мониторинга. - - - NAV_SECTION within NAV_SECTION is an invalid container for extension. - NAV_SECTION в NAV_SECTION является недопустимым контейнером для расширения. - - - - - - - The model-backed view that will be displayed in this tab. - Представление на основе модели, которое будет отображаться в этой вкладке. - - - - - - - Backup - Резервное копирование - - - - - - - Restore - Восстановить - - - Restore - Восстановить - - - - - - - Open in Azure Portal - Открыть на портале Azure - - - - - - - disconnected - отключено - - - - - - - Cannot expand as the required connection provider '{0}' was not found - Не удается выполнить расширение, так как требуемый поставщик подключения "{0}" не найден - - - User canceled - Действие отменено пользователем - - - Firewall dialog canceled - Диалоговое окно брандмауэра отменено - - - - - - - Connection is required in order to interact with JobManagementService - Требуется подключение для взаимодействия с JobManagementService - - - No Handler Registered - Нет зарегистрированного обработчика - - - - - - - An error occured while loading the file browser. - Произошла ошибка при загрузке браузера файлов. - - - File browser error - Ошибка обозревателя файлов - - - - - - - Common id for the provider - Общий идентификатор поставщика - - - Display Name for the provider - Отображаемое имя поставщика - - - Notebook Kernel Alias for the provider - Псевдоним ядра записной книжки для поставщика - - - Icon path for the server type - Путь к значку для типа сервера - - - Options for connection - Параметры подключения - - - - - - - Unique identifier for this tab. Will be passed to the extension for any requests. - Уникальный идентификатор этой вкладки. Будет передаваться расширению при выполнении любых запросов. - - - Title of the tab to show the user. - Название вкладки, отображаемое для пользователя. - - - Description of this tab that will be shown to the user. - Описание этой вкладки, которое будет показано пользователю. - - - Condition which must be true to show this item - Условие, которое должно иметь значение TRUE, чтобы отображался этот элемент - - - Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set - Определяет типы соединений, с которыми совместима эта вкладка. Если не задано, используется значение по умолчанию "MSSQL". - - - The container that will be displayed in this tab. - Контейнер, который будет отображаться в этой вкладке. - - - Whether or not this tab should always be shown or only when the user adds it. - Будет ли эта вкладка отображаться всегда или только при добавлении ее пользователем. - - - Whether or not this tab should be used as the Home tab for a connection type. - Следует ли использовать эту вкладку в качестве вкладки "Главная" для типа подключения. - - - The unique identifier of the group this tab belongs to, value for home group: home. - Уникальный идентификатор группы, к которой принадлежит эта вкладка, значение для домашней группы: "домашняя". - - - (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration - (Необязательно.) Значок, который используется для представления этой вкладки в пользовательском интерфейсе. Путь к файлу или к конфигурации с возможностью использования тем - - - Icon path when a light theme is used - Путь к значку, когда используется светлая тема - - - Icon path when a dark theme is used - Путь к значку, когда используется темная тема - - - Contributes a single or multiple tabs for users to add to their dashboard. - Добавляет одну или несколько вкладок для пользователей, которые будут добавлены на их панель мониторинга. - - - No title specified for extension. - Название расширения не указано. - - - No description specified to show. - Описание не указано. - - - No container specified for extension. - Не выбран контейнер для расширения. - - - Exactly 1 dashboard container must be defined per space - Для каждого пространства необходимо определить ровно один контейнер панелей мониторинга - - - Unique identifier for this tab group. - Уникальный идентификатор этой группы вкладок. - - - Title of the tab group. - Название группы вкладок. - - - Contributes a single or multiple tab groups for users to add to their dashboard. - Добавляет одну группу вкладок для пользователей или несколько, которые будут добавлены на их панель мониторинга. - - - No id specified for tab group. - Не указан идентификатор для группы вкладок. - - - No title specified for tab group. - Не указано название для группы вкладок. - - - Administration - Администрирование - - - Monitoring - Мониторинг - - - Performance - Производительность - - - Security - Безопасность - - - Troubleshooting - Устранение неполадок - - - Settings - Параметры - - - databases tab - Вкладка "Базы данных" - - - Databases - Базы данных - - - - - - - succeeded - Выполнено - - - failed - Ошибка - - - - - - - Connection error - Ошибка подключения - - - Connection failed due to Kerberos error. - Сбой подключения из-за ошибки Kerberos. - - - Help configuring Kerberos is available at {0} - Справка по настройке Kerberos доступна на странице {0} - - - If you have previously connected you may need to re-run kinit. - Если вы подключались ранее, может потребоваться запустить kinit повторно. - - - - - - - Close - Закрыть - - - Adding account... - Добавление учетной записи… - - - Refresh account was canceled by the user - Обновление учетной записи было отменено пользователем - - - - - - - Query Results - Результаты запроса - - - Query Editor - Редактор запросов - - - New Query - Создать запрос - - - Query Editor - Редактор запросов - - - When true, column headers are included when saving results as CSV - Если этот параметр имеет значение true, то при сохранении результата в формате CSV в файл будут включены заголовки столбцов - - - The custom delimiter to use between values when saving as CSV - Пользовательский разделитель значений при сохранении в формате CSV - - - Character(s) used for seperating rows when saving results as CSV - Символы, используемые для разделения строк при сохранении результатов в файле CSV - - - Character used for enclosing text fields when saving results as CSV - Символ, используемый для обрамления текстовых полей при сохранении результатов в файле CSV - - - File encoding used when saving results as CSV - Кодировка файла, которая используется при сохранении результатов в формате CSV - - - When true, XML output will be formatted when saving results as XML - Если этот параметр имеет значение true, выходные данные XML будут отформатированы при сохранении результатов в формате XML - - - File encoding used when saving results as XML - Кодировка файла, которая используется при сохранении результатов в формате XML - - - Enable results streaming; contains few minor visual issues - Включить потоковую передачу результатов; имеется несколько небольших проблем с отображением - - - Configuration options for copying results from the Results View - Параметры конфигурации для копирования результатов из представления результатов - - - Configuration options for copying multi-line results from the Results View - Параметры конфигурации для копирования многострочных результатов из представления результатов - - - (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. - (Экспериментальная функция.) Использование оптимизированной таблицы при выводе результатов. Некоторые функции могут отсутствовать и находиться в разработке. - - - Should execution time be shown for individual batches - Должно ли время выполнения отображаться для отдельных пакетов - - - Word wrap messages - Включить перенос слов в сообщениях - - - The default chart type to use when opening Chart Viewer from a Query Results - Тип диаграммы по умолчанию, используемый при открытии средства просмотра диаграмм из результатов запроса - - - Tab coloring will be disabled - Цветовое выделение вкладок будет отключено - - - The top border of each editor tab will be colored to match the relevant server group - Верхняя граница каждой вкладки редактора будет окрашена в цвет соответствующей группы серверов - - - Each editor tab's background color will match the relevant server group - Цвет фона каждой вкладки редактора будет соответствовать связанной группе серверов - - - Controls how to color tabs based on the server group of their active connection - Управляет тем, как определяются цвета вкладок на основе группы серверов активного подключения - - - Controls whether to show the connection info for a tab in the title. - Управляет тем, следует ли отображать сведения о подключении для вкладки в названии. - - - Prompt to save generated SQL files - Запрашивать сохранение созданных файлов SQL - - - Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call. Any selected text in the query editor will be passed as a parameter - Установка сочетания клавиш workbench.action.query.shortcut{0} для запуска текста ярлыка при вызове процедуры. В качестве параметра будет передан любой выбранный текст в редакторе запросов - - - - - - - Specifies view templates - Задает шаблоны представления - - - Specifies session templates - Определяет шаблоны сеанса - - - Profiler Filters - Фильтры профилировщика - - - - - - - Script as Create - Выполнение сценария в режиме создания - - - Script as Drop - Выполнение сценария в режиме удаления - - - Select Top 1000 - Выберите первые 1000 - - - Script as Execute - Выполнение сценария в режиме выполнения - - - Script as Alter - Выполнение сценария в режиме изменения - - - Edit Data - Редактировать данные - - - Select Top 1000 - Выберите первые 1000 - - - Take 10 - Давайте ненадолго прервемся - - - Script as Create - Выполнение сценария в режиме создания - - - Script as Execute - Выполнение сценария в режиме выполнения - - - Script as Alter - Выполнение сценария в режиме изменения - - - Script as Drop - Выполнение сценария в режиме удаления - - - Refresh - Обновить - - - - - - - Commit row failed: - Не удалось зафиксировать строку: - - - Started executing query at - Начало выполнения запроса - - - Started executing query "{0}" - Начато выполнение запроса "{0}" - - - Line {0} - Строка {0} - - - Canceling the query failed: {0} - Ошибка при сбое запроса: {0} - - - Update cell failed: - Сбой обновления ячейки: - - - - - - - No URI was passed when creating a notebook manager - При создании диспетчера записных книжек не был передан URI - - - Notebook provider does not exist - Поставщик записных книжек не существует - - - - - - - Notebook Editor - Редактор записной книжки - - - New Notebook - Создать записную книжку - - - New Notebook - Создать записную книжку - - - Set Workspace And Open - Задать рабочую область и открыть - - - SQL kernel: stop Notebook execution when error occurs in a cell. - Ядро SQL: остановить выполнение записной книжки при возникновении ошибки в ячейке. - - - (Preview) show all kernels for the current notebook provider. - (Предварительная версия.) Отображение всех ядер для текущего поставщика записной книжки. - - - Allow notebooks to run Azure Data Studio commands. - Разрешить выполнение команд Azure Data Studio в записных книжках. - - - Enable double click to edit for text cells in notebooks - Разрешить редактирование текстовых ячеек в записных книжках по двойному щелчку мыши - - - Set Rich Text View mode by default for text cells - Задать режим просмотра форматированного текста по умолчанию для текстовых ячеек - - - (Preview) Save connection name in notebook metadata. - (Предварительная версия.) Сохранение имени подключения в метаданных записной книжки. - - - Controls the line height used in the notebook markdown preview. This number is relative to the font size. - Определяет высоту строки, используемую в области предварительного просмотра Markdown в записной книжке. Это значение задается относительно размера шрифта. - - - View - Вид - - - Search Notebooks - Поиск в записных книжках - - - Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). - Настройка стандартных масок для исключения файлов и папок при полнотекстовом поиске и быстром открытии. Наследует все стандартные маски от параметра "#files.exclude#". Дополнительные сведения о стандартных масках см. [здесь](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). - - - The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. - Стандартная маска, соответствующая путям к файлам. Задайте значение true или false, чтобы включить или отключить маску. - - - Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. - Дополнительная проверка элементов того же уровня соответствующего файла. Используйте $(basename) в качестве переменной для соответствующего имени файла. - - - This setting is deprecated and now falls back on "search.usePCRE2". - Этот параметр является устаревшим. Сейчас вместо него используется "search.usePCRE2". - - - Deprecated. Consider "search.usePCRE2" for advanced regex feature support. - Этот параметр является устаревшим. Используйте "search.usePCRE2" для расширенной поддержки регулярных выражений. - - - When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. - Когда параметр включен, процесс searchService будет поддерживаться в активном состоянии вместо завершения работы после часа бездействия. При этом кэш поиска файлов будет сохранен в памяти. - - - Controls whether to use `.gitignore` and `.ignore` files when searching for files. - Определяет, следует ли использовать GITIGNORE- и IGNORE-файлы по умолчанию при поиске файлов. - - - Controls whether to use global `.gitignore` and `.ignore` files when searching for files. - Определяет, следует ли использовать глобальные файлы ".gitignore" и ".ignore" по умолчанию при поиске файлов. - - - Whether to include results from a global symbol search in the file results for Quick Open. - Определяет, следует ли включать результаты поиска глобальных символов в результаты для файлов Quick Open. - - - Whether to include results from recently opened files in the file results for Quick Open. - Определяет, следует ли включать результаты из недавно открытых файлов в файл результата для Quick Open. - - - History entries are sorted by relevance based on the filter value used. More relevant entries appear first. - Записи журнала сортируются по релевантности на основе используемого значения фильтра. Более релевантные записи отображаются первыми. - - - History entries are sorted by recency. More recently opened entries appear first. - Записи журнала сортируются по времени открытия. Недавно открытые записи отображаются первыми. - - - Controls sorting order of editor history in quick open when filtering. - Управляет порядком сортировки журнала редактора для быстрого открытия при фильтрации. - - - Controls whether to follow symlinks while searching. - Определяет, нужно ли следовать символическим ссылкам при поиске. - - - Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. - Поиск без учета регистра, если шаблон состоит только из букв нижнего регистра; в противном случае поиск с учетом регистра. - - - Controls whether the search view should read or modify the shared find clipboard on macOS. - Определяет, должно ли представление поиска считывать или изменять общий буфер обмена поиска в macOS. - - - Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. - Управляет тем, будет ли панель поиска отображаться в виде представления в боковой колонке или в виде панели в области панели, чтобы освободить пространство по горизонтали. - - - This setting is deprecated. Please use the search view's context menu instead. - Этот параметр является нерекомендуемым. Используйте вместо него контекстное меню представления поиска. - - - Files with less than 10 results are expanded. Others are collapsed. - Развернуты файлы менее чем с 10 результатами. Остальные свернуты. - - - Controls whether the search results will be collapsed or expanded. - Определяет, должны ли сворачиваться и разворачиваться результаты поиска. - - - Controls whether to open Replace Preview when selecting or replacing a match. - Управляет тем, следует ли открывать окно предварительного просмотра замены при выборе или при замене соответствия. - - - Controls whether to show line numbers for search results. - Определяет, следует ли отображать номера строк для результатов поиска. - - - Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. - Следует ли использовать модуль обработки регулярных выражений PCRE2 при поиске текста. При использовании этого модуля будут доступны некоторые расширенные возможности регулярных выражений, такие как поиск в прямом направлении и обратные ссылки. Однако поддерживаются не все возможности PCRE2, а только те, которые также поддерживаются JavaScript. - - - Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. - Устарело. При использовании функций регулярных выражений, которые поддерживаются только PCRE2, будет автоматически использоваться PCRE2. - - - Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. - Разместить панель действий справа, когда область поиска узкая, и сразу же после содержимого, когда область поиска широкая. - - - Always position the actionbar to the right. - Всегда размещать панель действий справа. - - - Controls the positioning of the actionbar on rows in the search view. - Управляет положением панели действий в строках в области поиска. - - - Search all files as you type. - Поиск во всех файлах при вводе текста. - - - Enable seeding search from the word nearest the cursor when the active editor has no selection. - Включение заполнения поискового запроса из ближайшего к курсору слова, когда активный редактор не имеет выделения. - - - Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. - Изменить запрос поиска рабочей области на выбранный текст редактора при фокусировке на представлении поиска. Это происходит при щелчке мыши или при активации команды workbench.views.search.focus. - - - When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. - Если параметр "#search.searchOnType#" включен, задает время ожидания в миллисекундах между началом ввода символа и началом поиска. Если параметр "search.searchOnType" отключен, не имеет никакого эффекта. - - - Double clicking selects the word under the cursor. - Двойной щелчок выбирает слово под курсором. - - - Double clicking opens the result in the active editor group. - Двойной щелчок открывает результат в активной группе редакторов. - - - Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. - Двойной щелчок открывает результат в группе редактора сбоку, создавая его, если он еще не существует. - - - Configure effect of double clicking a result in a search editor. - Настройка эффекта двойного щелчка результата в редакторе поиска. - - - Results are sorted by folder and file names, in alphabetical order. - Результаты сортируются по имена папок и файлов в алфавитном порядке. - - - Results are sorted by file names ignoring folder order, in alphabetical order. - Результаты сортируются по именам файлов, игнорируя порядок папок, в алфавитном порядке. - - - Results are sorted by file extensions, in alphabetical order. - Результаты сортируются по расширениям файлов в алфавитном порядке. - - - Results are sorted by file last modified date, in descending order. - Результаты сортируются по дате последнего изменения файла в порядке убывания. - - - Results are sorted by count per file, in descending order. - Результаты сортируются по количеству на файл в порядке убывания. - - - Results are sorted by count per file, in ascending order. - Результаты сортируются по количеству на файл в порядке возрастания. - - - Controls sorting order of search results. - Определяет порядок сортировки для результатов поиска. - - - - - - - New Query - Создать запрос - - - Run - Запуск - - - Cancel - Отмена - - - Explain - Объяснить - - - Actual - Действительное значение - - - Disconnect - Отключить - - - Change Connection - Изменить подключение - - - Connect - Подключиться - - - Enable SQLCMD - Включить SQLCMD - - - Disable SQLCMD - Отключить SQLCMD - - - Select Database - Выберите базу данных - - - Failed to change database - Не удалось изменить базу данных - - - Failed to change database {0} - Не удалось изменить базу данных {0} - - - Export as Notebook - Экспортировать в виде записной книжки - - - - - - - OK - ОК - - - Close - Закрыть - - - Action - Действие - - - Copy details - Скопировать сведения - - - - - - - Add server group - Добавить группу серверов - - - Edit server group - Изменить группу серверов - - - - - - - Extension - Расширение - - - - - - - Failed to create Object Explorer session - Не удалось создать сеанс обозревателя объектов - - - Multiple errors: - Несколько ошибок: - - - - - - - Error adding account - Ошибка при добавлении учетной записи - - - Firewall rule error - Ошибка правила брандмауэра - - - - - - - Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window - Некоторые из загруженных расширений используют устаревшие API. Подробные сведения см. на вкладке "Консоль" окна "Средства для разработчиков" - - - Don't Show Again - Больше не показывать - - - - - - - Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. - Идентификатор представления. Используйте его для регистрации поставщика данных с помощью API-интерфейса "vscode.window.registerTreeDataProviderForView", а также для активации расширения с помощью регистрации события "onView:${id}" в "activationEvents". - - - The human-readable name of the view. Will be shown - Понятное имя представления. Будет отображаться на экране - - - Condition which must be true to show this view - Условие, которое должно иметь значение TRUE, чтобы отображалось это представление - - - Contributes views to the editor - Добавляет представления в редактор - - - Contributes views to Data Explorer container in the Activity bar - Добавляет представления в контейнер обозревателя данных на панели действий - - - Contributes views to contributed views container - Добавляет представления в контейнер добавленных представлений - - - Cannot register multiple views with same id `{0}` in the view container `{1}` - Не удается зарегистрировать несколько представлений с одинаковым идентификатором "{0}" в контейнере представления "{1}" - - - A view with id `{0}` is already registered in the view container `{1}` - Представление с идентификатором "{0}" уже зарегистрировано в контейнере представления "{1}" - - - views must be an array - Представления должны быть массивом - - - property `{0}` is mandatory and must be of type `string` - свойство "{0}" является обязательным и должно иметь тип string - - - property `{0}` can be omitted or must be of type `string` - свойство "{0}" может быть опущено или должно иметь тип string - - - - - - - {0} was replaced with {1} in your user settings. - {0} был заменен на {1} в параметрах пользователя. - - - {0} was replaced with {1} in your workspace settings. - {0} был заменен на {1} в параметрах рабочей области. - - - - - - - Manage - Управление - - - Show Details - Показать подробные сведения - - - Learn More - Дополнительные сведения - - - Clear all saved accounts - Очистить все сохраненные учетные записи - - - - - - - Toggle Tasks - Переключить задачи - - - - - - - Connection Status - Состояние подключения - - - - - - - User visible name for the tree provider - Отображаемое для пользователя имя поставщика дерева - - - Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` - Идентификатор поставщика должен быть таким же, как при регистрации поставщика данных дерева и должен начинаться с connectionDialog/ - - - - - - - Displays results of a query as a chart on the dashboard - Отображает результаты запроса в виде диаграммы на панели мониторинга - - - Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color - Задает сопоставление "имя столбца" -> цвет. Например, добавьте "column1": red, чтобы задать для этого столбца красный цвет - - - Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry - Указывает предпочтительное положение и видимость условных обозначений диаграммы. Это имена столбцов из вашего запроса и карта для сопоставления с каждой записью диаграммы - - - If dataDirection is horizontal, setting this to true uses the first columns value for the legend. - Если значение параметра dataDirection равно horizontal, то при указании значения TRUE для этого параметра для условных обозначений будут использоваться значения в первом столбце. - - - If dataDirection is vertical, setting this to true will use the columns names for the legend. - Если значение параметра dataDirection равно vertical, то при указании значения TRUE для этого парамтра для условных обозначений будут использованы имена столбцов. - - - Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. - Определяет, считываются ли данные из столбцов (по вертикали) или из строк (по горизонтали). Для временных рядов это игнорируется, так как для них всегда используется направление по вертикали. - - - If showTopNData is set, showing only top N data in the chart. - Если параметр showTopNData установлен, отображаются только первые N данных на диаграмме. - - - - - - - Widget used in the dashboards - Мини-приложение, используемое на панелях мониторинга - - - - - - - Show Actions - Показать действия - - - Resource Viewer - Средство просмотра ресурсов - - - - - - - Identifier of the resource. - Идентификатор ресурса. - - - The human-readable name of the view. Will be shown - Понятное имя представления. Будет отображаться на экране - - - Path to the resource icon. - Путь к значку ресурса. - - - Contributes resource to the resource view - Добавляет ресурс в представление ресурсов - - - property `{0}` is mandatory and must be of type `string` - свойство "{0}" является обязательным и должно иметь тип string - - - property `{0}` can be omitted or must be of type `string` - свойство "{0}" может быть опущено или должно иметь тип string - - - - - - - Resource Viewer Tree - Дерево средства просмотра ресурсов - - - - - - - Widget used in the dashboards - Мини-приложение, используемое на панелях мониторинга - - - Widget used in the dashboards - Мини-приложение, используемое на панелях мониторинга - - - Widget used in the dashboards - Мини-приложение, используемое на панелях мониторинга - - - - - - - Condition which must be true to show this item - Условие, которое должно иметь значение TRUE, чтобы отображался этот элемент - - - Whether to hide the header of the widget, default value is false - Нужно ли скрывать заголовок мини-приложения, значение по умолчанию — false - - - The title of the container - Название контейнера - - - The row of the component in the grid - Строка компонента в сетке - - - The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. - Атрибут rowspan компонента сетки. Значение по умолчанию — 1. Используйте значение "*", чтобы задать количество строк в сетке. - - - The column of the component in the grid - Столбец компонента в сетке - - - The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. - Атрибут colspan компонента сетки. Значение по умолчанию — 1. Используйте значение "*", чтобы задать количество столбцов в сетке. - - - Unique identifier for this tab. Will be passed to the extension for any requests. - Уникальный идентификатор этой вкладки. Будет передаваться расширению при выполнении любых запросов. - - - Extension tab is unknown or not installed. - Вкладка "Расширение" неизвестна или не установлена. - - - - - - - Enable or disable the properties widget - Включение или отключение мини-приложения свойств - - - Property values to show - Значения свойств для отображения - - - Display name of the property - Отображаемое имя свойства - - - Value in the Database Info Object - Значение в объекте сведений о базе данных - - - Specify specific values to ignore - Укажите конкретные значения, которые нужно пропустить - - - Recovery Model - Модель восстановления - - - Last Database Backup - Последнее резервное копирование базы данных - - - Last Log Backup - Последняя резервная копия журнала - - - Compatibility Level - Уровень совместимости - - - Owner - Владелец - - - Customizes the database dashboard page - Настраивает страницу панели мониторинга базы данных - - - Search - Поиск - - - Customizes the database dashboard tabs - Настраивает вкладки панели мониторинга базы данных - - - - - - - Enable or disable the properties widget - Включение или отключение мини-приложения свойств - - - Property values to show - Значения свойств для отображения - - - Display name of the property - Отображаемое имя свойства - - - Value in the Server Info Object - Значение в объекте сведений о сервере - - - Version - Версия - - - Edition - Выпуск - - - Computer Name - Имя компьютера - - - OS Version - Версия ОС - - - Search - Поиск - - - Customizes the server dashboard page - Настраивает страницу панели мониторинга сервера - - - Customizes the Server dashboard tabs - Настраивает вкладки панели мониторинга сервера - - - - - - - Manage - Управление - - - - - - - property `icon` can be omitted or must be either a string or a literal like `{dark, light}` - Свойство icon может быть пропущено или должно быть строкой или литералом, например "{dark, light}" - - - - - - - Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more - Добавляет мини-приложение, которое может опрашивать сервер или базу данных и отображать результаты различными способами — в виде диаграмм, сводных данных и т. д. - - - Unique Identifier used for caching the results of the insight. - Уникальный идентификатор, используемый для кэширования результатов анализа. - - - SQL query to run. This should return exactly 1 resultset. - SQL-запрос для выполнения. Он должен возвратить ровно один набор данных. - - - [Optional] path to a file that contains a query. Use if 'query' is not set - [Необязательно] путь к файлу, который содержит запрос. Используйте, если параметр "query" не установлен - - - [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh - [Необязательно] Интервал автоматического обновления в минутах. Если значение не задано, то автоматическое обновление не будет выполняться. - - - Which actions to use - Используемые действия - - - Target database for the action; can use the format '${ columnName }' to use a data driven column name. - Целевая база данных для этого действия; чтобы указать имя столбца на основе данных, можно использовать формат "${ columnName }". - - - Target server for the action; can use the format '${ columnName }' to use a data driven column name. - Целевой сервер для этого действия; чтобы указать имя столбца на основе данных, можно использовать формат "${ columnName }". - - - Target user for the action; can use the format '${ columnName }' to use a data driven column name. - Целевой пользователь для этого действия; чтобы указать имя столбца на основе данных, можно использовать формат "${ columnName }". - - - Identifier of the insight - Идентификатор аналитических данных - - - Contributes insights to the dashboard palette. - Добавляет аналитические сведения на палитру панели мониторинга. - - - - - - - Backup - Резервное копирование - - - You must enable preview features in order to use backup - Для использования резервного копирования необходимо включить предварительные версии функции - - - Backup command is not supported for Azure SQL databases. - Команда резервного копирования не поддерживается для баз данных SQL Azure. - - - Backup command is not supported in Server Context. Please select a Database and try again. - Команда резервного копирования не поддерживается в контексте сервера. Выберите базу данных и повторите попытку. - - - - - - - Restore - Восстановить - - - You must enable preview features in order to use restore - Чтобы использовать восстановление, необходимо включить предварительные версии функции - - - Restore command is not supported for Azure SQL databases. - Команда восстановления не поддерживается для баз данных SQL Azure. - - - - - - - Show Recommendations - Показать рекомендации - - - Install Extensions - Установить расширения - - - Author an Extension... - Создать расширение… - - - - - - - Edit Data Session Failed To Connect - Не удалось подключиться к сеансу редактирования данных - - - - - - - OK - ОК - - - Cancel - Отмена - - - - - - - Open dashboard extensions - Открыть расширения панели мониторинга - - - OK - ОК - - - Cancel - Отмена - - - No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. - Расширения панели мониторинга не установлены. Чтобы просмотреть рекомендуемые расширения, перейдите в Диспетчер расширений. - - - - - - - Selected path - Выбранный путь - - - Files of type - Файлы типа - - - OK - ОК - - - Discard - Отменить - - - - - - - No Connection Profile was passed to insights flyout - Профиль подключения не был передан во всплывающий элемент аналитических данных - - - Insights error - Ошибка аналитических данных - - - There was an error reading the query file: - Произошла ошибка при чтении файла запроса: - - - There was an error parsing the insight config; could not find query array/string or queryfile - Произошла ошибка при синтаксическом анализе конфигурации аналитических данных; не удалось найти массив/строку запроса или файл запроса - - - - - - - Azure account - Учетная запись Azure - - - Azure tenant - Клиент Azure - - - - - - - Show Connections - Показать подключения - - - Servers - Серверы - - - Connections - Подключения - - - - - - - No task history to display. - Журнал задач для отображения отсутствует. - - - Task history - TaskHistory - Журнал задач - - - Task error - Ошибка выполнения задачи - - - - - - - Clear List - Очистить список - - - Recent connections list cleared - Список последних подключений очищен - - - Yes - Да - - - No - Нет - - - Are you sure you want to delete all the connections from the list? - Вы действительно хотите удалить все подключения из списка? - - - Yes - Да - - - No - Нет - - - Delete - Удалить - - - Get Current Connection String - Получить текущую строку подключения - - - Connection string not available - Строка подключения недоступна - - - No active connection available - Активные подключения отсутствуют - - - - - - - Refresh - Обновить - - - Edit Connection - Изменить подключение - - - Disconnect - Отключить - - - New Connection - Новое подключение - - - New Server Group - Новая группа серверов - - - Edit Server Group - Изменить группу серверов - - - Show Active Connections - Показать активные подключения - - - Show All Connections - Показать все подключения - - - Recent Connections - Последние подключения - - - Delete Connection - Удалить подключение - - - Delete Group - Удалить группу - - - - - - - Run - Запуск - - - Dispose Edit Failed With Error: - Не удалось отменить изменения. Ошибка: - - - Stop - Остановить - - - Show SQL Pane - Показать панель SQL - - - Close SQL Pane - Закрыть панель SQL - - - - - - - Profiler - Профилировщик - - - Not connected - Нет соединения - - - XEvent Profiler Session stopped unexpectedly on the server {0}. - Сеанс Профилировщика XEvent был неожиданно остановлен на сервере {0}. - - - Error while starting new session - Ошибка при запуске нового сеанса - - - The XEvent Profiler session for {0} has lost events. - В сеансе Профилировщика XEvent для {0} были потеряны события. - - - - + Loading @@ -2257,746 +12,26 @@ - + - - Server Groups - Группы серверов + + Hide text labels + Скрыть текстовые подписи - - OK - OK - - - Cancel - Отмена - - - Server group name - Имя группы серверов - - - Group name is required. - Необходимо указать имя группы. - - - Group description - Описание группы - - - Group color - Цвет группы + + Show text labels + Показать текстовые подписи - + - - Error adding account - Ошибка при добавлении учетной записи - - - - - - - Item - Элемент - - - Value - Значение - - - Insight Details - Подробные сведения об аналитике - - - Property - Свойство - - - Value - Значение - - - Insights - Аналитические данные - - - Items - Элементы - - - Item Details - Сведения об элементе - - - - - - - Cannot start auto OAuth. An auto OAuth is already in progress. - Не удается запустить автоматическую авторизацию OAuth. Она уже выполняется. - - - - - - - Sort by event - Сортировка по событиям - - - Sort by column - Сортировка по столбцу - - - Profiler - Профилировщик - - - OK - OK - - - Cancel - Отмена - - - - - - - Clear all - Очистить все - - - Apply - Применить - - - OK - OK - - - Cancel - Отмена - - - Filters - Фильтры - - - Remove this clause - Удалить это предложение - - - Save Filter - Сохранить фильтр - - - Load Filter - Загрузить фильтр - - - Add a clause - Добавить предложение - - - Field - Поле - - - Operator - Оператор - - - Value - Значение - - - Is Null - Имеет значение NULL - - - Is Not Null - Не имеет значение NULL - - - Contains - Содержит - - - Not Contains - Не содержит - - - Starts With - Начинается с - - - Not Starts With - Не начинается с - - - - - - - Save As CSV - Сохранить в формате CSV - - - Save As JSON - Сохранить в формате JSON - - - Save As Excel - Сохранить в формате Excel - - - Save As XML - Сохранить в формате XML - - - Copy - Копировать - - - Copy With Headers - Копировать с заголовками - - - Select All - Выбрать все - - - - - - - Defines a property to show on the dashboard - Определяет свойство для отображения на панели мониторинга - - - What value to use as a label for the property - Какое значение использовать в качестве метки для свойства - - - What value in the object to access for the value - Значение объекта, используемое для доступа к значению - - - Specify values to be ignored - Укажите игнорируемые значения - - - Default value to show if ignored or no value - Значение по умолчанию, которое отображается в том случае, если значение игнорируется или не указано. - - - A flavor for defining dashboard properties - Особые свойства панели мониторинга - - - Id of the flavor - Идентификатор варианта приложения - - - Condition to use this flavor - Условие использования этого варианта приложения - - - Field to compare to - Поле для сравнения - - - Which operator to use for comparison - Какой оператор использовать для сравнения - - - Value to compare the field to - Значение для сравнения поля - - - Properties to show for database page - Свойства для отображения на странице базы данных - - - Properties to show for server page - Отображаемые свойства для страницы сервера - - - Defines that this provider supports the dashboard - Определяет, что этот поставщик поддерживает панель мониторинга - - - Provider id (ex. MSSQL) - Идентификатор поставщика (пример: MSSQL) - - - Property values to show on dashboard - Значения свойства для отображения на панели мониторинга - - - - - - - Invalid value - Недопустимое значение - - - {0}. {1} - {0}.{1} - - - - - - - Loading - Загрузка - - - Loading completed - Загрузка завершена - - - - - - - blank - пустой - - - check all checkboxes in column: {0} - установить все флажки в столбце {0} - - - - - - - No tree view with id '{0}' registered. - Отсутствует зарегистрированное представление в виде дерева с идентификатором "{0}". - - - - - - - Initialize edit data session failed: - Не удалось инициализировать сеанс изменения данных: - - - - - - - Identifier of the notebook provider. - Идентификатор поставщика записных книжек. - - - What file extensions should be registered to this notebook provider - Расширения файлов, которые должны быть зарегистрированы для этого поставщика записных книжек - - - What kernels should be standard with this notebook provider - Какие ядра следует использовать в качестве стандартных для этого поставщика записных книжек - - - Contributes notebook providers. - Добавляет поставщиков записных книжек. - - - Name of the cell magic, such as '%%sql'. - Название магической команды ячейки, например, "%%sql". - - - The cell language to be used if this cell magic is included in the cell - Язык ячейки, который будет использоваться, если эта магическая команда ячейки включена в ячейку - - - Optional execution target this magic indicates, for example Spark vs SQL - Необязательная цель выполнения, указанная в этой магической команде, например, Spark vs SQL - - - Optional set of kernels this is valid for, e.g. python3, pyspark, sql - Необязательный набор ядер, для которых это действительно, например, python3, pyspark, sql - - - Contributes notebook language. - Определяет язык записной книжки. - - - - - - - F5 shortcut key requires a code cell to be selected. Please select a code cell to run. - При нажатии клавиши F5 необходимо выбрать ячейку кода. Выберите ячейку кода для выполнения. - - - Clear result requires a code cell to be selected. Please select a code cell to run. - Для выполнения очистки результата требуется выбрать ячейку кода. Выберите ячейку кода для выполнения. - - - - - - - SQL - SQL - - - - - - - Max Rows: - Максимальное число строк: - - - - - - - Select View - Выберите представление - - - Select Session - Выберите сеанс - - - Select Session: - Выберите сеанс: - - - Select View: - Выберите представление: - - - Text - Текст - - - Label - Метка - - - Value - Значение - - - Details - Подробные сведения - - - - - - - Time Elapsed - Прошедшее время - - - Row Count - Число строк - - - {0} rows - {0} строк - - - Executing query... - Выполнение запроса… - - - Execution Status - Состояние выполнения - - - Selection Summary - Сводка по выбранным элементам - - - Average: {0} Count: {1} Sum: {2} - Среднее значение: {0} Количество: {1} Сумма: {2} - - - - - - - Choose SQL Language - Выбрать язык SQL - - - Change SQL language provider - Изменить поставщика языка SQL - - - SQL Language Flavor - Вариант языка SQL - - - Change SQL Engine Provider - Изменить поставщика ядра SQL - - - A connection using engine {0} exists. To change please disconnect or change connection - Подключение с использованием {0} уже существует. Чтобы изменить его, отключите или смените существующее подключение. - - - No text editor active at this time - Активные текстовые редакторы отсутствуют - - - Select Language Provider - Выбрать поставщик языка - - - - - - - Error displaying Plotly graph: {0} - Не удалось отобразить диаграмму Plotly: {0} - - - - - - - No {0} renderer could be found for output. It has the following MIME types: {1} - Не удается найти отрисовщик {0} для выходных данных. Он содержит следующие типы MIME: {1} - - - (safe) - (безопасный) - - - - - - - Select Top 1000 - Выберите первые 1000 - - - Take 10 - Давайте ненадолго прервемся - - - Script as Execute - Выполнение сценария в режиме выполнения - - - Script as Alter - Выполнение сценария в режиме изменения - - - Edit Data - Редактировать данные - - - Script as Create - Выполнение сценария в режиме создания - - - Script as Drop - Выполнение сценария в режиме удаления - - - - - - - A NotebookProvider with valid providerId must be passed to this method - В качестве параметра этого метода необходимо указать NotebookProvider с действительным providerId - - - - - - - A NotebookProvider with valid providerId must be passed to this method - В качестве параметра этого метода необходимо указать NotebookProvider с действительным providerId - - - no notebook provider found - поставщики записных книжек не найдены - - - No Manager found - Диспетчер не найден - - - Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it - Notebook Manager для записной книжки {0} не содержит диспетчера серверов. Невозможно выполнить операции над ним - - - Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it - Notebook Manager для записной книжки {0} не включает диспетчер содержимого. Невозможно выполнить операции над ним - - - Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it - Notebook Manager для записной книжки {0} не содержит диспетчер сеанса. Невозможно выполнить действия над ним - - - - - - - Failed to get Azure account token for connection - Не удалось получить маркер учетной записи Azure для подключения - - - Connection Not Accepted - Подключение не принято - - - Yes - Да - - - No - Нет - - - Are you sure you want to cancel this connection? - Вы действительно хотите отменить это подключение? - - - - - - - OK - ОК - - + Close Закрыть - - - - Loading kernels... - Загрузка ядер… - - - Changing kernel... - Изменение ядра… - - - Attach to - Присоединиться к - - - Kernel - Ядро - - - Loading contexts... - Загрузка контекстов… - - - Change Connection - Изменить подключение - - - Select Connection - Выберите подключение - - - localhost - localhost - - - No Kernel - Нет ядра - - - Clear Results - Очистить результаты - - - Trusted - Доверенный - - - Not Trusted - Не доверенный - - - Collapse Cells - Свернуть ячейки - - - Expand Cells - Развернуть ячейки - - - None - Нет - - - New Notebook - Создать записную книжку - - - Find Next String - Найти следующую строку - - - Find Previous String - Найти предыдущую строку - - - - - - - Query Plan - План запроса - - - - - - - Refresh - Обновить - - - - - - - Step {0} - Шаг {0} - - - - - - - Must be an option from the list - Необходимо выбрать вариант из списка - - - Select Box - Поле выбора - - - @@ -3013,134 +48,260 @@ - + - - Connection - Подключение - - - Connecting - Идет подключение - - - Connection type - Тип подключения - - - Recent Connections - Последние соединения - - - Saved Connections - Сохраненные подключения - - - Connection Details - Сведения о подключении - - - Connect - Подключиться - - - Cancel - Отмена - - - Recent Connections - Последние подключения - - - No recent connection - Недавние подключения отсутствуют - - - Saved Connections - Сохраненные подключения - - - No saved connection - Сохраненные подключения отсутствуют + + no data available + данные недоступны - + - - File browser tree - FileBrowserTree - Дерево обозревателя файлов + + Select/Deselect All + Выбрать все/отменить выбор - + - - From - С + + Show Filter + Показать фильтр - - To - До + + Select All + Выбрать все - - Create new firewall rule - Создание правила брандмауэра + + Search + Поиск - + + {0} Results + This tells the user how many items are shown in the list. Currently not visible, but read by screen readers. + Результатов: {0} + + + {0} Selected + This tells the user how many items are selected in the list + Выбрано: {0} + + + Sort Ascending + Сортировка по возрастанию + + + Sort Descending + Сортировка по убыванию + + OK - OK + ОК - + + Clear + Очистка + + Cancel Отмена - - Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. - Ваш клиентский IP-адрес не имеет доступа к серверу. Войдите в учетную запись Azure и создайте правило брандмауэра, чтобы разрешить доступ. - - - Learn more about firewall settings - Дополнительные сведения о параметрах брандмауэра - - - Firewall rule - Правило брандмауэра - - - Add my client IP - Добавить мой клиентский IP-адрес - - - Add my subnet IP range - Добавить диапазон IP-адресов моей подсети + + Filter Options + Параметры фильтра - + - - All files - Все файлы + + Loading + Загрузка - + - - Could not find query file at any of the following paths : - {0} - Не удалось найти файл запроса по любому из следующих путей: - {0} + + Loading Error... + Ошибка загрузки… - + - - You need to refresh the credentials for this account. - Вам необходимо обновить учетные данные для этой учетной записи. + + Toggle More + Показать или скрыть дополнительную информацию + + + + + + + Azure Data Studio + Azure Data Studio + + + Enable automatic update checks. Azure Data Studio will check for updates automatically and periodically. + Включение автоматических проверок обновлений. Azure Data Studio будет периодически проверять наличие обновлений в автоматическом режиме. + + + Enable to download and install new Azure Data Studio Versions in the background on Windows + Включите, чтобы скачивать и устанавливать новые версии Azure Data Studio в Windows в фоновом режиме + + + Show Release Notes after an update. The Release Notes are opened in a new web browser window. + Отображение заметок о выпуске после обновления. Заметки о выпуске будут открыты в новом окне веб-браузера. + + + The dashboard toolbar action menu + Меню действий инструментов панели мониторинга + + + The notebook cell title menu + Меню заголовка ячейки записной книжки + + + The notebook title menu + Меню раздела записной книжки + + + The notebook toolbar menu + Меню панели инструментов записной книжки + + + The dataexplorer view container title action menu + Меню действий раздела контейнера представления обозревателя данных + + + The dataexplorer item context menu + Контекстное меню элемента обозревателя данных + + + The object explorer item context menu + Контекстное меню элемента обозревателя объектов + + + The connection dialog's browse tree context menu + Контекстное меню дерева просмотра диалогового окна подключения + + + The data grid item context menu + Контекстное меню элемента сетки данных + + + Sets the security policy for downloading extensions. + Устанавливает политику безопасности для скачивания расширений. + + + Your extension policy does not allow installing extensions. Please change your extension policy and try again. + Ваша политика расширений запрещает устанавливать расширения. Измените политику расширений и повторите попытку. + + + Completed installing {0} extension from VSIX. Please reload Azure Data Studio to enable it. + Установка расширения {0} из VSIX завершена. Перезагрузите Azure Data Studio, чтобы включить это расширение. + + + Please reload Azure Data Studio to complete the uninstallation of this extension. + Перезапустите Azure Data Studio, чтобы завершить удаление этого расширения. + + + Please reload Azure Data Studio to enable the updated extension. + Перезапустите Azure Data Studio, чтобы включить обновленное расширение. + + + Please reload Azure Data Studio to enable this extension locally. + Перезапустите Azure Data Studio, чтобы включить это расширение локально. + + + Please reload Azure Data Studio to enable this extension. + Перезапустите Azure Data Studio, чтобы включить это расширение. + + + Please reload Azure Data Studio to disable this extension. + Перезапустите Azure Data Studio, чтобы отключить это расширение. + + + Please reload Azure Data Studio to complete the uninstallation of the extension {0}. + Перезапустите Azure Data Studio, чтобы завершить удаление расширения {0}. + + + Please reload Azure Data Studio to enable this extension in {0}. + Перезапустите Azure Data Studio, чтобы включить это расширение в {0}. + + + Installing extension {0} is completed. Please reload Azure Data Studio to enable it. + Установка расширения {0} завершена. Перезагрузите Azure Data Studio, чтобы включить это расширение. + + + Please reload Azure Data Studio to complete reinstalling the extension {0}. + Перезагрузите Azure Data Studio, чтобы завершить переустановку расширения {0}. + + + Marketplace + Marketplace + + + The scenario type for extension recommendations must be provided. + Необходимо указать тип сценария для рекомендаций по расширениям. + + + Unable to install extension '{0}' as it is not compatible with Azure Data Studio '{1}'. + Не удалось установить расширение "{0}", так как оно несовместимо с Azure Data Studio "{1}". + + + New Query + Создать запрос + + + New &&Query + && denotes a mnemonic + Создать &&запрос + + + &&New Notebook + && denotes a mnemonic + &&Новая записная книжка + + + Controls the memory available to Azure Data Studio after restart when trying to open large files. Same effect as specifying `--max-memory=NEWSIZE` on the command line. + Управляет объемом памяти, который доступен Azure Data Studio после перезапуска при попытке открытия больших файлов. Действие этого параметра аналогично указанию параметра "--max-memory=НОВЫЙ_РАЗМЕР" в командной строке. + + + Would you like to change Azure Data Studio's UI language to {0} and restart? + Хотите изменить язык пользовательского интерфейса Azure Data Studio на {0} и выполнить перезапуск? + + + In order to use Azure Data Studio in {0}, Azure Data Studio needs to restart. + Чтобы использовать Azure Data Studio в {0}, необходимо перезапустить Azure Data Studio. + + + New SQL File + Новый файл SQL + + + New Notebook + Новая записная книжка + + + Install Extension from VSIX Package + && denotes a mnemonic + Установить расширение из пакета VSIX + + + + + + + Must be an option from the list + Необходимо выбрать вариант из списка + + + Select Box + Поле выбора @@ -3184,1263 +345,59 @@ - + - - Show Notebooks - Показать записные книжки - - - Search Results - Результаты поиска - - - Search path not found: {0} - Путь поиска не найден: {0} - - - Notebooks - Записные книжки + + Copying images is not supported + Копирование изображений не поддерживается - + - - Focus on Current Query - Фокус на текущем запросе - - - Run Query - Выполнить запрос - - - Run Current Query - Выполнить текущий запрос - - - Copy Query With Results - Копировать запрос с результатами - - - Successfully copied query and results. - Запрос и результаты скопированы. - - - Run Current Query with Actual Plan - Выполнить текущий запрос с фактическим планом - - - Cancel Query - Отменить запрос - - - Refresh IntelliSense Cache - Обновить кэш IntelliSense - - - Toggle Query Results - Переключить результаты запроса - - - Toggle Focus Between Query And Results - Переключить фокус между запросом и результатами - - - Editor parameter is required for a shortcut to be executed - Для выполнения ярлыка требуется параметр редактора. - - - Parse Query - Синтаксический анализ запроса - - - Commands completed successfully - Команды выполнены - - - Command failed: - Не удалось выполнить команду: - - - Please connect to a server - Подключитесь к серверу + + A server group with the same name already exists. + Группа серверов с таким именем уже существует. - + - - succeeded - Выполнено - - - failed - Ошибка - - - in progress - Выполняется - - - not started - Не запущена - - - canceled - Отмененный - - - canceling - выполняется отмена + + Widget used in the dashboards + Мини-приложение, используемое на панелях мониторинга - + - - Chart cannot be displayed with the given data - Не удается отобразить диаграмму с указанными данными. + + Widget used in the dashboards + Мини-приложение, используемое на панелях мониторинга + + + Widget used in the dashboards + Мини-приложение, используемое на панелях мониторинга + + + Widget used in the dashboards + Мини-приложение, используемое на панелях мониторинга - + - - Error opening link : {0} - Ошибка при открытии ссылки: {0} + + Saving results into different format disabled for this data provider. + Сохранение результатов в другом формате отключено для этого поставщика данных. - - Error executing command '{0}' : {1} - Ошибка при выполнении команды "{0}": {1} + + Cannot serialize data as no provider has been registered + Не удается сериализировать данные, так как ни один поставщик не зарегистрирован - - - - - - Copy failed with error {0} - Не удалось выполнить копирование. Ошибка: {0} - - - Show chart - Показать диаграмму - - - Show table - Показать таблицу - - - - - - - <i>Double-click to edit</i> - <i>Дважды щелкните, чтобы изменить</i> - - - <i>Add content here...</i> - <i>Добавьте содержимое здесь…</i> - - - - - - - An error occurred refreshing node '{0}': {1} - Произошла ошибка при обновлении узла "{0}": {1} - - - - - - - Done - Готово - - - Cancel - Отмена - - - Generate script - Создать сценарий - - - Next - Далее - - - Previous - Назад - - - Tabs are not initialized - Вкладки не инициализированы - - - - - - - is required. - требуется. - - - Invalid input. Numeric value expected. - Введены недопустимые данные. Ожидается числовое значение. - - - - - - - Backup file path - Путь к файлу резервной копии - - - Target database - Целевая база данных - - - Restore - Восстановить - - - Restore database - Восстановление базы данных - - - Database - База данных - - - Backup file - Файл резервной копии - - - Restore database - Восстановление базы данных - - - Cancel - Отмена - - - Script - Скрипт - - - Source - Источник - - - Restore from - Восстановить из - - - Backup file path is required. - Требуется путь к файлу резервной копии. - - - Please enter one or more file paths separated by commas - Пожалуйста, введите один или несколько путей файлов, разделенных запятыми - - - Database - База данных - - - Destination - Назначение - - - Restore to - Восстановить в - - - Restore plan - План восстановления - - - Backup sets to restore - Резервные наборы данных для восстановления - - - Restore database files as - Восстановить файлы базы данных как - - - Restore database file details - Восстановление сведений о файле базы данных - - - Logical file Name - Логическое имя файла - - - File type - Тип файла - - - Original File Name - Исходное имя файла - - - Restore as - Восстановить как - - - Restore options - Параметры восстановления - - - Tail-Log backup - Резервная копия заключительного фрагмента журнала - - - Server connections - Подключения к серверу - - - General - Общие - - - Files - Файлы - - - Options - Параметры - - - - - - - Copy Cell - Копировать ячейку - - - - - - - Done - Готово - - - Cancel - Отмена - - - - - - - Copy & Open - Копировать и открыть - - - Cancel - Отмена - - - User code - Код пользователя - - - Website - Веб-сайт - - - - - - - The index {0} is invalid. - Индекс {0} является недопустимым. - - - - - - - Server Description (optional) - Описание сервера (необязательно) - - - - - - - Advanced Properties - Дополнительные свойства - - - Discard - Отменить - - - - - - - nbformat v{0}.{1} not recognized - Формат nbformat v{0}.{1} не распознан - - - This file does not have a valid notebook format - Формат этого файла не соответствует допустимому формату записной книжки - - - Cell type {0} unknown - Неизвестный тип ячейки {0} - - - Output type {0} not recognized - Тип выходных данных {0} не распознан - - - Data for {0} is expected to be a string or an Array of strings - Данные для {0} должны представлять собой строку или массив строк - - - Output type {0} not recognized - Тип выходных данных {0} не распознан - - - - - - - Welcome - Приветствие - - - SQL Admin Pack - Пакет администрирования SQL - - - SQL Admin Pack - Пакет администрирования SQL - - - Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server - Пакет администрирования для SQL Server — это набор популярных расширений для администрирования баз данных, которые помогут управлять SQL Server - - - Powershell - PowerShell - - - Write and execute PowerShell scripts using Azure Data Studio's rich query editor - Создавайте и выполняйте скрипты PowerShell с помощью расширенного редактора запросов Azure Data Studio - - - Data Virtualization - Виртуализация данных - - - Virtualize data with SQL Server 2019 and create external tables using interactive wizards - Виртуализируйте данные с помощью SQL Server 2019 и создавайте внешние таблицы с помощью интерактивных мастеров - - - PostgreSQL - PostgreSQL - - - Connect, query, and manage Postgres databases with Azure Data Studio - Подключайтесь к базам данных Postgres, отправляйте запросы и управляйте ими с помощью Azure Data Studio - - - Support for {0} is already installed. - Поддержка {0} уже добавлена. - - - The window will reload after installing additional support for {0}. - После установки дополнительной поддержки для {0} окно будет перезагружено. - - - Installing additional support for {0}... - Установка дополнительной поддержки для {0}... - - - Support for {0} with id {1} could not be found. - Не удается найти поддержку для {0} с идентификатором {1}. - - - New connection - Создать подключение - - - New query - Создать запрос - - - New notebook - Создать записную книжку - - - Deploy a server - Развернуть сервер - - - Welcome - Приветствие - - - New - Создать - - - Open… - Открыть… - - - Open file… - Открыть файл… - - - Open folder… - Открыть папку… - - - Start Tour - Начать обзор - - - Close quick tour bar - Закрыть панель краткого обзора - - - Would you like to take a quick tour of Azure Data Studio? - Вы хотите ознакомиться с кратким обзором Azure Data Studio? - - - Welcome! - Добро пожаловать! - - - Open folder {0} with path {1} - Открыть папку {0} с путем {1} - - - Install - Установить - - - Install {0} keymap - Установить раскладку клавиатуры {0} - - - Install additional support for {0} - Установить дополнительную поддержку для {0} - - - Installed - Установлено - - - {0} keymap is already installed - Раскладка клавиатуры {0} уже установлена - - - {0} support is already installed - Поддержка {0} уже установлена - - - OK - OK - - - Details - Подробные сведения - - - Background color for the Welcome page. - Цвет фона страницы приветствия. - - - - - - - Profiler editor for event text. Readonly - Редактор профилировщика для текста события. Только для чтения. - - - - - - - Failed to save results. - Не удалось сохранить результаты. - - - Choose Results File - Выберите файл результатов - - - CSV (Comma delimited) - CSV (с разделением запятыми) - - - JSON - JSON - - - Excel Workbook - Книга Excel - - - XML - XML - - - Plain Text - Простой текст - - - Saving file... - Сохранение файла… - - - Successfully saved results to {0} - Результаты сохранены в {0} - - - Open file - Открыть файл - - - - - - - Hide text labels - Скрыть текстовые подписи - - - Show text labels - Показать текстовые подписи - - - - - - - modelview code editor for view model. - редактор кода в представлении модели для модели представления. - - - - - - - Information - Сведения - - - Warning - Предупреждение - - - Error - Ошибка - - - Show Details - Показать подробные сведения - - - Copy - Копировать - - - Close - Закрыть - - - Back - Назад - - - Hide Details - Скрыть подробные сведения - - - - - - - Accounts - Учетные записи - - - Linked accounts - Связанные учетные записи - - - Close - Закрыть - - - There is no linked account. Please add an account. - Связанная учетная запись не существует. Добавьте учетную запись. - - - Add an account - Добавить учетную запись - - - You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud - Облака не включены. Перейдите в раздел "Параметры", откройте раздел "Конфигурация учетной записи Azure" и включите хотя бы одно облако - - - You didn't select any authentication provider. Please try again. - Вы не выбрали поставщик проверки подлинности. Повторите попытку. - - - - - - - Execution failed due to an unexpected error: {0} {1} - Сбой выполнения из-за непредвиденной ошибки: {0} {1} - - - Total execution time: {0} - Общее время выполнения: {0} - - - Started executing query at Line {0} - Начато выполнение запроса в строке {0} - - - Started executing batch {0} - Запущено выполнение пакета {0} - - - Batch execution time: {0} - Время выполнения пакета: {0} - - - Copy failed with error {0} - Не удалось выполнить копирование. Ошибка: {0} - - - - - - - Azure Data Studio - Azure Data Studio - - - Start - Запуск - - - New connection - Создать подключение - - - New query - Создать запрос - - - New notebook - Создать записную книжку - - - Open file - Открыть файл - - - Open file - Открыть файл - - - Deploy - Развернуть - - - New Deployment… - Новое развертывание… - - - Recent - Последние - - - More... - Подробнее… - - - No recent folders - Нет последних папок - - - Help - Справка - - - Getting started - Приступая к работе - - - Documentation - Документация - - - Report issue or feature request - Сообщить о проблеме или отправить запрос на добавление новой возможности - - - GitHub repository - Репозиторий GitHub - - - Release notes - Заметки о выпуске - - - Show welcome page on startup - Отображать страницу приветствия при запуске - - - Customize - Настроить - - - Extensions - Расширения - - - Download extensions that you need, including the SQL Server Admin pack and more - Скачайте необходимые расширения, включая пакет администрирования SQL Server и другие. - - - Keyboard Shortcuts - Сочетания клавиш - - - Find your favorite commands and customize them - Найдите любимые команды и настройте их - - - Color theme - Цветовая тема - - - Make the editor and your code look the way you love - Настройте редактор и код удобным образом. - - - Learn - Дополнительные сведения - - - Find and run all commands - Найти и выполнить все команды - - - Rapidly access and search commands from the Command Palette ({0}) - Быстро обращайтесь к командам и выполняйте поиск по командам с помощью палитры команд ({0}) - - - Discover what's new in the latest release - Ознакомьтесь с изменениями в последнем выпуске - - - New monthly blog posts each month showcasing our new features - Ежемесячные записи в блоге с обзором новых функций - - - Follow us on Twitter - Следите за нашими новостями в Twitter - - - Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. - Будьте в курсе того, как сообщество использует Azure Data Studio, и общайтесь с техническими специалистами напрямую. - - - - - - - Connect - Подключиться - - - Disconnect - Отключить - - - Start - Запустить - - - New Session - Создание сеанса - - - Pause - Приостановить - - - Resume - Возобновить - - - Stop - Остановить - - - Clear Data - Очистить данные - - - Are you sure you want to clear the data? - Вы действительно хотите очистить данные? - - - Yes - Да - - - No - Нет - - - Auto Scroll: On - Автоматическая прокрутка: вкл - - - Auto Scroll: Off - Автоматическая прокрутка: выкл - - - Toggle Collapsed Panel - Переключить свернутую панель - - - Edit Columns - Редактирование столбцов - - - Find Next String - Найти следующую строку - - - Find Previous String - Найти предыдущую строку - - - Launch Profiler - Запустить профилировщик - - - Filter… - Фильтр… - - - Clear Filter - Очистить фильтр - - - Are you sure you want to clear the filters? - Вы действительно хотите очистить фильтры? - - - - - - - Events (Filtered): {0}/{1} - События (отфильтровано): {0}/{1} - - - Events: {0} - События: {0} - - - Event Count - Число событий - - - - - - - no data available - данные недоступны - - - - - - - Results - Результаты - - - Messages - Сообщения - - - - - - - No script was returned when calling select script on object - Не было получено ни одного сценария при вызове метода выбора сценария для объекта - - - Select - Выбрать - - - Create - Создать - - - Insert - Insert - - - Update - Обновить - - - Delete - Удалить - - - No script was returned when scripting as {0} on object {1} - При выполнении сценария в режиме {0} для объекта {1} не было возвращено ни одного сценария. - - - Scripting Failed - Не удалось создать сценарий - - - No script was returned when scripting as {0} - При выполнении сценария в режиме {0} не было возвращено ни одного сценария - - - - - - - Table header background color - Цвет фона заголовка таблицы - - - Table header foreground color - Цвет переднего плана заголовка таблицы - - - List/Table background color for the selected and focus item when the list/table is active - Цвет фоны списка или таблицы для выбранного элемента и элемента, на котором находится фокус, когда список или таблица активны - - - Color of the outline of a cell. - Цвет контура ячейки. - - - Disabled Input box background. - Фоновый цвет отключенного поля ввода. - - - Disabled Input box foreground. - Цвет переднего плана отключенного поля ввода. - - - Button outline color when focused. - Цвет контура кнопки в фокусе. - - - Disabled checkbox foreground. - Цвет переднего плана отключенного флажка. - - - SQL Agent Table background color. - Цвет фона таблицы для Агента SQL. - - - SQL Agent table cell background color. - Цвет фона ячейки таблицы для Агента SQL. - - - SQL Agent table hover background color. - Цвет фона таблицы Агента SQL при наведении. - - - SQL Agent heading background color. - Цвет фона заголовка Агента SQL. - - - SQL Agent table cell border color. - Цвет границы ячейки таблицы для Агента SQL. - - - Results messages error color. - Цвет сообщений об ошибках в результатах. - - - - - - - Backup name - Имя резервной копии - - - Recovery model - Модель восстановления - - - Backup type - Тип резервной копии - - - Backup files - Файл резервной копии - - - Algorithm - Алгоритм - - - Certificate or Asymmetric key - Сертификат или асимметричный ключ - - - Media - Носитель - - - Backup to the existing media set - Создать резервную копию в существующем наборе носителей - - - Backup to a new media set - Создать резервную копию на новом наборе носителей - - - Append to the existing backup set - Добавить к существующему резервному набору данных - - - Overwrite all existing backup sets - Перезаписать все существующие резервные наборы данных - - - New media set name - Имя нового набора носителей - - - New media set description - Описание нового набора носителей - - - Perform checksum before writing to media - Рассчитать контрольную сумму перед записью на носитель - - - Verify backup when finished - Проверить резервную копию после завершения - - - Continue on error - Продолжать при ошибке - - - Expiration - Истечение срока - - - Set backup retain days - Установить время хранения резервной копии в днях - - - Copy-only backup - Только архивное копирование - - - Advanced Configuration - Расширенная конфигурация - - - Compression - Сжатие - - - Set backup compression - Настройка сжатия резервной копии - - - Encryption - Шифрование - - - Transaction log - Журнал транзакций - - - Truncate the transaction log - Усечь журнал транзакций - - - Backup the tail of the log - Резервное копирование заключительного фрагмента журнала - - - Reliability - Надежность - - - Media name is required - Требуется имя носителя - - - No certificate or asymmetric key is available - Нет доступных сертификатов или ассиметричных ключей. - - - Add a file - Добавить файл - - - Remove files - Удалить файлы - - - Invalid input. Value must be greater than or equal 0. - Некорректные данные. Значение должно быть больше или равно 0. - - - Script - Скрипт - - - Backup - Резервное копирование - - - Cancel - Отмена - - - Only backup to file is supported - Поддерживается только резервное копирование в файл - - - Backup file path is required - Требуется путь к файлу резервной копии + + Serialization failed with an unknown error + Не удалось выполнить сериализацию. Произошла неизвестная ошибка @@ -4632,407 +589,87 @@ - + - - There is no data provider registered that can provide view data. - Отсутствует зарегистрированный поставщик данных, который может предоставить сведения о просмотрах. + + Table header background color + Цвет фона заголовка таблицы - - Refresh - Обновить + + Table header foreground color + Цвет переднего плана заголовка таблицы - - Collapse All - Свернуть все + + List/Table background color for the selected and focus item when the list/table is active + Цвет фоны списка или таблицы для выбранного элемента и элемента, на котором находится фокус, когда список или таблица активны - - Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. - Ошибка при выполнении команды {1}: {0}. Это, скорее всего, вызвано расширением, добавляющим {1}. + + Color of the outline of a cell. + Цвет контура ячейки. + + + Disabled Input box background. + Фоновый цвет отключенного поля ввода. + + + Disabled Input box foreground. + Цвет переднего плана отключенного поля ввода. + + + Button outline color when focused. + Цвет контура кнопки в фокусе. + + + Disabled checkbox foreground. + Цвет переднего плана отключенного флажка. + + + SQL Agent Table background color. + Цвет фона таблицы для Агента SQL. + + + SQL Agent table cell background color. + Цвет фона ячейки таблицы для Агента SQL. + + + SQL Agent table hover background color. + Цвет фона таблицы Агента SQL при наведении. + + + SQL Agent heading background color. + Цвет фона заголовка Агента SQL. + + + SQL Agent table cell border color. + Цвет границы ячейки таблицы для Агента SQL. + + + Results messages error color. + Цвет сообщений об ошибках в результатах. - + - - Please select active cell and try again - Выберите активную ячейку и повторите попытку + + Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window + Некоторые из загруженных расширений используют устаревшие API. Подробные сведения см. на вкладке "Консоль" окна "Средства для разработчиков" - - Run cell - Выполнить ячейку - - - Cancel execution - Отменить выполнение - - - Error on last run. Click to run again - Ошибка при последнем запуске. Щелкните, чтобы запустить повторно + + Don't Show Again + Больше не показывать - + - - Cancel - Отмена + + F5 shortcut key requires a code cell to be selected. Please select a code cell to run. + При нажатии клавиши F5 необходимо выбрать ячейку кода. Выберите ячейку кода для выполнения. - - The task is failed to cancel. - Ошибка при отмене задачи. - - - Script - Скрипт - - - - - - - Toggle More - Показать или скрыть дополнительную информацию - - - - - - - Loading - Загрузка - - - - - - - Home - Домашняя страница - - - - - - - The "{0}" section has invalid content. Please contact extension owner. - В разделе "{0}" имеется недопустимое содержимое. Свяжитесь с владельцем расширения. - - - - - - - Jobs - Задания - - - Notebooks - Записные книжки - - - Alerts - Предупреждения - - - Proxies - Прокси-серверы - - - Operators - Операторы - - - - - - - Server Properties - Свойства сервера - - - - - - - Database Properties - Свойства базы данных - - - - - - - Select/Deselect All - Выбрать все/отменить выбор - - - - - - - Show Filter - Показать фильтр - - - OK - ОК - - - Clear - Очистка - - - Cancel - Отмена - - - - - - - Recent Connections - Последние подключения - - - Servers - Серверы - - - Servers - Серверы - - - - - - - Backup Files - Файлы резервной копии - - - All Files - Все файлы - - - - - - - Search: Type Search Term and press Enter to search or Escape to cancel - Поиск: введите условие поиска и нажмите клавишу ВВОД, чтобы выполнить поиск, или ESCAPE для отмены - - - Search - Поиск - - - - - - - Failed to change database - Не удалось изменить базу данных - - - - - - - Name - Имя - - - Last Occurrence - Последнее вхождение - - - Enabled - Включено - - - Delay Between Responses (in secs) - Задержка между ответами (в секундах) - - - Category Name - Имя категории - - - - - - - Name - Имя - - - Email Address - Адрес электронной почты - - - Enabled - Включено - - - - - - - Account Name - Имя учетной записи - - - Credential Name - Имя учетных данных - - - Description - Описание - - - Enabled - Включено - - - - - - - loading objects - Загрузка объектов - - - loading databases - Загрузка баз данных - - - loading objects completed. - Загрузка объектов завершена. - - - loading databases completed. - Загрузка баз данных завершена. - - - Search by name of type (t:, v:, f:, or sp:) - Поиск по имени типа (t:, v:, f: или sp:) - - - Search databases - Поиск по базам данных - - - Unable to load objects - Не удалось загрузить объекты - - - Unable to load databases - Не удалось загрузить базы данных - - - - - - - Loading properties - Загрузка свойств - - - Loading properties completed - Загрузка свойств завершена - - - Unable to load dashboard properties - Не удалось загрузить свойства панели мониторинга - - - - - - - Loading {0} - Загрузка {0} - - - Loading {0} completed - Загрузка {0} завершена - - - Auto Refresh: OFF - Автоматическое обновление: выключено - - - Last Updated: {0} {1} - Последнее обновление: {0} {1} - - - No results to show - Результаты для отображения отсутствуют - - - - - - - Steps - Шаги - - - - - - - Save As CSV - Сохранить в формате CSV - - - Save As JSON - Сохранить в формате JSON - - - Save As Excel - Сохранить в формате Excel - - - Save As XML - Сохранить в формате XML - - - Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. - Кодировка результатов не будет сохранена при экспорте в JSON; не забудьте выполнить сохранение с требуемой кодировкой после создания файла. - - - Save to file is not supported by the backing data source - Сохранение в файл не поддерживается резервным источником данных - - - Copy - Копировать - - - Copy With Headers - Копировать с заголовками - - - Select All - Выбрать все - - - Maximize - Развернуть - - - Restore - Восстановить - - - Chart - Диаграмма - - - Visualizer - Визуализатор + + Clear result requires a code cell to be selected. Please select a code cell to run. + Для выполнения очистки результата требуется выбрать ячейку кода. Выберите ячейку кода для выполнения. @@ -5052,349 +689,495 @@ - + - - Step ID - Идентификатор шага + + Done + Готово - - Step Name - Имя шага + + Cancel + Отмена - - Message - Сообщение + + Generate script + Создать сценарий + + + Next + Далее + + + Previous + Назад + + + Tabs are not initialized + Вкладки не инициализированы - + - - Find - Найти + + No tree view with id '{0}' registered. + Отсутствует зарегистрированное представление в виде дерева с идентификатором "{0}". - - Find - Найти + + + + + + A NotebookProvider with valid providerId must be passed to this method + В качестве параметра этого метода необходимо указать NotebookProvider с действительным providerId - - Previous match - Предыдущее соответствие + + no notebook provider found + поставщики записных книжек не найдены - - Next match - Следующее соответствие + + No Manager found + Диспетчер не найден - + + Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it + Notebook Manager для записной книжки {0} не содержит диспетчера серверов. Невозможно выполнить операции над ним + + + Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it + Notebook Manager для записной книжки {0} не включает диспетчер содержимого. Невозможно выполнить операции над ним + + + Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it + Notebook Manager для записной книжки {0} не содержит диспетчер сеанса. Невозможно выполнить действия над ним + + + + + + + A NotebookProvider with valid providerId must be passed to this method + В качестве параметра этого метода необходимо указать NotebookProvider с действительным providerId + + + + + + + Manage + Управление + + + Show Details + Показать подробные сведения + + + Learn More + Дополнительные сведения + + + Clear all saved accounts + Очистить все сохраненные учетные записи + + + + + + + Preview Features + Предварительные версии функции + + + Enable unreleased preview features + Включить невыпущенные предварительные версии функции + + + Show connect dialog on startup + Показывать диалоговое окно подключения при запуске + + + Obsolete API Notification + Уведомление об устаревших API + + + Enable/disable obsolete API usage notification + Включить/отключить уведомление об использовании устаревших API + + + + + + + Edit Data Session Failed To Connect + Не удалось подключиться к сеансу редактирования данных + + + + + + + Profiler + Профилировщик + + + Not connected + Нет соединения + + + XEvent Profiler Session stopped unexpectedly on the server {0}. + Сеанс Профилировщика XEvent был неожиданно остановлен на сервере {0}. + + + Error while starting new session + Ошибка при запуске нового сеанса + + + The XEvent Profiler session for {0} has lost events. + В сеансе Профилировщика XEvent для {0} были потеряны события. + + + + + + + Show Actions + Показать действия + + + Resource Viewer + Средство просмотра ресурсов + + + + + + + Information + Сведения + + + Warning + Предупреждение + + + Error + Ошибка + + + Show Details + Показать подробные сведения + + + Copy + Копировать + + Close Закрыть - - Your search returned a large number of results, only the first 999 matches will be highlighted. - В результате поиска было получено слишком большое число результатов. Будут показаны только первые 999 результатов. + + Back + Назад - - {0} of {1} - {0} из {1} - - - No Results - Результаты отсутствуют + + Hide Details + Скрыть подробные сведения - + - - Horizontal Bar - Горизонтальная линейчатая диаграмма + + OK + ОК - - Bar - Линейчатая диаграмма - - - Line - Строка - - - Pie - Круговая диаграмма - - - Scatter - Точечная диаграмма - - - Time Series - Временной ряд - - - Image - Образ - - - Count - Подсчет - - - Table - Таблицы - - - Doughnut - Круговая диаграмма - - - Failed to get rows for the dataset to chart. - Не удалось получить строки для набора данных, чтобы построить диаграмму. - - - Chart type '{0}' is not supported. - Тип диаграммы "{0}" не поддерживается. + + Cancel + Отмена - + - - Parameters - Параметры + + is required. + требуется. + + + Invalid input. Numeric value expected. + Введены недопустимые данные. Ожидается числовое значение. - + - - Connected to - Подключено к - - - Disconnected - Отключено - - - Unsaved Connections - Несохраненные подключения + + The index {0} is invalid. + Индекс {0} является недопустимым. - + - - Browse (Preview) - Обзор (предварительная версия) + + blank + пустой - - Type here to filter the list - Для фильтрации списка введите здесь значение + + check all checkboxes in column: {0} + установить все флажки в столбце {0} - - Filter connections - Фильтрация подключений - - - Applying filter - Применение фильтра - - - Removing filter - Удаление фильтра - - - Filter applied - Фильтр применен - - - Filter removed - Фильтр удален - - - Saved Connections - Сохраненные подключения - - - Saved Connections - Сохраненные подключения - - - Connection Browser Tree - Дерево обозревателя подключений + + Show Actions + Показать действия - + - - This extension is recommended by Azure Data Studio. - Это расширение рекомендуется Azure Data Studio. + + Loading + Загрузка + + + Loading completed + Загрузка завершена - + - - Don't Show Again - Больше не показывать + + Invalid value + Недопустимое значение - - Azure Data Studio has extension recommendations. - В Azure Data Studio есть рекомендации по расширениям. - - - Azure Data Studio has extension recommendations for data visualization. -Once installed, you can select the Visualizer icon to visualize your query results. - В Azure Data Studio есть рекомендации по расширениям для визуализации данных. -После установки можно выбрать значок "Визуализатор" для визуализации результатов запроса. - - - Install All - Установить все - - - Show Recommendations - Показать рекомендации - - - The scenario type for extension recommendations must be provided. - Необходимо указать тип сценария для рекомендаций по расширениям. + + {0}. {1} + {0}.{1} - + - - This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. - Эта страница функции находится на этапе предварительной версии. Предварительные версии функций представляют собой новые функции, которые в будущем станут постоянной частью продукта. Они стабильны, но требуют дополнительного улучшения специальных возможностей. Мы будем рады вашим отзывам о функциях, пока они находятся в разработке. + + Loading + Загрузка - - Preview - Предварительная версия - - - Create a connection - Создать подключение - - - Connect to a database instance through the connection dialog. - Подключение к экземпляру базы данных с помощью диалогового окна подключения. - - - Run a query - Выполнить запрос - - - Interact with data through a query editor. - Взаимодействие с данными через редактор запросов. - - - Create a notebook - Создать записную книжку - - - Build a new notebook using a native notebook editor. - Создание записной книжки с помощью собственного редактора записных книжек. - - - Deploy a server - Развернуть сервер - - - Create a new instance of a relational data service on the platform of your choice. - Создание нового экземпляра реляционной службы данных на выбранной вами платформе. - - - Resources - Ресурсы - - - History - Журнал - - - Name - Имя - - - Location - Расположение - - - Show more - Показать больше - - - Show welcome page on startup - Отображать страницу приветствия при запуске - - - Useful Links - Полезные ссылки - - - Getting Started - Приступая к работе - - - Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. - Ознакомьтесь с возможностями, предлагаемыми Azure Data Studio, и узнайте, как использовать их с максимальной эффективностью. - - - Documentation - Документация - - - Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. - Посетите центр документации, где можно найти примеры, руководства и ссылки на PowerShell, API-интерфейсы и т. д. - - - Overview of Azure Data Studio - Обзор Azure Data Studio - - - Introduction to Azure Data Studio Notebooks | Data Exposed - Общие сведения о записных книжках в Azure Data Studio | Данные предоставлены - - - Extensions - Расширения - - - Show All - Показать все - - - Learn more - Дополнительные сведения + + Loading completed + Загрузка завершена - + - - Date Created: - Дата создания: + + modelview code editor for view model. + редактор кода в представлении модели для модели представления. - - Notebook Error: - Ошибка записной книжки: + + + + + + Could not find component for type {0} + Не удалось найти компонент для типа {0} - - Job Error: - Ошибка задания: + + + + + + Changing editor types on unsaved files is unsupported + Изменение типов редакторов для несохраненных файлов не поддерживается - - Pinned - Закреплено + + + + + + Select Top 1000 + Выберите первые 1000 - - Recent Runs - Последние запуски + + Take 10 + Давайте ненадолго прервемся - - Past Runs - Предыдущие запуски + + Script as Execute + Выполнение сценария в режиме выполнения + + + Script as Alter + Выполнение сценария в режиме изменения + + + Edit Data + Редактировать данные + + + Script as Create + Выполнение сценария в режиме создания + + + Script as Drop + Выполнение сценария в режиме удаления + + + + + + + No script was returned when calling select script on object + Не было получено ни одного сценария при вызове метода выбора сценария для объекта + + + Select + Выбрать + + + Create + Создать + + + Insert + Insert + + + Update + Обновить + + + Delete + Удалить + + + No script was returned when scripting as {0} on object {1} + При выполнении сценария в режиме {0} для объекта {1} не было возвращено ни одного сценария. + + + Scripting Failed + Не удалось создать сценарий + + + No script was returned when scripting as {0} + При выполнении сценария в режиме {0} не было возвращено ни одного сценария + + + + + + + disconnected + отключено + + + + + + + Extension + Расширение + + + + + + + Active tab background color for vertical tabs + Цвет фона активной вкладки для вертикальных вкладок + + + Color for borders in dashboard + Цвет границ панели мониторинга + + + Color of dashboard widget title + Цвет заголовка мини-приложения панели мониторинга + + + Color for dashboard widget subtext + Цвет вложенного текста мини-приложения панели мониторинга + + + Color for property values displayed in the properties container component + Цвет значений свойств, отображаемых в компоненте контейнера свойств + + + Color for property names displayed in the properties container component + Цвет имен свойств, отображаемых в компоненте контейнера свойств + + + Toolbar overflow shadow color + Цвет тени переполнения панели инструментов + + + + + + + Identifier of the account type + Идентификатор типа учетной записи + + + (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration + (Необязательно) Значок, который используется для представления учетной записи в пользовательском интерфейсе. Путь к файлу или конфигурация с возможностью применения тем + + + Icon path when a light theme is used + Путь к значку, когда используется светлая тема + + + Icon path when a dark theme is used + Путь к значку, когда используется темная тема + + + Contributes icons to account provider. + Передает значки поставщику учетной записи. + + + + + + + View applicable rules + Просмотреть применимые правила + + + View applicable rules for {0} + Просмотреть применимые правила для {0} + + + Invoke Assessment + Вызвать оценку + + + Invoke Assessment for {0} + Вызвать оценку для {0} + + + Export As Script + Экспортировать как скрипт + + + View all rules and learn more on GitHub + Просмотреть все правила и дополнительные сведения в GitHub + + + Create HTML Report + Создать отчет в формате HTML + + + Report has been saved. Do you want to open it? + Отчет сохранен. Вы хотите открыть его? + + + Open + Открыть + + + Cancel + Отмена @@ -5426,390 +1209,6 @@ Once installed, you can select the Visualizer icon to visualize your query resul - - - - Chart - Диаграмма - - - - - - - Operation - Операция - - - Object - Объект - - - Est Cost - Оценка стоимости - - - Est Subtree Cost - Оценка стоимости поддерева - - - Actual Rows - Фактических строк - - - Est Rows - Оценка строк - - - Actual Executions - Фактическое число выполнений - - - Est CPU Cost - Приблизительные расходы на ЦП - - - Est IO Cost - Приблизительные затраты на операции ввода/вывода - - - Parallel - Параллельный - - - Actual Rebinds - Фактическое число повторных привязок - - - Est Rebinds - Приблизительное число повторных привязок - - - Actual Rewinds - Фактическое число сбросов на начало - - - Est Rewinds - Приблизительное число возвратов - - - Partitioned - Секционированный - - - Top Operations - Основные операции - - - - - - - No connections found. - Подключения не найдены. - - - Add Connection - Добавить подключение - - - - - - - Add an account... - Добавить учетную запись… - - - <Default> - <По умолчанию> - - - Loading... - Загрузка… - - - Server group - Группа серверов - - - <Default> - <По умолчанию> - - - Add new group... - Добавить группу… - - - <Do not save> - <Не сохранять> - - - {0} is required. - {0} является обязательным. - - - {0} will be trimmed. - {0} будет обрезан. - - - Remember password - Запомнить пароль - - - Account - Учетная запись - - - Refresh account credentials - Обновите учетные данные учетной записи - - - Azure AD tenant - Клиент Azure AD - - - Name (optional) - Имя (необязательно) - - - Advanced... - Дополнительно… - - - You must select an account - Необходимо выбрать учетную запись - - - - - - - Database - База данных - - - Files and filegroups - Файлы и файловые группы - - - Full - Полное - - - Differential - Разностное - - - Transaction Log - Журнал транзакций - - - Disk - Диск - - - Url - URL-адрес - - - Use the default server setting - Использовать параметр сервера по умолчанию - - - Compress backup - Сжимать резервные копии - - - Do not compress backup - Не сжимать резервные копии - - - Server Certificate - Сертификат сервера - - - Asymmetric Key - Асимметричный ключ - - - - - - - You have not opened any folder that contains notebooks/books. - Вы не открыли папку, содержащую записные книжки или книги. - - - Open Notebooks - Открыть записные книжки - - - The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. - Результирующий набор включает только подмножество всех соответствий. Чтобы уменьшить число результатов, сузьте условия поиска. - - - Search in progress... - - Идет поиск… - - - No results found in '{0}' excluding '{1}' - - Не найдено результатов в "{0}", исключая "{1}", — - - - No results found in '{0}' - - Результаты в "{0}" не найдены — - - - No results found excluding '{0}' - - Результаты не найдены за исключением "{0}" — - - - No results found. Review your settings for configured exclusions and check your gitignore files - - Результаты не найдены. Просмотрите параметры для настроенных исключений и проверьте свои GITIGNORE-файлы — - - - Search again - Повторить поиск - - - Cancel Search - Отменить поиск - - - Search again in all files - Выполните поиск во всех файлах - - - Open Settings - Открыть параметры - - - Search returned {0} results in {1} files - Поиск вернул результатов: {0} в файлах: {1} - - - Toggle Collapse and Expand - Переключить свертывание и развертывание - - - Cancel Search - Отменить поиск - - - Expand All - Развернуть все - - - Collapse All - Свернуть все - - - Clear Search Results - Очистить результаты поиска - - - - - - - Connections - Подключения - - - Connect, query, and manage your connections from SQL Server, Azure, and more. - Подключайтесь, выполняйте запросы и управляйте подключениями из SQL Server, Azure и других сред. - - - 1 - 1 - - - Next - Далее - - - Notebooks - Записные книжки - - - Get started creating your own notebook or collection of notebooks in a single place. - Начните создавать свои записные книжки или коллекцию записных книжек в едином расположении. - - - 2 - 2 - - - Extensions - Расширения - - - Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). - Расширьте функциональные возможности Azure Data Studio, установив расширения, разработанные корпорацией Майкрософт (нами) и сторонним сообществом (вами). - - - 3 - 3 - - - Settings - Параметры - - - Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. - Настройте Azure Data Studio на основе своих предпочтений. Вы можете настроить такие параметры, как автосохранение и размер вкладок, изменить сочетания клавиш и выбрать цветовую тему по своему вкусу. - - - 4 - 4 - - - Welcome Page - Страница приветствия - - - Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. - На странице приветствия можно просмотреть сведения об основных компонентах, недавно открывавшихся файлах и рекомендуемых расширениях. Дополнительные сведения о том, как начать работу с Azure Data Studio, можно получить из наших видеороликов и документации. - - - 5 - 5 - - - Finish - Готово - - - User Welcome Tour - Приветственный обзор - - - Hide Welcome Tour - Скрыть приветственный обзор - - - Read more - Дополнительные сведения - - - Help - Справка - - - - - - - Delete Row - Удалить строку - - - Revert Current Row - Отменить изменения в текущей строке - - - @@ -5894,575 +1293,283 @@ Once installed, you can select the Visualizer icon to visualize your query resul - + - - Message Panel - Панель сообщений - - - Copy - Копировать - - - Copy All - Копировать все + + Open in Azure Portal + Открыть на портале Azure - + - - Loading - Загрузка + + Backup name + Имя резервной копии - - Loading completed - Загрузка завершена + + Recovery model + Модель восстановления + + + Backup type + Тип резервной копии + + + Backup files + Файл резервной копии + + + Algorithm + Алгоритм + + + Certificate or Asymmetric key + Сертификат или асимметричный ключ + + + Media + Носитель + + + Backup to the existing media set + Создать резервную копию в существующем наборе носителей + + + Backup to a new media set + Создать резервную копию на новом наборе носителей + + + Append to the existing backup set + Добавить к существующему резервному набору данных + + + Overwrite all existing backup sets + Перезаписать все существующие резервные наборы данных + + + New media set name + Имя нового набора носителей + + + New media set description + Описание нового набора носителей + + + Perform checksum before writing to media + Рассчитать контрольную сумму перед записью на носитель + + + Verify backup when finished + Проверить резервную копию после завершения + + + Continue on error + Продолжать при ошибке + + + Expiration + Истечение срока + + + Set backup retain days + Установить время хранения резервной копии в днях + + + Copy-only backup + Только архивное копирование + + + Advanced Configuration + Расширенная конфигурация + + + Compression + Сжатие + + + Set backup compression + Настройка сжатия резервной копии + + + Encryption + Шифрование + + + Transaction log + Журнал транзакций + + + Truncate the transaction log + Усечь журнал транзакций + + + Backup the tail of the log + Резервное копирование заключительного фрагмента журнала + + + Reliability + Надежность + + + Media name is required + Требуется имя носителя + + + No certificate or asymmetric key is available + Нет доступных сертификатов или ассиметричных ключей. + + + Add a file + Добавить файл + + + Remove files + Удалить файлы + + + Invalid input. Value must be greater than or equal 0. + Некорректные данные. Значение должно быть больше или равно 0. + + + Script + Скрипт + + + Backup + Резервное копирование + + + Cancel + Отмена + + + Only backup to file is supported + Поддерживается только резервное копирование в файл + + + Backup file path is required + Требуется путь к файлу резервной копии - + - - Click on - Щелкните - - - + Code - Добавить код - - - or - или - - - + Text - Добавить текст - - - to add a code or text cell - для добавления ячейки кода или текстовой ячейки + + Backup + Резервное копирование - + - - StdIn: - Стандартный поток ввода: + + You must enable preview features in order to use backup + Для использования резервного копирования необходимо включить предварительные версии функции + + + Backup command is not supported outside of a database context. Please select a database and try again. + Команда резервного копирования не поддерживается вне контекста базы данных. Выберите базу данных и повторите попытку. + + + Backup command is not supported for Azure SQL databases. + Команда резервного копирования не поддерживается для баз данных SQL Azure. + + + Backup + Резервное копирование - + - - Expand code cell contents - Развернуть содержимое ячеек кода + + Database + База данных - - Collapse code cell contents - Свернуть содержимое ячеек кода + + Files and filegroups + Файлы и файловые группы + + + Full + Полное + + + Differential + Разностное + + + Transaction Log + Журнал транзакций + + + Disk + Диск + + + Url + URL-адрес + + + Use the default server setting + Использовать параметр сервера по умолчанию + + + Compress backup + Сжимать резервные копии + + + Do not compress backup + Не сжимать резервные копии + + + Server Certificate + Сертификат сервера + + + Asymmetric Key + Асимметричный ключ - + - - XML Showplan - XML Showplan + + Create Insight + Создать аналитические сведения - - Results grid - Сетка результатов + + Cannot create insight as the active editor is not a SQL Editor + Не удается создать аналитические данные, так как активным редактором не является редактор SQL - - - - - - Add cell - Добавить ячейку + + My-Widget + Мое мини-приложение - - Code cell - Ячейка кода + + Configure Chart + Настройка диаграммы - - Text cell - Текстовая ячейка + + Copy as image + Копировать как изображение - - Move cell down - Переместить ячейку вниз + + Could not find chart to save + Не удалось найти диаграмму для сохранения - - Move cell up - Переместить ячейку вверх + + Save as image + Сохранить как изображение - - Delete - Удалить + + PNG + PNG - - Add cell - Добавить ячейку - - - Code cell - Ячейка кода - - - Text cell - Текстовая ячейка - - - - - - - SQL kernel error - Ошибка ядра SQL - - - A connection must be chosen to run notebook cells - Для выполнения ячеек записной книжки необходимо выбрать подключение - - - Displaying Top {0} rows. - Отображаются первые {0} строк. - - - - - - - Name - Имя - - - Last Run - Последний запуск - - - Next Run - Следующий запуск - - - Enabled - Включено - - - Status - Статус - - - Category - Категория - - - Runnable - Готово к запуску - - - Schedule - Расписание - - - Last Run Outcome - Результат последнего запуска - - - Previous Runs - Предыдущие запуски - - - No Steps available for this job. - Шаги для этого задания недоступны. - - - Error: - Ошибка: - - - - - - - Could not find component for type {0} - Не удалось найти компонент для типа {0} - - - - - - - Find - Найти - - - Find - Найти - - - Previous match - Предыдущее соответствие - - - Next match - Следующее соответствие - - - Close - Закрыть - - - Your search returned a large number of results, only the first 999 matches will be highlighted. - В результате поиска было получено слишком большое число результатов. Будут показаны только первые 999 результатов. - - - {0} of {1} - {0} из {1} - - - No Results - Результаты отсутствуют - - - - - - - Name - Имя - - - Schema - Схема - - - Type - Тип - - - - - - - Run Query - Выполнить запрос - - - - - - - No {0}renderer could be found for output. It has the following MIME types: {1} - Не удается найти отрисовщик {0} для выходных данных. Он содержит следующие типы MIME: {1} - - - safe - безопасный - - - No component could be found for selector {0} - Не удалось найти компонент для селектора {0} - - - Error rendering component: {0} - Ошибка при отрисовке компонента: {0} - - - - - - - Loading... - Загрузка… - - - - - - - Loading... - Загрузка… - - - - - - - Edit - Изменить - - - Exit - Выход - - - Refresh - Обновить - - - Show Actions - Показать действия - - - Delete Widget - Удалить мини-приложение - - - Click to unpin - Щелкните, чтобы открепить - - - Click to pin - Щелкните, чтобы закрепить - - - Open installed features - Открыть установленные компоненты - - - Collapse Widget - Свернуть мини-приложение - - - Expand Widget - Развернуть мини-приложение - - - - - - - {0} is an unknown container. - {0} является неизвестным контейнером. - - - - - - - Name - Имя - - - Target Database - Целевая база данных - - - Last Run - Последний запуск - - - Next Run - Следующий запуск - - - Status - Статус - - - Last Run Outcome - Результат последнего запуска - - - Previous Runs - Предыдущие запуски - - - No Steps available for this job. - Шаги для этого задания недоступны. - - - Error: - Ошибка: - - - Notebook Error: - Ошибка записной книжки: - - - - - - - Loading Error... - Ошибка загрузки… - - - - - - - Show Actions - Показать действия - - - No matching item found - Совпадающие элементы не найдены - - - Filtered search list to 1 item - Список поиска отфильтрован до одного элемента - - - Filtered search list to {0} items - Список поиска отфильтрован до указанного числа элементов: {0} - - - - - - - Failed - Сбой - - - Succeeded - Выполнено - - - Retry - Повторить попытку - - - Cancelled - Отменено - - - In Progress - Выполняется - - - Status Unknown - Состояние неизвестно - - - Executing - Идет выполнение - - - Waiting for Thread - Ожидание потока - - - Between Retries - Между попытками - - - Idle - Бездействие - - - Suspended - Приостановлено - - - [Obsolete] - [Устаревший] - - - Yes - Да - - - No - Нет - - - Not Scheduled - Не запланировано - - - Never Run - Никогда не запускать - - - - - - - Bold - Полужирный - - - Italic - Курсив - - - Underline - Подчеркнутый - - - Highlight - Выделить цветом - - - Code - Код - - - Link - Ссылка - - - List - Список - - - Ordered list - Упорядоченный список - - - Image - Изображение - - - Markdown preview toggle - off - Переключить предварительный просмотр Markdown — отключено - - - Heading - Заголовок - - - Heading 1 - Заголовок 1 - - - Heading 2 - Заголовок 2 - - - Heading 3 - Заголовок 3 - - - Paragraph - Абзац - - - Insert link - Вставка ссылки - - - Insert image - Вставка изображения - - - Rich Text View - Представление форматированного текста - - - Split View - Разделенное представление - - - Markdown View - Представление Markdown + + Saved Chart to path: {0} + Диаграмма сохранена по следующему пути: {0} @@ -6550,19 +1657,411 @@ Once installed, you can select the Visualizer icon to visualize your query resul - + - + + Chart + Диаграмма + + + + + + + Horizontal Bar + Горизонтальная линейчатая диаграмма + + + Bar + Линейчатая диаграмма + + + Line + Строка + + + Pie + Круговая диаграмма + + + Scatter + Точечная диаграмма + + + Time Series + Временной ряд + + + Image + Образ + + + Count + Подсчет + + + Table + Таблицы + + + Doughnut + Круговая диаграмма + + + Failed to get rows for the dataset to chart. + Не удалось получить строки для набора данных, чтобы построить диаграмму. + + + Chart type '{0}' is not supported. + Тип диаграммы "{0}" не поддерживается. + + + + + + + Built-in Charts + Встроенные диаграммы + + + The maximum number of rows for charts to display. Warning: increasing this may impact performance. + Максимальное количество строк для отображения диаграмм. Предупреждение: увеличение этого параметра может сказаться на производительности. + + + + + + Close Закрыть - + - - A server group with the same name already exists. - Группа серверов с таким именем уже существует. + + Series {0} + Серии {0} + + + + + + + Table does not contain a valid image + Таблица не содержит допустимое изображение + + + + + + + Maximum row count for built-in charts has been exceeded, only the first {0} rows are used. To configure the value, you can open user settings and search for: 'builtinCharts.maxRowCount'. + Превышено максимальное количество строк для встроенных диаграмм, используются только первые {0} строк. Чтобы настроить это значение, откройте настройки пользователя и выполните поиск: “builtinCharts.maxRowCount”. + + + Don't Show Again + Больше не показывать + + + + + + + Connecting: {0} + Подключение: {0} + + + Running command: {0} + Выполняемая команда: {0} + + + Opening new query: {0} + Открытие нового запроса: {0} + + + Cannot connect as no server information was provided + Не удается выполнить подключение, так как информация о сервере не указана + + + Could not open URL due to error {0} + Не удалось открыть URL-адрес из-за ошибки {0} + + + This will connect to server {0} + Будет выполнено подключение к серверу {0} + + + Are you sure you want to connect? + Вы действительно хотите выполнить подключение? + + + &&Open + &&Открыть + + + Connecting query file + Файл с запросом на подключение + + + + + + + {0} was replaced with {1} in your user settings. + {0} был заменен на {1} в параметрах пользователя. + + + {0} was replaced with {1} in your workspace settings. + {0} был заменен на {1} в параметрах рабочей области. + + + + + + + The maximum number of recently used connections to store in the connection list. + Максимальное количество недавно использованных подключений для хранения в списке подключений. + + + Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. + Ядро СУБД, используемое по умолчанию. Оно определяет поставщика языка по умолчанию в файлах .sql и используется по умолчанию при создании новых подключений. + + + Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. + Попытка проанализировать содержимое буфера обмена, когда открыто диалоговое окно подключения или выполняется вставка. + + + + + + + Connection Status + Состояние подключения + + + + + + + Common id for the provider + Общий идентификатор поставщика + + + Display Name for the provider + Отображаемое имя поставщика + + + Notebook Kernel Alias for the provider + Псевдоним ядра записной книжки для поставщика + + + Icon path for the server type + Путь к значку для типа сервера + + + Options for connection + Параметры подключения + + + + + + + User visible name for the tree provider + Отображаемое для пользователя имя поставщика дерева + + + Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` + Идентификатор поставщика должен быть таким же, как при регистрации поставщика данных дерева и должен начинаться с connectionDialog/ + + + + + + + Unique identifier for this container. + Уникальный идентификатор этого контейнера. + + + The container that will be displayed in the tab. + Контейнер, который будет отображаться в этой вкладке. + + + Contributes a single or multiple dashboard containers for users to add to their dashboard. + Добавляет один или несколько контейнеров панелей мониторинга, которые пользователи могут добавить на свои панели мониторинга. + + + No id in dashboard container specified for extension. + В контейнере панелей мониторинга для расширения не указан идентификатор. + + + No container in dashboard container specified for extension. + В контейнере панелей мониторинга для расширения не указан контейнер. + + + Exactly 1 dashboard container must be defined per space. + Для каждого пространства необходимо определить ровно один контейнер панелей мониторинга. + + + Unknown container type defines in dashboard container for extension. + В контейнере панелей мониторинга для расширения указан неизвестный тип контейнера. + + + + + + + The controlhost that will be displayed in this tab. + Узел управления, который будет отображаться на этой вкладке. + + + + + + + The "{0}" section has invalid content. Please contact extension owner. + В разделе "{0}" имеется недопустимое содержимое. Свяжитесь с владельцем расширения. + + + + + + + The list of widgets or webviews that will be displayed in this tab. + Список мини-приложений или веб-представлений, которые будут отображаться в этой вкладке. + + + widgets or webviews are expected inside widgets-container for extension. + Ожидается, что мини-приложения или веб-представления размещаются в контейнере мини-приложений для расширения. + + + + + + + The model-backed view that will be displayed in this tab. + Представление на основе модели, которое будет отображаться в этой вкладке. + + + + + + + Unique identifier for this nav section. Will be passed to the extension for any requests. + Уникальный идентификатор для этого раздела навигации. Будет передан расширению для любых запросов. + + + (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration + (Необязательно) Значок, который используется для представления раздела навигации в пользовательском интерфейсе. Путь к файлу или к конфигурации с возможностью использования тем + + + Icon path when a light theme is used + Путь к значку, когда используется светлая тема + + + Icon path when a dark theme is used + Путь к значку, когда используется темная тема + + + Title of the nav section to show the user. + Название раздела навигации для отображения пользователю. + + + The container that will be displayed in this nav section. + Контейнер, который будет отображаться в разделе навигации. + + + The list of dashboard containers that will be displayed in this navigation section. + Список контейнеров панелей мониторинга, отображаемых в этом разделе навигации. + + + No title in nav section specified for extension. + Название в разделе навигации для расширения не указано. + + + No container in nav section specified for extension. + Для расширения не указан контейнер в разделе навигации. + + + Exactly 1 dashboard container must be defined per space. + Для каждого пространства необходимо определить ровно один контейнер панелей мониторинга. + + + NAV_SECTION within NAV_SECTION is an invalid container for extension. + NAV_SECTION в NAV_SECTION является недопустимым контейнером для расширения. + + + + + + + The webview that will be displayed in this tab. + Веб-представление, которое будет отображаться в этой вкладке. + + + + + + + The list of widgets that will be displayed in this tab. + Список мини-приложений, которые будут отображаться на этой вкладке. + + + The list of widgets is expected inside widgets-container for extension. + Список мини-приложений, которые должны находиться внутри контейнера мини-приложений для расширения. + + + + + + + Edit + Изменить + + + Exit + Выход + + + Refresh + Обновить + + + Show Actions + Показать действия + + + Delete Widget + Удалить мини-приложение + + + Click to unpin + Щелкните, чтобы открепить + + + Click to pin + Щелкните, чтобы закрепить + + + Open installed features + Открыть установленные компоненты + + + Collapse Widget + Свернуть мини-приложение + + + Expand Widget + Развернуть мини-приложение + + + + + + + {0} is an unknown container. + {0} является неизвестным контейнером. @@ -6582,111 +2081,1025 @@ Once installed, you can select the Visualizer icon to visualize your query resul - + - - Create Insight - Создать аналитические сведения + + Unique identifier for this tab. Will be passed to the extension for any requests. + Уникальный идентификатор этой вкладки. Будет передаваться расширению при выполнении любых запросов. - - Cannot create insight as the active editor is not a SQL Editor - Не удается создать аналитические данные, так как активным редактором не является редактор SQL + + Title of the tab to show the user. + Название вкладки, отображаемое для пользователя. - - My-Widget - Мое мини-приложение + + Description of this tab that will be shown to the user. + Описание этой вкладки, которое будет показано пользователю. - - Configure Chart - Настройка диаграммы + + Condition which must be true to show this item + Условие, которое должно иметь значение TRUE, чтобы отображался этот элемент - - Copy as image - Копировать как изображение + + Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set + Определяет типы соединений, с которыми совместима эта вкладка. Если не задано, используется значение по умолчанию "MSSQL". - - Could not find chart to save - Не удалось найти диаграмму для сохранения + + The container that will be displayed in this tab. + Контейнер, который будет отображаться в этой вкладке. - - Save as image - Сохранить как изображение + + Whether or not this tab should always be shown or only when the user adds it. + Будет ли эта вкладка отображаться всегда или только при добавлении ее пользователем. - - PNG - PNG + + Whether or not this tab should be used as the Home tab for a connection type. + Следует ли использовать эту вкладку в качестве вкладки "Главная" для типа подключения. - - Saved Chart to path: {0} - Диаграмма сохранена по следующему пути: {0} + + The unique identifier of the group this tab belongs to, value for home group: home. + Уникальный идентификатор группы, к которой принадлежит эта вкладка, значение для домашней группы: "домашняя". + + + (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration + (Необязательно.) Значок, который используется для представления этой вкладки в пользовательском интерфейсе. Путь к файлу или к конфигурации с возможностью использования тем + + + Icon path when a light theme is used + Путь к значку, когда используется светлая тема + + + Icon path when a dark theme is used + Путь к значку, когда используется темная тема + + + Contributes a single or multiple tabs for users to add to their dashboard. + Добавляет одну или несколько вкладок для пользователей, которые будут добавлены на их панель мониторинга. + + + No title specified for extension. + Название расширения не указано. + + + No description specified to show. + Описание не указано. + + + No container specified for extension. + Не выбран контейнер для расширения. + + + Exactly 1 dashboard container must be defined per space + Для каждого пространства необходимо определить ровно один контейнер панелей мониторинга + + + Unique identifier for this tab group. + Уникальный идентификатор этой группы вкладок. + + + Title of the tab group. + Название группы вкладок. + + + Contributes a single or multiple tab groups for users to add to their dashboard. + Добавляет одну группу вкладок для пользователей или несколько, которые будут добавлены на их панель мониторинга. + + + No id specified for tab group. + Не указан идентификатор для группы вкладок. + + + No title specified for tab group. + Не указано название для группы вкладок. + + + Administration + Администрирование + + + Monitoring + Мониторинг + + + Performance + Производительность + + + Security + Безопасность + + + Troubleshooting + Устранение неполадок + + + Settings + Параметры + + + databases tab + Вкладка "Базы данных" + + + Databases + Базы данных - + - - Add code - Добавить код + + Manage + Управление - - Add text - Добавить текст + + Dashboard + Панель мониторинга - - Create File - Создать файл + + + + + + Manage + Управление - - Could not display contents: {0} - Не удалось отобразить содержимое: {0} + + + + + + property `icon` can be omitted or must be either a string or a literal like `{dark, light}` + Свойство icon может быть пропущено или должно быть строкой или литералом, например "{dark, light}" - - Add cell - Добавить ячейку + + + + + + Defines a property to show on the dashboard + Определяет свойство для отображения на панели мониторинга - - Code cell - Ячейка кода + + What value to use as a label for the property + Какое значение использовать в качестве метки для свойства - - Text cell - Текстовая ячейка + + What value in the object to access for the value + Значение объекта, используемое для доступа к значению - - Run all - Выполнить все + + Specify values to be ignored + Укажите игнорируемые значения - - Cell - Ячейка + + Default value to show if ignored or no value + Значение по умолчанию, которое отображается в том случае, если значение игнорируется или не указано. - - Code - Код + + A flavor for defining dashboard properties + Особые свойства панели мониторинга - - Text - Текст + + Id of the flavor + Идентификатор варианта приложения - - Run Cells - Выполнить ячейки + + Condition to use this flavor + Условие использования этого варианта приложения - - < Previous - < Назад + + Field to compare to + Поле для сравнения - - Next > - Далее > + + Which operator to use for comparison + Какой оператор использовать для сравнения - - cell with URI {0} was not found in this model - ячейка с URI {0} не найдена в этой модели + + Value to compare the field to + Значение для сравнения поля - - Run Cells failed - See error in output of the currently selected cell for more information. - Не удалось выполнить ячейки. Дополнительные сведения об ошибке см. в выходных данных текущей выбранной ячейки. + + Properties to show for database page + Свойства для отображения на странице базы данных + + + Properties to show for server page + Отображаемые свойства для страницы сервера + + + Defines that this provider supports the dashboard + Определяет, что этот поставщик поддерживает панель мониторинга + + + Provider id (ex. MSSQL) + Идентификатор поставщика (пример: MSSQL) + + + Property values to show on dashboard + Значения свойства для отображения на панели мониторинга + + + + + + + Condition which must be true to show this item + Условие, которое должно иметь значение TRUE, чтобы отображался этот элемент + + + Whether to hide the header of the widget, default value is false + Нужно ли скрывать заголовок мини-приложения, значение по умолчанию — false + + + The title of the container + Название контейнера + + + The row of the component in the grid + Строка компонента в сетке + + + The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. + Атрибут rowspan компонента сетки. Значение по умолчанию — 1. Используйте значение "*", чтобы задать количество строк в сетке. + + + The column of the component in the grid + Столбец компонента в сетке + + + The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. + Атрибут colspan компонента сетки. Значение по умолчанию — 1. Используйте значение "*", чтобы задать количество столбцов в сетке. + + + Unique identifier for this tab. Will be passed to the extension for any requests. + Уникальный идентификатор этой вкладки. Будет передаваться расширению при выполнении любых запросов. + + + Extension tab is unknown or not installed. + Вкладка "Расширение" неизвестна или не установлена. + + + + + + + Database Properties + Свойства базы данных + + + + + + + Enable or disable the properties widget + Включение или отключение мини-приложения свойств + + + Property values to show + Значения свойств для отображения + + + Display name of the property + Отображаемое имя свойства + + + Value in the Database Info Object + Значение в объекте сведений о базе данных + + + Specify specific values to ignore + Укажите конкретные значения, которые нужно пропустить + + + Recovery Model + Модель восстановления + + + Last Database Backup + Последнее резервное копирование базы данных + + + Last Log Backup + Последняя резервная копия журнала + + + Compatibility Level + Уровень совместимости + + + Owner + Владелец + + + Customizes the database dashboard page + Настраивает страницу панели мониторинга базы данных + + + Search + Поиск + + + Customizes the database dashboard tabs + Настраивает вкладки панели мониторинга базы данных + + + + + + + Server Properties + Свойства сервера + + + + + + + Enable or disable the properties widget + Включение или отключение мини-приложения свойств + + + Property values to show + Значения свойств для отображения + + + Display name of the property + Отображаемое имя свойства + + + Value in the Server Info Object + Значение в объекте сведений о сервере + + + Version + Версия + + + Edition + Выпуск + + + Computer Name + Имя компьютера + + + OS Version + Версия ОС + + + Search + Поиск + + + Customizes the server dashboard page + Настраивает страницу панели мониторинга сервера + + + Customizes the Server dashboard tabs + Настраивает вкладки панели мониторинга сервера + + + + + + + Home + Домашняя страница + + + + + + + Failed to change database + Не удалось изменить базу данных + + + + + + + Show Actions + Показать действия + + + No matching item found + Совпадающие элементы не найдены + + + Filtered search list to 1 item + Список поиска отфильтрован до одного элемента + + + Filtered search list to {0} items + Список поиска отфильтрован до указанного числа элементов: {0} + + + + + + + Name + Имя + + + Schema + Схема + + + Type + Тип + + + + + + + loading objects + Загрузка объектов + + + loading databases + Загрузка баз данных + + + loading objects completed. + Загрузка объектов завершена. + + + loading databases completed. + Загрузка баз данных завершена. + + + Search by name of type (t:, v:, f:, or sp:) + Поиск по имени типа (t:, v:, f: или sp:) + + + Search databases + Поиск по базам данных + + + Unable to load objects + Не удалось загрузить объекты + + + Unable to load databases + Не удалось загрузить базы данных + + + + + + + Run Query + Выполнить запрос + + + + + + + Loading {0} + Загрузка {0} + + + Loading {0} completed + Загрузка {0} завершена + + + Auto Refresh: OFF + Автоматическое обновление: выключено + + + Last Updated: {0} {1} + Последнее обновление: {0} {1} + + + No results to show + Результаты для отображения отсутствуют + + + + + + + Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more + Добавляет мини-приложение, которое может опрашивать сервер или базу данных и отображать результаты различными способами — в виде диаграмм, сводных данных и т. д. + + + Unique Identifier used for caching the results of the insight. + Уникальный идентификатор, используемый для кэширования результатов анализа. + + + SQL query to run. This should return exactly 1 resultset. + SQL-запрос для выполнения. Он должен возвратить ровно один набор данных. + + + [Optional] path to a file that contains a query. Use if 'query' is not set + [Необязательно] путь к файлу, который содержит запрос. Используйте, если параметр "query" не установлен + + + [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh + [Необязательно] Интервал автоматического обновления в минутах. Если значение не задано, то автоматическое обновление не будет выполняться. + + + Which actions to use + Используемые действия + + + Target database for the action; can use the format '${ columnName }' to use a data driven column name. + Целевая база данных для этого действия; чтобы указать имя столбца на основе данных, можно использовать формат "${ columnName }". + + + Target server for the action; can use the format '${ columnName }' to use a data driven column name. + Целевой сервер для этого действия; чтобы указать имя столбца на основе данных, можно использовать формат "${ columnName }". + + + Target user for the action; can use the format '${ columnName }' to use a data driven column name. + Целевой пользователь для этого действия; чтобы указать имя столбца на основе данных, можно использовать формат "${ columnName }". + + + Identifier of the insight + Идентификатор аналитических данных + + + Contributes insights to the dashboard palette. + Добавляет аналитические сведения на палитру панели мониторинга. + + + + + + + Chart cannot be displayed with the given data + Не удается отобразить диаграмму с указанными данными. + + + + + + + Displays results of a query as a chart on the dashboard + Отображает результаты запроса в виде диаграммы на панели мониторинга + + + Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color + Задает сопоставление "имя столбца" -> цвет. Например, добавьте "column1": red, чтобы задать для этого столбца красный цвет + + + Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry + Указывает предпочтительное положение и видимость условных обозначений диаграммы. Это имена столбцов из вашего запроса и карта для сопоставления с каждой записью диаграммы + + + If dataDirection is horizontal, setting this to true uses the first columns value for the legend. + Если значение параметра dataDirection равно horizontal, то при указании значения TRUE для этого параметра для условных обозначений будут использоваться значения в первом столбце. + + + If dataDirection is vertical, setting this to true will use the columns names for the legend. + Если значение параметра dataDirection равно vertical, то при указании значения TRUE для этого парамтра для условных обозначений будут использованы имена столбцов. + + + Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. + Определяет, считываются ли данные из столбцов (по вертикали) или из строк (по горизонтали). Для временных рядов это игнорируется, так как для них всегда используется направление по вертикали. + + + If showTopNData is set, showing only top N data in the chart. + Если параметр showTopNData установлен, отображаются только первые N данных на диаграмме. + + + + + + + Minimum value of the y axis + Минимальное значение для оси Y + + + Maximum value of the y axis + Максимальное значение по оси Y + + + Label for the y axis + Метка для оси Y + + + Minimum value of the x axis + Минимальное значение по оси X + + + Maximum value of the x axis + Максимальное значение по оси X + + + Label for the x axis + Метка для оси X + + + + + + + Indicates data property of a data set for a chart. + Определяет свойство данных для набора данных диаграммы. + + + + + + + For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 + Для каждого столбца в наборе результатов в строке 0 отображается значение, представляющее собой число, за которым следует название столбца. Например, "1 Healthy", "3 Unhealthy", где "Healthy" — название столбца, а 1 — значение в строке 1 ячейки 1 + + + + + + + Displays an image, for example one returned by an R query using ggplot2 + Отображает изображение, например, возвращенное с помощью запроса R, с использованием ggplot2 + + + What format is expected - is this a JPEG, PNG or other format? + Каков ожидаемый формат изображения: JPEG, PNG или другой формат? + + + Is this encoded as hex, base64 or some other format? + Используется ли кодировка hex, base64 или другой формат кодировки? + + + + + + + Displays the results in a simple table + Отображает результаты в виде простой таблицы + + + + + + + Loading properties + Загрузка свойств + + + Loading properties completed + Загрузка свойств завершена + + + Unable to load dashboard properties + Не удалось загрузить свойства панели мониторинга + + + + + + + Database Connections + Подключения к базе данных + + + data source connections + Подключения к источнику данных + + + data source groups + группы источника данных + + + Saved connections are sorted by the dates they were added. + Сохраненные подключения сортируются по датам их добавления. + + + Saved connections are sorted by their display names alphabetically. + Сохраненные подключения сортируются по отображаемым именам в алфавитном порядке. + + + Controls sorting order of saved connections and connection groups. + Управляет порядком сортировки сохраненных подключений и групп подключений. + + + Startup Configuration + Конфигурация запуска + + + True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown + Задайте значение TRUE, чтобы при запуске Azure Data Studio отображалось представление "Серверы" (по умолчанию); задайте значение FALSE, чтобы при запуске Azure Data Studio отображалось последнее открытое представление + + + + + + + Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. + Идентификатор представления. Используйте его для регистрации поставщика данных с помощью API-интерфейса "vscode.window.registerTreeDataProviderForView", а также для активации расширения с помощью регистрации события "onView:${id}" в "activationEvents". + + + The human-readable name of the view. Will be shown + Понятное имя представления. Будет отображаться на экране + + + Condition which must be true to show this view + Условие, которое должно иметь значение TRUE, чтобы отображалось это представление + + + Contributes views to the editor + Добавляет представления в редактор + + + Contributes views to Data Explorer container in the Activity bar + Добавляет представления в контейнер обозревателя данных на панели действий + + + Contributes views to contributed views container + Добавляет представления в контейнер добавленных представлений + + + Cannot register multiple views with same id `{0}` in the view container `{1}` + Не удается зарегистрировать несколько представлений с одинаковым идентификатором "{0}" в контейнере представления "{1}" + + + A view with id `{0}` is already registered in the view container `{1}` + Представление с идентификатором "{0}" уже зарегистрировано в контейнере представления "{1}" + + + views must be an array + Представления должны быть массивом + + + property `{0}` is mandatory and must be of type `string` + свойство "{0}" является обязательным и должно иметь тип string + + + property `{0}` can be omitted or must be of type `string` + свойство "{0}" может быть опущено или должно иметь тип string + + + + + + + Servers + Серверы + + + Connections + Подключения + + + Show Connections + Показать подключения + + + + + + + Disconnect + Отключить + + + Refresh + Обновить + + + + + + + Show Edit Data SQL pane on startup + Отображать панель редактирования данных SQL при запуске + + + + + + + Run + Запуск + + + Dispose Edit Failed With Error: + Не удалось отменить изменения. Ошибка: + + + Stop + Остановить + + + Show SQL Pane + Показать панель SQL + + + Close SQL Pane + Закрыть панель SQL + + + + + + + Max Rows: + Максимальное число строк: + + + + + + + Delete Row + Удалить строку + + + Revert Current Row + Отменить изменения в текущей строке + + + + + + + Save As CSV + Сохранить в формате CSV + + + Save As JSON + Сохранить в формате JSON + + + Save As Excel + Сохранить в формате Excel + + + Save As XML + Сохранить в формате XML + + + Copy + Копировать + + + Copy With Headers + Копировать с заголовками + + + Select All + Выбрать все + + + + + + + Dashboard Tabs ({0}) + Вкладки панели мониторинга ({0}) + + + Id + Идентификатор + + + Title + Название + + + Description + Описание + + + Dashboard Insights ({0}) + Аналитические данные панели мониторинга ({0}) + + + Id + Идентификатор + + + Name + Имя + + + When + Когда + + + + + + + Gets extension information from the gallery + Получает информацию о расширении из коллекции + + + Extension id + Идентификатор расширения + + + Extension '{0}' not found. + Расширение "{0}" не найдено. + + + + + + + Show Recommendations + Показать рекомендации + + + Install Extensions + Установить расширения + + + Author an Extension... + Создать расширение… + + + + + + + Don't Show Again + Больше не показывать + + + Azure Data Studio has extension recommendations. + В Azure Data Studio есть рекомендации по расширениям. + + + Azure Data Studio has extension recommendations for data visualization. +Once installed, you can select the Visualizer icon to visualize your query results. + В Azure Data Studio есть рекомендации по расширениям для визуализации данных. +После установки можно выбрать значок "Визуализатор" для визуализации результатов запроса. + + + Install All + Установить все + + + Show Recommendations + Показать рекомендации + + + The scenario type for extension recommendations must be provided. + Необходимо указать тип сценария для рекомендаций по расширениям. + + + + + + + This extension is recommended by Azure Data Studio. + Это расширение рекомендуется Azure Data Studio. + + + + + + + Jobs + Задания + + + Notebooks + Записные книжки + + + Alerts + Предупреждения + + + Proxies + Прокси-серверы + + + Operators + Операторы + + + + + + + Name + Имя + + + Last Occurrence + Последнее вхождение + + + Enabled + Включено + + + Delay Between Responses (in secs) + Задержка между ответами (в секундах) + + + Category Name + Имя категории @@ -6906,257 +3319,187 @@ Error: {1} - + - - View applicable rules - Просмотреть применимые правила + + Step ID + Идентификатор шага - - View applicable rules for {0} - Просмотреть применимые правила для {0} + + Step Name + Имя шага - - Invoke Assessment - Вызвать оценку - - - Invoke Assessment for {0} - Вызвать оценку для {0} - - - Export As Script - Экспортировать как скрипт - - - View all rules and learn more on GitHub - Просмотреть все правила и дополнительные сведения в GitHub - - - Create HTML Report - Создать отчет в формате HTML - - - Report has been saved. Do you want to open it? - Отчет сохранен. Вы хотите открыть его? - - - Open - Открыть - - - Cancel - Отмена + + Message + Сообщение - + - - Data - Данные - - - Connection - Подключение - - - Query Editor - Редактор запросов - - - Notebook - Записная книжка - - - Dashboard - Панель мониторинга - - - Profiler - Профилировщик + + Steps + Шаги - + - - Dashboard Tabs ({0}) - Вкладки панели мониторинга ({0}) - - - Id - Идентификатор - - - Title - Название - - - Description - Описание - - - Dashboard Insights ({0}) - Аналитические данные панели мониторинга ({0}) - - - Id - Идентификатор - - + Name Имя - - When - Когда + + Last Run + Последний запуск + + + Next Run + Следующий запуск + + + Enabled + Включено + + + Status + Статус + + + Category + Категория + + + Runnable + Готово к запуску + + + Schedule + Расписание + + + Last Run Outcome + Результат последнего запуска + + + Previous Runs + Предыдущие запуски + + + No Steps available for this job. + Шаги для этого задания недоступны. + + + Error: + Ошибка: - + - - Table does not contain a valid image - Таблица не содержит допустимое изображение + + Date Created: + Дата создания: + + + Notebook Error: + Ошибка записной книжки: + + + Job Error: + Ошибка задания: + + + Pinned + Закреплено + + + Recent Runs + Последние запуски + + + Past Runs + Предыдущие запуски - + - - More - Еще + + Name + Имя - - Edit - Изменить + + Target Database + Целевая база данных - - Close - Закрыть + + Last Run + Последний запуск - - Convert Cell - Преобразовать ячейку + + Next Run + Следующий запуск - - Run Cells Above - Запустить ячейки выше + + Status + Статус - - Run Cells Below - Запустить ячейки ниже + + Last Run Outcome + Результат последнего запуска - - Insert Code Above - Вставить ячейку кода выше + + Previous Runs + Предыдущие запуски - - Insert Code Below - Вставить ячейку кода ниже + + No Steps available for this job. + Шаги для этого задания недоступны. - - Insert Text Above - Вставить текст выше + + Error: + Ошибка: - - Insert Text Below - Вставить текст ниже - - - Collapse Cell - Свернуть ячейку - - - Expand Cell - Развернуть ячейку - - - Make parameter cell - Преобразовать в ячейку параметра - - - Remove parameter cell - Удалить ячейку параметра - - - Clear Result - Очистить результат + + Notebook Error: + Ошибка записной книжки: - + - - An error occurred while starting the notebook session - Произошла ошибка во время запуска сеанса записной книжки + + Name + Имя - - Server did not start for unknown reason - Не удалось запустить сервер по неизвестной причине + + Email Address + Адрес электронной почты - - Kernel {0} was not found. The default kernel will be used instead. - Ядро {0} не найдено. Будет использоваться ядро по умолчанию. + + Enabled + Включено - + - - Series {0} - Серии {0} + + Account Name + Имя учетной записи - - - - - - Close - Закрыть + + Credential Name + Имя учетных данных - - - - - - # Injected-Parameters - - Число внедренных параметров - + + Description + Описание - - Please select a connection to run cells for this kernel - Выберите подключение, на котором будут выполняться ячейки для этого ядра - - - Failed to delete cell. - Не удалось удалить ячейку. - - - Failed to change kernel. Kernel {0} will be used. Error was: {1} - Не удалось изменить ядро. Будет использоваться ядро {0}. Ошибка: {1} - - - Failed to change kernel due to error: {0} - Не удалось изменить ядро из-за ошибки: {0} - - - Changing context failed: {0} - Не удалось изменить контекст: {0} - - - Could not start session: {0} - Не удалось запустить сеанс: {0} - - - A client session error occurred when closing the notebook: {0} - При закрытии записной книжки произошла ошибка сеанса клиента: {0} - - - Can't find notebook manager for provider {0} - Не удается найти диспетчер записных книжек для поставщика {0} + + Enabled + Включено @@ -7228,6 +3571,3317 @@ Error: {1} + + + + More + Еще + + + Edit + Изменить + + + Close + Закрыть + + + Convert Cell + Преобразовать ячейку + + + Run Cells Above + Запустить ячейки выше + + + Run Cells Below + Запустить ячейки ниже + + + Insert Code Above + Вставить ячейку кода выше + + + Insert Code Below + Вставить ячейку кода ниже + + + Insert Text Above + Вставить текст выше + + + Insert Text Below + Вставить текст ниже + + + Collapse Cell + Свернуть ячейку + + + Expand Cell + Развернуть ячейку + + + Make parameter cell + Преобразовать в ячейку параметра + + + Remove parameter cell + Удалить ячейку параметра + + + Clear Result + Очистить результат + + + + + + + Add cell + Добавить ячейку + + + Code cell + Ячейка кода + + + Text cell + Текстовая ячейка + + + Move cell down + Переместить ячейку вниз + + + Move cell up + Переместить ячейку вверх + + + Delete + Удалить + + + Add cell + Добавить ячейку + + + Code cell + Ячейка кода + + + Text cell + Текстовая ячейка + + + + + + + Parameters + Параметры + + + + + + + Please select active cell and try again + Выберите активную ячейку и повторите попытку + + + Run cell + Выполнить ячейку + + + Cancel execution + Отменить выполнение + + + Error on last run. Click to run again + Ошибка при последнем запуске. Щелкните, чтобы запустить повторно + + + + + + + Expand code cell contents + Развернуть содержимое ячеек кода + + + Collapse code cell contents + Свернуть содержимое ячеек кода + + + + + + + Bold + Полужирный + + + Italic + Курсив + + + Underline + Подчеркнутый + + + Highlight + Выделить цветом + + + Code + Код + + + Link + Ссылка + + + List + Список + + + Ordered list + Упорядоченный список + + + Image + Изображение + + + Markdown preview toggle - off + Переключить предварительный просмотр Markdown — отключено + + + Heading + Заголовок + + + Heading 1 + Заголовок 1 + + + Heading 2 + Заголовок 2 + + + Heading 3 + Заголовок 3 + + + Paragraph + Абзац + + + Insert link + Вставка ссылки + + + Insert image + Вставка изображения + + + Rich Text View + Представление форматированного текста + + + Split View + Разделенное представление + + + Markdown View + Представление Markdown + + + + + + + No {0}renderer could be found for output. It has the following MIME types: {1} + Не удается найти отрисовщик {0} для выходных данных. Он содержит следующие типы MIME: {1} + + + safe + безопасный + + + No component could be found for selector {0} + Не удалось найти компонент для селектора {0} + + + Error rendering component: {0} + Ошибка при отрисовке компонента: {0} + + + + + + + Click on + Щелкните + + + + Code + Добавить код + + + or + или + + + + Text + Добавить текст + + + to add a code or text cell + для добавления ячейки кода или текстовой ячейки + + + Add a code cell + Добавить ячейку кода + + + Add a text cell + Добавить текстовую ячейку + + + + + + + StdIn: + Стандартный поток ввода: + + + + + + + <i>Double-click to edit</i> + <i>Дважды щелкните, чтобы изменить</i> + + + <i>Add content here...</i> + <i>Добавьте содержимое здесь…</i> + + + + + + + Find + Найти + + + Find + Найти + + + Previous match + Предыдущее соответствие + + + Next match + Следующее соответствие + + + Close + Закрыть + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + В результате поиска было получено слишком большое число результатов. Будут показаны только первые 999 результатов. + + + {0} of {1} + {0} из {1} + + + No Results + Результаты отсутствуют + + + + + + + Add code + Добавить код + + + Add text + Добавить текст + + + Create File + Создать файл + + + Could not display contents: {0} + Не удалось отобразить содержимое: {0} + + + Add cell + Добавить ячейку + + + Code cell + Ячейка кода + + + Text cell + Текстовая ячейка + + + Run all + Выполнить все + + + Cell + Ячейка + + + Code + Код + + + Text + Текст + + + Run Cells + Выполнить ячейки + + + < Previous + < Назад + + + Next > + Далее > + + + cell with URI {0} was not found in this model + ячейка с URI {0} не найдена в этой модели + + + Run Cells failed - See error in output of the currently selected cell for more information. + Не удалось выполнить ячейки. Дополнительные сведения об ошибке см. в выходных данных текущей выбранной ячейки. + + + + + + + New Notebook + Создать записную книжку + + + New Notebook + Создать записную книжку + + + Set Workspace And Open + Задать рабочую область и открыть + + + SQL kernel: stop Notebook execution when error occurs in a cell. + Ядро SQL: остановить выполнение записной книжки при возникновении ошибки в ячейке. + + + (Preview) show all kernels for the current notebook provider. + (Предварительная версия.) Отображение всех ядер для текущего поставщика записной книжки. + + + Allow notebooks to run Azure Data Studio commands. + Разрешить выполнение команд Azure Data Studio в записных книжках. + + + Enable double click to edit for text cells in notebooks + Разрешить редактирование текстовых ячеек в записных книжках по двойному щелчку мыши + + + Text is displayed as Rich Text (also known as WYSIWYG). + Текст отображается как форматированный текст (другое название — WYSIWYG). + + + Markdown is displayed on the left, with a preview of the rendered text on the right. + Markdown отображается слева, а предварительный просмотр отрисованного текста — справа. + + + Text is displayed as Markdown. + Текст отображается как Markdown. + + + The default editing mode used for text cells + Режим правки по умолчанию, используемый для текстовых ячеек + + + (Preview) Save connection name in notebook metadata. + (Предварительная версия.) Сохранение имени подключения в метаданных записной книжки. + + + Controls the line height used in the notebook markdown preview. This number is relative to the font size. + Определяет высоту строки, используемую в области предварительного просмотра Markdown в записной книжке. Это значение задается относительно размера шрифта. + + + (Preview) Show rendered notebook in diff editor. + (Предварительный просмотр) Показать преобразованный для просмотра блокнот в редакторе несовпадений. + + + The maximum number of changes stored in the undo history for the notebook Rich Text editor. + Максимальное количество изменений, сохраняемых в журнале отмены для редактора форматированного текста записной книжки. + + + Search Notebooks + Поиск в записных книжках + + + Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). + Настройка стандартных масок для исключения файлов и папок при полнотекстовом поиске и быстром открытии. Наследует все стандартные маски от параметра "#files.exclude#". Дополнительные сведения о стандартных масках см. [здесь](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). + + + The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. + Стандартная маска, соответствующая путям к файлам. Задайте значение true или false, чтобы включить или отключить маску. + + + Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. + Дополнительная проверка элементов того же уровня соответствующего файла. Используйте $(basename) в качестве переменной для соответствующего имени файла. + + + This setting is deprecated and now falls back on "search.usePCRE2". + Этот параметр является устаревшим. Сейчас вместо него используется "search.usePCRE2". + + + Deprecated. Consider "search.usePCRE2" for advanced regex feature support. + Этот параметр является устаревшим. Используйте "search.usePCRE2" для расширенной поддержки регулярных выражений. + + + When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. + Когда параметр включен, процесс searchService будет поддерживаться в активном состоянии вместо завершения работы после часа бездействия. При этом кэш поиска файлов будет сохранен в памяти. + + + Controls whether to use `.gitignore` and `.ignore` files when searching for files. + Определяет, следует ли использовать GITIGNORE- и IGNORE-файлы по умолчанию при поиске файлов. + + + Controls whether to use global `.gitignore` and `.ignore` files when searching for files. + Определяет, следует ли использовать глобальные файлы ".gitignore" и ".ignore" по умолчанию при поиске файлов. + + + Whether to include results from a global symbol search in the file results for Quick Open. + Определяет, следует ли включать результаты поиска глобальных символов в результаты для файлов Quick Open. + + + Whether to include results from recently opened files in the file results for Quick Open. + Определяет, следует ли включать результаты из недавно открытых файлов в файл результата для Quick Open. + + + History entries are sorted by relevance based on the filter value used. More relevant entries appear first. + Записи журнала сортируются по релевантности на основе используемого значения фильтра. Более релевантные записи отображаются первыми. + + + History entries are sorted by recency. More recently opened entries appear first. + Записи журнала сортируются по времени открытия. Недавно открытые записи отображаются первыми. + + + Controls sorting order of editor history in quick open when filtering. + Управляет порядком сортировки журнала редактора для быстрого открытия при фильтрации. + + + Controls whether to follow symlinks while searching. + Определяет, нужно ли следовать символическим ссылкам при поиске. + + + Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. + Поиск без учета регистра, если шаблон состоит только из букв нижнего регистра; в противном случае поиск с учетом регистра. + + + Controls whether the search view should read or modify the shared find clipboard on macOS. + Определяет, должно ли представление поиска считывать или изменять общий буфер обмена поиска в macOS. + + + Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. + Управляет тем, будет ли панель поиска отображаться в виде представления в боковой колонке или в виде панели в области панели, чтобы освободить пространство по горизонтали. + + + This setting is deprecated. Please use the search view's context menu instead. + Этот параметр является нерекомендуемым. Используйте вместо него контекстное меню представления поиска. + + + Files with less than 10 results are expanded. Others are collapsed. + Развернуты файлы менее чем с 10 результатами. Остальные свернуты. + + + Controls whether the search results will be collapsed or expanded. + Определяет, должны ли сворачиваться и разворачиваться результаты поиска. + + + Controls whether to open Replace Preview when selecting or replacing a match. + Управляет тем, следует ли открывать окно предварительного просмотра замены при выборе или при замене соответствия. + + + Controls whether to show line numbers for search results. + Определяет, следует ли отображать номера строк для результатов поиска. + + + Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. + Следует ли использовать модуль обработки регулярных выражений PCRE2 при поиске текста. При использовании этого модуля будут доступны некоторые расширенные возможности регулярных выражений, такие как поиск в прямом направлении и обратные ссылки. Однако поддерживаются не все возможности PCRE2, а только те, которые также поддерживаются JavaScript. + + + Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. + Устарело. При использовании функций регулярных выражений, которые поддерживаются только PCRE2, будет автоматически использоваться PCRE2. + + + Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. + Разместить панель действий справа, когда область поиска узкая, и сразу же после содержимого, когда область поиска широкая. + + + Always position the actionbar to the right. + Всегда размещать панель действий справа. + + + Controls the positioning of the actionbar on rows in the search view. + Управляет положением панели действий в строках в области поиска. + + + Search all files as you type. + Поиск во всех файлах при вводе текста. + + + Enable seeding search from the word nearest the cursor when the active editor has no selection. + Включение заполнения поискового запроса из ближайшего к курсору слова, когда активный редактор не имеет выделения. + + + Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. + Изменить запрос поиска рабочей области на выбранный текст редактора при фокусировке на представлении поиска. Это происходит при щелчке мыши или при активации команды workbench.views.search.focus. + + + When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. + Если параметр "#search.searchOnType#" включен, задает время ожидания в миллисекундах между началом ввода символа и началом поиска. Если параметр "search.searchOnType" отключен, не имеет никакого эффекта. + + + Double clicking selects the word under the cursor. + Двойной щелчок выбирает слово под курсором. + + + Double clicking opens the result in the active editor group. + Двойной щелчок открывает результат в активной группе редакторов. + + + Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. + Двойной щелчок открывает результат в группе редактора сбоку, создавая его, если он еще не существует. + + + Configure effect of double clicking a result in a search editor. + Настройка эффекта двойного щелчка результата в редакторе поиска. + + + Results are sorted by folder and file names, in alphabetical order. + Результаты сортируются по имена папок и файлов в алфавитном порядке. + + + Results are sorted by file names ignoring folder order, in alphabetical order. + Результаты сортируются по именам файлов, игнорируя порядок папок, в алфавитном порядке. + + + Results are sorted by file extensions, in alphabetical order. + Результаты сортируются по расширениям файлов в алфавитном порядке. + + + Results are sorted by file last modified date, in descending order. + Результаты сортируются по дате последнего изменения файла в порядке убывания. + + + Results are sorted by count per file, in descending order. + Результаты сортируются по количеству на файл в порядке убывания. + + + Results are sorted by count per file, in ascending order. + Результаты сортируются по количеству на файл в порядке возрастания. + + + Controls sorting order of search results. + Определяет порядок сортировки для результатов поиска. + + + + + + + Loading kernels... + Загрузка ядер… + + + Changing kernel... + Изменение ядра… + + + Attach to + Присоединиться к + + + Kernel + Ядро + + + Loading contexts... + Загрузка контекстов… + + + Change Connection + Изменить подключение + + + Select Connection + Выберите подключение + + + localhost + localhost + + + No Kernel + Нет ядра + + + This notebook cannot run with parameters as the kernel is not supported. Please use the supported kernels and format. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Эта записная книжка не может работать с параметрами, так как ядро не поддерживается. Используйте поддерживаемые ядра и формат. [Подробнее](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + This notebook cannot run with parameters until a parameter cell is added. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Эта записная книжка не может работать с параметрами до тех пор, пока не будет добавлена ячейка параметров. [Подробнее] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + This notebook cannot run with parameters until there are parameters added to the parameter cell. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + Эта записная книжка не может работать с параметрами до тех пор, пока в ячейку параметров не будут добавлены параметры. [Подробнее](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + + + Clear Results + Очистить результаты + + + Trusted + Доверенный + + + Not Trusted + Не доверенный + + + Collapse Cells + Свернуть ячейки + + + Expand Cells + Развернуть ячейки + + + Run with Parameters + Запустить с параметрами + + + None + Нет + + + New Notebook + Создать записную книжку + + + Find Next String + Найти следующую строку + + + Find Previous String + Найти предыдущую строку + + + + + + + Notebook Editor + Notebook Editor + + + + + + + Search Results + Результаты поиска + + + Search path not found: {0} + Путь поиска не найден: {0} + + + Notebooks + Записные книжки + + + + + + + You have not opened any folder that contains notebooks/books. + Вы не открыли папку, содержащую записные книжки или книги. + + + Open Notebooks + Открыть записные книжки + + + The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. + Результирующий набор включает только подмножество всех соответствий. Чтобы уменьшить число результатов, сузьте условия поиска. + + + Search in progress... - + Идет поиск… + + + No results found in '{0}' excluding '{1}' - + Не найдено результатов в "{0}", исключая "{1}", — + + + No results found in '{0}' - + Результаты в "{0}" не найдены — + + + No results found excluding '{0}' - + Результаты не найдены за исключением "{0}" — + + + No results found. Review your settings for configured exclusions and check your gitignore files - + Результаты не найдены. Просмотрите параметры для настроенных исключений и проверьте свои GITIGNORE-файлы — + + + Search again + Повторить поиск + + + Search again in all files + Выполните поиск во всех файлах + + + Open Settings + Открыть параметры + + + Search returned {0} results in {1} files + Поиск вернул результатов: {0} в файлах: {1} + + + Toggle Collapse and Expand + Переключить свертывание и развертывание + + + Cancel Search + Отменить поиск + + + Expand All + Развернуть все + + + Collapse All + Свернуть все + + + Clear Search Results + Очистить результаты поиска + + + + + + + Search: Type Search Term and press Enter to search or Escape to cancel + Поиск: введите условие поиска и нажмите клавишу ВВОД, чтобы выполнить поиск, или ESCAPE для отмены + + + Search + Поиск + + + + + + + cell with URI {0} was not found in this model + ячейка с URI {0} не найдена в этой модели + + + Run Cells failed - See error in output of the currently selected cell for more information. + Не удалось выполнить ячейки. Дополнительные сведения об ошибке см. в выходных данных текущей выбранной ячейки. + + + + + + + Please run this cell to view outputs. + Запустите эту ячейку, чтобы просмотреть выходные данные. + + + + + + + This view is empty. Add a cell to this view by clicking the Insert Cells button. + Это пустое представление. Добавьте ячейку в это представление, нажав кнопку "Вставить ячейки". + + + + + + + Copy failed with error {0} + Не удалось выполнить копирование. Ошибка: {0} + + + Show chart + Показать диаграмму + + + Show table + Показать таблицу + + + + + + + No {0} renderer could be found for output. It has the following MIME types: {1} + Не удается найти отрисовщик {0} для выходных данных. Он содержит следующие типы MIME: {1} + + + (safe) + (безопасный) + + + + + + + Error displaying Plotly graph: {0} + Не удалось отобразить диаграмму Plotly: {0} + + + + + + + No connections found. + Подключения не найдены. + + + Add Connection + Добавить подключение + + + + + + + Server Group color palette used in the Object Explorer viewlet. + Цветовая палитра группы серверов, используемых во вьюлете обозревателя объектов. + + + Auto-expand Server Groups in the Object Explorer viewlet. + Автоматически разворачивать группы серверов во вьюлете обозревателя объектов. + + + (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. + (Предварительная версия.) Используйте новое дерево асинхронных серверов для представления серверов и диалогового окна подключения с поддержкой новых функций, таких как фильтрация динамических узлов. + + + + + + + Data + Данные + + + Connection + Подключение + + + Query Editor + Редактор запросов + + + Notebook + Записная книжка + + + Dashboard + Панель мониторинга + + + Profiler + Профилировщик + + + Built-in Charts + Встроенные диаграммы + + + + + + + Specifies view templates + Задает шаблоны представления + + + Specifies session templates + Определяет шаблоны сеанса + + + Profiler Filters + Фильтры профилировщика + + + + + + + Connect + Подключиться + + + Disconnect + Отключить + + + Start + Запустить + + + New Session + Создание сеанса + + + Pause + Приостановить + + + Resume + Возобновить + + + Stop + Остановить + + + Clear Data + Очистить данные + + + Are you sure you want to clear the data? + Вы действительно хотите очистить данные? + + + Yes + Да + + + No + Нет + + + Auto Scroll: On + Автоматическая прокрутка: вкл + + + Auto Scroll: Off + Автоматическая прокрутка: выкл + + + Toggle Collapsed Panel + Переключить свернутую панель + + + Edit Columns + Редактирование столбцов + + + Find Next String + Найти следующую строку + + + Find Previous String + Найти предыдущую строку + + + Launch Profiler + Запустить профилировщик + + + Filter… + Фильтр… + + + Clear Filter + Очистить фильтр + + + Are you sure you want to clear the filters? + Вы действительно хотите очистить фильтры? + + + + + + + Select View + Выберите представление + + + Select Session + Выберите сеанс + + + Select Session: + Выберите сеанс: + + + Select View: + Выберите представление: + + + Text + Текст + + + Label + Метка + + + Value + Значение + + + Details + Подробные сведения + + + + + + + Find + Найти + + + Find + Найти + + + Previous match + Предыдущее соответствие + + + Next match + Следующее соответствие + + + Close + Закрыть + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + В результате поиска было получено слишком большое число результатов. Будут показаны только первые 999 результатов. + + + {0} of {1} + {0} из {1} + + + No Results + Результаты отсутствуют + + + + + + + Profiler editor for event text. Readonly + Редактор профилировщика для текста события. Только для чтения. + + + + + + + Events (Filtered): {0}/{1} + События (отфильтровано): {0}/{1} + + + Events: {0} + События: {0} + + + Event Count + Число событий + + + + + + + Save As CSV + Сохранить в формате CSV + + + Save As JSON + Сохранить в формате JSON + + + Save As Excel + Сохранить в формате Excel + + + Save As XML + Сохранить в формате XML + + + Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. + Кодировка результатов не будет сохранена при экспорте в JSON; не забудьте выполнить сохранение с требуемой кодировкой после создания файла. + + + Save to file is not supported by the backing data source + Сохранение в файл не поддерживается резервным источником данных + + + Copy + Копировать + + + Copy With Headers + Копировать с заголовками + + + Select All + Выбрать все + + + Maximize + Развернуть + + + Restore + Восстановить + + + Chart + Диаграмма + + + Visualizer + Визуализатор + + + + + + + Choose SQL Language + Выбрать язык SQL + + + Change SQL language provider + Изменить поставщика языка SQL + + + SQL Language Flavor + Вариант языка SQL + + + Change SQL Engine Provider + Изменить поставщика ядра SQL + + + A connection using engine {0} exists. To change please disconnect or change connection + Подключение с использованием {0} уже существует. Чтобы изменить его, отключите или смените существующее подключение. + + + No text editor active at this time + Активные текстовые редакторы отсутствуют + + + Select Language Provider + Выбрать поставщик языка + + + + + + + XML Showplan + XML Showplan + + + Results grid + Сетка результатов + + + Max row count for filtering/sorting has been exceeded. To update it, you can go to User Settings and change the setting: 'queryEditor.results.inMemoryDataProcessingThreshold' + Превышено максимальное количество строк для фильтрации или сортировки. Чтобы обновить его, можно перейти к параметрам пользователя и изменить параметр queryEditor.results.inMemoryDataProcessingThreshold + + + + + + + Focus on Current Query + Фокус на текущем запросе + + + Run Query + Выполнить запрос + + + Run Current Query + Выполнить текущий запрос + + + Copy Query With Results + Копировать запрос с результатами + + + Successfully copied query and results. + Запрос и результаты скопированы. + + + Run Current Query with Actual Plan + Выполнить текущий запрос с фактическим планом + + + Cancel Query + Отменить запрос + + + Refresh IntelliSense Cache + Обновить кэш IntelliSense + + + Toggle Query Results + Переключить результаты запроса + + + Toggle Focus Between Query And Results + Переключить фокус между запросом и результатами + + + Editor parameter is required for a shortcut to be executed + Для выполнения ярлыка требуется параметр редактора. + + + Parse Query + Синтаксический анализ запроса + + + Commands completed successfully + Команды выполнены + + + Command failed: + Не удалось выполнить команду: + + + Please connect to a server + Подключитесь к серверу + + + + + + + Message Panel + Панель сообщений + + + Copy + Копировать + + + Copy All + Копировать все + + + + + + + Query Results + Результаты запроса + + + New Query + Создать запрос + + + Query Editor + Редактор запросов + + + When true, column headers are included when saving results as CSV + Если этот параметр имеет значение true, то при сохранении результата в формате CSV в файл будут включены заголовки столбцов + + + The custom delimiter to use between values when saving as CSV + Пользовательский разделитель значений при сохранении в формате CSV + + + Character(s) used for seperating rows when saving results as CSV + Символы, используемые для разделения строк при сохранении результатов в файле CSV + + + Character used for enclosing text fields when saving results as CSV + Символ, используемый для обрамления текстовых полей при сохранении результатов в файле CSV + + + File encoding used when saving results as CSV + Кодировка файла, которая используется при сохранении результатов в формате CSV + + + When true, XML output will be formatted when saving results as XML + Если этот параметр имеет значение true, выходные данные XML будут отформатированы при сохранении результатов в формате XML + + + File encoding used when saving results as XML + Кодировка файла, которая используется при сохранении результатов в формате XML + + + Enable results streaming; contains few minor visual issues + Включить потоковую передачу результатов; имеется несколько небольших проблем с отображением + + + Configuration options for copying results from the Results View + Параметры конфигурации для копирования результатов из представления результатов + + + Configuration options for copying multi-line results from the Results View + Параметры конфигурации для копирования многострочных результатов из представления результатов + + + (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. + (Экспериментальная функция.) Использование оптимизированной таблицы при выводе результатов. Некоторые функции могут отсутствовать и находиться в разработке. + + + Controls the max number of rows allowed to do filtering and sorting in memory. If the number is exceeded, sorting and filtering will be disabled. Warning: Increasing this may impact performance. + Определяет максимальное количество строк, разрешенных для фильтрации и сортировки в памяти. Если число будет превышено, сортировка и фильтрация будут отключены. Предупреждение. Увеличение этого параметра может сказаться на производительности. + + + Whether to open the file in Azure Data Studio after the result is saved. + Следует ли открывать файл в Azure Data Studio после сохранения результата. + + + Should execution time be shown for individual batches + Должно ли время выполнения отображаться для отдельных пакетов + + + Word wrap messages + Включить перенос слов в сообщениях + + + The default chart type to use when opening Chart Viewer from a Query Results + Тип диаграммы по умолчанию, используемый при открытии средства просмотра диаграмм из результатов запроса + + + Tab coloring will be disabled + Цветовое выделение вкладок будет отключено + + + The top border of each editor tab will be colored to match the relevant server group + Верхняя граница каждой вкладки редактора будет окрашена в цвет соответствующей группы серверов + + + Each editor tab's background color will match the relevant server group + Цвет фона каждой вкладки редактора будет соответствовать связанной группе серверов + + + Controls how to color tabs based on the server group of their active connection + Управляет тем, как определяются цвета вкладок на основе группы серверов активного подключения + + + Controls whether to show the connection info for a tab in the title. + Управляет тем, следует ли отображать сведения о подключении для вкладки в названии. + + + Prompt to save generated SQL files + Запрашивать сохранение созданных файлов SQL + + + Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call or query execution. Any selected text in the query editor will be passed as a parameter at the end of your query, or you can reference it with {arg} + Установка сочетания клавиш workbench.action.query.shortcut{0} для запуска текста ярлыка при вызове процедуры или выполнении запроса. В качестве параметра будет передан любой выбранный текст в редакторе запросов в конце запроса, или вы можете сослаться на него с помощью {arg} + + + + + + + New Query + Создать запрос + + + Run + Запуск + + + Cancel + Отмена + + + Explain + Объяснить + + + Actual + Действительное значение + + + Disconnect + Отключить + + + Change Connection + Изменить подключение + + + Connect + Подключиться + + + Enable SQLCMD + Включить SQLCMD + + + Disable SQLCMD + Отключить SQLCMD + + + Select Database + Выберите базу данных + + + Failed to change database + Не удалось изменить базу данных + + + Failed to change database: {0} + Не удалось изменить базу данных: {0} + + + Export as Notebook + Экспортировать в виде записной книжки + + + + + + + Query Editor + Query Editor + + + + + + + Results + Результаты + + + Messages + Сообщения + + + + + + + Time Elapsed + Прошедшее время + + + Row Count + Число строк + + + {0} rows + {0} строк + + + Executing query... + Выполнение запроса… + + + Execution Status + Состояние выполнения + + + Selection Summary + Сводка по выбранным элементам + + + Average: {0} Count: {1} Sum: {2} + Среднее значение: {0} Количество: {1} Сумма: {2} + + + + + + + Results Grid and Messages + Сетка результатов и сообщения + + + Controls the font family. + Определяет семейство шрифтов. + + + Controls the font weight. + Управляет насыщенностью шрифта. + + + Controls the font size in pixels. + Определяет размер шрифта в пикселях. + + + Controls the letter spacing in pixels. + Управляет интервалом между буквами в пикселях. + + + Controls the row height in pixels + Определяет высоту строки в пикселах + + + Controls the cell padding in pixels + Определяет поле ячейки в пикселах + + + Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells + Автоматически устанавливать ширину столбцов на основе начальных результатов. При наличии большого числа столбцов или широких ячеек возможны проблемы с производительностью + + + The maximum width in pixels for auto-sized columns + Максимальная ширина в пикселях для столбцов, размер которых определяется автоматически + + + + + + + Toggle Query History + Включить или отключить журнал запросов + + + Delete + Удалить + + + Clear All History + Очистить весь журнал + + + Open Query + Открыть запрос + + + Run Query + Выполнить запрос + + + Toggle Query History capture + Включить или отключить ведение Журнала запросов + + + Pause Query History Capture + Приостановить ведение Журнала запросов + + + Start Query History Capture + Начать ведение Журнала запросов + + + + + + + succeeded + Выполнено + + + failed + Ошибка + + + + + + + No queries to display. + Нет запросов для отображения. + + + Query History + QueryHistory + Журнал запросов + + + + + + + QueryHistory + QueryHistory + + + Whether Query History capture is enabled. If false queries executed will not be captured. + Включено ли ведение Журнала запросов. Если этот параметр имеет значение False, выполняемые запросы не будут записываться в истории. + + + Clear All History + Очистить весь журнал + + + Pause Query History Capture + Приостановить ведение Журнала запросов + + + Start Query History Capture + Начать ведение Журнала запросов + + + View + Вид + + + &&Query History + && denotes a mnemonic + &&Журнал запросов + + + Query History + Журнал запросов + + + + + + + Query Plan + План запроса + + + + + + + Query Plan Editor + Query Plan Editor + + + + + + + Operation + Операция + + + Object + Объект + + + Est Cost + Оценка стоимости + + + Est Subtree Cost + Оценка стоимости поддерева + + + Actual Rows + Фактических строк + + + Est Rows + Оценка строк + + + Actual Executions + Фактическое число выполнений + + + Est CPU Cost + Приблизительные расходы на ЦП + + + Est IO Cost + Приблизительные затраты на операции ввода/вывода + + + Parallel + Параллельный + + + Actual Rebinds + Фактическое число повторных привязок + + + Est Rebinds + Приблизительное число повторных привязок + + + Actual Rewinds + Фактическое число сбросов на начало + + + Est Rewinds + Приблизительное число возвратов + + + Partitioned + Секционированный + + + Top Operations + Основные операции + + + + + + + Resource Viewer + Средство просмотра ресурсов + + + + + + + Refresh + Обновить + + + + + + + Error opening link : {0} + Ошибка при открытии ссылки: {0} + + + Error executing command '{0}' : {1} + Ошибка при выполнении команды "{0}": {1} + + + + + + + Resource Viewer Tree + Дерево средства просмотра ресурсов + + + + + + + Identifier of the resource. + Идентификатор ресурса. + + + The human-readable name of the view. Will be shown + Понятное имя представления. Будет отображаться на экране + + + Path to the resource icon. + Путь к значку ресурса. + + + Contributes resource to the resource view + Добавляет ресурс в представление ресурсов + + + property `{0}` is mandatory and must be of type `string` + свойство "{0}" является обязательным и должно иметь тип string + + + property `{0}` can be omitted or must be of type `string` + свойство "{0}" может быть опущено или должно иметь тип string + + + + + + + Restore + Восстановить + + + Restore + Восстановить + + + + + + + You must enable preview features in order to use restore + Чтобы использовать восстановление, необходимо включить предварительные версии функции + + + Restore command is not supported outside of a server context. Please select a server or database and try again. + Команда восстановления не поддерживается вне контекста сервера. Выберите сервер или базу данных и повторите попытку. + + + Restore command is not supported for Azure SQL databases. + Команда восстановления не поддерживается для баз данных SQL Azure. + + + Restore + Восстановить + + + + + + + Script as Create + Выполнение сценария в режиме создания + + + Script as Drop + Выполнение сценария в режиме удаления + + + Select Top 1000 + Выберите первые 1000 + + + Script as Execute + Выполнение сценария в режиме выполнения + + + Script as Alter + Выполнение сценария в режиме изменения + + + Edit Data + Редактировать данные + + + Select Top 1000 + Выберите первые 1000 + + + Take 10 + Давайте ненадолго прервемся + + + Script as Create + Выполнение сценария в режиме создания + + + Script as Execute + Выполнение сценария в режиме выполнения + + + Script as Alter + Выполнение сценария в режиме изменения + + + Script as Drop + Выполнение сценария в режиме удаления + + + Refresh + Обновить + + + + + + + An error occurred refreshing node '{0}': {1} + Произошла ошибка при обновлении узла "{0}": {1} + + + + + + + {0} in progress tasks + Выполняющихся задач: {0} + + + View + Вид + + + Tasks + Задачи + + + &&Tasks + && denotes a mnemonic + &&Задачи + + + + + + + Toggle Tasks + Переключить задачи + + + + + + + succeeded + Выполнено + + + failed + Ошибка + + + in progress + Выполняется + + + not started + Не запущена + + + canceled + Отмененный + + + canceling + выполняется отмена + + + + + + + No task history to display. + Журнал задач для отображения отсутствует. + + + Task history + TaskHistory + Журнал задач + + + Task error + Ошибка выполнения задачи + + + + + + + Cancel + Отмена + + + The task failed to cancel. + Не удалось отменить задачу. + + + Script + Скрипт + + + + + + + There is no data provider registered that can provide view data. + Отсутствует зарегистрированный поставщик данных, который может предоставить сведения о просмотрах. + + + Refresh + Обновить + + + Collapse All + Свернуть все + + + Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. + Ошибка при выполнении команды {1}: {0}. Это, скорее всего, вызвано расширением, добавляющим {1}. + + + + + + + OK + ОК + + + Close + Закрыть + + + + + + + Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? + Предварительные версии функций расширяют возможности Azure Data Studio, предоставляя полный доступ к новым функциям и улучшениям. Дополнительные сведения о предварительных версиях функций см. [здесь]({0}). Вы хотите включить предварительные версии функций? + + + Yes (recommended) + Да (рекомендуется) + + + No + Нет + + + No, don't show again + Больше не показывать + + + + + + + This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. + Эта страница функции находится на этапе предварительной версии. Предварительные версии функций представляют собой новые функции, которые в будущем станут постоянной частью продукта. Они стабильны, но требуют дополнительного улучшения специальных возможностей. Мы будем рады вашим отзывам о функциях, пока они находятся в разработке. + + + Preview + Предварительная версия + + + Create a connection + Создать подключение + + + Connect to a database instance through the connection dialog. + Подключение к экземпляру базы данных с помощью диалогового окна подключения. + + + Run a query + Выполнить запрос + + + Interact with data through a query editor. + Взаимодействие с данными через редактор запросов. + + + Create a notebook + Создать записную книжку + + + Build a new notebook using a native notebook editor. + Создание записной книжки с помощью собственного редактора записных книжек. + + + Deploy a server + Развернуть сервер + + + Create a new instance of a relational data service on the platform of your choice. + Создание нового экземпляра реляционной службы данных на выбранной вами платформе. + + + Resources + Ресурсы + + + History + Журнал + + + Name + Имя + + + Location + Расположение + + + Show more + Показать больше + + + Show welcome page on startup + Отображать страницу приветствия при запуске + + + Useful Links + Полезные ссылки + + + Getting Started + Приступая к работе + + + Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. + Ознакомьтесь с возможностями, предлагаемыми Azure Data Studio, и узнайте, как использовать их с максимальной эффективностью. + + + Documentation + Документация + + + Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. + Посетите центр документации, где можно найти примеры, руководства и ссылки на PowerShell, API-интерфейсы и т. д. + + + Videos + Видео + + + Overview of Azure Data Studio + Обзор Azure Data Studio + + + Introduction to Azure Data Studio Notebooks | Data Exposed + Общие сведения о записных книжках в Azure Data Studio | Данные предоставлены + + + Extensions + Расширения + + + Show All + Показать все + + + Learn more + Дополнительные сведения + + + + + + + Connections + Подключения + + + Connect, query, and manage your connections from SQL Server, Azure, and more. + Подключайтесь, выполняйте запросы и управляйте подключениями из SQL Server, Azure и других сред. + + + 1 + 1 + + + Next + Далее + + + Notebooks + Записные книжки + + + Get started creating your own notebook or collection of notebooks in a single place. + Начните создавать свои записные книжки или коллекцию записных книжек в едином расположении. + + + 2 + 2 + + + Extensions + Расширения + + + Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). + Расширьте функциональные возможности Azure Data Studio, установив расширения, разработанные корпорацией Майкрософт (нами) и сторонним сообществом (вами). + + + 3 + 3 + + + Settings + Параметры + + + Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. + Настройте Azure Data Studio на основе своих предпочтений. Вы можете настроить такие параметры, как автосохранение и размер вкладок, изменить сочетания клавиш и выбрать цветовую тему по своему вкусу. + + + 4 + 4 + + + Welcome Page + Страница приветствия + + + Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. + На странице приветствия можно просмотреть сведения об основных компонентах, недавно открывавшихся файлах и рекомендуемых расширениях. Дополнительные сведения о том, как начать работу с Azure Data Studio, можно получить из наших видеороликов и документации. + + + 5 + 5 + + + Finish + Готово + + + User Welcome Tour + Приветственный обзор + + + Hide Welcome Tour + Скрыть приветственный обзор + + + Read more + Дополнительные сведения + + + Help + Справка + + + + + + + Welcome + Приветствие + + + SQL Admin Pack + Пакет администрирования SQL + + + SQL Admin Pack + Пакет администрирования SQL + + + Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server + Пакет администрирования для SQL Server — это набор популярных расширений для администрирования баз данных, которые помогут управлять SQL Server + + + SQL Server Agent + Агент SQL Server + + + SQL Server Profiler + Приложение SQL Server Profiler + + + SQL Server Import + Импорт SQL Server + + + SQL Server Dacpac + Пакет приложения уровня данных SQL Server + + + Powershell + PowerShell + + + Write and execute PowerShell scripts using Azure Data Studio's rich query editor + Создавайте и выполняйте скрипты PowerShell с помощью расширенного редактора запросов Azure Data Studio + + + Data Virtualization + Виртуализация данных + + + Virtualize data with SQL Server 2019 and create external tables using interactive wizards + Виртуализируйте данные с помощью SQL Server 2019 и создавайте внешние таблицы с помощью интерактивных мастеров + + + PostgreSQL + PostgreSQL + + + Connect, query, and manage Postgres databases with Azure Data Studio + Подключайтесь к базам данных Postgres, отправляйте запросы и управляйте ими с помощью Azure Data Studio + + + Support for {0} is already installed. + Поддержка {0} уже добавлена. + + + The window will reload after installing additional support for {0}. + После установки дополнительной поддержки для {0} окно будет перезагружено. + + + Installing additional support for {0}... + Установка дополнительной поддержки для {0}... + + + Support for {0} with id {1} could not be found. + Не удается найти поддержку для {0} с идентификатором {1}. + + + New connection + Создать подключение + + + New query + Создать запрос + + + New notebook + Создать записную книжку + + + Deploy a server + Развернуть сервер + + + Welcome + Приветствие + + + New + Создать + + + Open… + Открыть… + + + Open file… + Открыть файл… + + + Open folder… + Открыть папку… + + + Start Tour + Начать обзор + + + Close quick tour bar + Закрыть панель краткого обзора + + + Would you like to take a quick tour of Azure Data Studio? + Вы хотите ознакомиться с кратким обзором Azure Data Studio? + + + Welcome! + Добро пожаловать! + + + Open folder {0} with path {1} + Открыть папку {0} с путем {1} + + + Install + Установить + + + Install {0} keymap + Установить раскладку клавиатуры {0} + + + Install additional support for {0} + Установить дополнительную поддержку для {0} + + + Installed + Установлено + + + {0} keymap is already installed + Раскладка клавиатуры {0} уже установлена + + + {0} support is already installed + Поддержка {0} уже установлена + + + OK + OK + + + Details + Подробные сведения + + + Background color for the Welcome page. + Цвет фона страницы приветствия. + + + + + + + Azure Data Studio + Azure Data Studio + + + Start + Запуск + + + New connection + Создать подключение + + + New query + Создать запрос + + + New notebook + Создать записную книжку + + + Open file + Открыть файл + + + Open file + Открыть файл + + + Deploy + Развернуть + + + New Deployment… + Новое развертывание… + + + Recent + Последние + + + More... + Подробнее… + + + No recent folders + Нет последних папок + + + Help + Справка + + + Getting started + Приступая к работе + + + Documentation + Документация + + + Report issue or feature request + Сообщить о проблеме или отправить запрос на добавление новой возможности + + + GitHub repository + Репозиторий GitHub + + + Release notes + Заметки о выпуске + + + Show welcome page on startup + Отображать страницу приветствия при запуске + + + Customize + Настроить + + + Extensions + Расширения + + + Download extensions that you need, including the SQL Server Admin pack and more + Скачайте необходимые расширения, включая пакет администрирования SQL Server и другие. + + + Keyboard Shortcuts + Сочетания клавиш + + + Find your favorite commands and customize them + Найдите любимые команды и настройте их + + + Color theme + Цветовая тема + + + Make the editor and your code look the way you love + Настройте редактор и код удобным образом. + + + Learn + Дополнительные сведения + + + Find and run all commands + Найти и выполнить все команды + + + Rapidly access and search commands from the Command Palette ({0}) + Быстро обращайтесь к командам и выполняйте поиск по командам с помощью палитры команд ({0}) + + + Discover what's new in the latest release + Ознакомьтесь с изменениями в последнем выпуске + + + New monthly blog posts each month showcasing our new features + Ежемесячные записи в блоге с обзором новых функций + + + Follow us on Twitter + Следите за нашими новостями в Twitter + + + Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. + Будьте в курсе того, как сообщество использует Azure Data Studio, и общайтесь с техническими специалистами напрямую. + + + + + + + Accounts + Учетные записи + + + Linked accounts + Связанные учетные записи + + + Close + Закрыть + + + There is no linked account. Please add an account. + Связанная учетная запись не существует. Добавьте учетную запись. + + + Add an account + Добавить учетную запись + + + You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud + Облака не включены. Перейдите в раздел "Параметры", откройте раздел "Конфигурация учетной записи Azure" и включите хотя бы одно облако + + + You didn't select any authentication provider. Please try again. + Вы не выбрали поставщик проверки подлинности. Повторите попытку. + + + + + + + Error adding account + Ошибка при добавлении учетной записи + + + + + + + You need to refresh the credentials for this account. + Вам необходимо обновить учетные данные для этой учетной записи. + + + + + + + Close + Закрыть + + + Adding account... + Добавление учетной записи… + + + Refresh account was canceled by the user + Обновление учетной записи было отменено пользователем + + + + + + + Azure account + Учетная запись Azure + + + Azure tenant + Клиент Azure + + + + + + + Copy & Open + Копировать и открыть + + + Cancel + Отмена + + + User code + Код пользователя + + + Website + Веб-сайт + + + + + + + Cannot start auto OAuth. An auto OAuth is already in progress. + Не удается запустить автоматическую авторизацию OAuth. Она уже выполняется. + + + + + + + Connection is required in order to interact with adminservice + Требуется подключение для взаимодействия с adminservice + + + No Handler Registered + Нет зарегистрированного обработчика + + + + + + + Connection is required in order to interact with Assessment Service + Требуется подключение для взаимодействия со службой оценки + + + No Handler Registered + Нет зарегистрированного обработчика + + + + + + + Advanced Properties + Дополнительные свойства + + + Discard + Отменить + + + + + + + Server Description (optional) + Описание сервера (необязательно) + + + + + + + Clear List + Очистить список + + + Recent connections list cleared + Список последних подключений очищен + + + Yes + Да + + + No + Нет + + + Are you sure you want to delete all the connections from the list? + Вы действительно хотите удалить все подключения из списка? + + + Yes + Да + + + No + Нет + + + Delete + Удалить + + + Get Current Connection String + Получить текущую строку подключения + + + Connection string not available + Строка подключения недоступна + + + No active connection available + Активные подключения отсутствуют + + + + + + + Browse + Обзор + + + Type here to filter the list + Для фильтрации списка введите здесь значение + + + Filter connections + Фильтрация подключений + + + Applying filter + Применение фильтра + + + Removing filter + Удаление фильтра + + + Filter applied + Фильтр применен + + + Filter removed + Фильтр удален + + + Saved Connections + Сохраненные подключения + + + Saved Connections + Сохраненные подключения + + + Connection Browser Tree + Дерево обозревателя подключений + + + + + + + Connection error + Ошибка подключения + + + Connection failed due to Kerberos error. + Сбой подключения из-за ошибки Kerberos. + + + Help configuring Kerberos is available at {0} + Справка по настройке Kerberos доступна на странице {0} + + + If you have previously connected you may need to re-run kinit. + Если вы подключались ранее, может потребоваться запустить kinit повторно. + + + + + + + Connection + Подключение + + + Connecting + Идет подключение + + + Connection type + Тип подключения + + + Recent + Недавние + + + Connection Details + Сведения о подключении + + + Connect + Подключиться + + + Cancel + Отмена + + + Recent Connections + Последние подключения + + + No recent connection + Недавние подключения отсутствуют + + + + + + + Failed to get Azure account token for connection + Не удалось получить маркер учетной записи Azure для подключения + + + Connection Not Accepted + Подключение не принято + + + Yes + Да + + + No + Нет + + + Are you sure you want to cancel this connection? + Вы действительно хотите отменить это подключение? + + + + + + + Add an account... + Добавить учетную запись… + + + <Default> + <По умолчанию> + + + Loading... + Загрузка… + + + Server group + Группа серверов + + + <Default> + <По умолчанию> + + + Add new group... + Добавить группу… + + + <Do not save> + <Не сохранять> + + + {0} is required. + {0} является обязательным. + + + {0} will be trimmed. + {0} будет обрезан. + + + Remember password + Запомнить пароль + + + Account + Учетная запись + + + Refresh account credentials + Обновите учетные данные учетной записи + + + Azure AD tenant + Клиент Azure AD + + + Name (optional) + Имя (необязательно) + + + Advanced... + Дополнительно… + + + You must select an account + Необходимо выбрать учетную запись + + + + + + + Connected to + Подключено к + + + Disconnected + Отключено + + + Unsaved Connections + Несохраненные подключения + + + + + + + Open dashboard extensions + Открыть расширения панели мониторинга + + + OK + ОК + + + Cancel + Отмена + + + No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. + Расширения панели мониторинга не установлены. Чтобы просмотреть рекомендуемые расширения, перейдите в Диспетчер расширений. + + + + + + + Step {0} + Шаг {0} + + + + + + + Done + Готово + + + Cancel + Отмена + + + + + + + Initialize edit data session failed: + Не удалось инициализировать сеанс изменения данных: + + + + + + + OK + ОК + + + Close + Закрыть + + + Action + Действие + + + Copy details + Скопировать сведения + + + + + + + Error + Ошибка + + + Warning + Предупреждение + + + Info + Информация + + + Ignore + Игнорировать + + + + + + + Selected path + Выбранный путь + + + Files of type + Файлы типа + + + OK + ОК + + + Discard + Отменить + + + + + + + Select a file + Выберите файл + + + + + + + File browser tree + FileBrowserTree + Дерево обозревателя файлов + + + + + + + An error occured while loading the file browser. + Произошла ошибка при загрузке браузера файлов. + + + File browser error + Ошибка обозревателя файлов + + + + + + + All files + Все файлы + + + + + + + Copy Cell + Копировать ячейку + + + + + + + No Connection Profile was passed to insights flyout + Профиль подключения не был передан во всплывающий элемент аналитических данных + + + Insights error + Ошибка аналитических данных + + + There was an error reading the query file: + Произошла ошибка при чтении файла запроса: + + + There was an error parsing the insight config; could not find query array/string or queryfile + Произошла ошибка при синтаксическом анализе конфигурации аналитических данных; не удалось найти массив/строку запроса или файл запроса + + + + + + + Item + Элемент + + + Value + Значение + + + Insight Details + Подробные сведения об аналитике + + + Property + Свойство + + + Value + Значение + + + Insights + Аналитические данные + + + Items + Элементы + + + Item Details + Сведения об элементе + + + + + + + Could not find query file at any of the following paths : + {0} + Не удалось найти файл запроса по любому из следующих путей: + {0} + + + + + + + Failed + Сбой + + + Succeeded + Выполнено + + + Retry + Повторить попытку + + + Cancelled + Отменено + + + In Progress + Выполняется + + + Status Unknown + Состояние неизвестно + + + Executing + Идет выполнение + + + Waiting for Thread + Ожидание потока + + + Between Retries + Между попытками + + + Idle + Бездействие + + + Suspended + Приостановлено + + + [Obsolete] + [Устаревший] + + + Yes + Да + + + No + Нет + + + Not Scheduled + Не запланировано + + + Never Run + Никогда не запускать + + + + + + + Connection is required in order to interact with JobManagementService + Требуется подключение для взаимодействия с JobManagementService + + + No Handler Registered + Нет зарегистрированного обработчика + + + + + + + SQL + SQL + + + @@ -7256,6 +6910,22 @@ Error: {1} + + + + An error occurred while starting the notebook session + Произошла ошибка во время запуска сеанса записной книжки + + + Server did not start for unknown reason + Не удалось запустить сервер по неизвестной причине + + + Kernel {0} was not found. The default kernel will be used instead. + Ядро {0} не найдено. Будет использоваться ядро по умолчанию. + + + @@ -7268,11 +6938,738 @@ Error: {1} - + - - Changing editor types on unsaved files is unsupported - Изменение типов редакторов для несохраненных файлов не поддерживается + + # Injected-Parameters + + Число внедренных параметров + + + + Please select a connection to run cells for this kernel + Выберите подключение, на котором будут выполняться ячейки для этого ядра + + + Failed to delete cell. + Не удалось удалить ячейку. + + + Failed to change kernel. Kernel {0} will be used. Error was: {1} + Не удалось изменить ядро. Будет использоваться ядро {0}. Ошибка: {1} + + + Failed to change kernel due to error: {0} + Не удалось изменить ядро из-за ошибки: {0} + + + Changing context failed: {0} + Не удалось изменить контекст: {0} + + + Could not start session: {0} + Не удалось запустить сеанс: {0} + + + A client session error occurred when closing the notebook: {0} + При закрытии записной книжки произошла ошибка сеанса клиента: {0} + + + Can't find notebook manager for provider {0} + Не удается найти диспетчер записных книжек для поставщика {0} + + + + + + + No URI was passed when creating a notebook manager + При создании диспетчера записных книжек не был передан URI + + + Notebook provider does not exist + Поставщик записных книжек не существует + + + + + + + A view with the name {0} already exists in this notebook. + Представление с именем {0} уже существует в этой записной книжке. + + + + + + + SQL kernel error + Ошибка ядра SQL + + + A connection must be chosen to run notebook cells + Для выполнения ячеек записной книжки необходимо выбрать подключение + + + Displaying Top {0} rows. + Отображаются первые {0} строк. + + + + + + + Rich Text + Форматированный текст + + + Split View + Комбинированный режим + + + Markdown + Markdown + + + + + + + nbformat v{0}.{1} not recognized + Формат nbformat v{0}.{1} не распознан + + + This file does not have a valid notebook format + Формат этого файла не соответствует допустимому формату записной книжки + + + Cell type {0} unknown + Неизвестный тип ячейки {0} + + + Output type {0} not recognized + Тип выходных данных {0} не распознан + + + Data for {0} is expected to be a string or an Array of strings + Данные для {0} должны представлять собой строку или массив строк + + + Output type {0} not recognized + Тип выходных данных {0} не распознан + + + + + + + Identifier of the notebook provider. + Идентификатор поставщика записных книжек. + + + What file extensions should be registered to this notebook provider + Расширения файлов, которые должны быть зарегистрированы для этого поставщика записных книжек + + + What kernels should be standard with this notebook provider + Какие ядра следует использовать в качестве стандартных для этого поставщика записных книжек + + + Contributes notebook providers. + Добавляет поставщиков записных книжек. + + + Name of the cell magic, such as '%%sql'. + Название магической команды ячейки, например, "%%sql". + + + The cell language to be used if this cell magic is included in the cell + Язык ячейки, который будет использоваться, если эта магическая команда ячейки включена в ячейку + + + Optional execution target this magic indicates, for example Spark vs SQL + Необязательная цель выполнения, указанная в этой магической команде, например, Spark vs SQL + + + Optional set of kernels this is valid for, e.g. python3, pyspark, sql + Необязательный набор ядер, для которых это действительно, например, python3, pyspark, sql + + + Contributes notebook language. + Определяет язык записной книжки. + + + + + + + Loading... + Загрузка… + + + + + + + Refresh + Обновить + + + Edit Connection + Изменить подключение + + + Disconnect + Отключить + + + New Connection + Новое подключение + + + New Server Group + Новая группа серверов + + + Edit Server Group + Изменить группу серверов + + + Show Active Connections + Показать активные подключения + + + Show All Connections + Показать все подключения + + + Delete Connection + Удалить подключение + + + Delete Group + Удалить группу + + + + + + + Failed to create Object Explorer session + Не удалось создать сеанс обозревателя объектов + + + Multiple errors: + Несколько ошибок: + + + + + + + Cannot expand as the required connection provider '{0}' was not found + Не удается выполнить расширение, так как требуемый поставщик подключения "{0}" не найден + + + User canceled + Действие отменено пользователем + + + Firewall dialog canceled + Диалоговое окно брандмауэра отменено + + + + + + + Loading... + Загрузка… + + + + + + + Recent Connections + Последние подключения + + + Servers + Серверы + + + Servers + Серверы + + + + + + + Sort by event + Сортировка по событиям + + + Sort by column + Сортировка по столбцу + + + Profiler + Профилировщик + + + OK + OK + + + Cancel + Отмена + + + + + + + Clear all + Очистить все + + + Apply + Применить + + + OK + OK + + + Cancel + Отмена + + + Filters + Фильтры + + + Remove this clause + Удалить это предложение + + + Save Filter + Сохранить фильтр + + + Load Filter + Загрузить фильтр + + + Add a clause + Добавить предложение + + + Field + Поле + + + Operator + Оператор + + + Value + Значение + + + Is Null + Имеет значение NULL + + + Is Not Null + Не имеет значение NULL + + + Contains + Содержит + + + Not Contains + Не содержит + + + Starts With + Начинается с + + + Not Starts With + Не начинается с + + + + + + + Commit row failed: + Не удалось зафиксировать строку: + + + Started executing query at + Начало выполнения запроса + + + Started executing query "{0}" + Начато выполнение запроса "{0}" + + + Line {0} + Строка {0} + + + Canceling the query failed: {0} + Ошибка при сбое запроса: {0} + + + Update cell failed: + Сбой обновления ячейки: + + + + + + + Execution failed due to an unexpected error: {0} {1} + Сбой выполнения из-за непредвиденной ошибки: {0} {1} + + + Total execution time: {0} + Общее время выполнения: {0} + + + Started executing query at Line {0} + Начато выполнение запроса в строке {0} + + + Started executing batch {0} + Запущено выполнение пакета {0} + + + Batch execution time: {0} + Время выполнения пакета: {0} + + + Copy failed with error {0} + Не удалось выполнить копирование. Ошибка: {0} + + + + + + + Failed to save results. + Не удалось сохранить результаты. + + + Choose Results File + Выберите файл результатов + + + CSV (Comma delimited) + CSV (с разделением запятыми) + + + JSON + JSON + + + Excel Workbook + Книга Excel + + + XML + XML + + + Plain Text + Простой текст + + + Saving file... + Сохранение файла… + + + Successfully saved results to {0} + Результаты сохранены в {0} + + + Open file + Открыть файл + + + + + + + From + С + + + To + До + + + Create new firewall rule + Создание правила брандмауэра + + + OK + OK + + + Cancel + Отмена + + + Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. + Ваш клиентский IP-адрес не имеет доступа к серверу. Войдите в учетную запись Azure и создайте правило брандмауэра, чтобы разрешить доступ. + + + Learn more about firewall settings + Дополнительные сведения о параметрах брандмауэра + + + Firewall rule + Правило брандмауэра + + + Add my client IP + Добавить мой клиентский IP-адрес + + + Add my subnet IP range + Добавить диапазон IP-адресов моей подсети + + + + + + + Error adding account + Ошибка при добавлении учетной записи + + + Firewall rule error + Ошибка правила брандмауэра + + + + + + + Backup file path + Путь к файлу резервной копии + + + Target database + Целевая база данных + + + Restore + Восстановить + + + Restore database + Восстановление базы данных + + + Database + База данных + + + Backup file + Файл резервной копии + + + Restore database + Восстановление базы данных + + + Cancel + Отмена + + + Script + Скрипт + + + Source + Источник + + + Restore from + Восстановить из + + + Backup file path is required. + Требуется путь к файлу резервной копии. + + + Please enter one or more file paths separated by commas + Пожалуйста, введите один или несколько путей файлов, разделенных запятыми + + + Database + База данных + + + Destination + Назначение + + + Restore to + Восстановить в + + + Restore plan + План восстановления + + + Backup sets to restore + Резервные наборы данных для восстановления + + + Restore database files as + Восстановить файлы базы данных как + + + Restore database file details + Восстановление сведений о файле базы данных + + + Logical file Name + Логическое имя файла + + + File type + Тип файла + + + Original File Name + Исходное имя файла + + + Restore as + Восстановить как + + + Restore options + Параметры восстановления + + + Tail-Log backup + Резервная копия заключительного фрагмента журнала + + + Server connections + Подключения к серверу + + + General + Общие + + + Files + Файлы + + + Options + Параметры + + + + + + + Backup Files + Файлы резервной копии + + + All Files + Все файлы + + + + + + + Server Groups + Группы серверов + + + OK + OK + + + Cancel + Отмена + + + Server group name + Имя группы серверов + + + Group name is required. + Необходимо указать имя группы. + + + Group description + Описание группы + + + Group color + Цвет группы + + + + + + + Add server group + Добавить группу серверов + + + Edit server group + Изменить группу серверов + + + + + + + 1 or more tasks are in progress. Are you sure you want to quit? + Выполняется одна или несколько задач. Вы действительно хотите выйти? + + + Yes + Да + + + No + Нет + + + + + + + Get Started + Начать работу + + + Show Getting Started + Показать раздел "Приступая к работе" + + + Getting &&Started + && denotes a mnemonic + Приступая к р&&аботе diff --git a/resources/xlf/zh-hans/admin-tool-ext-win.zh-Hans.xlf b/resources/xlf/zh-hans/admin-tool-ext-win.zh-Hans.xlf index 2edf3f8ecc..961077ea7d 100644 --- a/resources/xlf/zh-hans/admin-tool-ext-win.zh-Hans.xlf +++ b/resources/xlf/zh-hans/admin-tool-ext-win.zh-Hans.xlf @@ -20,7 +20,7 @@ - + No ConnectionContext provided for handleLaunchSsmsMinPropertiesDialogCommand diff --git a/resources/xlf/zh-hans/agent.zh-Hans.xlf b/resources/xlf/zh-hans/agent.zh-Hans.xlf index 37bde96921..b4ffa59594 100644 --- a/resources/xlf/zh-hans/agent.zh-Hans.xlf +++ b/resources/xlf/zh-hans/agent.zh-Hans.xlf @@ -1,230 +1,18 @@  - + - - New Schedule - 新建计划 - - + OK 确定 - + Cancel 取消 - - Schedule Name - 计划名称 - - - Schedules - 计划 - - - - - Create Proxy - 创建代理 - - - Edit Proxy - 编辑代理 - - - General - 常规 - - - Proxy name - 代理名称 - - - Credential name - 凭据名称 - - - Description - 说明 - - - Subsystem - 子系统 - - - Operating system (CmdExec) - 操作系统(CmdExec) - - - Replication Snapshot - 副本快照 - - - Replication Transaction-Log Reader - 复制事务日志读取器 - - - Replication Distributor - 副本分发服务器 - - - Replication Merge - 副本合并 - - - Replication Queue Reader - 复制队列读取器 - - - SQL Server Analysis Services Query - SQL Server Analysis Services 查询 - - - SQL Server Analysis Services Command - SQL Server Analysis Services 命令 - - - SQL Server Integration Services Package - SQL Server Integration Services 包 - - - PowerShell - PowerShell - - - Active to the following subsytems - 对以下子系统有效 - - - - - - - Job Schedules - 作业计划 - - - OK - 确定 - - - Cancel - 取消 - - - Available Schedules: - 可用计划: - - - Name - 名称 - - - ID - ID - - - Description - 说明 - - - - - - - Create Operator - 创建运算符 - - - Edit Operator - 编辑运算符 - - - General - 常规 - - - Notifications - 通知 - - - Name - 名称 - - - Enabled - 已启用 - - - E-mail Name - 电子邮件名称 - - - Pager E-mail Name - 寻呼机电子邮件名称 - - - Monday - 星期一 - - - Tuesday - 星期二 - - - Wednesday - 星期三 - - - Thursday - 星期四 - - - Friday - 星期五 - - - Saturday - 星期六 - - - Sunday - 星期日 - - - Workday begin - 工作日开始 - - - Workday end - 工作日结束 - - - Pager on duty schedule - 寻呼机待机计划 - - - Alert list - 警报列表 - - - Alert name - 警报名称 - - - E-mail - 电子邮件 - - - Pager - 寻呼机 - - - - + Locate Database Files - @@ -416,159 +204,39 @@ - + - - General - 常规 + + Job Schedules + 作业计划 - - Steps - 步骤 + + OK + 确定 - - Schedules - 计划 + + Cancel + 取消 - - Alerts - 警报 + + Available Schedules: + 可用计划: - - Notifications - 通知 - - - The name of the job cannot be blank. - 作业名称不能为空。 - - + Name 名称 - - Owner - 所有者 + + ID + ID - - Category - 类别 - - + Description 说明 - - Enabled - 已启用 - - - Job step list - 作业步骤列表 - - - Step - 步骤 - - - Type - 类型 - - - On Success - 成功时 - - - On Failure - 失败时 - - - New Step - 新建步骤 - - - Edit Step - 编辑步骤 - - - Delete Step - 删除步骤 - - - Move Step Up - 将步骤向上移动 - - - Move Step Down - 将步骤向下移动 - - - Start step - 启动步骤 - - - Actions to perform when the job completes - 作业完成时要执行的操作 - - - Email - 电子邮件 - - - Page - 页面 - - - Write to the Windows Application event log - 写入 Windows 应用程序事件日志 - - - Automatically delete job - 自动删除作业 - - - Schedules list - 计划列表 - - - Pick Schedule - 选择时间表 - - - Schedule Name - 计划名称 - - - Alerts list - 警报列表 - - - New Alert - 新建警报 - - - Alert Name - 警报名称 - - - Enabled - 已启用 - - - Type - 类型 - - - New Job - 新建作业 - - - Edit Job - 编辑作业 - - + Create Alert @@ -778,10 +446,6 @@ Additional notification message to send 要发送的其他通知消息 - - Delay between responses - 响应之间的延迟 - Delay Minutes 延迟分钟数 @@ -792,51 +456,251 @@ - + - - OK - 确定 + + Create Operator + 创建运算符 - - Cancel - 取消 + + Edit Operator + 编辑运算符 + + + General + 常规 + + + Notifications + 通知 + + + Name + 名称 + + + Enabled + 已启用 + + + E-mail Name + 电子邮件名称 + + + Pager E-mail Name + 寻呼机电子邮件名称 + + + Monday + 星期一 + + + Tuesday + 星期二 + + + Wednesday + 星期三 + + + Thursday + 星期四 + + + Friday + 星期五 + + + Saturday + 星期六 + + + Sunday + 星期日 + + + Workday begin + 工作日开始 + + + Workday end + 工作日结束 + + + Pager on duty schedule + 寻呼机待机计划 + + + Alert list + 警报列表 + + + Alert name + 警报名称 + + + E-mail + 电子邮件 + + + Pager + 寻呼机 - + - - Proxy update failed '{0}' - 代理更新失败“{0}” + + General + 常规 - - Proxy '{0}' updated successfully - 已成功更新代理“{0}” + + Steps + 步骤 - - Proxy '{0}' created successfully - 已成功创建代理“{0}” + + Schedules + 计划 + + + Alerts + 警报 + + + Notifications + 通知 + + + The name of the job cannot be blank. + 作业名称不能为空。 + + + Name + 名称 + + + Owner + 所有者 + + + Category + 类别 + + + Description + 说明 + + + Enabled + 已启用 + + + Job step list + 作业步骤列表 + + + Step + 步骤 + + + Type + 类型 + + + On Success + 成功时 + + + On Failure + 失败时 + + + New Step + 新建步骤 + + + Edit Step + 编辑步骤 + + + Delete Step + 删除步骤 + + + Move Step Up + 将步骤向上移动 + + + Move Step Down + 将步骤向下移动 + + + Start step + 启动步骤 + + + Actions to perform when the job completes + 作业完成时要执行的操作 + + + Email + 电子邮件 + + + Page + 页面 + + + Write to the Windows Application event log + 写入 Windows 应用程序事件日志 + + + Automatically delete job + 自动删除作业 + + + Schedules list + 计划列表 + + + Pick Schedule + 选择时间表 + + + Remove Schedule + 删除计划 + + + Alerts list + 警报列表 + + + New Alert + 新建警报 + + + Alert Name + 警报名称 + + + Enabled + 已启用 + + + Type + 类型 + + + New Job + 新建作业 + + + Edit Job + 编辑作业 - - - - Step update failed '{0}' - 步骤更新失败“{0}” - - - Job name must be provided - 必须提供作业名称 - - - Step name must be provided - 必须提供步骤名称 - - - - + When the job completes @@ -872,7 +736,55 @@ - + + + + Step update failed '{0}' + 步骤更新失败“{0}” + + + Job name must be provided + 必须提供作业名称 + + + Step name must be provided + 必须提供步骤名称 + + + + + + + This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! + 此功能正在开发中。如果想尝试最新的更新,请查看最新的预览体验计划内部版本。 + + + Template updated successfully + 已成功更新模板 + + + Template update failure + 模板更新失败 + + + The notebook must be saved before being scheduled. Please save and then retry scheduling again. + 必须先保存笔记本,然后才能进行计划。请保存,然后重试计划。 + + + Add new connection + 添加新连接 + + + Select a connection + 选择连接 + + + Please select a valid connection + 请选择有效的连接 + + + + Alert update failed '{0}' @@ -892,11 +804,223 @@ - + - - This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! - 此功能正在开发中。如果想尝试最新的更新,请查看最新的预览体验计划内部版本。 + + Create Proxy + 创建代理 + + + Edit Proxy + 编辑代理 + + + General + 常规 + + + Proxy name + 代理名称 + + + Credential name + 凭据名称 + + + Description + 说明 + + + Subsystem + 子系统 + + + Operating system (CmdExec) + 操作系统(CmdExec) + + + Replication Snapshot + 副本快照 + + + Replication Transaction-Log Reader + 复制事务日志读取器 + + + Replication Distributor + 副本分发服务器 + + + Replication Merge + 副本合并 + + + Replication Queue Reader + 复制队列读取器 + + + SQL Server Analysis Services Query + SQL Server Analysis Services 查询 + + + SQL Server Analysis Services Command + SQL Server Analysis Services 命令 + + + SQL Server Integration Services Package + SQL Server Integration Services 包 + + + PowerShell + PowerShell + + + + + + + Proxy update failed '{0}' + 代理更新失败“{0}” + + + Proxy '{0}' updated successfully + 已成功更新代理“{0}” + + + Proxy '{0}' created successfully + 已成功创建代理“{0}” + + + + + + + New Notebook Job + 新建笔记本作业 + + + Edit Notebook Job + 编辑笔记本作业 + + + General + 常规 + + + Notebook Details + 笔记本详细信息 + + + Notebook Path + 笔记本路径 + + + Storage Database + 存储数据库 + + + Execution Database + 执行数据库 + + + Select Database + 选择数据库 + + + Job Details + 作业详细信息 + + + Name + 名称 + + + Owner + 所有者 + + + Schedules list + 计划列表 + + + Pick Schedule + 选择时间表 + + + Remove Schedule + 删除计划 + + + Description + 说明 + + + Select a notebook to schedule from PC + 从电脑中选择要计划的笔记本 + + + Select a database to store all notebook job metadata and results + 选择一个数据库以存储所有笔记本作业元数据和结果 + + + Select a database against which notebook queries will run + 选择数据库以运行笔记本查询 + + + + + + + When the notebook completes + 笔记本完成时 + + + When the notebook fails + 笔记本失败时 + + + When the notebook succeeds + 笔记本成功时 + + + Notebook name must be provided + 必须提供笔记本名称 + + + Template path must be provided + 必须提供模板路径 + + + Invalid notebook path + 笔记本路径无效 + + + Select storage database + 选择存储数据库 + + + Select execution database + 选择执行数据库 + + + Job with similar name already exists + 具有类似名称的作业已存在 + + + Notebook update failed '{0}' + 笔记本更新失败 '{0}' + + + Notebook creation failed '{0}' + 未能创建笔记本 '{0}' + + + Notebook '{0}' updated successfully + 已成功更新笔记本 '{0}' + + + Notebook '{0}' created successfully + 已成功创建笔记本 '{0}' diff --git a/resources/xlf/zh-hans/azurecore.zh-Hans.xlf b/resources/xlf/zh-hans/azurecore.zh-Hans.xlf index d507523e47..e8f9962725 100644 --- a/resources/xlf/zh-hans/azurecore.zh-Hans.xlf +++ b/resources/xlf/zh-hans/azurecore.zh-Hans.xlf @@ -126,6 +126,10 @@ Error fetching resource groups for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} 为帐户 {0} ({1})订阅 {2} ({3})租户 {4} 提取资源组时出错: {5} + + Error fetching locations for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} + 提取帐户 {0} ({1})订阅 {2} ({3})租户 {4} 的位置时出错: {5} + Invalid query 查询无效 @@ -379,8 +383,8 @@ SQL Server - Azure Arc - Azure Arc enabled PostgreSQL Hyperscale - 已启用 Azure Arc 的 PostgreSQL 超大规模 + Azure Arc-enabled PostgreSQL Hyperscale + 启用 Azure Arc 的 PostgreSQL 超大规模 Unable to open link, missing required values @@ -411,15 +415,15 @@ 使用 Azure 身份验证时出现不明错误 - Specifed tenant with ID '{0}' not found. - 找不到 ID 为“{0}”的指定租户。 + Specified tenant with ID '{0}' not found. + 找不到带有 ID '{0}' 的指定租户。 Something failed with the authentication, or your tokens have been deleted from the system. Please try adding your account to Azure Data Studio again. 身份验证失败,或者你的令牌已从系统中删除。请尝试再次将帐户添加到 Azure Data Studio。 - Token retrival failed with an error. Open developer tools to view the error + Token retrieval failed with an error. Open developer tools to view the error 令牌检索失败,出现错误。请打开开发人员工具以查看错误 @@ -513,6 +517,14 @@ Failed to get credential for account {0}. Please go to the accounts dialog and refresh the account. 未能获取帐户 {0} 的凭据。请转到“帐户”对话框并刷新帐户。 + + Requests from this account have been throttled. To retry, please select a smaller number of subscriptions. + 已限制来自此帐户的请求。要重试,请选择少量订阅。 + + + An error occured while loading Azure resources: {0} + 加载 Azure 资源时出错: {0} + @@ -703,6 +715,14 @@ + + + + Azure Monitor Workspace + Azure Monitor Workspace + + + diff --git a/resources/xlf/zh-hans/big-data-cluster.zh-Hans.xlf b/resources/xlf/zh-hans/big-data-cluster.zh-Hans.xlf index 2b027b340b..2cee2f25dd 100644 --- a/resources/xlf/zh-hans/big-data-cluster.zh-Hans.xlf +++ b/resources/xlf/zh-hans/big-data-cluster.zh-Hans.xlf @@ -60,6 +60,126 @@ Ignore SSL verification errors against SQL Server Big Data Cluster endpoints such as HDFS, Spark, and Controller if true 如果为 true,则忽略针对 SQL Server 大数据群集终结点(如 HDFS、Spark 和控制器)的 SSL 验证错误 + + SQL Server Big Data Cluster + SQL Server 大数据群集 + + + SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes + 借助 SQL Server 大数据群集,可部署在 Kubernetes 上运行的 SQL Server、Spark 和 HDFS 容器的可扩展群集 + + + Version + 版本 + + + SQL Server 2019 + SQL Server 2019 + + + Deployment target + 部署目标 + + + New Azure Kubernetes Service Cluster + 新的 Azure Kubernetes 服务群集 + + + Existing Azure Kubernetes Service Cluster + 现有 Azure Kubernetes 服务群集 + + + Existing Kubernetes Cluster (kubeadm) + 现有 Kubernetes 群集(kubeadm) + + + Existing Azure Red Hat OpenShift cluster + 现有 Azure Red Hat OpenShift 群集 + + + Existing OpenShift cluster + 现有 OpenShift 群集 + + + SQL Server Big Data Cluster settings + SQL Server 大数据群集设置 + + + Cluster name + 群集名称 + + + Controller username + 控制器用户名 + + + Password + 密码 + + + Confirm password + 确认密码 + + + Azure settings + Azure 设置 + + + Subscription id + 订阅 ID + + + Use my default Azure subscription + 使用默认 Azure 订阅 + + + Resource group name + 资源组名称 + + + Region + 区域 + + + AKS cluster name + AKS 群集名称 + + + VM size + VM 大小 + + + VM count + VM 计数 + + + Storage class name + 存储类名称 + + + Capacity for data (GB) + 数据容量(GB) + + + Capacity for logs (GB) + 日志容量(GB) + + + I accept {0}, {1} and {2}. + 我接受 {0}、{1} 和 {2}。 + + + Microsoft Privacy Statement + Microsoft 隐私声明 + + + azdata License Terms + azdata 许可条款 + + + SQL Server License Terms + SQL Server 许可条款 + diff --git a/resources/xlf/zh-hans/cms.zh-Hans.xlf b/resources/xlf/zh-hans/cms.zh-Hans.xlf index 5c84ddd8d1..5999fc6e9e 100644 --- a/resources/xlf/zh-hans/cms.zh-Hans.xlf +++ b/resources/xlf/zh-hans/cms.zh-Hans.xlf @@ -424,15 +424,7 @@ - - - - Loading ... - 正在加载… - - - - + No resources found @@ -440,7 +432,7 @@ - + Add Central Management Server... @@ -448,15 +440,27 @@ - + + + + Unexpected error occurred while loading saved servers {0} + 加载已保存的服务器时出现意外错误 {0} + + + Loading ... + 正在加载… + + + + Central Management Server Group already has a Registered Server with the name {0} 中央管理服务器组已具有名称为 {0} 的注册服务器 - Azure SQL Database Servers cannot be used as Central Management Servers - 无法将 Azure SQL 数据库服务器用作中央管理服务器 + Azure SQL Servers cannot be used as Central Management Servers + 无法将 Azure SQL Server 用作中央管理服务器 Are you sure you want to delete @@ -500,7 +504,7 @@ - + You cannot add a shared registered server with the same name as the Configuration Server diff --git a/resources/xlf/zh-hans/dacpac.zh-Hans.xlf b/resources/xlf/zh-hans/dacpac.zh-Hans.xlf index 628577f7d0..9f017a79b2 100644 --- a/resources/xlf/zh-hans/dacpac.zh-Hans.xlf +++ b/resources/xlf/zh-hans/dacpac.zh-Hans.xlf @@ -1,16 +1,84 @@  - + + + Dacpac + 数据层应用程序包 + + + Full path to folder where .DACPAC and .BACPAC files are saved by default + 文件夹的完整路径,其中已默认保存 .DACPAC 和 .BACPAC 文件 + + + + + + + Target Server + 目标服务器 + + + Source Server + 源服务器 + + + Source Database + 源数据库 + + + Target Database + 目标数据库 + + + File Location + 文件位置 + + + Select file + 选择文件 + + + Summary of settings + 设置摘要 + + + Version + 版本 + + + Setting + 设置 + + + Value + + + + Database Name + 数据库名称 + + + Open + 打开 + + + Upgrade Existing Database + 升级现有数据库 + + + New Database + 新建数据库 + {0} of the deploy actions listed may result in data loss. Please ensure you have a backup or snapshot available in the event of an issue with the deployment. 列出的部署操作中有 {0} 个可能导致数据丢失。请确保在部署出现问题时有备份或快照可用。 - + Proceed despite possible data loss 尽管可能会丢失数据,仍要继续 - + No data loss will occur from the listed deploy actions. 列出的部署操作不会导致数据丢失。 @@ -54,19 +122,11 @@ Save 保存 - - File Location - 文件位置 - - + Version (use x.x.x.x where x is a number) 版本(采用 x.x.x.x 格式,x 表示数字) - - Open - 打开 - - + Deploy a data-tier application .dacpac file to an instance of SQL Server [Deploy Dacpac] 将数据层应用程序 .dacpac 文件部署到 SQL Server 的实例 [部署 Dacpac] @@ -82,49 +142,9 @@ Export the schema and data from a database to the logical .bacpac file format [Export Bacpac] 将架构和数据从数据库导出到逻辑 .bacpac 文件格式 [导出 Bacpac] - - Database Name - 数据库名称 - - - Upgrade Existing Database - 升级现有数据库 - - - New Database - 新建数据库 - - - Target Database - 目标数据库 - - - Target Server - 目标服务器 - - - Source Server - 源服务器 - - - Source Database - 源数据库 - - - Version - 版本 - - - Setting - 设置 - - - Value - - - - default - 默认 + + Data-tier Application Wizard + 数据层应用程序向导 Select an Operation @@ -174,18 +194,66 @@ Generate Script 生成脚本 + + You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. + 关闭向导后,可在任务视图中查看脚本生成的状态。生成的脚本将在完成后打开。 + + + default + 默认 + + + Deploy plan operations + 部署计划操作 + + + A database with the same name already exists on the instance of SQL Server + SQL Server 实例上已经存在同名数据库。 + + + Undefined name + 未定义名称 + + + File name cannot end with a period + 文件名不能以句号结尾 + + + File name cannot be whitespace + 文件名不能为空白 + + + Invalid file characters + 无效的文件字符 + + + This file name is reserved for use by Windows. Choose another name and try again + 此文件名保留供 Windows 使用。请选择其他名称,然后重试 + + + Reserved file name. Choose another name and try again + 文件名已保留。请选择其他名称,然后重试 + + + File name cannot end with a whitespace + 文件名不能以空格结尾 + + + File name is over 255 characters + 文件名超过 255 个字符 + Generating deploy plan failed '{0}' 生成部署计划失败“{0}” + + Generating deploy script failed '{0}' + 生成部署脚本失败 '{0}' + {0} operation failed '{1}' {0} 操作失败“{1}” - - You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. - 关闭向导后,可在任务视图中查看脚本生成的状态。生成的脚本将在完成后打开。 - \ No newline at end of file diff --git a/resources/xlf/zh-hans/import.zh-Hans.xlf b/resources/xlf/zh-hans/import.zh-Hans.xlf index 7f94272837..fbe1d36be9 100644 --- a/resources/xlf/zh-hans/import.zh-Hans.xlf +++ b/resources/xlf/zh-hans/import.zh-Hans.xlf @@ -1,7 +1,143 @@  - + + + Flat File Import configuration + 平面文件导入配置 + + + [Optional] Log debug output to the console (View -> Output) and then select appropriate output channel from the dropdown + [可选] 将调试输出记录到控制台(“查看”->“输出”),然后从下拉列表中选择相应的输出通道 + + + + + + + {0} Started + {0} 已启动 + + + Starting {0} + 正在启动 {0} + + + Failed to start {0}: {1} + 未能启动 {0}: {1} + + + Installing {0} to {1} + 正在将 {0} 安装到 {1} + + + Installing {0} Service + 正在安装 {0} 服务 + + + Installed {0} + 安装于 {0} + + + Downloading {0} + 正在下载 {0} + + + ({0} KB) + ({0} KB) + + + Downloading {0} + 正在下载 {0} + + + Done downloading {0} + {0} 下载完毕 + + + Extracted {0} ({1}/{2}) + 已提取 {0} ({1}/{2}) + + + + + + + Give Feedback + 提供反馈 + + + service component could not start + 服务组件无法启动 + + + Server the database is in + 数据库所在的服务器 + + + Database the table is created in + 创建表的数据库 + + + Invalid file location. Please try a different input file + 文件位置无效。请尝试其他输入文件 + + + Browse + 浏览 + + + Open + 打开 + + + Location of the file to be imported + 要导入的文件的位置 + + + New table name + 新建表名 + + + Table schema + 表架构 + + + Import Data + 导入数据 + + + Next + 下一步 + + + Column Name + 列名 + + + Data Type + 数据类型 + + + Primary Key + 主键 + + + Allow Nulls + 允许 Null + + + This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. + 此操作分析了输入文件的结构并生成了下方的前 50 行预览。 + + + This operation was unsuccessful. Please try a different input file. + 此操作不成功。请尝试其他输入文件。 + + + Refresh + 刷新 + Import information 导入信息 @@ -34,90 +170,14 @@ ✔ You have successfully inserted the data into a table. ✔ 已成功将数据插入表中。 - - - - - - This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. - 此操作分析了输入文件的结构并生成了下方的前 50 行预览。 - - - This operation was unsuccessful. Please try a different input file. - 此操作不成功。请尝试其他输入文件。 - - - Refresh - 刷新 - - - - - - - Import Data - 导入数据 - - - Next - 下一步 - - - Column Name - 列名 - - - Data Type - 数据类型 - - - Primary Key - 主键 - - - Allow Nulls - 允许 Null - - - - - - - Server the database is in - 数据库所在的服务器 - - - Database the table is created in - 创建表的数据库 - - - Browse - 浏览 - - - Open - 打开 - - - Location of the file to be imported - 要导入的文件的位置 - - - New table name - 新建表名 - - - Table schema - 表架构 - - - - - Please connect to a server before using this wizard. 请在使用此向导之前连接到服务器。 + + SQL Server Import extension does not support this type of connection + SQL Server 导入扩展不支持此类连接 + Import flat file wizard 导入平面文件向导 @@ -144,60 +204,4 @@ - - - - Give Feedback - 提供反馈 - - - service component could not start - 服务组件无法启动 - - - - - - - Service Started - 服务已启动 - - - Starting service - 正在启动服务 - - - Failed to start Import service{0} - 未能启动导入服务{0} - - - Installing {0} service to {1} - 正在将 {0} 服务安装到 {1} - - - Installing Service - 正在安装服务 - - - Installed - 已安装 - - - Downloading {0} - 正在下载 {0} - - - ({0} KB) - ({0} KB) - - - Downloading Service - 正在下载服务 - - - Done! - 完成! - - - \ No newline at end of file diff --git a/resources/xlf/zh-hans/notebook.zh-Hans.xlf b/resources/xlf/zh-hans/notebook.zh-Hans.xlf index 1dda9d88e6..fd493eb6d1 100644 --- a/resources/xlf/zh-hans/notebook.zh-Hans.xlf +++ b/resources/xlf/zh-hans/notebook.zh-Hans.xlf @@ -22,6 +22,14 @@ Local path to a preexisting python installation used by Notebooks. 笔记本使用的预先存在的 python 安装的本地路径。 + + Do not show prompt to update Python. + 不显示更新 Python 的提示。 + + + The amount of time (in minutes) to wait before shutting down a server after all notebooks are closed. (Enter 0 to not shutdown) + 在关闭所有笔记本后关闭服务器之前等待的时间 (以分钟为单位)。(输入 0 则不关闭) + Override editor default settings in the Notebook editor. Settings include background color, current line color and border 覆盖笔记本编辑器中的编辑器默认设置。设置包括背景色、当前线条颜色和边框 @@ -50,6 +58,10 @@ Notebooks that are pinned by the user for the current workspace 用户为当前工作区固定的笔记本 + + Allow Jupyter server to run as root user + Allow Jupyter server to run as root user + New Notebook 新建笔记本 @@ -139,24 +151,24 @@ Jupyter 书籍 - Save Book - 保存书籍 + Save Jupyter Book + 保存 Jupyter Book - Trust Book - 信任工作簿 + Trust Jupyter Book + 信任 Jupyter Book - Search Book - 搜索书籍 + Search Jupyter Book + 搜索 Jupyter Book Notebooks 笔记本 - Provided Books - 提供的工作簿 + Provided Jupyter Books + 提供的 Jupyter Book Pinned notebooks @@ -174,17 +186,29 @@ Close Jupyter Book 关闭 Jupyter Book - - Close Jupyter Notebook - 关闭 Jupyter Notebook + + Close Notebook + 关闭笔记本 + + + Remove Notebook + 移除笔记本 + + + Add Notebook + 添加笔记本 + + + Add Markdown File + 添加 Markdown 文件 Reveal in Books 在工作簿中展示 - Create Book (Preview) - 创建工作簿(预览) + Create Jupyter Book + 创建 Jupyter Book Open Notebooks in Folder @@ -263,8 +287,8 @@ 选择文件夹 - Select Book - 选择工作簿 + Select Jupyter Book + 选择 Jupyter Book Folder already exists. Are you sure you want to delete and replace this folder? @@ -283,40 +307,40 @@ 打开外部链接 - Book is now trusted in the workspace. - 工作簿现在在工作区中受信任。 + Jupyter Book is now trusted in the workspace. + 现在,此工作区信任 Jupyter Book。 - Book is already trusted in this workspace. - 此工作区中的工作簿受信任。 + Jupyter Book is already trusted in this workspace. + 此工作区已信任 Jupyter Book。 - Book is no longer trusted in this workspace - 此工作区中的工作簿不再受信任 + Jupyter Book is no longer trusted in this workspace + 此工作区不再信任 Jupyter Book - Book is already untrusted in this workspace. - 此工作区中的工作簿不受信任。 + Jupyter Book is already untrusted in this workspace. + 此工作区已不信任 Jupyter Book。 - Book {0} is now pinned in the workspace. - 现已在工作区中固定工作簿 {0}。 + Jupyter Book {0} is now pinned in the workspace. + 现在,Jupyter Book {0} 固定在此工作区。 - Book {0} is no longer pinned in this workspace - 工作簿 {0} 不再固定在此工作区中 + Jupyter Book {0} is no longer pinned in this workspace + Jupyter Book {0} 不再固定在此工作区 - Failed to find a Table of Contents file in the specified book. - 未能在指定的工作簿中找到目录文件。 + Failed to find a Table of Contents file in the specified Jupyter Book. + 在指定 Jupyter Book 中找不到目录文件。 - No books are currently selected in the viewlet. - 当前未在 Viewlet 中选择任何工作簿。 + No Jupyter Books are currently selected in the viewlet. + 当前,Viewlet 中未选中任何 Jupyter Book。 - Select Book Section - 选择工作簿部分 + Select Jupyter Book Section + 选择 Jupyter Book 部分 Add to this level @@ -339,12 +363,12 @@ 缺少配置文件 - Open book {0} failed: {1} - 打开书籍 {0} 失败: {1} + Open Jupyter Book {0} failed: {1} + 打开 Jupyter Book {0} 失败: {1} - Failed to read book {0}: {1} - 未能读取工作簿 {0}: {1} + Failed to read Jupyter Book {0}: {1} + 无法读取 Jupyter Book {0}: {1} Open notebook {0} failed: {1} @@ -363,8 +387,8 @@ 打开链接 {0} 失败: {1} - Close book {0} failed: {1} - 关闭工作簿 {0} 失败: {1} + Close Jupyter Book {0} failed: {1} + 关闭 Jupyter Book {0} 失败: {1} File {0} already exists in the destination folder {1} @@ -373,12 +397,16 @@ 此文件已重命名为 {2},以防数据丢失。 - Error while editing book {0}: {1} - 编辑工作簿 {0} 时出错: {1} + Error while editing Jupyter Book {0}: {1} + 编辑 Jupyter Book {0} 时出错: {1} - Error while selecting a book or a section to edit: {0} - 选择要编辑的工作簿或部分时出错: {0} + Error while selecting a Jupyter Book or a section to edit: {0} + 选择要编辑的 Jupyter Book 或部分时出错: {0} + + + Failed to find section {0} in {1}. + 找不到 {1} 中的 {0} 部分。 URL @@ -393,8 +421,8 @@ 位置 - Add Remote Book - 添加远程工作簿 + Add Remote Jupyter Book + 添加远程 Jupyter Book GitHub @@ -409,8 +437,8 @@ 版本 - Book - 工作簿 + Jupyter Book + Jupyter Book Version @@ -421,8 +449,8 @@ 语言 - No books are currently available on the provided link - 提供的链接当前没有工作簿可用 + No Jupyter Books are currently available on the provided link + 当前,提供的链接中无可用 Jupyter Book The url provided is not a Github release url @@ -445,44 +473,44 @@ - - Remote Book download is in progress - 正在下载远程工作簿 + Remote Jupyter Book download is in progress + 正在下载远程 Jupyter Book - Remote Book download is complete - 远程工作簿下载已完成 + Remote Jupyter Book download is complete + 已下载远程 Jupyter Book - Error while downloading remote Book - 下载远程工作簿时出错 + Error while downloading remote Jupyter Book + 下载远程 Jupyter Book 时出错 - Error while decompressing remote Book - 解压缩远程工作簿时出错 + Error while decompressing remote Jupyter Book + 解压缩远程 Jupyter Book 时出错 - Error while creating remote Book directory - 创建远程工作簿目录时出错 + Error while creating remote Jupyter Book directory + 创建远程 Jupyter Book 目录时出错 - Downloading Remote Book - 正在下载远程工作簿 + Downloading Remote Jupyter Book + 下载远程 Jupyter Book Resource not Found 找不到资源 - Books not Found - 找不到工作簿 + Jupyter Books not Found + 找不到 Jupyter Book Releases not Found 找不到版本 - The selected book is not valid - 所选工作簿无效 + The selected Jupyter Book is not valid + 选中的 Jupyter Book 无效 Http Request failed with error: {0} {1} @@ -492,21 +520,21 @@ Downloading to {0} 正在下载到 {0} - - New Group - 新建组 + + New Jupyter Book (Preview) + 新 Jupyter 书籍(预览) - - Groups are used to organize Notebooks. - 分组用于整理笔记本。 + + Jupyter Books are used to organize Notebooks. + Jupyter 书籍用于整理笔记本。 - - Browse locations... - 浏览位置... + + Learn more. + 了解详细信息。 - - Select content folder - 选择内容文件夹 + + Content folder + 内容文件夹 Browse @@ -524,7 +552,7 @@ Save location 保存位置 - + Content folder (Optional) 内容文件夹(可选) @@ -533,8 +561,44 @@ 内容文件夹路径不存在 - Save location path does not exist - 保存位置路径不存在 + Save location path does not exist. + 保存位置路径不存在。 + + + Error while trying to access: {0} + 尝试访问时出错: {0} + + + New Notebook (Preview) + 新笔记本(预览) + + + New Markdown (Preview) + 新建 Markdown (预览) + + + File Extension + 文件扩展名 + + + File already exists. Are you sure you want to overwrite this file? + 文件已存在。是否确实要覆盖此文件? + + + Title + 标题 + + + File Name + 文件名 + + + Save location path is not valid. + 保存位置路径无效。 + + + File {0} already exists in the destination folder + 目标文件夹中已存在文件 {0} @@ -588,6 +652,18 @@ Another Python installation is currently in progress. Waiting for it to complete. 另一个 Python 安装正在进行中。请等待它完成。 + + Active Python notebook sessions will be shutdown in order to update. Would you like to proceed now? + 将关闭活动 Python 笔记本会话以进行更新。是否要立即继续? + + + Python {0} is now available in Azure Data Studio. The current Python version (3.6.6) will be out of support in December 2021. Would you like to update to Python {0} now? + Python {0} 现已在 Azure Data Studio 中提供。当前 Python 版本 (3.6.6) 将于 2021 年 12 月不再受支持。是否要立即更新到 Python {0}? + + + Python {0} will be installed and will replace Python 3.6.6. Some packages may no longer be compatible with the new version or may need to be reinstalled. A notebook will be created to help you reinstall all pip packages. Would you like to continue with the update now? + 将安装 Python {0} ,并将替换 Python 3.6.6。某些包可能不再与新版本兼容,或者可能需要重新安装。将创建一个笔记本来帮助你重新安装所有 pip 包。是否要立即继续更新? + Installing Notebook dependencies failed with error: {0} 安装笔记本依赖项失败,错误: {0} @@ -604,6 +680,18 @@ Encountered an error when getting Python user path: {0} 获取 Python 用户路径时遇到错误: {0} + + Yes + + + + No + + + + Don't Ask Again + 不再询问 + @@ -973,8 +1061,8 @@ 此处理程序不支持操作 {0} - Cannot open link {0} as only HTTP and HTTPS links are supported - 无法打开链接 {0},因为仅支持 HTTP 和 HTTPS 链接 + Cannot open link {0} as only HTTP, HTTPS, and File links are supported + 无法打开链接 {0} 因为仅支持 HTTP、HTTPS、文件链接 Download and open '{0}'? diff --git a/resources/xlf/zh-hans/profiler.zh-Hans.xlf b/resources/xlf/zh-hans/profiler.zh-Hans.xlf index 251cd21930..3ce28ebd56 100644 --- a/resources/xlf/zh-hans/profiler.zh-Hans.xlf +++ b/resources/xlf/zh-hans/profiler.zh-Hans.xlf @@ -1,6 +1,6 @@  - + Cancel diff --git a/resources/xlf/zh-hans/resource-deployment.zh-Hans.xlf b/resources/xlf/zh-hans/resource-deployment.zh-Hans.xlf index 1f8adeb873..7df48218ed 100644 --- a/resources/xlf/zh-hans/resource-deployment.zh-Hans.xlf +++ b/resources/xlf/zh-hans/resource-deployment.zh-Hans.xlf @@ -26,14 +26,6 @@ Run SQL Server container image with docker 使用 Docker 运行 SQL Server 容器映像 - - SQL Server Big Data Cluster - SQL Server 大数据群集 - - - SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes - 借助 SQL Server 大数据群集,可部署在 Kubernetes 上运行的 SQL Server、Spark 和 HDFS 容器的可扩展群集 - Version 版本 @@ -46,34 +38,6 @@ SQL Server 2019 SQL Server 2019 - - SQL Server 2019 - SQL Server 2019 - - - Deployment target - 部署目标 - - - New Azure Kubernetes Service Cluster - 新的 Azure Kubernetes 服务群集 - - - Existing Azure Kubernetes Service Cluster - 现有 Azure Kubernetes 服务群集 - - - Existing Kubernetes Cluster (kubeadm) - 现有 Kubernetes 群集(kubeadm) - - - Existing Azure Red Hat OpenShift cluster - 现有 Azure Red Hat OpenShift 群集 - - - Existing OpenShift cluster - 现有 OpenShift 群集 - Deploy SQL Server 2017 container images 部署 SQL Server 2017 容器映像 @@ -98,70 +62,6 @@ Port 端口 - - SQL Server Big Data Cluster settings - SQL Server 大数据群集设置 - - - Cluster name - 群集名称 - - - Controller username - 控制器用户名 - - - Password - 密码 - - - Confirm password - 确认密码 - - - Azure settings - Azure 设置 - - - Subscription id - 订阅 ID - - - Use my default Azure subscription - 使用默认 Azure 订阅 - - - Resource group name - 资源组名称 - - - Region - 区域 - - - AKS cluster name - AKS 群集名称 - - - VM size - VM 大小 - - - VM count - VM 计数 - - - Storage class name - 存储类名称 - - - Capacity for data (GB) - 数据容量(GB) - - - Capacity for logs (GB) - 日志容量(GB) - SQL Server on Windows Windows 上的 SQL Server @@ -170,22 +70,10 @@ Run SQL Server on Windows, select a version to get started. 在 Windows 上运行 SQL Server,选择版本以开始使用。 - - I accept {0}, {1} and {2}. - 我接受 {0}、{1} 和 {2}。 - Microsoft Privacy Statement Microsoft 隐私声明 - - azdata License Terms - azdata 许可条款 - - - SQL Server License Terms - SQL Server 许可条款 - Deployment configuration 部署配置 @@ -486,6 +374,22 @@ Accept EULA & Select 接受 EULA 并选择 + + The '{0}' extension is required to deploy this resource, do you want to install it now? + 部署此资源需要“{0}”扩展,现在是否希望安装此扩展? + + + Install + 安装 + + + Installing extension '{0}'... + 正在安装扩展“{0}”... + + + Unknown extension '{0}' + 未知扩展“{0}” + Select the deployment options 选择部署选项 @@ -1096,10 +1000,6 @@ - - Failed to load extension: {0}, Error detected in the resource type definition in package.json, check debug console for details. - 未能加载扩展: {0},在 package.json 的资源类型定义中检测到错误,请查看调试控制台以了解详细信息。 - The resource type: {0} is not defined 未定义资源类型: {0} @@ -2222,14 +2122,14 @@ Select a different subscription containing at least one server Deployment pre-requisites 部署先决条件 - - To proceed, you must accept the terms of the End User License Agreement(EULA) - 若要继续,必须接受最终用户许可协议(EULA)条款 - Some tools were still not discovered. Please make sure that they are installed, running and discoverable 仍未发现某些工具。请确保它们已安装,正在运行且可发现 + + To proceed, you must accept the terms of the End User License Agreement(EULA) + 若要继续,必须接受最终用户许可协议(EULA)条款 + Loading required tools information completed 所需工具信息加载已完成 @@ -2378,6 +2278,10 @@ Select a different subscription containing at least one server Azure Data CLI Azure 数据 CLI + + The Azure Data CLI extension must be installed to deploy this resource. Please install it through the extension gallery and try again. + 必须安装 Azure Data CLI 以部署此资源。请通过扩展库安装,然后重试。 + Error retrieving version information. See output channel '{0}' for more details 检索版本信息时出错。有关详细信息,请参阅输出通道“{0}” @@ -2386,46 +2290,6 @@ Select a different subscription containing at least one server Error retrieving version information.{0}Invalid output received, get version command output: '{1}' 检索版本信息时出错。{0}收到无效输出,获取版本命令输出:“{1}” - - deleting previously downloaded Azdata.msi if one exists … - 正在删除以前下载的 Azdata.msi (如果存在)… - - - downloading Azdata.msi and installing azdata-cli … - 正在下载 Azdata.msi 并安装 azdata-cli… - - - displaying the installation log … - 正在显示安装日志… - - - tapping into the brew repository for azdata-cli … - 正在访问 azdata-cli 的 brew 存储库… - - - updating the brew repository for azdata-cli installation … - 正在更新 azdata-cli 安装的 brew 存储库… - - - installing azdata … - 正在安装 azdata… - - - updating repository information … - 正在更新存储库信息… - - - getting packages needed for azdata installation … - 正在获取 azdata 安装所需的包… - - - downloading and installing the signing key for azdata … - 正在下载并安装 azdata 的签名密钥… - - - adding the azdata repository information … - 正在添加 azdata 存储库信息… - diff --git a/resources/xlf/zh-hans/schema-compare.zh-Hans.xlf b/resources/xlf/zh-hans/schema-compare.zh-Hans.xlf index a18486646d..6c5d8e93b2 100644 --- a/resources/xlf/zh-hans/schema-compare.zh-Hans.xlf +++ b/resources/xlf/zh-hans/schema-compare.zh-Hans.xlf @@ -16,28 +16,116 @@ - + - - Ok + + OK 确定 - + Cancel 取消 + + Source + + + + Target + 目标 + + + File + 文件 + + + Data-tier Application File (.dacpac) + 数据层应用程序文件(.dacpac) + + + Database + 数据库 + + + Type + 类型 + + + Server + 服务器 + + + Database + 数据库 + + + Schema Compare + 架构比较 + + + A different source schema has been selected. Compare to see the comparison? + 已选择其他源架构。是否进行比较以查看比较结果? + + + A different target schema has been selected. Compare to see the comparison? + 已选择其他目标架构。是否进行比较以查看比较结果? + + + Different source and target schemas have been selected. Compare to see the comparison? + 已选择其他源和目标架构。是否进行比较以查看比较结果? + + + Yes + + + + No + + + + Source file + 源文件 + + + Target file + 目标文件 + + + Source Database + 源数据库 + + + Target Database + 目标数据库 + + + Source Server + 源服务器 + + + Target Server + 目标服务器 + + + default + 默认 + + + Open + 打开 + + + Select source file + 选择源文件 + + + Select target file + 选择目标文件 + Reset 重置 - - Yes - - - - No - - Options have changed. Recompare to see the comparison? 选项已更改。是否重新比较以查看比较结果? @@ -54,6 +142,174 @@ Include Object Types 包括对象类型 + + Compare Details + 比较详细信息 + + + Are you sure you want to update the target? + 确定要更新目标吗? + + + Press Compare to refresh the comparison. + 按“比较”以刷新比较结果。 + + + Generate script to deploy changes to target + 生成脚本以将更改部署到目标 + + + No changes to script + 未更改脚本 + + + Apply changes to target + 将更改应用到目标 + + + No changes to apply + 没有可应用的更改 + + + Please note that include/exclude operations can take a moment to calculate affected dependencies + 请注意,包括/排除操作可能需要一点时间来计算受影响的依赖项 + + + Delete + 删除 + + + Change + 更改 + + + Add + 添加 + + + Comparison between Source and Target + 源和目标之间的比较 + + + Initializing Comparison. This might take a moment. + 初始化比较。这可能需要一段时间。 + + + To compare two schemas, first select a source schema and target schema, then press Compare. + 要比较两个架构,请先选择源架构和目标架构,然后按“比较”。 + + + No schema differences were found. + 未找到架构差异。 + + + Type + 类型 + + + Source Name + 源名称 + + + Include + 包括 + + + Action + 操作 + + + Target Name + 目标名称 + + + Generate script is enabled when the target is a database + 当目标为数据库时启用生成脚本 + + + Apply is enabled when the target is a database + 当目标为数据库时启用应用 + + + Cannot exclude {0}. Included dependents exist, such as {1} + 无法排除 {0}。存在包括的依赖项,例如 {1} + + + Cannot include {0}. Excluded dependents exist, such as {1} + 无法包括 {0}。存在被排除的依赖项,如 {1} + + + Cannot exclude {0}. Included dependents exist + 无法排除 {0}。存在包括的依赖项 + + + Cannot include {0}. Excluded dependents exist + 无法包括 {0}。存在排除的依赖项 + + + Compare + 比较 + + + Stop + 停止 + + + Generate script + 生成脚本 + + + Options + 选项 + + + Apply + 应用 + + + Switch direction + 切换方向 + + + Switch source and target + 切换源和目标 + + + Select Source + 选择源 + + + Select Target + 选择目标 + + + Open .scmp file + 打开 .scmp 文件 + + + Load source, target, and options saved in an .scmp file + 加载保存在 .smp 文件中的源、目标和选项 + + + Save .scmp file + 保存 .smp 文件 + + + Save source and target, options, and excluded elements + 保存源、目标、选项和已排除的元素 + + + Save + 保存 + + + Do you want to connect to {0}? + 是否要连接到 {0}? + + + Select connection + 选择连接 + Ignore Table Options 忽略表选项 @@ -407,7 +663,7 @@ 数据库角色 - DatabaseTriggers + Database Triggers 数据库触发器 @@ -426,6 +682,14 @@ External File Formats 外部文件格式 + + External Streams + 外部流 + + + External Streaming Jobs + 外部流式处理作业 + External Tables 外部表 @@ -434,6 +698,10 @@ Filegroups 文件组 + + Files + 文件 + File Tables 文件表 @@ -503,11 +771,11 @@ 签名 - StoredProcedures + Stored Procedures 存储过程 - SymmetricKeys + Symmetric Keys 对称密钥 @@ -926,286 +1194,30 @@ Specifies whether differences in table column order should be ignored or updated when you publish to a database. 指定在发布到数据库时忽略还是更新表列顺序的差异。 - - - - - - Ok - 确定 - - - Cancel - 取消 - - - Source - - - - Target - 目标 - - - File - 文件 - - - Data-tier Application File (.dacpac) - 数据层应用程序文件(.dacpac) - - - Database - 数据库 - - - Type - 类型 - - - Server - 服务器 - - - Database - 数据库 - - - No active connections - 无活动连接 - - - Schema Compare - 架构比较 - - - A different source schema has been selected. Compare to see the comparison? - 已选择其他源架构。是否进行比较以查看比较结果? - - - A different target schema has been selected. Compare to see the comparison? - 已选择其他目标架构。是否进行比较以查看比较结果? - - - Different source and target schemas have been selected. Compare to see the comparison? - 已选择其他源和目标架构。是否进行比较以查看比较结果? - - - Yes - - - - No - - - - Open - 打开 - - - default - 默认 - - - - - - - Compare Details - 比较详细信息 - - - Are you sure you want to update the target? - 确定要更新目标吗? - - - Press Compare to refresh the comparison. - 按“比较”以刷新比较结果。 - - - Generate script to deploy changes to target - 生成脚本以将更改部署到目标 - - - No changes to script - 未更改脚本 - - - Apply changes to target - 将更改应用到目标 - - - No changes to apply - 没有可应用的更改 - - - Delete - 删除 - - - Change - 更改 - - - Add - 添加 - - - Schema Compare - 架构比较 - - - Source - - - - Target - 目标 - - - ➔ - - - - Initializing Comparison. This might take a moment. - 初始化比较。这可能需要一段时间。 - - - To compare two schemas, first select a source schema and target schema, then press Compare. - 要比较两个架构,请先选择源架构和目标架构,然后按“比较”。 - - - No schema differences were found. - 未找到架构差异。 - Schema Compare failed: {0} 架构比较失败: {0} - - Type - 类型 - - - Source Name - 源名称 - - - Include - 包括 - - - Action - 操作 - - - Target Name - 目标名称 - - - Generate script is enabled when the target is a database - 当目标为数据库时启用生成脚本 - - - Apply is enabled when the target is a database - 当目标为数据库时启用应用 - - - Compare - 比较 - - - Compare - 比较 - - - Stop - 停止 - - - Stop - 停止 - - - Cancel schema compare failed: '{0}' - 取消架构比较失败:“{0}” - - - Generate script - 生成脚本 - - - Generate script failed: '{0}' - 生成脚本失败:“{0}” - - - Options - 选项 - - - Options - 选项 - - - Apply - 应用 - - - Yes - - - - Schema Compare Apply failed '{0}' - 架构比较应用失败“{0}” - - - Switch direction - 切换方向 - - - Switch source and target - 切换源和目标 - - - Select Source - 选择源 - - - Select Target - 选择目标 - - - Open .scmp file - 打开 .scmp 文件 - - - Load source, target, and options saved in an .scmp file - 加载保存在 .smp 文件中的源、目标和选项 - - - Open - 打开 - - - Open scmp failed: '{0}' - 打开 scmp 失败:“{0}” - - - Save .scmp file - 保存 .smp 文件 - - - Save source and target, options, and excluded elements - 保存源、目标、选项和已排除的元素 - - - Save - 保存 - Save scmp failed: '{0}' 保存 scmp 失败:“{0}” + + Cancel schema compare failed: '{0}' + 取消架构比较失败:“{0}” + + + Generate script failed: '{0}' + 生成脚本失败:“{0}” + + + Schema Compare Apply failed '{0}' + 架构比较应用失败“{0}” + + + Open scmp failed: '{0}' + 打开 scmp 失败:“{0}” + \ No newline at end of file diff --git a/resources/xlf/zh-hans/sql.zh-Hans.xlf b/resources/xlf/zh-hans/sql.zh-Hans.xlf index 9a15f56527..3ca81f4ada 100644 --- a/resources/xlf/zh-hans/sql.zh-Hans.xlf +++ b/resources/xlf/zh-hans/sql.zh-Hans.xlf @@ -1,2559 +1,6 @@  - - - - Copying images is not supported - 不支持复制图像 - - - - - - - Get Started - 开始 - - - Show Getting Started - 显示入门 - - - Getting &&Started - && denotes a mnemonic - 入门(&&S) - - - - - - - QueryHistory - QueryHistory - - - Whether Query History capture is enabled. If false queries executed will not be captured. - 是否启用查询历史记录捕获。若为 false,则不捕获所执行的查询。 - - - View - 查看 - - - &&Query History - && denotes a mnemonic - 查询历史记录(&&Q) - - - Query History - 查询历史记录 - - - - - - - Connecting: {0} - 正在连接: {0} - - - Running command: {0} - 正在运行命令: {0} - - - Opening new query: {0} - 正在打开新查询: {0} - - - Cannot connect as no server information was provided - 无法连接,因为未提供服务器信息 - - - Could not open URL due to error {0} - 由于错误 {0} 而无法打开 URL - - - This will connect to server {0} - 这将连接到服务器 {0} - - - Are you sure you want to connect? - 确定要连接吗? - - - &&Open - 打开(&&O) - - - Connecting query file - 正在连接查询文件 - - - - - - - 1 or more tasks are in progress. Are you sure you want to quit? - 一个或多个任务正在运行中。确定要退出吗? - - - Yes - - - - No - - - - - - - - Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? - 预览功能可让你全面访问新功能和改进功能,从而提升你在 Azure Data Studio 中的体验。有关预览功能的详细信息,请访问[此处]({0})。是否要启用预览功能? - - - Yes (recommended) - 是(推荐) - - - No - - - - No, don't show again - 否,不再显示 - - - - - - - Toggle Query History - 切换查询历史记录 - - - Delete - 删除 - - - Clear All History - 清除所有历史记录 - - - Open Query - 打开查询 - - - Run Query - 运行查询 - - - Toggle Query History capture - 切换查询历史记录捕获 - - - Pause Query History Capture - 暂停查询历史记录捕获 - - - Start Query History Capture - 开始查询历史记录捕获 - - - - - - - No queries to display. - 没有可显示的查询。 - - - Query History - QueryHistory - 查询历史记录 - - - - - - - Error - 错误 - - - Warning - 警告 - - - Info - 信息 - - - Ignore - 忽略 - - - - - - - Saving results into different format disabled for this data provider. - 已禁止此数据提供程序将结果保存为其他格式。 - - - Cannot serialize data as no provider has been registered - 无法序列化数据,因为尚未注册任何提供程序 - - - Serialization failed with an unknown error - 出现未知错误,序列化失败 - - - - - - - Connection is required in order to interact with adminservice - 需要连接才能与 adminservice 交互 - - - No Handler Registered - 未注册处理程序 - - - - - - - Select a file - 选择文件 - - - - - - - Connection is required in order to interact with Assessment Service - 需要连接才能与评估服务交互 - - - No Handler Registered - 未注册处理程序 - - - - - - - Results Grid and Messages - 结果网格和消息 - - - Controls the font family. - 控制字体系列。 - - - Controls the font weight. - 控制字体粗细。 - - - Controls the font size in pixels. - 控制字体大小(像素)。 - - - Controls the letter spacing in pixels. - 控制字母间距(像素)。 - - - Controls the row height in pixels - 控制行高(像素) - - - Controls the cell padding in pixels - 控制单元格边距(像素) - - - Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells - 自动调整初始结果的列宽。如果存在大量的列或大型单元格,可能出现性能问题 - - - The maximum width in pixels for auto-sized columns - 自动调整大小的列的最大宽度(像素) - - - - - - - View - 查看 - - - Database Connections - 数据库连接 - - - data source connections - 数据源连接 - - - data source groups - 数据源组 - - - Startup Configuration - 启动配置 - - - True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown - 如果要在 Azure Data Studio 启动时默认显示“服务器”视图,则为 true;如果应显示上次打开的视图,则为 false - - - - - - - Disconnect - 断开连接 - - - Refresh - 刷新 - - - - - - - Preview Features - 预览功能 - - - Enable unreleased preview features - 启用未发布的预览功能 - - - Show connect dialog on startup - 在启动时显示连接对话框 - - - Obsolete API Notification - 过时的 API 通知 - - - Enable/disable obsolete API usage notification - 启用/禁用过时的 API 使用通知 - - - - - - - Problems - 问题 - - - - - - - {0} in progress tasks - {0} 个正在执行的任务 - - - View - 查看 - - - Tasks - 任务 - - - &&Tasks - && denotes a mnemonic - 任务(&&T) - - - - - - - The maximum number of recently used connections to store in the connection list. - 连接列表中保存的最近使用的连接数量上限 - - - Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. - 要使用的默认 SQL 引擎。这将驱动 .sql 文件中的默认语言提供程序,以及创建新连接时使用的默认语言提供程序。 - - - Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. - 在打开连接对话框或执行粘贴时尝试分析剪贴板的内容。 - - - - - - - Server Group color palette used in the Object Explorer viewlet. - 在对象资源管理器 viewlet 中使用的服务器组面板。 - - - Auto-expand Server Groups in the Object Explorer viewlet. - 在对象资源管理器 viewlet 中自动展开服务器组。 - - - (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. - (预览)使用“服务器”视图和“连接”对话框的新异步服务器树,支持动态节点筛选等新功能。 - - - - - - - Identifier of the account type - 帐户类型的标识符 - - - (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration - (可选) UI 中用于表示帐户的图标。可以是文件路径或可设置主题的配置 - - - Icon path when a light theme is used - 使用浅色主题时的图标路径 - - - Icon path when a dark theme is used - 使用深色主题时的图标路径 - - - Contributes icons to account provider. - 向帐户提供者提供图标。 - - - - - - - Show Edit Data SQL pane on startup - 启动时显示“编辑数据 SQL”窗格 - - - - - - - Minimum value of the y axis - Y 轴的最小值 - - - Maximum value of the y axis - y 轴的最大值 - - - Label for the y axis - y 轴的标签 - - - Minimum value of the x axis - x 轴的最小值 - - - Maximum value of the x axis - x 轴的最大值 - - - Label for the x axis - x 轴的标签 - - - - - - - Resource Viewer - 资源查看器 - - - - - - - Indicates data property of a data set for a chart. - 指示图表数据集的数据属性。 - - - - - - - For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 - 对于结果集中的每一列,将行 0 中的值显示为计数后跟列名称。例如支持“1 正常”、“3 不正常”,其中“正常”是列名称,1 表示第 1 行单元格 1 中的值 - - - - - - - Displays the results in a simple table - 在简单表中显示结果 - - - - - - - Displays an image, for example one returned by an R query using ggplot2 - 显示图像,例如由 R 查询使用 ggplot2 返回的图像 - - - What format is expected - is this a JPEG, PNG or other format? - 期望的格式 - 是 JPEG、PNG 还是其他格式? - - - Is this encoded as hex, base64 or some other format? - 这是以十六进制、base64 还是其他格式进行编码的? - - - - - - - Manage - 管理 - - - Dashboard - 仪表板 - - - - - - - The webview that will be displayed in this tab. - 将在此选项卡中显示的 Web 视图。 - - - - - - - The controlhost that will be displayed in this tab. - 将在此选项卡中显示的 controlhost。 - - - - - - - The list of widgets that will be displayed in this tab. - 将在此选项卡中显示的小组件列表。 - - - The list of widgets is expected inside widgets-container for extension. - 扩展预期小组件容器中存在控件列表。 - - - - - - - The list of widgets or webviews that will be displayed in this tab. - 将在此选项卡中显示的小组件或 Web 视图的列表。 - - - widgets or webviews are expected inside widgets-container for extension. - 扩展预期小组件容器中存在小组件或 Web 视图。 - - - - - - - Unique identifier for this container. - 此容器的唯一标识符。 - - - The container that will be displayed in the tab. - 将在选项卡中显示的容器。 - - - Contributes a single or multiple dashboard containers for users to add to their dashboard. - 提供一个或多个仪表板容器,让用户添加其仪表板。 - - - No id in dashboard container specified for extension. - 仪表板容器中未指定用于扩展的 ID。 - - - No container in dashboard container specified for extension. - 仪表板容器中未指定用于扩展的容器。 - - - Exactly 1 dashboard container must be defined per space. - 必须在每个空间定义恰好 1 个仪表板容器。 - - - Unknown container type defines in dashboard container for extension. - 仪表板容器中为扩展定义了未知的容器类型。 - - - - - - - Unique identifier for this nav section. Will be passed to the extension for any requests. - 此导航部分的唯一标识符。将传递到任何请求的扩展。 - - - (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration - (可选) UI 中用于表示此导航部分的图标。可以是文件路径或可设置主题的配置 - - - Icon path when a light theme is used - 使用浅色主题时的图标路径 - - - Icon path when a dark theme is used - 使用深色主题时的图标路径 - - - Title of the nav section to show the user. - 要向用户显示的导航部分的标题。 - - - The container that will be displayed in this nav section. - 将在此导航部分显示的容器。 - - - The list of dashboard containers that will be displayed in this navigation section. - 将在此导航部分显示的仪表板容器的列表。 - - - No title in nav section specified for extension. - 未在导航部分为扩展指定标题。 - - - No container in nav section specified for extension. - 未在导航部分为扩展指定容器。 - - - Exactly 1 dashboard container must be defined per space. - 必须在每个空间定义恰好 1 个仪表板容器。 - - - NAV_SECTION within NAV_SECTION is an invalid container for extension. - NAV_SECTION 内的 NAV_SECTION 是一个无效的扩展容器。 - - - - - - - The model-backed view that will be displayed in this tab. - 将在此选项卡中显示的由模型支持的视图。 - - - - - - - Backup - 备份 - - - - - - - Restore - 还原 - - - Restore - 还原 - - - - - - - Open in Azure Portal - 在 Azure 门户中打开 - - - - - - - disconnected - 已断开连接 - - - - - - - Cannot expand as the required connection provider '{0}' was not found - 无法展开,因为未找到所需的连接提供程序“{0}” - - - User canceled - 用户已取消 - - - Firewall dialog canceled - 防火墙对话已取消 - - - - - - - Connection is required in order to interact with JobManagementService - 需要连接才能与 JobManagementService 交互 - - - No Handler Registered - 未注册处理程序 - - - - - - - An error occured while loading the file browser. - 加载文件浏览器时出错。 - - - File browser error - 文件浏览器错误 - - - - - - - Common id for the provider - 提供程序的公用 ID - - - Display Name for the provider - 提供程序的显示名称 - - - Notebook Kernel Alias for the provider - 提供程序的笔记本内核别名 - - - Icon path for the server type - 服务器类型的图标路径 - - - Options for connection - 连接选项 - - - - - - - Unique identifier for this tab. Will be passed to the extension for any requests. - 此选项卡的唯一标识符。将传递到任何请求的扩展。 - - - Title of the tab to show the user. - 将向用户显示的选项卡标题。 - - - Description of this tab that will be shown to the user. - 将向用户显示的此选项卡的说明。 - - - Condition which must be true to show this item - 此条件必须为 true 才能显示此项 - - - Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set - 定义此选项卡兼容的连接类型。如果未设置,则默认为 "MSSQL" - - - The container that will be displayed in this tab. - 将在此选项卡中显示的容器。 - - - Whether or not this tab should always be shown or only when the user adds it. - 是始终显示此选项卡还是仅当用户添加时显示。 - - - Whether or not this tab should be used as the Home tab for a connection type. - 此选项卡是否应用作连接类型的“开始”选项卡。 - - - The unique identifier of the group this tab belongs to, value for home group: home. - 此选项卡所属组的唯一标识符,主页组的值: 主页。 - - - (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration - (可选) UI 中用于表示此选项卡的图标。可以是文件路径或可设置主题的配置 - - - Icon path when a light theme is used - 使用浅色主题时的图标路径 - - - Icon path when a dark theme is used - 使用深色主题时的图标路径 - - - Contributes a single or multiple tabs for users to add to their dashboard. - 提供一个或多个选项卡,让用户添加到其仪表板。 - - - No title specified for extension. - 没有为扩展指定标题。 - - - No description specified to show. - 没有可显示的已指定说明。 - - - No container specified for extension. - 没有为扩展指定容器。 - - - Exactly 1 dashboard container must be defined per space - 必须在每个空间定义恰好 1 个仪表板容器 - - - Unique identifier for this tab group. - 此选项卡组的唯一标识符。 - - - Title of the tab group. - 选项卡组的标题。 - - - Contributes a single or multiple tab groups for users to add to their dashboard. - 为用户提供一个或多个选项卡组以添加到他们的仪表板。 - - - No id specified for tab group. - 没有为选项卡组指定 ID。 - - - No title specified for tab group. - 没有为选项卡组指定标题。 - - - Administration - 管理 - - - Monitoring - 监视 - - - Performance - 性能 - - - Security - 安全性 - - - Troubleshooting - 疑难解答 - - - Settings - 设置 - - - databases tab - 数据库选项卡 - - - Databases - 数据库 - - - - - - - succeeded - 成功 - - - failed - 失败 - - - - - - - Connection error - 连接错误 - - - Connection failed due to Kerberos error. - 由于 Kerberos 错误,连接失败。 - - - Help configuring Kerberos is available at {0} - 可在 {0} 处获取有关配置 Kerberos 的帮助 - - - If you have previously connected you may need to re-run kinit. - 如果之前已连接,可能需要重新运行 kinit。 - - - - - - - Close - 关闭 - - - Adding account... - 正在添加帐户... - - - Refresh account was canceled by the user - 用户已取消刷新帐户 - - - - - - - Query Results - 查询结果 - - - Query Editor - 查询编辑器 - - - New Query - 新建查询 - - - Query Editor - 查询编辑器 - - - When true, column headers are included when saving results as CSV - 为 true 时,将在将结果保存为 CSV 时包含列标题 - - - The custom delimiter to use between values when saving as CSV - 保存为 CSV 时在值之间使用的自定义分隔符 - - - Character(s) used for seperating rows when saving results as CSV - 将结果保存为 CSV 时用于分隔行的字符 - - - Character used for enclosing text fields when saving results as CSV - 将结果保存为 CSV 时用于封装文本字段的字符 - - - File encoding used when saving results as CSV - 将结果保存为 CSV 时使用的文件编码 - - - When true, XML output will be formatted when saving results as XML - 为 true 时,将在将结果保存为 XML 时设置 XML 输出的格式 - - - File encoding used when saving results as XML - 将结果保存为 XML 时使用的文件编码 - - - Enable results streaming; contains few minor visual issues - 启用结果流式处理;包含极少轻微的可视化问题 - - - Configuration options for copying results from the Results View - 用于从“结果视图”复制结果的配置选项 - - - Configuration options for copying multi-line results from the Results View - 用于从“结果视图”复制多行结果的配置选项 - - - (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. - (实验性)在出现的结果中使用优化的表。某些功能可能缺失或处于准备阶段。 - - - Should execution time be shown for individual batches - 是否应显示每个批处理的执行时间 - - - Word wrap messages - 自动换行消息 - - - The default chart type to use when opening Chart Viewer from a Query Results - 从“查询结果”打开“图表查看器”时要使用的默认图表类型 - - - Tab coloring will be disabled - 将禁用选项卡着色 - - - The top border of each editor tab will be colored to match the relevant server group - 每个编辑器选项卡的上边框颜色将与相关服务器组匹配 - - - Each editor tab's background color will match the relevant server group - 每个编辑器选项卡的背景色将与相关服务器组匹配 - - - Controls how to color tabs based on the server group of their active connection - 控制如何根据活动连接的服务器组为选项卡着色 - - - Controls whether to show the connection info for a tab in the title. - 控制是否显示标题中选项卡的连接信息。 - - - Prompt to save generated SQL files - 提示保存生成的 SQL 文件 - - - Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call. Any selected text in the query editor will be passed as a parameter - 将键绑定 workbench.action.query.shortcut{0} 设置为以过程调用的方式运行快捷方式文本。查询编辑器中的任何选定文本都将作为参数传递 - - - - - - - Specifies view templates - 指定视图模板 - - - Specifies session templates - 指定会话模板 - - - Profiler Filters - 探查器筛选器 - - - - - - - Script as Create - 执行 Create 脚本 - - - Script as Drop - 执行 Drop 脚本 - - - Select Top 1000 - 选择前 1000 项 - - - Script as Execute - 执行 Execute 脚本 - - - Script as Alter - 执行 Alter 脚本 - - - Edit Data - 编辑数据 - - - Select Top 1000 - 选择前 1000 项 - - - Take 10 - 选取 10 个 - - - Script as Create - 执行 Create 脚本 - - - Script as Execute - 执行 Execute 脚本 - - - Script as Alter - 执行 Alter 脚本 - - - Script as Drop - 执行 Drop 脚本 - - - Refresh - 刷新 - - - - - - - Commit row failed: - 提交行失败: - - - Started executing query at - 开始执行查询的位置: - - - Started executing query "{0}" - 已开始执行查询 "{0}" - - - Line {0} - 第 {0} 行 - - - Canceling the query failed: {0} - 取消查询失败: {0} - - - Update cell failed: - 更新单元格失败: - - - - - - - No URI was passed when creating a notebook manager - 创建笔记本管理器时未传递 URI - - - Notebook provider does not exist - 笔记本提供程序不存在 - - - - - - - Notebook Editor - 笔记本编辑器 - - - New Notebook - 新建笔记本 - - - New Notebook - 新建笔记本 - - - Set Workspace And Open - 设置工作区并打开 - - - SQL kernel: stop Notebook execution when error occurs in a cell. - SQL 内核: 在单元格中发生错误时停止笔记本执行。 - - - (Preview) show all kernels for the current notebook provider. - (预览)显示当前笔记本提供程序的所有内核。 - - - Allow notebooks to run Azure Data Studio commands. - 允许笔记本运行 Azure Data Studio 命令。 - - - Enable double click to edit for text cells in notebooks - 启用双击来编辑笔记本中的文本单元格 - - - Set Rich Text View mode by default for text cells - 默认为文本单元格设置格式文本视图模式 - - - (Preview) Save connection name in notebook metadata. - (预览)在笔记本元数据中保存连接名称。 - - - Controls the line height used in the notebook markdown preview. This number is relative to the font size. - 控制笔记本 Markdown 预览中使用的行高。此数字与字号相关。 - - - View - 查看 - - - Search Notebooks - 搜索笔记本 - - - Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). - 配置glob模式以在全文本搜索和快速打开中排除文件和文件夹。从“#files.exclude#”设置继承所有glob模式。在[此处](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)了解更多关于glob模式的信息 - - - The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. - 匹配文件路径所依据的 glob 模式。设置为 true 或 false 可启用或禁用该模式。 - - - Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. - 对匹配文件的同级文件的其他检查。使用 $(basename) 作为匹配文件名的变量。 - - - This setting is deprecated and now falls back on "search.usePCRE2". - 此设置已被弃用,将回退到 "search.usePCRE2"。 - - - Deprecated. Consider "search.usePCRE2" for advanced regex feature support. - 已弃用。请考虑使用 "search.usePCRE2" 获取对高级正则表达式功能的支持。 - - - When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. - 启用后,搜索服务进程将保持活动状态,而不是在一个小时不活动后关闭。这将使文件搜索缓存保留在内存中。 - - - Controls whether to use `.gitignore` and `.ignore` files when searching for files. - 控制在搜索文件时是否使用 `.gitignore` 和 `.ignore` 文件。 - - - Controls whether to use global `.gitignore` and `.ignore` files when searching for files. - 控制在搜索文件时是否使用全局 `.gitignore` 和 `.ignore` 文件。 - - - Whether to include results from a global symbol search in the file results for Quick Open. - 控制 Quick Open 文件结果中是否包括全局符号搜索的结果。 - - - Whether to include results from recently opened files in the file results for Quick Open. - 是否在 Quick Open 的文件结果中包含最近打开的文件。 - - - History entries are sorted by relevance based on the filter value used. More relevant entries appear first. - 历史记录条目按与筛选值的相关性排序。首先显示更相关的条目。 - - - History entries are sorted by recency. More recently opened entries appear first. - 历史记录条目按最近时间排序。首先显示最近打开的条目。 - - - Controls sorting order of editor history in quick open when filtering. - 控制在快速打开中筛选时编辑器历史记录的排序顺序。 - - - Controls whether to follow symlinks while searching. - 控制是否在搜索中跟踪符号链接。 - - - Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. - 若搜索词全为小写,则不区分大小写进行搜索,否则区分大小写进行搜索。 - - - Controls whether the search view should read or modify the shared find clipboard on macOS. - 控制“搜索”视图是否读取或修改 macOS 的共享查找剪贴板。 - - - Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. - 控制搜索功能是显示在侧边栏,还是显示在水平空间更大的面板区域。 - - - This setting is deprecated. Please use the search view's context menu instead. - 此设置已弃用。请改用搜索视图的上下文菜单。 - - - Files with less than 10 results are expanded. Others are collapsed. - 结果少于10个的文件将被展开。其他的则被折叠。 - - - Controls whether the search results will be collapsed or expanded. - 控制是折叠还是展开搜索结果。 - - - Controls whether to open Replace Preview when selecting or replacing a match. - 控制在选择或替换匹配项时是否打开“替换预览”视图。 - - - Controls whether to show line numbers for search results. - 控制是否显示搜索结果所在的行号。 - - - Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. - 是否在文本搜索中使用 pcre2 正则表达式引擎。这允许使用一些高级正则表达式功能, 如前瞻和反向引用。但是, 并非所有 pcre2 功能都受支持-仅支持 javascript 也支持的功能。 - - - Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. - 弃用。当使用仅 PCRE2 支持的正则表达式功能时,将自动使用 PCRE2。 - - - Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. - 当搜索视图较窄时将操作栏置于右侧,当搜索视图较宽时,将它紧接在内容之后。 - - - Always position the actionbar to the right. - 始终将操作栏放置在右侧。 - - - Controls the positioning of the actionbar on rows in the search view. - 在搜索视图中控制操作栏的位置。 - - - Search all files as you type. - 在键入时搜索所有文件。 - - - Enable seeding search from the word nearest the cursor when the active editor has no selection. - 当活动编辑器没有选定内容时,从离光标最近的字词开始进行种子设定搜索。 - - - Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. - 聚焦搜索视图时,将工作区搜索查询更新为编辑器的所选文本。单击时或触发 `workbench.views.search.focus` 命令时会发生此情况。 - - - When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. - 启用"#search.searchOnType"后,控制键入的字符与开始搜索之间的超时(以毫秒为单位)。禁用"搜索.searchOnType"时无效。 - - - Double clicking selects the word under the cursor. - 双击选择光标下的单词。 - - - Double clicking opens the result in the active editor group. - 双击将在活动编辑器组中打开结果。 - - - Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. - 双击将在编辑器组中的结果打开到一边,如果尚不存在,则创建一个结果。 - - - Configure effect of double clicking a result in a search editor. - 配置在搜索编辑器中双击结果的效果。 - - - Results are sorted by folder and file names, in alphabetical order. - 结果按文件夹和文件名按字母顺序排序。 - - - Results are sorted by file names ignoring folder order, in alphabetical order. - 结果按文件名排序,忽略文件夹顺序,按字母顺序排列。 - - - Results are sorted by file extensions, in alphabetical order. - 结果按文件扩展名的字母顺序排序。 - - - Results are sorted by file last modified date, in descending order. - 结果按文件的最后修改日期按降序排序。 - - - Results are sorted by count per file, in descending order. - 结果按每个文件的计数降序排序。 - - - Results are sorted by count per file, in ascending order. - 结果按每个文件的计数以升序排序。 - - - Controls sorting order of search results. - 控制搜索结果的排序顺序。 - - - - - - - New Query - 新建查询 - - - Run - 运行 - - - Cancel - 取消 - - - Explain - 解释 - - - Actual - 实际 - - - Disconnect - 断开连接 - - - Change Connection - 更改连接 - - - Connect - 连接 - - - Enable SQLCMD - 启用 SQLCMD - - - Disable SQLCMD - 禁用 SQLCMD - - - Select Database - 选择数据库 - - - Failed to change database - 未能更改数据库 - - - Failed to change database {0} - 未能更改数据库 {0} - - - Export as Notebook - 导出为笔记本 - - - - - - - OK - 确定 - - - Close - 关闭 - - - Action - 操作 - - - Copy details - 复制详细信息 - - - - - - - Add server group - 添加服务器组 - - - Edit server group - 编辑服务器组 - - - - - - - Extension - 扩展 - - - - - - - Failed to create Object Explorer session - 未能创建对象资源管理器会话 - - - Multiple errors: - 多个错误: - - - - - - - Error adding account - 添加帐户时出错 - - - Firewall rule error - 防火墙规则错误 - - - - - - - Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window - 某些加载的扩展正在使用过时的 API,请在“开发人员工具”窗口的“控制台”选项卡中查找详细信息 - - - Don't Show Again - 不再显示 - - - - - - - Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. - 视图的标识符。使用标识符通过 "vscode.window.registerTreeDataProviderForView" API 注册数据提供程序。同时将 "onView:${id}" 事件注册到 "activationEvents" 以触发激活扩展。 - - - The human-readable name of the view. Will be shown - 用户可读的视图名称。将显示它 - - - Condition which must be true to show this view - 为真时才显示此视图的条件 - - - Contributes views to the editor - 向编辑器提供视图 - - - Contributes views to Data Explorer container in the Activity bar - 向“活动”栏中的“数据资源管理器”容器提供视图 - - - Contributes views to contributed views container - 向“提供的视图”容器提供视图 - - - Cannot register multiple views with same id `{0}` in the view container `{1}` - 无法在视图容器“{1}”中注册多个具有相同 ID (“{0}”) 的视图 - - - A view with id `{0}` is already registered in the view container `{1}` - 视图容器“{1}”中已注册有 ID 为“{0}”的视图 - - - views must be an array - 视图必须为数组 - - - property `{0}` is mandatory and must be of type `string` - 属性“{0}”是必需的,其类型必须是 "string" - - - property `{0}` can be omitted or must be of type `string` - 属性“{0}”可以省略,否则其类型必须是 "string" - - - - - - - {0} was replaced with {1} in your user settings. - {0} 已被替换为用户设置中的 {1}。 - - - {0} was replaced with {1} in your workspace settings. - {0} 已被替换为工作区设置中的 {1}。 - - - - - - - Manage - 管理 - - - Show Details - 显示详细信息 - - - Learn More - 了解更多 - - - Clear all saved accounts - 清除所有保存的帐户 - - - - - - - Toggle Tasks - 切换任务 - - - - - - - Connection Status - 连接状态 - - - - - - - User visible name for the tree provider - 树提供程序的用户可见名称 - - - Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` - 提供程序的 ID,必须与注册树数据提供程序时的 ID 相同,且必须以 "connectionDialog/" 开头 - - - - - - - Displays results of a query as a chart on the dashboard - 将查询结果显示为仪表板上的图表 - - - Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color - 映射“列名称”->“颜色”。例如,添加 'column1': red 以确保此列使用红色 - - - Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry - 表示图表图例的首选位置和可见性。这些是查询中的列名称,并映射到每个图表条目的标签 - - - If dataDirection is horizontal, setting this to true uses the first columns value for the legend. - 如果 dataDirection 为 horizontal,则将其设置为 true 将使用第一列的值作为图例。 - - - If dataDirection is vertical, setting this to true will use the columns names for the legend. - 如果 dataDirection 为 vertical,则将其设置为 true 将使用列名称作为图例。 - - - Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. - 定义是从列(垂直)还是从行(水平)读取数据。对于时序,将忽略此设置,因为方向必须为垂直。 - - - If showTopNData is set, showing only top N data in the chart. - 如果设置了 showTopNData,则只在图表中显示前 N 个数据。 - - - - - - - Widget used in the dashboards - 仪表板中使用的小组件 - - - - - - - Show Actions - 显示操作 - - - Resource Viewer - 资源查看器 - - - - - - - Identifier of the resource. - 资源的标识符。 - - - The human-readable name of the view. Will be shown - 用户可读的视图名称。将显示它 - - - Path to the resource icon. - 资源图标的路径。 - - - Contributes resource to the resource view - 将资源分配给资源视图 - - - property `{0}` is mandatory and must be of type `string` - 属性“{0}”是必需的,其类型必须是 "string" - - - property `{0}` can be omitted or must be of type `string` - 属性“{0}”可以省略,否则其类型必须是 "string" - - - - - - - Resource Viewer Tree - 资源查看器树 - - - - - - - Widget used in the dashboards - 仪表板中使用的小组件 - - - Widget used in the dashboards - 仪表板中使用的小组件 - - - Widget used in the dashboards - 仪表板中使用的小组件 - - - - - - - Condition which must be true to show this item - 此条件必须为 true 才能显示此项 - - - Whether to hide the header of the widget, default value is false - 是否隐藏小组件的标题,默认值为 false - - - The title of the container - 容器的标题 - - - The row of the component in the grid - 网格中组件的行 - - - The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. - 网格中组件的行跨度。默认值为 1。使用 "*" 设置为网格中的行数。 - - - The column of the component in the grid - 网格中组件的列 - - - The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. - 网格中组件的列跨度。默认值为 1。使用 "*" 设置为网格中的列数。 - - - Unique identifier for this tab. Will be passed to the extension for any requests. - 此选项卡的唯一标识符。将传递到任何请求的扩展。 - - - Extension tab is unknown or not installed. - 扩展选项卡未知或未安装。 - - - - - - - Enable or disable the properties widget - 启用或禁用属性小组件 - - - Property values to show - 要显示的属性值 - - - Display name of the property - 属性的显示名称 - - - Value in the Database Info Object - 数据库信息对象中的值 - - - Specify specific values to ignore - 指定要忽略的特定值 - - - Recovery Model - 恢复模式 - - - Last Database Backup - 上次数据库备份 - - - Last Log Backup - 上次日志备份 - - - Compatibility Level - 兼容级别 - - - Owner - 所有者 - - - Customizes the database dashboard page - 自定义数据库仪表板页面 - - - Search - 搜索 - - - Customizes the database dashboard tabs - 自定义数据库仪表板选项卡 - - - - - - - Enable or disable the properties widget - 启用或禁用属性小组件 - - - Property values to show - 要显示的属性值 - - - Display name of the property - 属性的显示名称 - - - Value in the Server Info Object - 服务器信息对象中的值 - - - Version - 版本 - - - Edition - 版本 - - - Computer Name - 计算机名 - - - OS Version - OS 版本 - - - Search - 搜索 - - - Customizes the server dashboard page - 自定义服务器仪表板页面 - - - Customizes the Server dashboard tabs - 自定义服务器仪表板选项卡 - - - - - - - Manage - 管理 - - - - - - - property `icon` can be omitted or must be either a string or a literal like `{dark, light}` - 可以省略属性 "icon",若不省略则必须是字符串或文字,例如 "{dark, light}" - - - - - - - Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more - 添加一个可以查询服务器或数据库并以多种方式(如图表、总数等)显示结果的小组件。 - - - Unique Identifier used for caching the results of the insight. - 用于缓存见解结果的唯一标识符。 - - - SQL query to run. This should return exactly 1 resultset. - 要运行的 SQL 查询。将返回恰好 1 个结果集。 - - - [Optional] path to a file that contains a query. Use if 'query' is not set - [可选] 包含查询的文件的路径。未设置“查询”时使用 - - - [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh - [可选] 自动刷新间隔(分钟数);如果未设置,则不自动刷新 - - - Which actions to use - 要使用的操作 - - - Target database for the action; can use the format '${ columnName }' to use a data driven column name. - 操作的目标数据库;可使用格式 "${ columnName }" 以便由数据确定列名。 - - - Target server for the action; can use the format '${ columnName }' to use a data driven column name. - 操作的目标服务器;可使用格式 "${ columnName }" 以便由数据确定列名。 - - - Target user for the action; can use the format '${ columnName }' to use a data driven column name. - 操作的目标用户;可使用格式 "${ columnName }" 以便由数据确定列名。 - - - Identifier of the insight - 见解的标识符 - - - Contributes insights to the dashboard palette. - 向仪表板提供见解。 - - - - - - - Backup - 备份 - - - You must enable preview features in order to use backup - 必须启用预览功能才能使用备份 - - - Backup command is not supported for Azure SQL databases. - Azure SQL 数据库不支持备份命令。 - - - Backup command is not supported in Server Context. Please select a Database and try again. - 服务器上下文中不支持备份命令。请选择数据库,然后重试。 - - - - - - - Restore - 还原 - - - You must enable preview features in order to use restore - 必须启用预览功能才能使用还原 - - - Restore command is not supported for Azure SQL databases. - Azure SQL 数据库不支持还原命令。 - - - - - - - Show Recommendations - 显示建议 - - - Install Extensions - 安装扩展 - - - Author an Extension... - 创作扩展... - - - - - - - Edit Data Session Failed To Connect - 编辑数据会话连接失败 - - - - - - - OK - 确定 - - - Cancel - 取消 - - - - - - - Open dashboard extensions - 打开仪表板扩展 - - - OK - 确定 - - - Cancel - 取消 - - - No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. - 目前尚未安装仪表板扩展。转“到扩展管理器”以浏览推荐的扩展。 - - - - - - - Selected path - 选定的路径 - - - Files of type - 文件类型 - - - OK - 确定 - - - Discard - 放弃 - - - - - - - No Connection Profile was passed to insights flyout - 未将连接配置文件传递到见解浮出控件 - - - Insights error - 见解错误 - - - There was an error reading the query file: - 读取以下查询文件时出错: - - - There was an error parsing the insight config; could not find query array/string or queryfile - 分析见解配置时出错;找不到查询数组/字符串或查询文件 - - - - - - - Azure account - Azure 帐户 - - - Azure tenant - Azure 租户 - - - - - - - Show Connections - 显示连接 - - - Servers - 服务器 - - - Connections - 连接 - - - - - - - No task history to display. - 没有可显示的任务历史记录。 - - - Task history - TaskHistory - 任务历史记录 - - - Task error - 任务错误 - - - - - - - Clear List - 清空列表 - - - Recent connections list cleared - 已清空最新连接列表 - - - Yes - - - - No - - - - Are you sure you want to delete all the connections from the list? - 确定要删除列表中的所有连接吗? - - - Yes - - - - No - - - - Delete - 删除 - - - Get Current Connection String - 获取当前连接字符串 - - - Connection string not available - 连接字符串不可用 - - - No active connection available - 没有可用的活动连接 - - - - - - - Refresh - 刷新 - - - Edit Connection - 编辑连接 - - - Disconnect - 断开连接 - - - New Connection - 新建连接 - - - New Server Group - 新建服务器组 - - - Edit Server Group - 编辑服务器组 - - - Show Active Connections - 显示活动连接 - - - Show All Connections - 显示所有连接 - - - Recent Connections - 最近的连接 - - - Delete Connection - 删除连接 - - - Delete Group - 删除组 - - - - - - - Run - 运行 - - - Dispose Edit Failed With Error: - 释放编辑失败,出现错误: - - - Stop - 停止 - - - Show SQL Pane - 显示 SQL 窗格 - - - Close SQL Pane - 关闭 SQL 窗格 - - - - - - - Profiler - 探查器 - - - Not connected - 未连接 - - - XEvent Profiler Session stopped unexpectedly on the server {0}. - XEvent 探查器会话在服务器 {0} 上意外停止。 - - - Error while starting new session - 启动新会话时出错 - - - The XEvent Profiler session for {0} has lost events. - {0} 的 XEvent 探查器会话缺失事件。 - - - - - - - Loading - 正在加载 - - - Loading completed - 加载完毕 - - - - - - - Server Groups - 服务器组 - - - OK - 确定 - - - Cancel - 取消 - - - Server group name - 服务器组名称 - - - Group name is required. - 组名称是必需的。 - - - Group description - 组描述 - - - Group color - 组颜色 - - - - - - - Error adding account - 添加帐户时出错 - - - - - - - Item - - - - Value - - - - Insight Details - 见解详细信息 - - - Property - 属性 - - - Value - - - - Insights - 见解 - - - Items - - - - Item Details - 项详细信息 - - - - - - - Cannot start auto OAuth. An auto OAuth is already in progress. - 无法启动自动 OAuth。自动 OAuth 已在进行中。 - - - - - - - Sort by event - 按事件排序 - - - Sort by column - 按列排序 - - - Profiler - 探查器 - - - OK - 确定 - - - Cancel - 取消 - - - - - - - Clear all - 全部清除 - - - Apply - 应用 - - - OK - 确定 - - - Cancel - 取消 - - - Filters - 筛选器 - - - Remove this clause - 删除此子句 - - - Save Filter - 保存筛选器 - - - Load Filter - 加载筛选器 - - - Add a clause - 添加子句 - - - Field - 字段 - - - Operator - 运算符 - - - Value - - - - Is Null - 为 Null - - - Is Not Null - 不为 Null - - - Contains - 包含 - - - Not Contains - 不包含 - - - Starts With - 开头为 - - - Not Starts With - 开头不为 - - - - - - - Save As CSV - 另存为 CSV - - - Save As JSON - 另存为 JSON - - - Save As Excel - 另存为 Excel - - - Save As XML - 另存为 XML - - - Copy - 复制 - - - Copy With Headers - 带标头复制 - - - Select All - 全选 - - - - - - - Defines a property to show on the dashboard - 定义要在仪表板上显示的属性 - - - What value to use as a label for the property - 用作属性标签的值 - - - What value in the object to access for the value - 对象中要针对该值访问的值 - - - Specify values to be ignored - 指定要忽略的值 - - - Default value to show if ignored or no value - 在忽略或没有值时显示的默认值 - - - A flavor for defining dashboard properties - 用于定义仪表板属性的风格 - - - Id of the flavor - 风格的 ID - - - Condition to use this flavor - 使用这种风格的条件 - - - Field to compare to - 用于比较的字段 - - - Which operator to use for comparison - 用于比较的运算符 - - - Value to compare the field to - 用于和字段比较的值 - - - Properties to show for database page - 数据库页面要显示的属性 - - - Properties to show for server page - 服务器页面要显示的属性 - - - Defines that this provider supports the dashboard - 定义此提供程序支持仪表板 - - - Provider id (ex. MSSQL) - 提供程序 ID (如 MSSQL) - - - Property values to show on dashboard - 要在仪表板上显示的属性值 - - - - - - - Invalid value - 值无效 - - - {0}. {1} - {0}。{1} - - - - + Loading @@ -2565,438 +12,26 @@ - + - - blank - 空白 + + Hide text labels + 隐藏文本标签 - - check all checkboxes in column: {0} - 选中列中的所有复选框: {0} + + Show text labels + 显示文本标签 - + - - No tree view with id '{0}' registered. - 未注册 ID 为 "{0}" 的树状视图。 - - - - - - - Initialize edit data session failed: - 初始化编辑数据会话失败: - - - - - - - Identifier of the notebook provider. - 笔记本提供程序的标识符。 - - - What file extensions should be registered to this notebook provider - 应向此笔记本提供程序注册哪些文件扩展名 - - - What kernels should be standard with this notebook provider - 此笔记本提供程序应标配哪些内核 - - - Contributes notebook providers. - 提供笔记本提供程序。 - - - Name of the cell magic, such as '%%sql'. - 单元格魔术方法的名称,如 "%%sql"。 - - - The cell language to be used if this cell magic is included in the cell - 单元格中包含此单元格魔术方法时要使用的单元格语言 - - - Optional execution target this magic indicates, for example Spark vs SQL - 此魔术方法指示的可选执行目标,例如 Spark 和 SQL - - - Optional set of kernels this is valid for, e.g. python3, pyspark, sql - 可选内核集,对于 python3、pyspark 和 sql 等有效 - - - Contributes notebook language. - 提供笔记本语言。 - - - - - - - F5 shortcut key requires a code cell to be selected. Please select a code cell to run. - 需要选择代码单元格才能使用 F5 快捷键。请选择要运行的代码单元格。 - - - Clear result requires a code cell to be selected. Please select a code cell to run. - 需要选择代码单元格才能清除结果。请选择要运行的代码单元格。 - - - - - - - SQL - SQL - - - - - - - Max Rows: - 最大行数: - - - - - - - Select View - 选择视图 - - - Select Session - 选择会话 - - - Select Session: - 选择会话: - - - Select View: - 选择视图: - - - Text - 文本 - - - Label - 标签 - - - Value - - - - Details - 详细信息 - - - - - - - Time Elapsed - 已用时间 - - - Row Count - 行数 - - - {0} rows - {0} 行 - - - Executing query... - 正在执行查询… - - - Execution Status - 执行状态 - - - Selection Summary - 选择摘要 - - - Average: {0} Count: {1} Sum: {2} - 平均值: {0} 计数: {1} 总和: {2} - - - - - - - Choose SQL Language - 选择 SQL 语言 - - - Change SQL language provider - 更改 SQL 语言提供程序 - - - SQL Language Flavor - SQL 语言风格 - - - Change SQL Engine Provider - 更改 SQL 引擎提供程序 - - - A connection using engine {0} exists. To change please disconnect or change connection - 使用引擎 {0} 的连接已存在。若要更改,请先断开或更改连接 - - - No text editor active at this time - 当前没有活动的文本编辑器 - - - Select Language Provider - 选择语言提供程序 - - - - - - - Error displaying Plotly graph: {0} - 显示 Plotly 图形时出错: {0} - - - - - - - No {0} renderer could be found for output. It has the following MIME types: {1} - 未找到 {0} 呈现器用于输出。它具有以下 MIME 类型: {1} - - - (safe) - (安全) - - - - - - - Select Top 1000 - 选择前 1000 项 - - - Take 10 - 选取 10 个 - - - Script as Execute - 执行 Execute 脚本 - - - Script as Alter - 执行 Alter 脚本 - - - Edit Data - 编辑数据 - - - Script as Create - 执行 Create 脚本 - - - Script as Drop - 执行 Drop 脚本 - - - - - - - A NotebookProvider with valid providerId must be passed to this method - 必须向此方法传递具有有效 providerId 的 NotebookProvider - - - - - - - A NotebookProvider with valid providerId must be passed to this method - 必须向此方法传递具有有效 providerId 的 NotebookProvider - - - no notebook provider found - 未找到笔记本提供程序 - - - No Manager found - 未找到管理器 - - - Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it - 笔记本 {0} 的笔记本管理器没有服务器管理器。无法对其执行操作 - - - Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it - 笔记本 {0} 的笔记本管理器没有内容管理器。无法对其执行操作 - - - Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it - 笔记本 {0} 的笔记本管理器没有会话管理器。无法对其执行操作 - - - - - - - Failed to get Azure account token for connection - 未能获取 Azure 帐户令牌用于连接 - - - Connection Not Accepted - 连接未被接受 - - - Yes - - - - No - - - - Are you sure you want to cancel this connection? - 确定要取消此连接吗? - - - - - - - OK - 确定 - - + Close 关闭 - - - - Loading kernels... - 正在加载内核… - - - Changing kernel... - 正在更改内核… - - - Attach to - 附加到 - - - Kernel - 内核 - - - Loading contexts... - 正在加载上下文… - - - Change Connection - 更改连接 - - - Select Connection - 选择连接 - - - localhost - localhost - - - No Kernel - 无内核 - - - Clear Results - 清除结果 - - - Trusted - 受信任 - - - Not Trusted - 不受信任 - - - Collapse Cells - 折叠单元格 - - - Expand Cells - 展开单元格 - - - None - - - - New Notebook - 新建笔记本 - - - Find Next String - 查找下一个字符串 - - - Find Previous String - 查找上一个字符串 - - - - - - - Query Plan - 查询计划 - - - - - - - Refresh - 刷新 - - - - - - - Step {0} - 步骤 {0} - - - - - - - Must be an option from the list - 必须是列表中的选项 - - - Select Box - 选择框 - - - @@ -3013,134 +48,260 @@ - + - - Connection - 连接 - - - Connecting - 正在连接 - - - Connection type - 连接类型 - - - Recent Connections - 最近的连接 - - - Saved Connections - 保存的连接 - - - Connection Details - 连接详细信息 - - - Connect - 连接 - - - Cancel - 取消 - - - Recent Connections - 最近的连接 - - - No recent connection - 没有最近的连接 - - - Saved Connections - 保存的连接 - - - No saved connection - 没有保存的连接 + + no data available + 无可用数据 - + - - File browser tree - FileBrowserTree - 文件浏览器树 + + Select/Deselect All + 全选/取消全选 - + - - From - + + Show Filter + 显示筛选器 - - To - + + Select All + 全选 - - Create new firewall rule - 新建防火墙规则 + + Search + 搜索 - + + {0} Results + This tells the user how many items are shown in the list. Currently not visible, but read by screen readers. + {0} 个结果 + + + {0} Selected + This tells the user how many items are selected in the list + 已选择 {0} 项 + + + Sort Ascending + 升序排序 + + + Sort Descending + 降序排序 + + OK 确定 - + + Clear + 清除 + + Cancel 取消 - - Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. - 你的客户端 IP 地址无权访问此服务器。请登录到 Azure 帐户,然后新建一个防火墙规则以启用访问。 - - - Learn more about firewall settings - 详细了解防火墙设置 - - - Firewall rule - 防火墙规则 - - - Add my client IP - 添加我的客户端 IP - - - Add my subnet IP range - 添加我的子网 IP 范围 + + Filter Options + 筛选器选项 - + - - All files - 所有文件 + + Loading + 正在加载 - + - - Could not find query file at any of the following paths : - {0} - 在下述所有路径中都找不到查询文件: - {0} + + Loading Error... + 正在加载错误… - + - - You need to refresh the credentials for this account. - 需要刷新此帐户的凭据。 + + Toggle More + 切换更多 + + + + + + + Azure Data Studio + Azure Data Studio + + + Enable automatic update checks. Azure Data Studio will check for updates automatically and periodically. + 启用自动更新检查。Azure Data Studio 将定期自动检查更新。 + + + Enable to download and install new Azure Data Studio Versions in the background on Windows + 启用在 Windows 上后台下载和安装新的 Azure Data Studio 版本 + + + Show Release Notes after an update. The Release Notes are opened in a new web browser window. + 更新后显示发行说明。发行说明会在新的 Web 浏览器窗口中打开。 + + + The dashboard toolbar action menu + 仪表板工具栏操作菜单 + + + The notebook cell title menu + 笔记本单元格标题菜单 + + + The notebook title menu + 笔记本标题菜单 + + + The notebook toolbar menu + 笔记本工具栏菜单 + + + The dataexplorer view container title action menu + dataexplorer 视图容器标题操作菜单 + + + The dataexplorer item context menu + dataexplorer 项上下文菜单 + + + The object explorer item context menu + 对象资源管理器项上下文菜单 + + + The connection dialog's browse tree context menu + 连接对话框的浏览树上下文菜单 + + + The data grid item context menu + 数据网格项上下文菜单 + + + Sets the security policy for downloading extensions. + 设置用于下载扩展的安全策略。 + + + Your extension policy does not allow installing extensions. Please change your extension policy and try again. + 扩展策略不允许安装扩展。请更改扩展策略,然后重试。 + + + Completed installing {0} extension from VSIX. Please reload Azure Data Studio to enable it. + 已完成从 VSIX 安装 {0} 扩展的过程。请重新加载 Azure Data Studio 以启用它。 + + + Please reload Azure Data Studio to complete the uninstallation of this extension. + 请重新加载 Azure Data Studio 以完成此扩展的卸载。 + + + Please reload Azure Data Studio to enable the updated extension. + 请重新加载 Azure Data Studio 以启用更新的扩展。 + + + Please reload Azure Data Studio to enable this extension locally. + 请重新加载 Azure Data Studio 以在本地启用此扩展。 + + + Please reload Azure Data Studio to enable this extension. + 请重新加载 Azure Data Studio 以启用此扩展。 + + + Please reload Azure Data Studio to disable this extension. + 请重新加载 Azure Data Studio 以禁用此扩展。 + + + Please reload Azure Data Studio to complete the uninstallation of the extension {0}. + 请重新加载 Azure Data Studio 以完成扩展 {0} 的卸载。 + + + Please reload Azure Data Studio to enable this extension in {0}. + 请重新加载 Azure Data Studio 以在 {0} 中启用此扩展。 + + + Installing extension {0} is completed. Please reload Azure Data Studio to enable it. + 安装扩展 {0} 已完成。请重新加载 Azure Data Studio 以启用它。 + + + Please reload Azure Data Studio to complete reinstalling the extension {0}. + 请重新加载 Azure Data Studio 以完成扩展 {0} 的重新安装。 + + + Marketplace + 市场 + + + The scenario type for extension recommendations must be provided. + 必须提供扩展建议的方案类型。 + + + Unable to install extension '{0}' as it is not compatible with Azure Data Studio '{1}'. + 无法安装扩展名 '{0}',因为它不兼容 Azure Data Studio '{1}'。 + + + New Query + 新建查询 + + + New &&Query + && denotes a mnemonic + 新建查询(&&Q) + + + &&New Notebook + && denotes a mnemonic + 新建笔记本(&&N) + + + Controls the memory available to Azure Data Studio after restart when trying to open large files. Same effect as specifying `--max-memory=NEWSIZE` on the command line. + 在打开大型文件时,控制 Azure Data Studio 可在重启后使用的内存。在命令行中指定 `--max-memory=新的大小` 参数可达到相同效果。 + + + Would you like to change Azure Data Studio's UI language to {0} and restart? + 是否要将 Azure Data Studio 的 UI 语言更改为 {0} 并重启? + + + In order to use Azure Data Studio in {0}, Azure Data Studio needs to restart. + 若要在 {0} 中使用 Azure Data Studio,Azure Data Studio需要重启。 + + + New SQL File + 新建 SQL 文件 + + + New Notebook + 新建笔记本 + + + Install Extension from VSIX Package + && denotes a mnemonic + 从 VSIX 包安装扩展 + + + + + + + Must be an option from the list + 必须是列表中的选项 + + + Select Box + 选择框 @@ -3184,1263 +345,59 @@ - + - - Show Notebooks - 显示笔记本 - - - Search Results - 搜索结果 - - - Search path not found: {0} - 找不到搜索路径: {0} - - - Notebooks - 笔记本 + + Copying images is not supported + 不支持复制图像 - + - - Focus on Current Query - 关注当前查询 - - - Run Query - 运行查询 - - - Run Current Query - 运行当前查询 - - - Copy Query With Results - 复制查询和结果 - - - Successfully copied query and results. - 已成功复制查询和结果。 - - - Run Current Query with Actual Plan - 使用实际计划运行当前查询 - - - Cancel Query - 取消查询 - - - Refresh IntelliSense Cache - 刷新 IntelliSense 缓存 - - - Toggle Query Results - 切换查询结果 - - - Toggle Focus Between Query And Results - 在查询和结果之间切换焦点 - - - Editor parameter is required for a shortcut to be executed - 需要编辑器参数才能执行快捷方式 - - - Parse Query - 分析查询 - - - Commands completed successfully - 命令已成功完成 - - - Command failed: - 命令失败: - - - Please connect to a server - 请连接到服务器 + + A server group with the same name already exists. + 已存在同名的服务器组。 - + - - succeeded - 成功 - - - failed - 失败 - - - in progress - 正在进行 - - - not started - 尚未开始 - - - canceled - 已取消 - - - canceling - 正在取消 + + Widget used in the dashboards + 仪表板中使用的小组件 - + - - Chart cannot be displayed with the given data - 无法用给定的数据显示图表 + + Widget used in the dashboards + 仪表板中使用的小组件 + + + Widget used in the dashboards + 仪表板中使用的小组件 + + + Widget used in the dashboards + 仪表板中使用的小组件 - + - - Error opening link : {0} - 打开链接时出错: {0} + + Saving results into different format disabled for this data provider. + 已禁止此数据提供程序将结果保存为其他格式。 - - Error executing command '{0}' : {1} - 执行命令“{0}”时出错: {1} + + Cannot serialize data as no provider has been registered + 无法序列化数据,因为尚未注册任何提供程序 - - - - - - Copy failed with error {0} - 复制失败,出现错误 {0} - - - Show chart - 显示图表 - - - Show table - 显示表 - - - - - - - <i>Double-click to edit</i> - <i>双击以编辑</i> - - - <i>Add content here...</i> - <i>在此处添加内容...</i> - - - - - - - An error occurred refreshing node '{0}': {1} - 刷新节点“{0}”时出错: {1} - - - - - - - Done - 完成 - - - Cancel - 取消 - - - Generate script - 生成脚本 - - - Next - 下一步 - - - Previous - 上一步 - - - Tabs are not initialized - 选项卡未初始化 - - - - - - - is required. - 是必需的。 - - - Invalid input. Numeric value expected. - 输入无效。预期值为数值。 - - - - - - - Backup file path - 备份文件路径 - - - Target database - 目标数据库 - - - Restore - 还原 - - - Restore database - 还原数据库 - - - Database - 数据库 - - - Backup file - 备份文件 - - - Restore database - 还原数据库 - - - Cancel - 取消 - - - Script - 脚本 - - - Source - - - - Restore from - 还原自 - - - Backup file path is required. - 需要备份文件路径。 - - - Please enter one or more file paths separated by commas - 请输入一个或多个用逗号分隔的文件路径 - - - Database - 数据库 - - - Destination - 目标 - - - Restore to - 还原到 - - - Restore plan - 还原计划 - - - Backup sets to restore - 要还原的备份集 - - - Restore database files as - 将数据库文件还原为 - - - Restore database file details - 还原数据库文件详细信息 - - - Logical file Name - 逻辑文件名 - - - File type - 文件类型 - - - Original File Name - 原始文件名 - - - Restore as - 还原为 - - - Restore options - 还原选项 - - - Tail-Log backup - 结尾日志备份 - - - Server connections - 服务器连接 - - - General - 常规 - - - Files - 文件 - - - Options - 选项 - - - - - - - Copy Cell - 复制单元格 - - - - - - - Done - 完成 - - - Cancel - 取消 - - - - - - - Copy & Open - 复制并打开 - - - Cancel - 取消 - - - User code - 用户代码 - - - Website - 网站 - - - - - - - The index {0} is invalid. - 索引 {0} 无效。 - - - - - - - Server Description (optional) - 服务器说明(可选) - - - - - - - Advanced Properties - 高级属性 - - - Discard - 放弃 - - - - - - - nbformat v{0}.{1} not recognized - 无法识别 nbformat v{0}.{1} - - - This file does not have a valid notebook format - 此文件没有有效的笔记本格式 - - - Cell type {0} unknown - 单元格类型 {0} 未知 - - - Output type {0} not recognized - 无法识别输出类型 {0} - - - Data for {0} is expected to be a string or an Array of strings - {0} 的数据应为字符串或字符串数组 - - - Output type {0} not recognized - 无法识别输出类型 {0} - - - - - - - Welcome - 欢迎 - - - SQL Admin Pack - SQL 管理包 - - - SQL Admin Pack - SQL 管理包 - - - Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server - SQL Server 管理包是热门数据库管理扩展的一个集合,可帮助你管理 SQL Server - - - Powershell - PowerShell - - - Write and execute PowerShell scripts using Azure Data Studio's rich query editor - 使用 Azure Data Studio 功能丰富的查询编辑器编写和执行 PowerShell 脚本 - - - Data Virtualization - 数据虚拟化 - - - Virtualize data with SQL Server 2019 and create external tables using interactive wizards - 使用 SQL Server 2019 虚拟化数据,并使用交互式向导创建外部表 - - - PostgreSQL - PostgreSQL - - - Connect, query, and manage Postgres databases with Azure Data Studio - 使用 Azure Data Studio 连接、查询和管理 Postgres 数据库 - - - Support for {0} is already installed. - 已安装对 {0} 的支持。 - - - The window will reload after installing additional support for {0}. - 安装对 {0} 的额外支持后,将重载窗口。 - - - Installing additional support for {0}... - 正在安装对 {0} 的额外支持... - - - Support for {0} with id {1} could not be found. - 找不到对 {0} (ID: {1}) 的支持。 - - - New connection - 新建连接 - - - New query - 新建查询 - - - New notebook - 新建笔记本 - - - Deploy a server - 部署服务器 - - - Welcome - 欢迎 - - - New - 新建 - - - Open… - 打开… - - - Open file… - 打开文件… - - - Open folder… - 打开文件夹… - - - Start Tour - 开始教程 - - - Close quick tour bar - 关闭快速浏览栏 - - - Would you like to take a quick tour of Azure Data Studio? - 是否希望快速浏览 Azure Data Studio? - - - Welcome! - 欢迎使用! - - - Open folder {0} with path {1} - 打开路径为 {1} 的文件夹 {0} - - - Install - 安装 - - - Install {0} keymap - 安装 {0} 键映射 - - - Install additional support for {0} - 安装对 {0} 的额外支持 - - - Installed - 已安装 - - - {0} keymap is already installed - 已安装 {0} 按键映射 - - - {0} support is already installed - 已安装 {0} 支持 - - - OK - 确定 - - - Details - 详细信息 - - - Background color for the Welcome page. - 欢迎页面的背景色。 - - - - - - - Profiler editor for event text. Readonly - 用于事件文本的探查器编辑器。只读 - - - - - - - Failed to save results. - 未能保存结果。 - - - Choose Results File - 选择结果文件 - - - CSV (Comma delimited) - CSV (以逗号分隔) - - - JSON - JSON - - - Excel Workbook - Excel 工作簿 - - - XML - XML - - - Plain Text - 纯文本 - - - Saving file... - 正在保存文件... - - - Successfully saved results to {0} - 已成功将结果保存到 {0} - - - Open file - 打开文件 - - - - - - - Hide text labels - 隐藏文本标签 - - - Show text labels - 显示文本标签 - - - - - - - modelview code editor for view model. - 用于视图模型的模型视图代码编辑器。 - - - - - - - Information - 信息 - - - Warning - 警告 - - - Error - 错误 - - - Show Details - 显示详细信息 - - - Copy - 复制 - - - Close - 关闭 - - - Back - 返回 - - - Hide Details - 隐藏详细信息 - - - - - - - Accounts - 帐户 - - - Linked accounts - 链接的帐户 - - - Close - 关闭 - - - There is no linked account. Please add an account. - 没有链接的帐户。请添加一个帐户。 - - - Add an account - 添加帐户 - - - You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud - 你没有启用云。请转到“设置”-> 搜索 Azure 帐户配置 -> 至少启用一个云 - - - You didn't select any authentication provider. Please try again. - 你没有选择任何身份验证提供程序。请重试。 - - - - - - - Execution failed due to an unexpected error: {0} {1} - 由于意外错误,执行失败: {0} {1} - - - Total execution time: {0} - 执行时间总计: {0} - - - Started executing query at Line {0} - 开始执行查询的位置: 第 {0} 行 - - - Started executing batch {0} - 已开始执行批处理 {0} - - - Batch execution time: {0} - 批处理执行时间: {0} - - - Copy failed with error {0} - 复制失败,出现错误 {0} - - - - - - - Azure Data Studio - Azure Data Studio - - - Start - 开始 - - - New connection - 新建连接 - - - New query - 新建查询 - - - New notebook - 新建笔记本 - - - Open file - 打开文件 - - - Open file - 打开文件 - - - Deploy - 部署 - - - New Deployment… - 新建部署… - - - Recent - 最近使用 - - - More... - 更多... - - - No recent folders - 没有最近使用的文件夹 - - - Help - 帮助 - - - Getting started - 开始使用 - - - Documentation - 文档 - - - Report issue or feature request - 报告问题或功能请求 - - - GitHub repository - GitHub 存储库 - - - Release notes - 发行说明 - - - Show welcome page on startup - 启动时显示欢迎页 - - - Customize - 自定义 - - - Extensions - 扩展 - - - Download extensions that you need, including the SQL Server Admin pack and more - 下载所需的扩展,包括 SQL Server 管理包等 - - - Keyboard Shortcuts - 键盘快捷方式 - - - Find your favorite commands and customize them - 查找你喜欢的命令并对其进行自定义 - - - Color theme - 颜色主题 - - - Make the editor and your code look the way you love - 使编辑器和代码呈现你喜欢的外观 - - - Learn - 了解 - - - Find and run all commands - 查找并运行所有命令 - - - Rapidly access and search commands from the Command Palette ({0}) - 使用命令面板快速访问和搜索命令 ({0}) - - - Discover what's new in the latest release - 了解最新版本中的新增功能 - - - New monthly blog posts each month showcasing our new features - 每月推出新的月度博客文章,展示新功能 - - - Follow us on Twitter - 在 Twitter 上关注我们 - - - Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. - 保持了解社区如何使用 Azure Data Studio 并与工程师直接交谈。 - - - - - - - Connect - 连接 - - - Disconnect - 断开连接 - - - Start - 开始 - - - New Session - 新建会话 - - - Pause - 暂停 - - - Resume - 继续 - - - Stop - 停止 - - - Clear Data - 清除数据 - - - Are you sure you want to clear the data? - 是否确实要清除数据? - - - Yes - - - - No - - - - Auto Scroll: On - 自动滚动: 开 - - - Auto Scroll: Off - 自动滚动: 关 - - - Toggle Collapsed Panel - 切换已折叠的面板 - - - Edit Columns - 编辑列 - - - Find Next String - 查找下一个字符串 - - - Find Previous String - 查找上一个字符串 - - - Launch Profiler - 启动探查器 - - - Filter… - 筛选器… - - - Clear Filter - 清除筛选器 - - - Are you sure you want to clear the filters? - 是否确实要清除筛选器? - - - - - - - Events (Filtered): {0}/{1} - 事件(已筛选): {0}/{1} - - - Events: {0} - 事件: {0} - - - Event Count - 事件计数 - - - - - - - no data available - 无可用数据 - - - - - - - Results - 结果 - - - Messages - 消息 - - - - - - - No script was returned when calling select script on object - 在对象上调用 select 脚本时没有返回脚本 - - - Select - 选择 - - - Create - 创建 - - - Insert - 插入 - - - Update - 更新 - - - Delete - 删除 - - - No script was returned when scripting as {0} on object {1} - 在对象 {1} 上执行 {0} 脚本时未返回脚本 - - - Scripting Failed - 执行脚本失败 - - - No script was returned when scripting as {0} - 执行 {0} 脚本时未返回脚本 - - - - - - - Table header background color - 表头背景色 - - - Table header foreground color - 表头前景色 - - - List/Table background color for the selected and focus item when the list/table is active - 当列表/表处于活动状态时所选焦点所在项的列表/表背景色 - - - Color of the outline of a cell. - 单元格边框颜色。 - - - Disabled Input box background. - 已禁用输入框背景。 - - - Disabled Input box foreground. - 已禁用输入框前景。 - - - Button outline color when focused. - 聚焦时的按钮轮廓颜色。 - - - Disabled checkbox foreground. - 已禁用复选框前景。 - - - SQL Agent Table background color. - SQL 代理表背景色。 - - - SQL Agent table cell background color. - SQL 代理表单元格背景色。 - - - SQL Agent table hover background color. - SQL 代理表悬停背景色。 - - - SQL Agent heading background color. - SQL 代理标题背景色。 - - - SQL Agent table cell border color. - SQL 代理表单元格边框颜色。 - - - Results messages error color. - 结果消息错误颜色。 - - - - - - - Backup name - 备份名称 - - - Recovery model - 恢复模式 - - - Backup type - 备份类型 - - - Backup files - 备份文件 - - - Algorithm - 算法 - - - Certificate or Asymmetric key - 证书或非对称密钥 - - - Media - 媒体 - - - Backup to the existing media set - 备份到现有媒体集 - - - Backup to a new media set - 备份到新的媒体集 - - - Append to the existing backup set - 追加到现有备份集 - - - Overwrite all existing backup sets - 覆盖所有现有备份集 - - - New media set name - 新建媒体集名称 - - - New media set description - 新建媒体集说明 - - - Perform checksum before writing to media - 在写入到媒体前执行校验和 - - - Verify backup when finished - 完成后验证备份 - - - Continue on error - 出错时继续 - - - Expiration - 有效期 - - - Set backup retain days - 设置备份保留天数 - - - Copy-only backup - 仅限复制的备份 - - - Advanced Configuration - 高级配置 - - - Compression - 压缩 - - - Set backup compression - 设置备份压缩 - - - Encryption - 加密 - - - Transaction log - 事务日志 - - - Truncate the transaction log - 截断事务日志 - - - Backup the tail of the log - 备份日志的末尾 - - - Reliability - 可靠性 - - - Media name is required - 需要媒体名称 - - - No certificate or asymmetric key is available - 没有可用的证书或非对称密钥 - - - Add a file - 添加文件 - - - Remove files - 删除文件 - - - Invalid input. Value must be greater than or equal 0. - 输入无效。值必须大于或等于 0。 - - - Script - 脚本 - - - Backup - 备份 - - - Cancel - 取消 - - - Only backup to file is supported - 只支持备份到文件 - - - Backup file path is required - 需要备份文件路径 + + Serialization failed with an unknown error + 出现未知错误,序列化失败 @@ -4632,407 +589,87 @@ - + - - There is no data provider registered that can provide view data. - 没有可提供视图数据的已注册数据提供程序。 + + Table header background color + 表头背景色 - - Refresh - 刷新 + + Table header foreground color + 表头前景色 - - Collapse All - 全部折叠 + + List/Table background color for the selected and focus item when the list/table is active + 当列表/表处于活动状态时所选焦点所在项的列表/表背景色 - - Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. - 运行命令 {1} 错误: {0}。这可能是由提交 {1} 的扩展引起的。 + + Color of the outline of a cell. + 单元格边框颜色。 + + + Disabled Input box background. + 已禁用输入框背景。 + + + Disabled Input box foreground. + 已禁用输入框前景。 + + + Button outline color when focused. + 聚焦时的按钮轮廓颜色。 + + + Disabled checkbox foreground. + 已禁用复选框前景。 + + + SQL Agent Table background color. + SQL 代理表背景色。 + + + SQL Agent table cell background color. + SQL 代理表单元格背景色。 + + + SQL Agent table hover background color. + SQL 代理表悬停背景色。 + + + SQL Agent heading background color. + SQL 代理标题背景色。 + + + SQL Agent table cell border color. + SQL 代理表单元格边框颜色。 + + + Results messages error color. + 结果消息错误颜色。 - + - - Please select active cell and try again - 请选择活动单元格并重试 + + Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window + 某些加载的扩展正在使用过时的 API,请在“开发人员工具”窗口的“控制台”选项卡中查找详细信息 - - Run cell - 运行单元格 - - - Cancel execution - 取消执行 - - - Error on last run. Click to run again - 上次运行时出错。请单击以重新运行 + + Don't Show Again + 不再显示 - + - - Cancel - 取消 + + F5 shortcut key requires a code cell to be selected. Please select a code cell to run. + 需要选择代码单元格才能使用 F5 快捷键。请选择要运行的代码单元格。 - - The task is failed to cancel. - 任务取消失败。 - - - Script - 脚本 - - - - - - - Toggle More - 切换更多 - - - - - - - Loading - 正在加载 - - - - - - - Home - 主页 - - - - - - - The "{0}" section has invalid content. Please contact extension owner. - “{0}”部分具有无效内容。请与扩展所有者联系。 - - - - - - - Jobs - 作业 - - - Notebooks - 笔记本 - - - Alerts - 警报 - - - Proxies - 代理 - - - Operators - 运算符 - - - - - - - Server Properties - 服务器属性 - - - - - - - Database Properties - 数据库属性 - - - - - - - Select/Deselect All - 全选/取消全选 - - - - - - - Show Filter - 显示筛选器 - - - OK - 确定 - - - Clear - 清除 - - - Cancel - 取消 - - - - - - - Recent Connections - 最近的连接 - - - Servers - 服务器 - - - Servers - 服务器 - - - - - - - Backup Files - 备份文件 - - - All Files - 所有文件 - - - - - - - Search: Type Search Term and press Enter to search or Escape to cancel - 搜索: 键入搜索词,然后按 Enter 键搜索或按 Esc 键取消 - - - Search - 搜索 - - - - - - - Failed to change database - 未能更改数据库 - - - - - - - Name - 名称 - - - Last Occurrence - 上一个匹配项 - - - Enabled - 已启用 - - - Delay Between Responses (in secs) - 响应之间的延迟(秒) - - - Category Name - 类别名称 - - - - - - - Name - 名称 - - - Email Address - 电子邮件地址 - - - Enabled - 已启用 - - - - - - - Account Name - 帐户名称 - - - Credential Name - 凭据名称 - - - Description - 说明 - - - Enabled - 已启用 - - - - - - - loading objects - 正在加载对象 - - - loading databases - 正在加载数据库 - - - loading objects completed. - 对象加载已完成。 - - - loading databases completed. - 数据库加载已完成。 - - - Search by name of type (t:, v:, f:, or sp:) - 按类型名称搜索(t:、v:、f: 或 sp:) - - - Search databases - 搜索数据库 - - - Unable to load objects - 无法加载对象 - - - Unable to load databases - 无法加载数据库 - - - - - - - Loading properties - 正在加载属性 - - - Loading properties completed - 属性加载已完成 - - - Unable to load dashboard properties - 无法加载仪表板属性 - - - - - - - Loading {0} - 正在加载 {0} - - - Loading {0} completed - {0} 加载已完成 - - - Auto Refresh: OFF - 自动刷新: 关 - - - Last Updated: {0} {1} - 上次更新时间: {0} {1} - - - No results to show - 没有可显示的结果 - - - - - - - Steps - 步骤 - - - - - - - Save As CSV - 另存为 CSV - - - Save As JSON - 另存为 JSON - - - Save As Excel - 另存为 Excel - - - Save As XML - 另存为 XML - - - Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. - 导出到 JSON 时,将不会保存结果编码,请记得在创建文件后使用所需编码进行保存。 - - - Save to file is not supported by the backing data source - 备份数据源不支持保存到文件 - - - Copy - 复制 - - - Copy With Headers - 带标头复制 - - - Select All - 全选 - - - Maximize - 最大化 - - - Restore - 还原 - - - Chart - 图表 - - - Visualizer - 可视化工具 + + Clear result requires a code cell to be selected. Please select a code cell to run. + 需要选择代码单元格才能清除结果。请选择要运行的代码单元格。 @@ -5052,349 +689,495 @@ - + - - Step ID - 步骤 ID + + Done + 完成 - - Step Name - 步骤名称 + + Cancel + 取消 - - Message - 消息 + + Generate script + 生成脚本 + + + Next + 下一步 + + + Previous + 上一步 + + + Tabs are not initialized + 选项卡未初始化 - + - - Find - 查找 + + No tree view with id '{0}' registered. + 未注册 ID 为 "{0}" 的树状视图。 - - Find - 查找 + + + + + + A NotebookProvider with valid providerId must be passed to this method + 必须向此方法传递具有有效 providerId 的 NotebookProvider - - Previous match - 上一个匹配项 + + no notebook provider found + 未找到笔记本提供程序 - - Next match - 下一个匹配项 + + No Manager found + 未找到管理器 - + + Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it + 笔记本 {0} 的笔记本管理器没有服务器管理器。无法对其执行操作 + + + Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it + 笔记本 {0} 的笔记本管理器没有内容管理器。无法对其执行操作 + + + Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it + 笔记本 {0} 的笔记本管理器没有会话管理器。无法对其执行操作 + + + + + + + A NotebookProvider with valid providerId must be passed to this method + 必须向此方法传递具有有效 providerId 的 NotebookProvider + + + + + + + Manage + 管理 + + + Show Details + 显示详细信息 + + + Learn More + 了解更多 + + + Clear all saved accounts + 清除所有保存的帐户 + + + + + + + Preview Features + 预览功能 + + + Enable unreleased preview features + 启用未发布的预览功能 + + + Show connect dialog on startup + 在启动时显示连接对话框 + + + Obsolete API Notification + 过时的 API 通知 + + + Enable/disable obsolete API usage notification + 启用/禁用过时的 API 使用通知 + + + + + + + Edit Data Session Failed To Connect + 编辑数据会话连接失败 + + + + + + + Profiler + 探查器 + + + Not connected + 未连接 + + + XEvent Profiler Session stopped unexpectedly on the server {0}. + XEvent 探查器会话在服务器 {0} 上意外停止。 + + + Error while starting new session + 启动新会话时出错 + + + The XEvent Profiler session for {0} has lost events. + {0} 的 XEvent 探查器会话缺失事件。 + + + + + + + Show Actions + 显示操作 + + + Resource Viewer + 资源查看器 + + + + + + + Information + 信息 + + + Warning + 警告 + + + Error + 错误 + + + Show Details + 显示详细信息 + + + Copy + 复制 + + Close 关闭 - - Your search returned a large number of results, only the first 999 matches will be highlighted. - 搜索返回了大量结果,将仅突出显示前 999 个匹配项。 + + Back + 返回 - - {0} of {1} - {0} 个(共 {1} 个) - - - No Results - 无结果 + + Hide Details + 隐藏详细信息 - + - - Horizontal Bar - 水平条 + + OK + 确定 - - Bar - 条形图 - - - Line - 折线图 - - - Pie - 饼图 - - - Scatter - 散点图 - - - Time Series - 时序 - - - Image - 图像 - - - Count - 计数 - - - Table - - - - Doughnut - 圆环图 - - - Failed to get rows for the dataset to chart. - 未能获得数据集的行来绘制图表。 - - - Chart type '{0}' is not supported. - 不支持图表类型“{0}”。 + + Cancel + 取消 - + - - Parameters - 参数 + + is required. + 是必需的。 + + + Invalid input. Numeric value expected. + 输入无效。预期值为数值。 - + - - Connected to - 已连接到 + + The index {0} is invalid. + 索引 {0} 无效。 - - Disconnected + + + + + + blank + 空白 + + + check all checkboxes in column: {0} + 选中列中的所有复选框: {0} + + + Show Actions + 显示操作 + + + + + + + Loading + 正在加载 + + + Loading completed + 加载已完成 + + + + + + + Invalid value + 值无效 + + + {0}. {1} + {0}。{1} + + + + + + + Loading + 正在加载 + + + Loading completed + 加载完毕 + + + + + + + modelview code editor for view model. + 用于视图模型的模型视图代码编辑器。 + + + + + + + Could not find component for type {0} + 找不到类型 {0} 的组件 + + + + + + + Changing editor types on unsaved files is unsupported + 不支持更改未保存文件的编辑器类型 + + + + + + + Select Top 1000 + 选择前 1000 项 + + + Take 10 + 选取 10 个 + + + Script as Execute + 执行 Execute 脚本 + + + Script as Alter + 执行 Alter 脚本 + + + Edit Data + 编辑数据 + + + Script as Create + 执行 Create 脚本 + + + Script as Drop + 执行 Drop 脚本 + + + + + + + No script was returned when calling select script on object + 在对象上调用 select 脚本时没有返回脚本 + + + Select + 选择 + + + Create + 创建 + + + Insert + 插入 + + + Update + 更新 + + + Delete + 删除 + + + No script was returned when scripting as {0} on object {1} + 在对象 {1} 上执行 {0} 脚本时未返回脚本 + + + Scripting Failed + 执行脚本失败 + + + No script was returned when scripting as {0} + 执行 {0} 脚本时未返回脚本 + + + + + + + disconnected 已断开连接 - - Unsaved Connections - 未保存的连接 - - + - - Browse (Preview) - 浏览(预览) - - - Type here to filter the list - 在此处键入以筛选列表 - - - Filter connections - 筛选器连接 - - - Applying filter - 正在应用筛选器 - - - Removing filter - 正在删除筛选器 - - - Filter applied - 已应用筛选器 - - - Filter removed - 已删除筛选器 - - - Saved Connections - 保存的连接 - - - Saved Connections - 保存的连接 - - - Connection Browser Tree - 连接浏览器树 - - - - - - - This extension is recommended by Azure Data Studio. - Azure Data Studio 建议使用此扩展。 - - - - - - - Don't Show Again - 不再显示 - - - Azure Data Studio has extension recommendations. - Azure Data Studio 具有扩展建议。 - - - Azure Data Studio has extension recommendations for data visualization. -Once installed, you can select the Visualizer icon to visualize your query results. - Azure Data Studio 具有针对数据可视化的扩展建议。 -安装后,你可以选择“可视化工具”图标来可视化查询结果。 - - - Install All - 全部安装 - - - Show Recommendations - 显示建议 - - - The scenario type for extension recommendations must be provided. - 必须提供扩展建议的方案类型。 - - - - - - - This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. - 此功能页面处于预览状态。预览功能引入了新功能,这些功能有望成为产品的永久组成部分。它们是稳定的,但需要改进额外的辅助功能。欢迎在功能开发期间提供早期反馈。 - - - Preview - 预览 - - - Create a connection - 创建连接 - - - Connect to a database instance through the connection dialog. - 通过连接对话连接到数据库实例。 - - - Run a query - 运行查询 - - - Interact with data through a query editor. - 通过查询编辑器与数据交互。 - - - Create a notebook - 创建笔记本 - - - Build a new notebook using a native notebook editor. - 使用本机笔记本编辑器生成新笔记本。 - - - Deploy a server - 部署服务器 - - - Create a new instance of a relational data service on the platform of your choice. - 在所选平台上创建关系数据服务的新实例。 - - - Resources - 资源 - - - History - 历史记录 - - - Name - 名称 - - - Location - 位置 - - - Show more - 显示更多 - - - Show welcome page on startup - 启动时显示欢迎页 - - - Useful Links - 有用链接 - - - Getting Started - 开始使用 - - - Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. - 发现 Azure Data Studio 所提供的功能,并了解如何充分利用这些功能。 - - - Documentation - 文档 - - - Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. - 访问文档中心,以获取快速入门、操作指南以及 PowerShell、API 等的参考。 - - - Overview of Azure Data Studio - Azure Data Studio 概述 - - - Introduction to Azure Data Studio Notebooks | Data Exposed - Azure Data Studio 笔记本简介 | 已公开的数据 - - - Extensions + + Extension 扩展 - - Show All - 全部显示 + + + + + + Active tab background color for vertical tabs + 垂直选项卡的活动选项卡背景色 - - Learn more - 了解更多 + + Color for borders in dashboard + 仪表板中边框的颜色 + + + Color of dashboard widget title + 仪表板小组件标题的颜色 + + + Color for dashboard widget subtext + 仪表板小组件子文本的颜色 + + + Color for property values displayed in the properties container component + 属性容器组件中显示的属性值的颜色 + + + Color for property names displayed in the properties container component + 属性容器组件中显示的属性名称的颜色 + + + Toolbar overflow shadow color + 工具栏溢出阴影颜色 - + - - Date Created: - 创建日期: + + Identifier of the account type + 帐户类型的标识符 - - Notebook Error: - 笔记本错误: + + (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration + (可选) UI 中用于表示帐户的图标。可以是文件路径或可设置主题的配置 - - Job Error: - 作业错误: + + Icon path when a light theme is used + 使用浅色主题时的图标路径 - - Pinned - 已固定 + + Icon path when a dark theme is used + 使用深色主题时的图标路径 - - Recent Runs - 最近运行 + + Contributes icons to account provider. + 向帐户提供者提供图标。 - - Past Runs - 已运行 + + + + + + View applicable rules + 查看适用规则 + + + View applicable rules for {0} + 查看 {0} 的适用规则 + + + Invoke Assessment + 调用评估 + + + Invoke Assessment for {0} + 调用 {0} 的评估 + + + Export As Script + 导出为脚本 + + + View all rules and learn more on GitHub + 查看所有规则并了解有关 GitHub 的详细信息 + + + Create HTML Report + 创建 HTML 报表 + + + Report has been saved. Do you want to open it? + 已保存报表。是否要打开它? + + + Open + 打开 + + + Cancel + 取消 @@ -5426,390 +1209,6 @@ Once installed, you can select the Visualizer icon to visualize your query resul - - - - Chart - 图表 - - - - - - - Operation - 操作 - - - Object - 对象 - - - Est Cost - 预计成本 - - - Est Subtree Cost - 预计子树成本 - - - Actual Rows - 实际行数 - - - Est Rows - 预计行数 - - - Actual Executions - 实际执行次数 - - - Est CPU Cost - 预计 CPU 成本 - - - Est IO Cost - 预计 IO 成本 - - - Parallel - 并行 - - - Actual Rebinds - 实际重新绑定次数 - - - Est Rebinds - 预计重新绑定次数 - - - Actual Rewinds - 实际后退次数 - - - Est Rewinds - 预计后退次数 - - - Partitioned - 分区 - - - Top Operations - 热门的操作 - - - - - - - No connections found. - 未找到连接。 - - - Add Connection - 添加连接 - - - - - - - Add an account... - 添加帐户… - - - <Default> - <默认值> - - - Loading... - 正在加载… - - - Server group - 服务器组 - - - <Default> - <默认值> - - - Add new group... - 添加新组… - - - <Do not save> - <不保存> - - - {0} is required. - {0} 是必需的。 - - - {0} will be trimmed. - 将剪裁 {0}。 - - - Remember password - 记住密码 - - - Account - 帐户 - - - Refresh account credentials - 刷新帐户凭据 - - - Azure AD tenant - Azure AD 租户 - - - Name (optional) - 名称(可选) - - - Advanced... - 高级… - - - You must select an account - 必须选择一个帐户 - - - - - - - Database - 数据库 - - - Files and filegroups - 文件和文件组 - - - Full - 完整 - - - Differential - 差异 - - - Transaction Log - 事务日志 - - - Disk - 磁盘 - - - Url - URL - - - Use the default server setting - 使用默认服务器设置 - - - Compress backup - 压缩备份 - - - Do not compress backup - 不压缩备份 - - - Server Certificate - 服务器证书 - - - Asymmetric Key - 非对称密钥 - - - - - - - You have not opened any folder that contains notebooks/books. - 你尚未打开任何包含笔记本/工作簿的文件夹。 - - - Open Notebooks - 打开笔记本 - - - The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. - 结果集仅包含所有匹配项的子集。请使你的搜索更加具体,减少结果。 - - - Search in progress... - - 正在搜索... - - - - No results found in '{0}' excluding '{1}' - - 在“{0}”中找不到结果(“{1}”除外) - - - - No results found in '{0}' - - “{0}”中未找到任何结果 - - - - No results found excluding '{0}' - - 除“{0}”外,未找到任何结果 - - - - No results found. Review your settings for configured exclusions and check your gitignore files - - 未找到结果。查看您的设置配置排除, 并检查您的 gitignore 文件- - - - Search again - 重新搜索 - - - Cancel Search - 取消搜索 - - - Search again in all files - 在所有文件中再次搜索 - - - Open Settings - 打开设置 - - - Search returned {0} results in {1} files - 搜索 {1} 文件中返回的 {0} 个结果 - - - Toggle Collapse and Expand - 切换折叠和展开 - - - Cancel Search - 取消搜索 - - - Expand All - 全部展开 - - - Collapse All - 全部折叠 - - - Clear Search Results - 清除搜索结果 - - - - - - - Connections - 连接 - - - Connect, query, and manage your connections from SQL Server, Azure, and more. - 通过 SQL Server、Azure 等连接、查询和管理你的连接。 - - - 1 - 1 - - - Next - 下一步 - - - Notebooks - 笔记本 - - - Get started creating your own notebook or collection of notebooks in a single place. - 开始在一个位置创建你自己的笔记本或笔记本集合。 - - - 2 - 2 - - - Extensions - 扩展 - - - Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). - 通过安装由我们/Microsoft 以及第三方社区(你!)开发的扩展来扩展 Azure Data Studio 的功能。 - - - 3 - 3 - - - Settings - 设置 - - - Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. - 根据你的偏好自定义 Azure Data Studio。可以配置自动保存和选项卡大小等设置,个性化设置键盘快捷方式,并切换到你喜欢的颜色主题。 - - - 4 - 4 - - - Welcome Page - 欢迎页面 - - - Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. - 在“欢迎”页面上发现热门功能、最近打开的文件以及建议的扩展。有关如何开始使用 Azure Data Studio 的详细信息,请参阅我们的视频和文档。 - - - 5 - 5 - - - Finish - 完成 - - - User Welcome Tour - 用户欢迎教程 - - - Hide Welcome Tour - 隐藏欢迎教程 - - - Read more - 了解更多 - - - Help - 帮助 - - - - - - - Delete Row - 删除行 - - - Revert Current Row - 还原当前行 - - - @@ -5894,575 +1293,283 @@ Once installed, you can select the Visualizer icon to visualize your query resul - + - - Message Panel - 消息面板 - - - Copy - 复制 - - - Copy All - 全部复制 + + Open in Azure Portal + 在 Azure 门户中打开 - + - - Loading - 正在加载 + + Backup name + 备份名称 - - Loading completed - 加载已完成 + + Recovery model + 恢复模式 + + + Backup type + 备份类型 + + + Backup files + 备份文件 + + + Algorithm + 算法 + + + Certificate or Asymmetric key + 证书或非对称密钥 + + + Media + 媒体 + + + Backup to the existing media set + 备份到现有媒体集 + + + Backup to a new media set + 备份到新的媒体集 + + + Append to the existing backup set + 追加到现有备份集 + + + Overwrite all existing backup sets + 覆盖所有现有备份集 + + + New media set name + 新建媒体集名称 + + + New media set description + 新建媒体集说明 + + + Perform checksum before writing to media + 在写入到媒体前执行校验和 + + + Verify backup when finished + 完成后验证备份 + + + Continue on error + 出错时继续 + + + Expiration + 有效期 + + + Set backup retain days + 设置备份保留天数 + + + Copy-only backup + 仅限复制的备份 + + + Advanced Configuration + 高级配置 + + + Compression + 压缩 + + + Set backup compression + 设置备份压缩 + + + Encryption + 加密 + + + Transaction log + 事务日志 + + + Truncate the transaction log + 截断事务日志 + + + Backup the tail of the log + 备份日志的末尾 + + + Reliability + 可靠性 + + + Media name is required + 需要媒体名称 + + + No certificate or asymmetric key is available + 没有可用的证书或非对称密钥 + + + Add a file + 添加文件 + + + Remove files + 删除文件 + + + Invalid input. Value must be greater than or equal 0. + 输入无效。值必须大于或等于 0。 + + + Script + 脚本 + + + Backup + 备份 + + + Cancel + 取消 + + + Only backup to file is supported + 只支持备份到文件 + + + Backup file path is required + 需要备份文件路径 - + - - Click on - 单击 - - - + Code - + 代码 - - - or - - - - + Text - + 文本 - - - to add a code or text cell - 添加代码或文本单元格 + + Backup + 备份 - + - - StdIn: - StdIn: + + You must enable preview features in order to use backup + 必须启用预览功能才能使用备份 + + + Backup command is not supported outside of a database context. Please select a database and try again. + 数据库上下文外不支持备份命令,请选择数据库并重试。 + + + Backup command is not supported for Azure SQL databases. + Azure SQL 数据库不支持备份命令。 + + + Backup + 备份 - + - - Expand code cell contents - 展开代码单元格内容 + + Database + 数据库 - - Collapse code cell contents - 折叠代码单元格内容 + + Files and filegroups + 文件和文件组 + + + Full + 完整 + + + Differential + 差异 + + + Transaction Log + 事务日志 + + + Disk + 磁盘 + + + Url + URL + + + Use the default server setting + 使用默认服务器设置 + + + Compress backup + 压缩备份 + + + Do not compress backup + 不压缩备份 + + + Server Certificate + 服务器证书 + + + Asymmetric Key + 非对称密钥 - + - - XML Showplan - XML 显示计划 + + Create Insight + 创建创建 - - Results grid - 结果网格 + + Cannot create insight as the active editor is not a SQL Editor + 无法创建见解,因为活动编辑器不是 SQL 编辑器 - - - - - - Add cell - 添加单元格 + + My-Widget + 我的小组件 - - Code cell - 代码单元格 + + Configure Chart + 配置图表 - - Text cell - 文本单元格 + + Copy as image + 复制为图像 - - Move cell down - 下移单元格 + + Could not find chart to save + 未找到要保存的图表 - - Move cell up - 上移单元格 + + Save as image + 另存为图像 - - Delete - 删除 + + PNG + PNG - - Add cell - 添加单元格 - - - Code cell - 代码单元格 - - - Text cell - 文本单元格 - - - - - - - SQL kernel error - SQL 内核错误 - - - A connection must be chosen to run notebook cells - 必须选择连接才能运行笔记本单元格 - - - Displaying Top {0} rows. - 显示了前 {0} 行。 - - - - - - - Name - 名称 - - - Last Run - 上次运行 - - - Next Run - 下次运行 - - - Enabled - 已启用 - - - Status - 状态 - - - Category - 类别 - - - Runnable - 可运行 - - - Schedule - 计划 - - - Last Run Outcome - 上次运行结果 - - - Previous Runs - 之前的运行 - - - No Steps available for this job. - 没有可用于此作业的步骤。 - - - Error: - 错误: - - - - - - - Could not find component for type {0} - 找不到类型 {0} 的组件 - - - - - - - Find - 查找 - - - Find - 查找 - - - Previous match - 上一个匹配项 - - - Next match - 下一个匹配项 - - - Close - 关闭 - - - Your search returned a large number of results, only the first 999 matches will be highlighted. - 搜索返回了大量结果,将仅突出显示前 999 个匹配项。 - - - {0} of {1} - {1} 个中的 {0} 个 - - - No Results - 无结果 - - - - - - - Name - 名称 - - - Schema - 架构 - - - Type - 类型 - - - - - - - Run Query - 运行查询 - - - - - - - No {0}renderer could be found for output. It has the following MIME types: {1} - 未找到 {0} 呈现器用于输出。它具有以下 MIME 类型: {1} - - - safe - 安全 - - - No component could be found for selector {0} - 未找到选择器 {0} 的组件 - - - Error rendering component: {0} - 渲染组件时出错: {0} - - - - - - - Loading... - 正在加载... - - - - - - - Loading... - 正在加载... - - - - - - - Edit - 编辑 - - - Exit - 退出 - - - Refresh - 刷新 - - - Show Actions - 显示操作 - - - Delete Widget - 删除小组件 - - - Click to unpin - 单击以取消固定 - - - Click to pin - 单击以固定 - - - Open installed features - 打开已安装的功能 - - - Collapse Widget - 折叠小组件 - - - Expand Widget - 展开小组件 - - - - - - - {0} is an unknown container. - {0} 是未知容器。 - - - - - - - Name - 名称 - - - Target Database - 目标数据库 - - - Last Run - 上次运行 - - - Next Run - 下次运行 - - - Status - 状态 - - - Last Run Outcome - 上次运行结果 - - - Previous Runs - 之前的运行 - - - No Steps available for this job. - 没有可用于此作业的步骤。 - - - Error: - 错误: - - - Notebook Error: - 笔记本错误: - - - - - - - Loading Error... - 正在加载错误… - - - - - - - Show Actions - 显示操作 - - - No matching item found - 未找到匹配项 - - - Filtered search list to 1 item - 已将搜索列表筛选为 1 个项 - - - Filtered search list to {0} items - 已将搜索列表筛选为 {0} 个项 - - - - - - - Failed - 失败 - - - Succeeded - 已成功 - - - Retry - 重试 - - - Cancelled - 已取消 - - - In Progress - 正在进行 - - - Status Unknown - 状态未知 - - - Executing - 正在执行 - - - Waiting for Thread - 正在等待线程 - - - Between Retries - 重试之间 - - - Idle - 空闲 - - - Suspended - 已暂停 - - - [Obsolete] - [已过时] - - - Yes - - - - No - - - - Not Scheduled - 未计划 - - - Never Run - 从未运行 - - - - - - - Bold - 加粗 - - - Italic - 倾斜 - - - Underline - 下划线 - - - Highlight - 突出显示 - - - Code - 代码 - - - Link - 链接 - - - List - 列表 - - - Ordered list - 已排序列表 - - - Image - 图像 - - - Markdown preview toggle - off - Markdown 预览切换 - 关闭 - - - Heading - 标题 - - - Heading 1 - 标题 1 - - - Heading 2 - 标题 2 - - - Heading 3 - 标题 3 - - - Paragraph - 段落 - - - Insert link - 插入链接 - - - Insert image - 插入图像 - - - Rich Text View - 格式文本视图 - - - Split View - 拆分视图 - - - Markdown View - Markdown 视图 + + Saved Chart to path: {0} + 将图表保存到路径: {0} @@ -6550,19 +1657,411 @@ Once installed, you can select the Visualizer icon to visualize your query resul - + - + + Chart + 图表 + + + + + + + Horizontal Bar + 水平条 + + + Bar + 条形图 + + + Line + 折线图 + + + Pie + 饼图 + + + Scatter + 散点图 + + + Time Series + 时序 + + + Image + 图像 + + + Count + 计数 + + + Table + + + + Doughnut + 圆环图 + + + Failed to get rows for the dataset to chart. + 未能获得数据集的行来绘制图表。 + + + Chart type '{0}' is not supported. + 不支持图表类型“{0}”。 + + + + + + + Built-in Charts + 内置图表 + + + The maximum number of rows for charts to display. Warning: increasing this may impact performance. + 要显示的图表的最大行数。警告: 增加行数可能会影响性能。 + + + + + + Close 关闭 - + - - A server group with the same name already exists. - 已存在同名的服务器组。 + + Series {0} + 系列 {0} + + + + + + + Table does not contain a valid image + 表格中不包含有效的图像 + + + + + + + Maximum row count for built-in charts has been exceeded, only the first {0} rows are used. To configure the value, you can open user settings and search for: 'builtinCharts.maxRowCount'. + 已超过内置图表的最大行数,仅使用了前 {0} 行。要配置该值,可以打开用户设置并搜索:"builtinCharts. maxRowCount"。 + + + Don't Show Again + 不再显示 + + + + + + + Connecting: {0} + 正在连接: {0} + + + Running command: {0} + 正在运行命令: {0} + + + Opening new query: {0} + 正在打开新查询: {0} + + + Cannot connect as no server information was provided + 无法连接,因为未提供服务器信息 + + + Could not open URL due to error {0} + 由于错误 {0} 而无法打开 URL + + + This will connect to server {0} + 这将连接到服务器 {0} + + + Are you sure you want to connect? + 确定要连接吗? + + + &&Open + 打开(&&O) + + + Connecting query file + 正在连接查询文件 + + + + + + + {0} was replaced with {1} in your user settings. + {0} 已被替换为用户设置中的 {1}。 + + + {0} was replaced with {1} in your workspace settings. + {0} 已被替换为工作区设置中的 {1}。 + + + + + + + The maximum number of recently used connections to store in the connection list. + 连接列表中保存的最近使用的连接数量上限 + + + Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. + 要使用的默认 SQL 引擎。这将驱动 .sql 文件中的默认语言提供程序,以及创建新连接时使用的默认语言提供程序。 + + + Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. + 在打开连接对话框或执行粘贴时尝试分析剪贴板的内容。 + + + + + + + Connection Status + 连接状态 + + + + + + + Common id for the provider + 提供程序的公用 ID + + + Display Name for the provider + 提供程序的显示名称 + + + Notebook Kernel Alias for the provider + 提供程序的笔记本内核别名 + + + Icon path for the server type + 服务器类型的图标路径 + + + Options for connection + 连接选项 + + + + + + + User visible name for the tree provider + 树提供程序的用户可见名称 + + + Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` + 提供程序的 ID,必须与注册树数据提供程序时的 ID 相同,且必须以 "connectionDialog/" 开头 + + + + + + + Unique identifier for this container. + 此容器的唯一标识符。 + + + The container that will be displayed in the tab. + 将在选项卡中显示的容器。 + + + Contributes a single or multiple dashboard containers for users to add to their dashboard. + 提供一个或多个仪表板容器,让用户添加其仪表板。 + + + No id in dashboard container specified for extension. + 仪表板容器中未指定用于扩展的 ID。 + + + No container in dashboard container specified for extension. + 仪表板容器中未指定用于扩展的容器。 + + + Exactly 1 dashboard container must be defined per space. + 必须在每个空间定义恰好 1 个仪表板容器。 + + + Unknown container type defines in dashboard container for extension. + 仪表板容器中为扩展定义了未知的容器类型。 + + + + + + + The controlhost that will be displayed in this tab. + 将在此选项卡中显示的 controlhost。 + + + + + + + The "{0}" section has invalid content. Please contact extension owner. + “{0}”部分具有无效内容。请与扩展所有者联系。 + + + + + + + The list of widgets or webviews that will be displayed in this tab. + 将在此选项卡中显示的小组件或 Web 视图的列表。 + + + widgets or webviews are expected inside widgets-container for extension. + 扩展预期小组件容器中存在小组件或 Web 视图。 + + + + + + + The model-backed view that will be displayed in this tab. + 将在此选项卡中显示的由模型支持的视图。 + + + + + + + Unique identifier for this nav section. Will be passed to the extension for any requests. + 此导航部分的唯一标识符。将传递到任何请求的扩展。 + + + (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration + (可选) UI 中用于表示此导航部分的图标。可以是文件路径或可设置主题的配置 + + + Icon path when a light theme is used + 使用浅色主题时的图标路径 + + + Icon path when a dark theme is used + 使用深色主题时的图标路径 + + + Title of the nav section to show the user. + 要向用户显示的导航部分的标题。 + + + The container that will be displayed in this nav section. + 将在此导航部分显示的容器。 + + + The list of dashboard containers that will be displayed in this navigation section. + 将在此导航部分显示的仪表板容器的列表。 + + + No title in nav section specified for extension. + 未在导航部分为扩展指定标题。 + + + No container in nav section specified for extension. + 未在导航部分为扩展指定容器。 + + + Exactly 1 dashboard container must be defined per space. + 必须在每个空间定义恰好 1 个仪表板容器。 + + + NAV_SECTION within NAV_SECTION is an invalid container for extension. + NAV_SECTION 内的 NAV_SECTION 是一个无效的扩展容器。 + + + + + + + The webview that will be displayed in this tab. + 将在此选项卡中显示的 Web 视图。 + + + + + + + The list of widgets that will be displayed in this tab. + 将在此选项卡中显示的小组件列表。 + + + The list of widgets is expected inside widgets-container for extension. + 扩展预期小组件容器中存在控件列表。 + + + + + + + Edit + 编辑 + + + Exit + 退出 + + + Refresh + 刷新 + + + Show Actions + 显示操作 + + + Delete Widget + 删除小组件 + + + Click to unpin + 单击以取消固定 + + + Click to pin + 单击以固定 + + + Open installed features + 打开已安装的功能 + + + Collapse Widget + 折叠小组件 + + + Expand Widget + 展开小组件 + + + + + + + {0} is an unknown container. + {0} 是未知容器。 @@ -6582,111 +2081,1025 @@ Once installed, you can select the Visualizer icon to visualize your query resul - + - - Create Insight - 创建创建 + + Unique identifier for this tab. Will be passed to the extension for any requests. + 此选项卡的唯一标识符。将传递到任何请求的扩展。 - - Cannot create insight as the active editor is not a SQL Editor - 无法创建见解,因为活动编辑器不是 SQL 编辑器 + + Title of the tab to show the user. + 将向用户显示的选项卡标题。 - - My-Widget - 我的小组件 + + Description of this tab that will be shown to the user. + 将向用户显示的此选项卡的说明。 - - Configure Chart - 配置图表 + + Condition which must be true to show this item + 此条件必须为 true 才能显示此项 - - Copy as image - 复制为图像 + + Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set + 定义此选项卡兼容的连接类型。如果未设置,则默认为 "MSSQL" - - Could not find chart to save - 未找到要保存的图表 + + The container that will be displayed in this tab. + 将在此选项卡中显示的容器。 - - Save as image - 另存为图像 + + Whether or not this tab should always be shown or only when the user adds it. + 是始终显示此选项卡还是仅当用户添加时显示。 - - PNG - PNG + + Whether or not this tab should be used as the Home tab for a connection type. + 此选项卡是否应用作连接类型的“开始”选项卡。 - - Saved Chart to path: {0} - 将图表保存到路径: {0} + + The unique identifier of the group this tab belongs to, value for home group: home. + 此选项卡所属组的唯一标识符,主页组的值: 主页。 + + + (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration + (可选) UI 中用于表示此选项卡的图标。可以是文件路径或可设置主题的配置 + + + Icon path when a light theme is used + 使用浅色主题时的图标路径 + + + Icon path when a dark theme is used + 使用深色主题时的图标路径 + + + Contributes a single or multiple tabs for users to add to their dashboard. + 提供一个或多个选项卡,让用户添加到其仪表板。 + + + No title specified for extension. + 没有为扩展指定标题。 + + + No description specified to show. + 没有可显示的已指定说明。 + + + No container specified for extension. + 没有为扩展指定容器。 + + + Exactly 1 dashboard container must be defined per space + 必须在每个空间定义恰好 1 个仪表板容器 + + + Unique identifier for this tab group. + 此选项卡组的唯一标识符。 + + + Title of the tab group. + 选项卡组的标题。 + + + Contributes a single or multiple tab groups for users to add to their dashboard. + 为用户提供一个或多个选项卡组以添加到他们的仪表板。 + + + No id specified for tab group. + 没有为选项卡组指定 ID。 + + + No title specified for tab group. + 没有为选项卡组指定标题。 + + + Administration + 管理 + + + Monitoring + 监视 + + + Performance + 性能 + + + Security + 安全性 + + + Troubleshooting + 疑难解答 + + + Settings + 设置 + + + databases tab + 数据库选项卡 + + + Databases + 数据库 - + - - Add code - 添加代码 + + Manage + 管理 - - Add text - 添加文本 + + Dashboard + 仪表板 - - Create File - 创建文件 + + + + + + Manage + 管理 - - Could not display contents: {0} - 无法显示内容: {0} + + + + + + property `icon` can be omitted or must be either a string or a literal like `{dark, light}` + 可以省略属性 "icon",若不省略则必须是字符串或文字,例如 "{dark, light}" - - Add cell - 添加单元格 + + + + + + Defines a property to show on the dashboard + 定义要在仪表板上显示的属性 - - Code cell - 代码单元格 + + What value to use as a label for the property + 用作属性标签的值 - - Text cell - 文本单元格 + + What value in the object to access for the value + 对象中要针对该值访问的值 - - Run all - 全部运行 + + Specify values to be ignored + 指定要忽略的值 - - Cell - 单元格 + + Default value to show if ignored or no value + 在忽略或没有值时显示的默认值 - - Code - 代码 + + A flavor for defining dashboard properties + 用于定义仪表板属性的风格 - - Text - 文本 + + Id of the flavor + 风格的 ID - - Run Cells - 运行单元格 + + Condition to use this flavor + 使用这种风格的条件 - - < Previous - < 上一步 + + Field to compare to + 用于比较的字段 - - Next > - 下一步 > + + Which operator to use for comparison + 用于比较的运算符 - - cell with URI {0} was not found in this model - 未在此模型中找到具有 URI {0} 的单元格 + + Value to compare the field to + 用于和字段比较的值 - - Run Cells failed - See error in output of the currently selected cell for more information. - 单元格运行失败 - 有关详细信息,请参阅当前所选单元格输出中的错误。 + + Properties to show for database page + 数据库页面要显示的属性 + + + Properties to show for server page + 服务器页面要显示的属性 + + + Defines that this provider supports the dashboard + 定义此提供程序支持仪表板 + + + Provider id (ex. MSSQL) + 提供程序 ID (如 MSSQL) + + + Property values to show on dashboard + 要在仪表板上显示的属性值 + + + + + + + Condition which must be true to show this item + 此条件必须为 true 才能显示此项 + + + Whether to hide the header of the widget, default value is false + 是否隐藏小组件的标题,默认值为 false + + + The title of the container + 容器的标题 + + + The row of the component in the grid + 网格中组件的行 + + + The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. + 网格中组件的行跨度。默认值为 1。使用 "*" 设置为网格中的行数。 + + + The column of the component in the grid + 网格中组件的列 + + + The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. + 网格中组件的列跨度。默认值为 1。使用 "*" 设置为网格中的列数。 + + + Unique identifier for this tab. Will be passed to the extension for any requests. + 此选项卡的唯一标识符。将传递到任何请求的扩展。 + + + Extension tab is unknown or not installed. + 扩展选项卡未知或未安装。 + + + + + + + Database Properties + 数据库属性 + + + + + + + Enable or disable the properties widget + 启用或禁用属性小组件 + + + Property values to show + 要显示的属性值 + + + Display name of the property + 属性的显示名称 + + + Value in the Database Info Object + 数据库信息对象中的值 + + + Specify specific values to ignore + 指定要忽略的特定值 + + + Recovery Model + 恢复模式 + + + Last Database Backup + 上次数据库备份 + + + Last Log Backup + 上次日志备份 + + + Compatibility Level + 兼容级别 + + + Owner + 所有者 + + + Customizes the database dashboard page + 自定义数据库仪表板页面 + + + Search + 搜索 + + + Customizes the database dashboard tabs + 自定义数据库仪表板选项卡 + + + + + + + Server Properties + 服务器属性 + + + + + + + Enable or disable the properties widget + 启用或禁用属性小组件 + + + Property values to show + 要显示的属性值 + + + Display name of the property + 属性的显示名称 + + + Value in the Server Info Object + 服务器信息对象中的值 + + + Version + 版本 + + + Edition + 版本 + + + Computer Name + 计算机名 + + + OS Version + OS 版本 + + + Search + 搜索 + + + Customizes the server dashboard page + 自定义服务器仪表板页面 + + + Customizes the Server dashboard tabs + 自定义服务器仪表板选项卡 + + + + + + + Home + 主页 + + + + + + + Failed to change database + 未能更改数据库 + + + + + + + Show Actions + 显示操作 + + + No matching item found + 未找到匹配项 + + + Filtered search list to 1 item + 已将搜索列表筛选为 1 个项 + + + Filtered search list to {0} items + 已将搜索列表筛选为 {0} 个项 + + + + + + + Name + 名称 + + + Schema + 架构 + + + Type + 类型 + + + + + + + loading objects + 正在加载对象 + + + loading databases + 正在加载数据库 + + + loading objects completed. + 对象加载已完成。 + + + loading databases completed. + 数据库加载已完成。 + + + Search by name of type (t:, v:, f:, or sp:) + 按类型名称搜索(t:、v:、f: 或 sp:) + + + Search databases + 搜索数据库 + + + Unable to load objects + 无法加载对象 + + + Unable to load databases + 无法加载数据库 + + + + + + + Run Query + 运行查询 + + + + + + + Loading {0} + 正在加载 {0} + + + Loading {0} completed + {0} 加载已完成 + + + Auto Refresh: OFF + 自动刷新: 关 + + + Last Updated: {0} {1} + 上次更新时间: {0} {1} + + + No results to show + 没有可显示的结果 + + + + + + + Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more + 添加一个可以查询服务器或数据库并以多种方式(如图表、总数等)显示结果的小组件。 + + + Unique Identifier used for caching the results of the insight. + 用于缓存见解结果的唯一标识符。 + + + SQL query to run. This should return exactly 1 resultset. + 要运行的 SQL 查询。将返回恰好 1 个结果集。 + + + [Optional] path to a file that contains a query. Use if 'query' is not set + [可选] 包含查询的文件的路径。未设置“查询”时使用 + + + [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh + [可选] 自动刷新间隔(分钟数);如果未设置,则不自动刷新 + + + Which actions to use + 要使用的操作 + + + Target database for the action; can use the format '${ columnName }' to use a data driven column name. + 操作的目标数据库;可使用格式 "${ columnName }" 以便由数据确定列名。 + + + Target server for the action; can use the format '${ columnName }' to use a data driven column name. + 操作的目标服务器;可使用格式 "${ columnName }" 以便由数据确定列名。 + + + Target user for the action; can use the format '${ columnName }' to use a data driven column name. + 操作的目标用户;可使用格式 "${ columnName }" 以便由数据确定列名。 + + + Identifier of the insight + 见解的标识符 + + + Contributes insights to the dashboard palette. + 向仪表板提供见解。 + + + + + + + Chart cannot be displayed with the given data + 无法用给定的数据显示图表 + + + + + + + Displays results of a query as a chart on the dashboard + 将查询结果显示为仪表板上的图表 + + + Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color + 映射“列名称”->“颜色”。例如,添加 'column1': red 以确保此列使用红色 + + + Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry + 表示图表图例的首选位置和可见性。这些是查询中的列名称,并映射到每个图表条目的标签 + + + If dataDirection is horizontal, setting this to true uses the first columns value for the legend. + 如果 dataDirection 为 horizontal,则将其设置为 true 将使用第一列的值作为图例。 + + + If dataDirection is vertical, setting this to true will use the columns names for the legend. + 如果 dataDirection 为 vertical,则将其设置为 true 将使用列名称作为图例。 + + + Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. + 定义是从列(垂直)还是从行(水平)读取数据。对于时序,将忽略此设置,因为方向必须为垂直。 + + + If showTopNData is set, showing only top N data in the chart. + 如果设置了 showTopNData,则只在图表中显示前 N 个数据。 + + + + + + + Minimum value of the y axis + Y 轴的最小值 + + + Maximum value of the y axis + y 轴的最大值 + + + Label for the y axis + y 轴的标签 + + + Minimum value of the x axis + x 轴的最小值 + + + Maximum value of the x axis + x 轴的最大值 + + + Label for the x axis + x 轴的标签 + + + + + + + Indicates data property of a data set for a chart. + 指示图表数据集的数据属性。 + + + + + + + For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 + 对于结果集中的每一列,将行 0 中的值显示为计数后跟列名称。例如支持“1 正常”、“3 不正常”,其中“正常”是列名称,1 表示第 1 行单元格 1 中的值 + + + + + + + Displays an image, for example one returned by an R query using ggplot2 + 显示图像,例如由 R 查询使用 ggplot2 返回的图像 + + + What format is expected - is this a JPEG, PNG or other format? + 期望的格式 - 是 JPEG、PNG 还是其他格式? + + + Is this encoded as hex, base64 or some other format? + 这是以十六进制、base64 还是其他格式进行编码的? + + + + + + + Displays the results in a simple table + 在简单表中显示结果 + + + + + + + Loading properties + 正在加载属性 + + + Loading properties completed + 属性加载已完成 + + + Unable to load dashboard properties + 无法加载仪表板属性 + + + + + + + Database Connections + 数据库连接 + + + data source connections + 数据源连接 + + + data source groups + 数据源组 + + + Saved connections are sorted by the dates they were added. + 保存的连接按添加的日期排序。 + + + Saved connections are sorted by their display names alphabetically. + 保存的连接按其显示名称按字母顺序排序。 + + + Controls sorting order of saved connections and connection groups. + 控制已保存连接和连接组的排序顺序。 + + + Startup Configuration + 启动配置 + + + True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown + 如果要在 Azure Data Studio 启动时默认显示“服务器”视图,则为 true;如果应显示上次打开的视图,则为 false + + + + + + + Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. + 视图的标识符。使用标识符通过 "vscode.window.registerTreeDataProviderForView" API 注册数据提供程序。同时将 "onView:${id}" 事件注册到 "activationEvents" 以触发激活扩展。 + + + The human-readable name of the view. Will be shown + 用户可读的视图名称。将显示它 + + + Condition which must be true to show this view + 为真时才显示此视图的条件 + + + Contributes views to the editor + 向编辑器提供视图 + + + Contributes views to Data Explorer container in the Activity bar + 向“活动”栏中的“数据资源管理器”容器提供视图 + + + Contributes views to contributed views container + 向“提供的视图”容器提供视图 + + + Cannot register multiple views with same id `{0}` in the view container `{1}` + 无法在视图容器“{1}”中注册多个具有相同 ID (“{0}”) 的视图 + + + A view with id `{0}` is already registered in the view container `{1}` + 视图容器“{1}”中已注册有 ID 为“{0}”的视图 + + + views must be an array + 视图必须为数组 + + + property `{0}` is mandatory and must be of type `string` + 属性“{0}”是必需的,其类型必须是 "string" + + + property `{0}` can be omitted or must be of type `string` + 属性“{0}”可以省略,否则其类型必须是 "string" + + + + + + + Servers + 服务器 + + + Connections + 连接 + + + Show Connections + 显示连接 + + + + + + + Disconnect + 断开连接 + + + Refresh + 刷新 + + + + + + + Show Edit Data SQL pane on startup + 启动时显示“编辑数据 SQL”窗格 + + + + + + + Run + 运行 + + + Dispose Edit Failed With Error: + 释放编辑失败,出现错误: + + + Stop + 停止 + + + Show SQL Pane + 显示 SQL 窗格 + + + Close SQL Pane + 关闭 SQL 窗格 + + + + + + + Max Rows: + 最大行数: + + + + + + + Delete Row + 删除行 + + + Revert Current Row + 还原当前行 + + + + + + + Save As CSV + 另存为 CSV + + + Save As JSON + 另存为 JSON + + + Save As Excel + 另存为 Excel + + + Save As XML + 另存为 XML + + + Copy + 复制 + + + Copy With Headers + 带标头复制 + + + Select All + 全选 + + + + + + + Dashboard Tabs ({0}) + 仪表板选项卡({0}) + + + Id + ID + + + Title + 标题 + + + Description + 说明 + + + Dashboard Insights ({0}) + 仪表板见解({0}) + + + Id + ID + + + Name + 名称 + + + When + 时间 + + + + + + + Gets extension information from the gallery + 从库中获取扩展信息 + + + Extension id + 扩展 ID + + + Extension '{0}' not found. + 找不到扩展“{0}”。 + + + + + + + Show Recommendations + 显示建议 + + + Install Extensions + 安装扩展 + + + Author an Extension... + 创作扩展... + + + + + + + Don't Show Again + 不再显示 + + + Azure Data Studio has extension recommendations. + Azure Data Studio 具有扩展建议。 + + + Azure Data Studio has extension recommendations for data visualization. +Once installed, you can select the Visualizer icon to visualize your query results. + Azure Data Studio 具有针对数据可视化的扩展建议。 +安装后,你可以选择“可视化工具”图标来可视化查询结果。 + + + Install All + 全部安装 + + + Show Recommendations + 显示建议 + + + The scenario type for extension recommendations must be provided. + 必须提供扩展建议的方案类型。 + + + + + + + This extension is recommended by Azure Data Studio. + Azure Data Studio 建议使用此扩展。 + + + + + + + Jobs + 作业 + + + Notebooks + 笔记本 + + + Alerts + 警报 + + + Proxies + 代理 + + + Operators + 运算符 + + + + + + + Name + 名称 + + + Last Occurrence + 上一个匹配项 + + + Enabled + 已启用 + + + Delay Between Responses (in secs) + 响应之间的延迟(秒) + + + Category Name + 类别名称 @@ -6906,257 +3319,187 @@ Error: {1} - + - - View applicable rules - 查看适用规则 + + Step ID + 步骤 ID - - View applicable rules for {0} - 查看 {0} 的适用规则 + + Step Name + 步骤名称 - - Invoke Assessment - 调用评估 - - - Invoke Assessment for {0} - 调用 {0} 的评估 - - - Export As Script - 导出为脚本 - - - View all rules and learn more on GitHub - 查看所有规则并了解有关 GitHub 的详细信息 - - - Create HTML Report - 创建 HTML 报表 - - - Report has been saved. Do you want to open it? - 已保存报表。是否要打开它? - - - Open - 打开 - - - Cancel - 取消 + + Message + 消息 - + - - Data - 数据 - - - Connection - 连接 - - - Query Editor - 查询编辑器 - - - Notebook - 笔记本 - - - Dashboard - 仪表板 - - - Profiler - 探查器 + + Steps + 步骤 - + - - Dashboard Tabs ({0}) - 仪表板选项卡({0}) - - - Id - ID - - - Title - 标题 - - - Description - 说明 - - - Dashboard Insights ({0}) - 仪表板见解({0}) - - - Id - ID - - + Name 名称 - - When - 时间 + + Last Run + 上次运行 + + + Next Run + 下次运行 + + + Enabled + 已启用 + + + Status + 状态 + + + Category + 类别 + + + Runnable + 可运行 + + + Schedule + 计划 + + + Last Run Outcome + 上次运行结果 + + + Previous Runs + 之前的运行 + + + No Steps available for this job. + 没有可用于此作业的步骤。 + + + Error: + 错误: - + - - Table does not contain a valid image - 表格中不包含有效的图像 + + Date Created: + 创建日期: + + + Notebook Error: + 笔记本错误: + + + Job Error: + 作业错误: + + + Pinned + 已固定 + + + Recent Runs + 最近运行 + + + Past Runs + 已运行 - + - - More - 更多 + + Name + 名称 - - Edit - 编辑 + + Target Database + 目标数据库 - - Close - 关闭 + + Last Run + 上次运行 - - Convert Cell - 转换单元格 + + Next Run + 下次运行 - - Run Cells Above - 在上方运行单元格 + + Status + 状态 - - Run Cells Below - 在下方运行单元格 + + Last Run Outcome + 上次运行结果 - - Insert Code Above - 在上方插入代码 + + Previous Runs + 之前的运行 - - Insert Code Below - 在下方插入代码 + + No Steps available for this job. + 没有可用于此作业的步骤。 - - Insert Text Above - 在上方插入文本 + + Error: + 错误: - - Insert Text Below - 在下方插入文本 - - - Collapse Cell - 折叠单元格 - - - Expand Cell - 展开单元格 - - - Make parameter cell - 生成参数单元格 - - - Remove parameter cell - 删除参数单元格 - - - Clear Result - 清除结果 + + Notebook Error: + 笔记本错误: - + - - An error occurred while starting the notebook session - 启动笔记本会话时出错 + + Name + 名称 - - Server did not start for unknown reason - 由于未知原因,服务器未启动 + + Email Address + 电子邮件地址 - - Kernel {0} was not found. The default kernel will be used instead. - 未找到内核 {0}。将改为使用默认内核。 + + Enabled + 已启用 - + - - Series {0} - 系列 {0} + + Account Name + 帐户名称 - - - - - - Close - 关闭 + + Credential Name + 凭据名称 - - - - - - # Injected-Parameters - - # 个注入参数 - + + Description + 说明 - - Please select a connection to run cells for this kernel - 请选择一个连接来运行此内核的单元格 - - - Failed to delete cell. - 未能删除单元格。 - - - Failed to change kernel. Kernel {0} will be used. Error was: {1} - 未能更改内核。将使用内核 {0}。错误为: {1} - - - Failed to change kernel due to error: {0} - 由于以下错误而未能更改内核: {0} - - - Changing context failed: {0} - 更改上下文失败: {0} - - - Could not start session: {0} - 无法启动会话: {0} - - - A client session error occurred when closing the notebook: {0} - 关闭笔记本时发生客户端会话错误: {0} - - - Can't find notebook manager for provider {0} - 未找到提供程序 {0} 的笔记本管理器 + + Enabled + 已启用 @@ -7228,6 +3571,3317 @@ Error: {1} + + + + More + 更多 + + + Edit + 编辑 + + + Close + 关闭 + + + Convert Cell + 转换单元格 + + + Run Cells Above + 在上方运行单元格 + + + Run Cells Below + 在下方运行单元格 + + + Insert Code Above + 在上方插入代码 + + + Insert Code Below + 在下方插入代码 + + + Insert Text Above + 在上方插入文本 + + + Insert Text Below + 在下方插入文本 + + + Collapse Cell + 折叠单元格 + + + Expand Cell + 展开单元格 + + + Make parameter cell + 生成参数单元格 + + + Remove parameter cell + 删除参数单元格 + + + Clear Result + 清除结果 + + + + + + + Add cell + 添加单元格 + + + Code cell + 代码单元格 + + + Text cell + 文本单元格 + + + Move cell down + 下移单元格 + + + Move cell up + 上移单元格 + + + Delete + 删除 + + + Add cell + 添加单元格 + + + Code cell + 代码单元格 + + + Text cell + 文本单元格 + + + + + + + Parameters + 参数 + + + + + + + Please select active cell and try again + 请选择活动单元格并重试 + + + Run cell + 运行单元格 + + + Cancel execution + 取消执行 + + + Error on last run. Click to run again + 上次运行时出错。请单击以重新运行 + + + + + + + Expand code cell contents + 展开代码单元格内容 + + + Collapse code cell contents + 折叠代码单元格内容 + + + + + + + Bold + 加粗 + + + Italic + 倾斜 + + + Underline + 下划线 + + + Highlight + 突出显示 + + + Code + 代码 + + + Link + 链接 + + + List + 列表 + + + Ordered list + 已排序列表 + + + Image + 图像 + + + Markdown preview toggle - off + Markdown 预览切换 - 关闭 + + + Heading + 标题 + + + Heading 1 + 标题 1 + + + Heading 2 + 标题 2 + + + Heading 3 + 标题 3 + + + Paragraph + 段落 + + + Insert link + 插入链接 + + + Insert image + 插入图像 + + + Rich Text View + 格式文本视图 + + + Split View + 拆分视图 + + + Markdown View + Markdown 视图 + + + + + + + No {0}renderer could be found for output. It has the following MIME types: {1} + 未找到 {0} 呈现器用于输出。它具有以下 MIME 类型: {1} + + + safe + 安全 + + + No component could be found for selector {0} + 未找到选择器 {0} 的组件 + + + Error rendering component: {0} + 渲染组件时出错: {0} + + + + + + + Click on + 单击 + + + + Code + + 代码 + + + or + + + + + Text + + 文本 + + + to add a code or text cell + 添加代码或文本单元格 + + + Add a code cell + 添加代码单元格 + + + Add a text cell + 添加文本单元格 + + + + + + + StdIn: + StdIn: + + + + + + + <i>Double-click to edit</i> + <i>双击以编辑</i> + + + <i>Add content here...</i> + <i>在此处添加内容...</i> + + + + + + + Find + 查找 + + + Find + 查找 + + + Previous match + 上一个匹配项 + + + Next match + 下一个匹配项 + + + Close + 关闭 + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + 搜索返回了大量结果,将仅突出显示前 999 个匹配项。 + + + {0} of {1} + {0} 个(共 {1} 个) + + + No Results + 无结果 + + + + + + + Add code + 添加代码 + + + Add text + 添加文本 + + + Create File + 创建文件 + + + Could not display contents: {0} + 无法显示内容: {0} + + + Add cell + 添加单元格 + + + Code cell + 代码单元格 + + + Text cell + 文本单元格 + + + Run all + 全部运行 + + + Cell + 单元格 + + + Code + 代码 + + + Text + 文本 + + + Run Cells + 运行单元格 + + + < Previous + < 上一步 + + + Next > + 下一步 > + + + cell with URI {0} was not found in this model + 未在此模型中找到具有 URI {0} 的单元格 + + + Run Cells failed - See error in output of the currently selected cell for more information. + 单元格运行失败 - 有关详细信息,请参阅当前所选单元格输出中的错误。 + + + + + + + New Notebook + 新建笔记本 + + + New Notebook + 新建笔记本 + + + Set Workspace And Open + 设置工作区并打开 + + + SQL kernel: stop Notebook execution when error occurs in a cell. + SQL 内核: 在单元格中发生错误时停止笔记本执行。 + + + (Preview) show all kernels for the current notebook provider. + (预览)显示当前笔记本提供程序的所有内核。 + + + Allow notebooks to run Azure Data Studio commands. + 允许笔记本运行 Azure Data Studio 命令。 + + + Enable double click to edit for text cells in notebooks + 启用双击来编辑笔记本中的文本单元格 + + + Text is displayed as Rich Text (also known as WYSIWYG). + 文本显示为格式文本(也称为 "WSIWYG")。 + + + Markdown is displayed on the left, with a preview of the rendered text on the right. + Markdown 显示在左侧,右侧是呈现的文本的预览。 + + + Text is displayed as Markdown. + 文本显示为 Markdown。 + + + The default editing mode used for text cells + 用于文本单元格的默认编辑模式 + + + (Preview) Save connection name in notebook metadata. + (预览)在笔记本元数据中保存连接名称。 + + + Controls the line height used in the notebook markdown preview. This number is relative to the font size. + 控制笔记本 Markdown 预览中使用的行高。此数字与字号相关。 + + + (Preview) Show rendered notebook in diff editor. + (预览)在差异编辑器中显示呈现的笔记本。 + + + The maximum number of changes stored in the undo history for the notebook Rich Text editor. + 笔记本格式文本编辑器的撤消历史记录中存储的最大更改数。 + + + Search Notebooks + 搜索笔记本 + + + Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). + 配置glob模式以在全文本搜索和快速打开中排除文件和文件夹。从“#files.exclude#”设置继承所有glob模式。在[此处](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)了解更多关于glob模式的信息 + + + The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. + 匹配文件路径所依据的 glob 模式。设置为 true 或 false 可启用或禁用该模式。 + + + Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. + 对匹配文件的同级文件的其他检查。使用 $(basename) 作为匹配文件名的变量。 + + + This setting is deprecated and now falls back on "search.usePCRE2". + 此设置已被弃用,将回退到 "search.usePCRE2"。 + + + Deprecated. Consider "search.usePCRE2" for advanced regex feature support. + 已弃用。请考虑使用 "search.usePCRE2" 获取对高级正则表达式功能的支持。 + + + When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. + 启用后,搜索服务进程将保持活动状态,而不是在一个小时不活动后关闭。这将使文件搜索缓存保留在内存中。 + + + Controls whether to use `.gitignore` and `.ignore` files when searching for files. + 控制在搜索文件时是否使用 `.gitignore` 和 `.ignore` 文件。 + + + Controls whether to use global `.gitignore` and `.ignore` files when searching for files. + 控制在搜索文件时是否使用全局 `.gitignore` 和 `.ignore` 文件。 + + + Whether to include results from a global symbol search in the file results for Quick Open. + 控制 Quick Open 文件结果中是否包括全局符号搜索的结果。 + + + Whether to include results from recently opened files in the file results for Quick Open. + 是否在 Quick Open 的文件结果中包含最近打开的文件。 + + + History entries are sorted by relevance based on the filter value used. More relevant entries appear first. + 历史记录条目按与筛选值的相关性排序。首先显示更相关的条目。 + + + History entries are sorted by recency. More recently opened entries appear first. + 历史记录条目按最近时间排序。首先显示最近打开的条目。 + + + Controls sorting order of editor history in quick open when filtering. + 控制在快速打开中筛选时编辑器历史记录的排序顺序。 + + + Controls whether to follow symlinks while searching. + 控制是否在搜索中跟踪符号链接。 + + + Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. + 若搜索词全为小写,则不区分大小写进行搜索,否则区分大小写进行搜索。 + + + Controls whether the search view should read or modify the shared find clipboard on macOS. + 控制“搜索”视图是否读取或修改 macOS 的共享查找剪贴板。 + + + Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. + 控制搜索功能是显示在侧边栏,还是显示在水平空间更大的面板区域。 + + + This setting is deprecated. Please use the search view's context menu instead. + 此设置已弃用。请改用搜索视图的上下文菜单。 + + + Files with less than 10 results are expanded. Others are collapsed. + 结果少于10个的文件将被展开。其他的则被折叠。 + + + Controls whether the search results will be collapsed or expanded. + 控制是折叠还是展开搜索结果。 + + + Controls whether to open Replace Preview when selecting or replacing a match. + 控制在选择或替换匹配项时是否打开“替换预览”视图。 + + + Controls whether to show line numbers for search results. + 控制是否显示搜索结果所在的行号。 + + + Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. + 是否在文本搜索中使用 pcre2 正则表达式引擎。这允许使用一些高级正则表达式功能, 如前瞻和反向引用。但是, 并非所有 pcre2 功能都受支持-仅支持 javascript 也支持的功能。 + + + Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. + 弃用。当使用仅 PCRE2 支持的正则表达式功能时,将自动使用 PCRE2。 + + + Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. + 当搜索视图较窄时将操作栏置于右侧,当搜索视图较宽时,将它紧接在内容之后。 + + + Always position the actionbar to the right. + 始终将操作栏放置在右侧。 + + + Controls the positioning of the actionbar on rows in the search view. + 在搜索视图中控制操作栏的位置。 + + + Search all files as you type. + 在键入时搜索所有文件。 + + + Enable seeding search from the word nearest the cursor when the active editor has no selection. + 当活动编辑器没有选定内容时,从离光标最近的字词开始进行种子设定搜索。 + + + Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. + 聚焦搜索视图时,将工作区搜索查询更新为编辑器的所选文本。单击时或触发 `workbench.views.search.focus` 命令时会发生此情况。 + + + When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. + 启用"#search.searchOnType"后,控制键入的字符与开始搜索之间的超时(以毫秒为单位)。禁用"搜索.searchOnType"时无效。 + + + Double clicking selects the word under the cursor. + 双击选择光标下的单词。 + + + Double clicking opens the result in the active editor group. + 双击将在活动编辑器组中打开结果。 + + + Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. + 双击将在编辑器组中的结果打开到一边,如果尚不存在,则创建一个结果。 + + + Configure effect of double clicking a result in a search editor. + 配置在搜索编辑器中双击结果的效果。 + + + Results are sorted by folder and file names, in alphabetical order. + 结果按文件夹和文件名按字母顺序排序。 + + + Results are sorted by file names ignoring folder order, in alphabetical order. + 结果按文件名排序,忽略文件夹顺序,按字母顺序排列。 + + + Results are sorted by file extensions, in alphabetical order. + 结果按文件扩展名的字母顺序排序。 + + + Results are sorted by file last modified date, in descending order. + 结果按文件的最后修改日期按降序排序。 + + + Results are sorted by count per file, in descending order. + 结果按每个文件的计数降序排序。 + + + Results are sorted by count per file, in ascending order. + 结果按每个文件的计数以升序排序。 + + + Controls sorting order of search results. + 控制搜索结果的排序顺序。 + + + + + + + Loading kernels... + 正在加载内核… + + + Changing kernel... + 正在更改内核… + + + Attach to + 附加到 + + + Kernel + 内核 + + + Loading contexts... + 正在加载上下文… + + + Change Connection + 更改连接 + + + Select Connection + 选择连接 + + + localhost + localhost + + + No Kernel + 无内核 + + + This notebook cannot run with parameters as the kernel is not supported. Please use the supported kernels and format. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + 此笔记本无法使用参数运行,因为不支持内核。请使用支持的内核和格式。[了解详细信息](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。 + + + This notebook cannot run with parameters until a parameter cell is added. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + 在添加参数单元格之前,此笔记本无法使用参数运行。[了解详细信息] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。 + + + This notebook cannot run with parameters until there are parameters added to the parameter cell. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + 在将参数添加到参数单元格之前,此笔记本无法使用参数运行。[了解详细信息] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。 + + + Clear Results + 清除结果 + + + Trusted + 受信任 + + + Not Trusted + 不受信任 + + + Collapse Cells + 折叠单元格 + + + Expand Cells + 展开单元格 + + + Run with Parameters + 使用参数运行 + + + None + + + + New Notebook + 新建笔记本 + + + Find Next String + 查找下一个字符串 + + + Find Previous String + 查找上一个字符串 + + + + + + + Notebook Editor + Notebook Editor + + + + + + + Search Results + 搜索结果 + + + Search path not found: {0} + 找不到搜索路径: {0} + + + Notebooks + 笔记本 + + + + + + + You have not opened any folder that contains notebooks/books. + 你尚未打开任何包含笔记本/工作簿的文件夹。 + + + Open Notebooks + 打开笔记本 + + + The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. + 结果集仅包含所有匹配项的子集。请使你的搜索更加具体,减少结果。 + + + Search in progress... - + 正在搜索... - + + + No results found in '{0}' excluding '{1}' - + 在“{0}”中找不到结果(“{1}”除外) - + + + No results found in '{0}' - + “{0}”中未找到任何结果 - + + + No results found excluding '{0}' - + 除“{0}”外,未找到任何结果 - + + + No results found. Review your settings for configured exclusions and check your gitignore files - + 未找到结果。查看您的设置配置排除, 并检查您的 gitignore 文件- + + + Search again + 重新搜索 + + + Search again in all files + 在所有文件中再次搜索 + + + Open Settings + 打开设置 + + + Search returned {0} results in {1} files + 搜索 {1} 文件中返回的 {0} 个结果 + + + Toggle Collapse and Expand + 切换折叠和展开 + + + Cancel Search + 取消搜索 + + + Expand All + 全部展开 + + + Collapse All + 全部折叠 + + + Clear Search Results + 清除搜索结果 + + + + + + + Search: Type Search Term and press Enter to search or Escape to cancel + 搜索: 键入搜索词,然后按 Enter 键搜索或按 Esc 键取消 + + + Search + 搜索 + + + + + + + cell with URI {0} was not found in this model + 未在此模型中找到具有 URI {0} 的单元格 + + + Run Cells failed - See error in output of the currently selected cell for more information. + 单元格运行失败 - 有关详细信息,请参阅当前所选单元格输出中的错误。 + + + + + + + Please run this cell to view outputs. + 请运行此单元格以查看输出。 + + + + + + + This view is empty. Add a cell to this view by clicking the Insert Cells button. + 此视图为空。请单击“插入单元格”按钮,将单元格添加到此视图。 + + + + + + + Copy failed with error {0} + 复制失败,出现错误 {0} + + + Show chart + 显示图表 + + + Show table + 显示表 + + + + + + + No {0} renderer could be found for output. It has the following MIME types: {1} + 未找到 {0} 呈现器用于输出。它具有以下 MIME 类型: {1} + + + (safe) + (安全) + + + + + + + Error displaying Plotly graph: {0} + 显示 Plotly 图形时出错: {0} + + + + + + + No connections found. + 未找到连接。 + + + Add Connection + 添加连接 + + + + + + + Server Group color palette used in the Object Explorer viewlet. + 在对象资源管理器 viewlet 中使用的服务器组面板。 + + + Auto-expand Server Groups in the Object Explorer viewlet. + 在对象资源管理器 viewlet 中自动展开服务器组。 + + + (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. + (预览)使用“服务器”视图和“连接”对话框的新异步服务器树,支持动态节点筛选等新功能。 + + + + + + + Data + 数据 + + + Connection + 连接 + + + Query Editor + 查询编辑器 + + + Notebook + 笔记本 + + + Dashboard + 仪表板 + + + Profiler + 探查器 + + + Built-in Charts + 内置图表 + + + + + + + Specifies view templates + 指定视图模板 + + + Specifies session templates + 指定会话模板 + + + Profiler Filters + 探查器筛选器 + + + + + + + Connect + 连接 + + + Disconnect + 断开连接 + + + Start + 开始 + + + New Session + 新建会话 + + + Pause + 暂停 + + + Resume + 继续 + + + Stop + 停止 + + + Clear Data + 清除数据 + + + Are you sure you want to clear the data? + 是否确实要清除数据? + + + Yes + + + + No + + + + Auto Scroll: On + 自动滚动: 开 + + + Auto Scroll: Off + 自动滚动: 关 + + + Toggle Collapsed Panel + 切换已折叠的面板 + + + Edit Columns + 编辑列 + + + Find Next String + 查找下一个字符串 + + + Find Previous String + 查找上一个字符串 + + + Launch Profiler + 启动探查器 + + + Filter… + 筛选器… + + + Clear Filter + 清除筛选器 + + + Are you sure you want to clear the filters? + 是否确实要清除筛选器? + + + + + + + Select View + 选择视图 + + + Select Session + 选择会话 + + + Select Session: + 选择会话: + + + Select View: + 选择视图: + + + Text + 文本 + + + Label + 标签 + + + Value + + + + Details + 详细信息 + + + + + + + Find + 查找 + + + Find + 查找 + + + Previous match + 上一个匹配项 + + + Next match + 下一个匹配项 + + + Close + 关闭 + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + 搜索返回了大量结果,将仅突出显示前 999 个匹配项。 + + + {0} of {1} + {1} 个中的 {0} 个 + + + No Results + 无结果 + + + + + + + Profiler editor for event text. Readonly + 用于事件文本的探查器编辑器。只读 + + + + + + + Events (Filtered): {0}/{1} + 事件(已筛选): {0}/{1} + + + Events: {0} + 事件: {0} + + + Event Count + 事件计数 + + + + + + + Save As CSV + 另存为 CSV + + + Save As JSON + 另存为 JSON + + + Save As Excel + 另存为 Excel + + + Save As XML + 另存为 XML + + + Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. + 导出到 JSON 时,将不会保存结果编码,请记得在创建文件后使用所需编码进行保存。 + + + Save to file is not supported by the backing data source + 备份数据源不支持保存到文件 + + + Copy + 复制 + + + Copy With Headers + 带标头复制 + + + Select All + 全选 + + + Maximize + 最大化 + + + Restore + 还原 + + + Chart + 图表 + + + Visualizer + 可视化工具 + + + + + + + Choose SQL Language + 选择 SQL 语言 + + + Change SQL language provider + 更改 SQL 语言提供程序 + + + SQL Language Flavor + SQL 语言风格 + + + Change SQL Engine Provider + 更改 SQL 引擎提供程序 + + + A connection using engine {0} exists. To change please disconnect or change connection + 使用引擎 {0} 的连接已存在。若要更改,请先断开或更改连接 + + + No text editor active at this time + 当前没有活动的文本编辑器 + + + Select Language Provider + 选择语言提供程序 + + + + + + + XML Showplan + XML 显示计划 + + + Results grid + 结果网格 + + + Max row count for filtering/sorting has been exceeded. To update it, you can go to User Settings and change the setting: 'queryEditor.results.inMemoryDataProcessingThreshold' + 已超过筛选/排序的最大行计数。若要更新它,可以转到“用户设置”并更改设置: "queryEditor.results.inMemoryDataProcessingThreshold" + + + + + + + Focus on Current Query + 关注当前查询 + + + Run Query + 运行查询 + + + Run Current Query + 运行当前查询 + + + Copy Query With Results + 复制查询和结果 + + + Successfully copied query and results. + 已成功复制查询和结果。 + + + Run Current Query with Actual Plan + 使用实际计划运行当前查询 + + + Cancel Query + 取消查询 + + + Refresh IntelliSense Cache + 刷新 IntelliSense 缓存 + + + Toggle Query Results + 切换查询结果 + + + Toggle Focus Between Query And Results + 在查询和结果之间切换焦点 + + + Editor parameter is required for a shortcut to be executed + 需要编辑器参数才能执行快捷方式 + + + Parse Query + 分析查询 + + + Commands completed successfully + 命令已成功完成 + + + Command failed: + 命令失败: + + + Please connect to a server + 请连接到服务器 + + + + + + + Message Panel + 消息面板 + + + Copy + 复制 + + + Copy All + 全部复制 + + + + + + + Query Results + 查询结果 + + + New Query + 新建查询 + + + Query Editor + 查询编辑器 + + + When true, column headers are included when saving results as CSV + 为 true 时,将在将结果保存为 CSV 时包含列标题 + + + The custom delimiter to use between values when saving as CSV + 保存为 CSV 时在值之间使用的自定义分隔符 + + + Character(s) used for seperating rows when saving results as CSV + 将结果保存为 CSV 时用于分隔行的字符 + + + Character used for enclosing text fields when saving results as CSV + 将结果保存为 CSV 时用于封装文本字段的字符 + + + File encoding used when saving results as CSV + 将结果保存为 CSV 时使用的文件编码 + + + When true, XML output will be formatted when saving results as XML + 为 true 时,将在将结果保存为 XML 时设置 XML 输出的格式 + + + File encoding used when saving results as XML + 将结果保存为 XML 时使用的文件编码 + + + Enable results streaming; contains few minor visual issues + 启用结果流式处理;包含极少轻微的可视化问题 + + + Configuration options for copying results from the Results View + 用于从“结果视图”复制结果的配置选项 + + + Configuration options for copying multi-line results from the Results View + 用于从“结果视图”复制多行结果的配置选项 + + + (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. + (实验性)在出现的结果中使用优化的表。某些功能可能缺失或处于准备阶段。 + + + Controls the max number of rows allowed to do filtering and sorting in memory. If the number is exceeded, sorting and filtering will be disabled. Warning: Increasing this may impact performance. + 控制允许在内存中进行筛选和排序的最大行数。如果超过最大行数,则将禁用排序和筛选。警告: 增加此值可能会影响性能。 + + + Whether to open the file in Azure Data Studio after the result is saved. + 是否在保存结果后打开 Azure Data Studio 中的文件。 + + + Should execution time be shown for individual batches + 是否应显示每个批处理的执行时间 + + + Word wrap messages + 自动换行消息 + + + The default chart type to use when opening Chart Viewer from a Query Results + 从“查询结果”打开“图表查看器”时要使用的默认图表类型 + + + Tab coloring will be disabled + 将禁用选项卡着色 + + + The top border of each editor tab will be colored to match the relevant server group + 每个编辑器选项卡的上边框颜色将与相关服务器组匹配 + + + Each editor tab's background color will match the relevant server group + 每个编辑器选项卡的背景色将与相关服务器组匹配 + + + Controls how to color tabs based on the server group of their active connection + 控制如何根据活动连接的服务器组为选项卡着色 + + + Controls whether to show the connection info for a tab in the title. + 控制是否显示标题中选项卡的连接信息。 + + + Prompt to save generated SQL files + 提示保存生成的 SQL 文件 + + + Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call or query execution. Any selected text in the query editor will be passed as a parameter at the end of your query, or you can reference it with {arg} + 设置键绑定 workbench.action.query.shortcut{0},将快捷方式文本作为过程调用或查询执行运行。查询编辑器中的选中的文本将在查询结尾处作为参数进行传递,也可以使用 {arg} 加以引用 + + + + + + + New Query + 新建查询 + + + Run + 运行 + + + Cancel + 取消 + + + Explain + 解释 + + + Actual + 实际 + + + Disconnect + 断开连接 + + + Change Connection + 更改连接 + + + Connect + 连接 + + + Enable SQLCMD + 启用 SQLCMD + + + Disable SQLCMD + 禁用 SQLCMD + + + Select Database + 选择数据库 + + + Failed to change database + 未能更改数据库 + + + Failed to change database: {0} + 未能更改数据库: {0} + + + Export as Notebook + 导出为笔记本 + + + + + + + Query Editor + Query Editor + + + + + + + Results + 结果 + + + Messages + 消息 + + + + + + + Time Elapsed + 已用时间 + + + Row Count + 行数 + + + {0} rows + {0} 行 + + + Executing query... + 正在执行查询… + + + Execution Status + 执行状态 + + + Selection Summary + 选择摘要 + + + Average: {0} Count: {1} Sum: {2} + 平均值: {0} 计数: {1} 总和: {2} + + + + + + + Results Grid and Messages + 结果网格和消息 + + + Controls the font family. + 控制字体系列。 + + + Controls the font weight. + 控制字体粗细。 + + + Controls the font size in pixels. + 控制字体大小(像素)。 + + + Controls the letter spacing in pixels. + 控制字母间距(像素)。 + + + Controls the row height in pixels + 控制行高(像素) + + + Controls the cell padding in pixels + 控制单元格边距(像素) + + + Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells + 自动调整初始结果的列宽。如果存在大量的列或大型单元格,可能出现性能问题 + + + The maximum width in pixels for auto-sized columns + 自动调整大小的列的最大宽度(像素) + + + + + + + Toggle Query History + 切换查询历史记录 + + + Delete + 删除 + + + Clear All History + 清除所有历史记录 + + + Open Query + 打开查询 + + + Run Query + 运行查询 + + + Toggle Query History capture + 切换查询历史记录捕获 + + + Pause Query History Capture + 暂停查询历史记录捕获 + + + Start Query History Capture + 开始查询历史记录捕获 + + + + + + + succeeded + 成功 + + + failed + 失败 + + + + + + + No queries to display. + 没有可显示的查询。 + + + Query History + QueryHistory + 查询历史记录 + + + + + + + QueryHistory + QueryHistory + + + Whether Query History capture is enabled. If false queries executed will not be captured. + 是否启用查询历史记录捕获。若为 false,则不捕获所执行的查询。 + + + Clear All History + 清除所有历史记录 + + + Pause Query History Capture + 暂停查询历史记录捕获 + + + Start Query History Capture + 开始查询历史记录捕获 + + + View + 查看 + + + &&Query History + && denotes a mnemonic + 查询历史记录(&&Q) + + + Query History + 查询历史记录 + + + + + + + Query Plan + 查询计划 + + + + + + + Query Plan Editor + Query Plan Editor + + + + + + + Operation + 操作 + + + Object + 对象 + + + Est Cost + 预计成本 + + + Est Subtree Cost + 预计子树成本 + + + Actual Rows + 实际行数 + + + Est Rows + 预计行数 + + + Actual Executions + 实际执行次数 + + + Est CPU Cost + 预计 CPU 成本 + + + Est IO Cost + 预计 IO 成本 + + + Parallel + 并行 + + + Actual Rebinds + 实际重新绑定次数 + + + Est Rebinds + 预计重新绑定次数 + + + Actual Rewinds + 实际后退次数 + + + Est Rewinds + 预计后退次数 + + + Partitioned + 分区 + + + Top Operations + 热门的操作 + + + + + + + Resource Viewer + 资源查看器 + + + + + + + Refresh + 刷新 + + + + + + + Error opening link : {0} + 打开链接时出错: {0} + + + Error executing command '{0}' : {1} + 执行命令“{0}”时出错: {1} + + + + + + + Resource Viewer Tree + 资源查看器树 + + + + + + + Identifier of the resource. + 资源的标识符。 + + + The human-readable name of the view. Will be shown + 用户可读的视图名称。将显示它 + + + Path to the resource icon. + 资源图标的路径。 + + + Contributes resource to the resource view + 将资源分配给资源视图 + + + property `{0}` is mandatory and must be of type `string` + 属性“{0}”是必需的,其类型必须是 "string" + + + property `{0}` can be omitted or must be of type `string` + 属性“{0}”可以省略,否则其类型必须是 "string" + + + + + + + Restore + 还原 + + + Restore + 还原 + + + + + + + You must enable preview features in order to use restore + 必须启用预览功能才能使用还原 + + + Restore command is not supported outside of a server context. Please select a server or database and try again. + 服务器上下文外不支持还原命令,请选择服务器或数据库并重试。 + + + Restore command is not supported for Azure SQL databases. + Azure SQL 数据库不支持还原命令。 + + + Restore + 还原 + + + + + + + Script as Create + 执行 Create 脚本 + + + Script as Drop + 执行 Drop 脚本 + + + Select Top 1000 + 选择前 1000 项 + + + Script as Execute + 执行 Execute 脚本 + + + Script as Alter + 执行 Alter 脚本 + + + Edit Data + 编辑数据 + + + Select Top 1000 + 选择前 1000 项 + + + Take 10 + 选取 10 个 + + + Script as Create + 执行 Create 脚本 + + + Script as Execute + 执行 Execute 脚本 + + + Script as Alter + 执行 Alter 脚本 + + + Script as Drop + 执行 Drop 脚本 + + + Refresh + 刷新 + + + + + + + An error occurred refreshing node '{0}': {1} + 刷新节点“{0}”时出错: {1} + + + + + + + {0} in progress tasks + {0} 个正在执行的任务 + + + View + 查看 + + + Tasks + 任务 + + + &&Tasks + && denotes a mnemonic + 任务(&&T) + + + + + + + Toggle Tasks + 切换任务 + + + + + + + succeeded + 成功 + + + failed + 失败 + + + in progress + 正在进行 + + + not started + 尚未开始 + + + canceled + 已取消 + + + canceling + 正在取消 + + + + + + + No task history to display. + 没有可显示的任务历史记录。 + + + Task history + TaskHistory + 任务历史记录 + + + Task error + 任务错误 + + + + + + + Cancel + 取消 + + + The task failed to cancel. + 任务取消失败。 + + + Script + 脚本 + + + + + + + There is no data provider registered that can provide view data. + 没有可提供视图数据的已注册数据提供程序。 + + + Refresh + 刷新 + + + Collapse All + 全部折叠 + + + Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. + 运行命令 {1} 错误: {0}。这可能是由提交 {1} 的扩展引起的。 + + + + + + + OK + 确定 + + + Close + 关闭 + + + + + + + Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? + 预览功能可让你全面访问新功能和改进功能,从而提升你在 Azure Data Studio 中的体验。有关预览功能的详细信息,请访问[此处]({0})。是否要启用预览功能? + + + Yes (recommended) + 是(推荐) + + + No + + + + No, don't show again + 否,不再显示 + + + + + + + This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. + 此功能页面处于预览状态。预览功能引入了新功能,这些功能有望成为产品的永久组成部分。它们是稳定的,但需要改进额外的辅助功能。欢迎在功能开发期间提供早期反馈。 + + + Preview + 预览 + + + Create a connection + 创建连接 + + + Connect to a database instance through the connection dialog. + 通过连接对话连接到数据库实例。 + + + Run a query + 运行查询 + + + Interact with data through a query editor. + 通过查询编辑器与数据交互。 + + + Create a notebook + 创建笔记本 + + + Build a new notebook using a native notebook editor. + 使用本机笔记本编辑器生成新笔记本。 + + + Deploy a server + 部署服务器 + + + Create a new instance of a relational data service on the platform of your choice. + 在所选平台上创建关系数据服务的新实例。 + + + Resources + 资源 + + + History + 历史记录 + + + Name + 名称 + + + Location + 位置 + + + Show more + 显示更多 + + + Show welcome page on startup + 启动时显示欢迎页 + + + Useful Links + 有用链接 + + + Getting Started + 开始使用 + + + Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. + 发现 Azure Data Studio 所提供的功能,并了解如何充分利用这些功能。 + + + Documentation + 文档 + + + Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. + 访问文档中心,以获取快速入门、操作指南以及 PowerShell、API 等的参考。 + + + Videos + 视频 + + + Overview of Azure Data Studio + Azure Data Studio 概述 + + + Introduction to Azure Data Studio Notebooks | Data Exposed + Azure Data Studio 笔记本简介 | 已公开的数据 + + + Extensions + 扩展 + + + Show All + 全部显示 + + + Learn more + 了解更多 + + + + + + + Connections + 连接 + + + Connect, query, and manage your connections from SQL Server, Azure, and more. + 通过 SQL Server、Azure 等连接、查询和管理你的连接。 + + + 1 + 1 + + + Next + 下一步 + + + Notebooks + 笔记本 + + + Get started creating your own notebook or collection of notebooks in a single place. + 开始在一个位置创建你自己的笔记本或笔记本集合。 + + + 2 + 2 + + + Extensions + 扩展 + + + Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). + 通过安装由我们/Microsoft 以及第三方社区(你!)开发的扩展来扩展 Azure Data Studio 的功能。 + + + 3 + 3 + + + Settings + 设置 + + + Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. + 根据你的偏好自定义 Azure Data Studio。可以配置自动保存和选项卡大小等设置,个性化设置键盘快捷方式,并切换到你喜欢的颜色主题。 + + + 4 + 4 + + + Welcome Page + 欢迎页面 + + + Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. + 在“欢迎”页面上发现热门功能、最近打开的文件以及建议的扩展。有关如何开始使用 Azure Data Studio 的详细信息,请参阅我们的视频和文档。 + + + 5 + 5 + + + Finish + 完成 + + + User Welcome Tour + 用户欢迎教程 + + + Hide Welcome Tour + 隐藏欢迎教程 + + + Read more + 了解更多 + + + Help + 帮助 + + + + + + + Welcome + 欢迎 + + + SQL Admin Pack + SQL 管理包 + + + SQL Admin Pack + SQL 管理包 + + + Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server + SQL Server 管理包是热门数据库管理扩展的一个集合,可帮助你管理 SQL Server + + + SQL Server Agent + SQL Server 代理 + + + SQL Server Profiler + SQL Server Profiler + + + SQL Server Import + SQL Server 导入 + + + SQL Server Dacpac + SQL Server Dacpac + + + Powershell + PowerShell + + + Write and execute PowerShell scripts using Azure Data Studio's rich query editor + 使用 Azure Data Studio 功能丰富的查询编辑器编写和执行 PowerShell 脚本 + + + Data Virtualization + 数据虚拟化 + + + Virtualize data with SQL Server 2019 and create external tables using interactive wizards + 使用 SQL Server 2019 虚拟化数据,并使用交互式向导创建外部表 + + + PostgreSQL + PostgreSQL + + + Connect, query, and manage Postgres databases with Azure Data Studio + 使用 Azure Data Studio 连接、查询和管理 Postgres 数据库 + + + Support for {0} is already installed. + 已安装对 {0} 的支持。 + + + The window will reload after installing additional support for {0}. + 安装对 {0} 的额外支持后,将重载窗口。 + + + Installing additional support for {0}... + 正在安装对 {0} 的额外支持... + + + Support for {0} with id {1} could not be found. + 找不到对 {0} (ID: {1}) 的支持。 + + + New connection + 新建连接 + + + New query + 新建查询 + + + New notebook + 新建笔记本 + + + Deploy a server + 部署服务器 + + + Welcome + 欢迎 + + + New + 新建 + + + Open… + 打开… + + + Open file… + 打开文件… + + + Open folder… + 打开文件夹… + + + Start Tour + 开始教程 + + + Close quick tour bar + 关闭快速浏览栏 + + + Would you like to take a quick tour of Azure Data Studio? + 是否希望快速浏览 Azure Data Studio? + + + Welcome! + 欢迎使用! + + + Open folder {0} with path {1} + 打开路径为 {1} 的文件夹 {0} + + + Install + 安装 + + + Install {0} keymap + 安装 {0} 键映射 + + + Install additional support for {0} + 安装对 {0} 的额外支持 + + + Installed + 已安装 + + + {0} keymap is already installed + 已安装 {0} 按键映射 + + + {0} support is already installed + 已安装 {0} 支持 + + + OK + 确定 + + + Details + 详细信息 + + + Background color for the Welcome page. + 欢迎页面的背景色。 + + + + + + + Azure Data Studio + Azure Data Studio + + + Start + 开始 + + + New connection + 新建连接 + + + New query + 新建查询 + + + New notebook + 新建笔记本 + + + Open file + 打开文件 + + + Open file + 打开文件 + + + Deploy + 部署 + + + New Deployment… + 新建部署… + + + Recent + 最近使用 + + + More... + 更多... + + + No recent folders + 没有最近使用的文件夹 + + + Help + 帮助 + + + Getting started + 开始使用 + + + Documentation + 文档 + + + Report issue or feature request + 报告问题或功能请求 + + + GitHub repository + GitHub 存储库 + + + Release notes + 发行说明 + + + Show welcome page on startup + 启动时显示欢迎页 + + + Customize + 自定义 + + + Extensions + 扩展 + + + Download extensions that you need, including the SQL Server Admin pack and more + 下载所需的扩展,包括 SQL Server 管理包等 + + + Keyboard Shortcuts + 键盘快捷方式 + + + Find your favorite commands and customize them + 查找你喜欢的命令并对其进行自定义 + + + Color theme + 颜色主题 + + + Make the editor and your code look the way you love + 使编辑器和代码呈现你喜欢的外观 + + + Learn + 了解 + + + Find and run all commands + 查找并运行所有命令 + + + Rapidly access and search commands from the Command Palette ({0}) + 使用命令面板快速访问和搜索命令 ({0}) + + + Discover what's new in the latest release + 了解最新版本中的新增功能 + + + New monthly blog posts each month showcasing our new features + 每月推出新的月度博客文章,展示新功能 + + + Follow us on Twitter + 在 Twitter 上关注我们 + + + Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. + 保持了解社区如何使用 Azure Data Studio 并与工程师直接交谈。 + + + + + + + Accounts + 帐户 + + + Linked accounts + 链接的帐户 + + + Close + 关闭 + + + There is no linked account. Please add an account. + 没有链接的帐户。请添加一个帐户。 + + + Add an account + 添加帐户 + + + You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud + 你没有启用云。请转到“设置”-> 搜索 Azure 帐户配置 -> 至少启用一个云 + + + You didn't select any authentication provider. Please try again. + 你没有选择任何身份验证提供程序。请重试。 + + + + + + + Error adding account + 添加帐户时出错 + + + + + + + You need to refresh the credentials for this account. + 需要刷新此帐户的凭据。 + + + + + + + Close + 关闭 + + + Adding account... + 正在添加帐户... + + + Refresh account was canceled by the user + 用户已取消刷新帐户 + + + + + + + Azure account + Azure 帐户 + + + Azure tenant + Azure 租户 + + + + + + + Copy & Open + 复制并打开 + + + Cancel + 取消 + + + User code + 用户代码 + + + Website + 网站 + + + + + + + Cannot start auto OAuth. An auto OAuth is already in progress. + 无法启动自动 OAuth。自动 OAuth 已在进行中。 + + + + + + + Connection is required in order to interact with adminservice + 需要连接才能与 adminservice 交互 + + + No Handler Registered + 未注册处理程序 + + + + + + + Connection is required in order to interact with Assessment Service + 需要连接才能与评估服务交互 + + + No Handler Registered + 未注册处理程序 + + + + + + + Advanced Properties + 高级属性 + + + Discard + 放弃 + + + + + + + Server Description (optional) + 服务器说明(可选) + + + + + + + Clear List + 清空列表 + + + Recent connections list cleared + 已清空最新连接列表 + + + Yes + + + + No + + + + Are you sure you want to delete all the connections from the list? + 确定要删除列表中的所有连接吗? + + + Yes + + + + No + + + + Delete + 删除 + + + Get Current Connection String + 获取当前连接字符串 + + + Connection string not available + 连接字符串不可用 + + + No active connection available + 没有可用的活动连接 + + + + + + + Browse + 浏览 + + + Type here to filter the list + 在此处键入以筛选列表 + + + Filter connections + 筛选器连接 + + + Applying filter + 正在应用筛选器 + + + Removing filter + 正在删除筛选器 + + + Filter applied + 已应用筛选器 + + + Filter removed + 已删除筛选器 + + + Saved Connections + 保存的连接 + + + Saved Connections + 保存的连接 + + + Connection Browser Tree + 连接浏览器树 + + + + + + + Connection error + 连接错误 + + + Connection failed due to Kerberos error. + 由于 Kerberos 错误,连接失败。 + + + Help configuring Kerberos is available at {0} + 可在 {0} 处获取有关配置 Kerberos 的帮助 + + + If you have previously connected you may need to re-run kinit. + 如果之前已连接,可能需要重新运行 kinit。 + + + + + + + Connection + 连接 + + + Connecting + 正在连接 + + + Connection type + 连接类型 + + + Recent + 最近 + + + Connection Details + 连接详细信息 + + + Connect + 连接 + + + Cancel + 取消 + + + Recent Connections + 最近的连接 + + + No recent connection + 没有最近的连接 + + + + + + + Failed to get Azure account token for connection + 未能获取 Azure 帐户令牌用于连接 + + + Connection Not Accepted + 连接未被接受 + + + Yes + + + + No + + + + Are you sure you want to cancel this connection? + 确定要取消此连接吗? + + + + + + + Add an account... + 添加帐户… + + + <Default> + <默认值> + + + Loading... + 正在加载… + + + Server group + 服务器组 + + + <Default> + <默认值> + + + Add new group... + 添加新组… + + + <Do not save> + <不保存> + + + {0} is required. + {0} 是必需的。 + + + {0} will be trimmed. + 将剪裁 {0}。 + + + Remember password + 记住密码 + + + Account + 帐户 + + + Refresh account credentials + 刷新帐户凭据 + + + Azure AD tenant + Azure AD 租户 + + + Name (optional) + 名称(可选) + + + Advanced... + 高级… + + + You must select an account + 必须选择一个帐户 + + + + + + + Connected to + 已连接到 + + + Disconnected + 已断开连接 + + + Unsaved Connections + 未保存的连接 + + + + + + + Open dashboard extensions + 打开仪表板扩展 + + + OK + 确定 + + + Cancel + 取消 + + + No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. + 目前尚未安装仪表板扩展。转“到扩展管理器”以浏览推荐的扩展。 + + + + + + + Step {0} + 步骤 {0} + + + + + + + Done + 完成 + + + Cancel + 取消 + + + + + + + Initialize edit data session failed: + 初始化编辑数据会话失败: + + + + + + + OK + 确定 + + + Close + 关闭 + + + Action + 操作 + + + Copy details + 复制详细信息 + + + + + + + Error + 错误 + + + Warning + 警告 + + + Info + 信息 + + + Ignore + 忽略 + + + + + + + Selected path + 选定的路径 + + + Files of type + 文件类型 + + + OK + 确定 + + + Discard + 放弃 + + + + + + + Select a file + 选择文件 + + + + + + + File browser tree + FileBrowserTree + 文件浏览器树 + + + + + + + An error occured while loading the file browser. + 加载文件浏览器时出错。 + + + File browser error + 文件浏览器错误 + + + + + + + All files + 所有文件 + + + + + + + Copy Cell + 复制单元格 + + + + + + + No Connection Profile was passed to insights flyout + 未将连接配置文件传递到见解浮出控件 + + + Insights error + 见解错误 + + + There was an error reading the query file: + 读取以下查询文件时出错: + + + There was an error parsing the insight config; could not find query array/string or queryfile + 分析见解配置时出错;找不到查询数组/字符串或查询文件 + + + + + + + Item + + + + Value + + + + Insight Details + 见解详细信息 + + + Property + 属性 + + + Value + + + + Insights + 见解 + + + Items + + + + Item Details + 项详细信息 + + + + + + + Could not find query file at any of the following paths : + {0} + 在下述所有路径中都找不到查询文件: + {0} + + + + + + + Failed + 失败 + + + Succeeded + 已成功 + + + Retry + 重试 + + + Cancelled + 已取消 + + + In Progress + 正在进行 + + + Status Unknown + 状态未知 + + + Executing + 正在执行 + + + Waiting for Thread + 正在等待线程 + + + Between Retries + 重试之间 + + + Idle + 空闲 + + + Suspended + 已暂停 + + + [Obsolete] + [已过时] + + + Yes + + + + No + + + + Not Scheduled + 未计划 + + + Never Run + 从未运行 + + + + + + + Connection is required in order to interact with JobManagementService + 需要连接才能与 JobManagementService 交互 + + + No Handler Registered + 未注册处理程序 + + + + + + + SQL + SQL + + + @@ -7256,6 +6910,22 @@ Error: {1} + + + + An error occurred while starting the notebook session + 启动笔记本会话时出错 + + + Server did not start for unknown reason + 由于未知原因,服务器未启动 + + + Kernel {0} was not found. The default kernel will be used instead. + 未找到内核 {0}。将改为使用默认内核。 + + + @@ -7268,11 +6938,738 @@ Error: {1} - + - - Changing editor types on unsaved files is unsupported - 不支持更改未保存文件的编辑器类型 + + # Injected-Parameters + + # 个注入参数 + + + + Please select a connection to run cells for this kernel + 请选择一个连接来运行此内核的单元格 + + + Failed to delete cell. + 未能删除单元格。 + + + Failed to change kernel. Kernel {0} will be used. Error was: {1} + 未能更改内核。将使用内核 {0}。错误为: {1} + + + Failed to change kernel due to error: {0} + 由于以下错误而未能更改内核: {0} + + + Changing context failed: {0} + 更改上下文失败: {0} + + + Could not start session: {0} + 无法启动会话: {0} + + + A client session error occurred when closing the notebook: {0} + 关闭笔记本时发生客户端会话错误: {0} + + + Can't find notebook manager for provider {0} + 未找到提供程序 {0} 的笔记本管理器 + + + + + + + No URI was passed when creating a notebook manager + 创建笔记本管理器时未传递 URI + + + Notebook provider does not exist + 笔记本提供程序不存在 + + + + + + + A view with the name {0} already exists in this notebook. + 此笔记本中已存在名为 {0} 的视图。 + + + + + + + SQL kernel error + SQL 内核错误 + + + A connection must be chosen to run notebook cells + 必须选择连接才能运行笔记本单元格 + + + Displaying Top {0} rows. + 显示了前 {0} 行。 + + + + + + + Rich Text + 格式文本 + + + Split View + 拆分视图 + + + Markdown + Markdown + + + + + + + nbformat v{0}.{1} not recognized + 无法识别 nbformat v{0}.{1} + + + This file does not have a valid notebook format + 此文件没有有效的笔记本格式 + + + Cell type {0} unknown + 单元格类型 {0} 未知 + + + Output type {0} not recognized + 无法识别输出类型 {0} + + + Data for {0} is expected to be a string or an Array of strings + {0} 的数据应为字符串或字符串数组 + + + Output type {0} not recognized + 无法识别输出类型 {0} + + + + + + + Identifier of the notebook provider. + 笔记本提供程序的标识符。 + + + What file extensions should be registered to this notebook provider + 应向此笔记本提供程序注册哪些文件扩展名 + + + What kernels should be standard with this notebook provider + 此笔记本提供程序应标配哪些内核 + + + Contributes notebook providers. + 提供笔记本提供程序。 + + + Name of the cell magic, such as '%%sql'. + 单元格魔术方法的名称,如 "%%sql"。 + + + The cell language to be used if this cell magic is included in the cell + 单元格中包含此单元格魔术方法时要使用的单元格语言 + + + Optional execution target this magic indicates, for example Spark vs SQL + 此魔术方法指示的可选执行目标,例如 Spark 和 SQL + + + Optional set of kernels this is valid for, e.g. python3, pyspark, sql + 可选内核集,对于 python3、pyspark 和 sql 等有效 + + + Contributes notebook language. + 提供笔记本语言。 + + + + + + + Loading... + 正在加载... + + + + + + + Refresh + 刷新 + + + Edit Connection + 编辑连接 + + + Disconnect + 断开连接 + + + New Connection + 新建连接 + + + New Server Group + 新建服务器组 + + + Edit Server Group + 编辑服务器组 + + + Show Active Connections + 显示活动连接 + + + Show All Connections + 显示所有连接 + + + Delete Connection + 删除连接 + + + Delete Group + 删除组 + + + + + + + Failed to create Object Explorer session + 未能创建对象资源管理器会话 + + + Multiple errors: + 多个错误: + + + + + + + Cannot expand as the required connection provider '{0}' was not found + 无法展开,因为未找到所需的连接提供程序“{0}” + + + User canceled + 用户已取消 + + + Firewall dialog canceled + 防火墙对话已取消 + + + + + + + Loading... + 正在加载... + + + + + + + Recent Connections + 最近的连接 + + + Servers + 服务器 + + + Servers + 服务器 + + + + + + + Sort by event + 按事件排序 + + + Sort by column + 按列排序 + + + Profiler + 探查器 + + + OK + 确定 + + + Cancel + 取消 + + + + + + + Clear all + 全部清除 + + + Apply + 应用 + + + OK + 确定 + + + Cancel + 取消 + + + Filters + 筛选器 + + + Remove this clause + 删除此子句 + + + Save Filter + 保存筛选器 + + + Load Filter + 加载筛选器 + + + Add a clause + 添加子句 + + + Field + 字段 + + + Operator + 运算符 + + + Value + + + + Is Null + 为 Null + + + Is Not Null + 不为 Null + + + Contains + 包含 + + + Not Contains + 不包含 + + + Starts With + 开头为 + + + Not Starts With + 开头不为 + + + + + + + Commit row failed: + 提交行失败: + + + Started executing query at + 开始执行查询的位置: + + + Started executing query "{0}" + 已开始执行查询 "{0}" + + + Line {0} + 第 {0} 行 + + + Canceling the query failed: {0} + 取消查询失败: {0} + + + Update cell failed: + 更新单元格失败: + + + + + + + Execution failed due to an unexpected error: {0} {1} + 由于意外错误,执行失败: {0} {1} + + + Total execution time: {0} + 执行时间总计: {0} + + + Started executing query at Line {0} + 开始执行查询的位置: 第 {0} 行 + + + Started executing batch {0} + 已开始执行批处理 {0} + + + Batch execution time: {0} + 批处理执行时间: {0} + + + Copy failed with error {0} + 复制失败,出现错误 {0} + + + + + + + Failed to save results. + 未能保存结果。 + + + Choose Results File + 选择结果文件 + + + CSV (Comma delimited) + CSV (以逗号分隔) + + + JSON + JSON + + + Excel Workbook + Excel 工作簿 + + + XML + XML + + + Plain Text + 纯文本 + + + Saving file... + 正在保存文件... + + + Successfully saved results to {0} + 已成功将结果保存到 {0} + + + Open file + 打开文件 + + + + + + + From + + + + To + + + + Create new firewall rule + 新建防火墙规则 + + + OK + 确定 + + + Cancel + 取消 + + + Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. + 你的客户端 IP 地址无权访问此服务器。请登录到 Azure 帐户,然后新建一个防火墙规则以启用访问。 + + + Learn more about firewall settings + 详细了解防火墙设置 + + + Firewall rule + 防火墙规则 + + + Add my client IP + 添加我的客户端 IP + + + Add my subnet IP range + 添加我的子网 IP 范围 + + + + + + + Error adding account + 添加帐户时出错 + + + Firewall rule error + 防火墙规则错误 + + + + + + + Backup file path + 备份文件路径 + + + Target database + 目标数据库 + + + Restore + 还原 + + + Restore database + 还原数据库 + + + Database + 数据库 + + + Backup file + 备份文件 + + + Restore database + 还原数据库 + + + Cancel + 取消 + + + Script + 脚本 + + + Source + + + + Restore from + 还原自 + + + Backup file path is required. + 需要备份文件路径。 + + + Please enter one or more file paths separated by commas + 请输入一个或多个用逗号分隔的文件路径 + + + Database + 数据库 + + + Destination + 目标 + + + Restore to + 还原到 + + + Restore plan + 还原计划 + + + Backup sets to restore + 要还原的备份集 + + + Restore database files as + 将数据库文件还原为 + + + Restore database file details + 还原数据库文件详细信息 + + + Logical file Name + 逻辑文件名 + + + File type + 文件类型 + + + Original File Name + 原始文件名 + + + Restore as + 还原为 + + + Restore options + 还原选项 + + + Tail-Log backup + 结尾日志备份 + + + Server connections + 服务器连接 + + + General + 常规 + + + Files + 文件 + + + Options + 选项 + + + + + + + Backup Files + 备份文件 + + + All Files + 所有文件 + + + + + + + Server Groups + 服务器组 + + + OK + 确定 + + + Cancel + 取消 + + + Server group name + 服务器组名称 + + + Group name is required. + 组名称是必需的。 + + + Group description + 组描述 + + + Group color + 组颜色 + + + + + + + Add server group + 添加服务器组 + + + Edit server group + 编辑服务器组 + + + + + + + 1 or more tasks are in progress. Are you sure you want to quit? + 一个或多个任务正在运行中。确定要退出吗? + + + Yes + + + + No + + + + + + + + Get Started + 开始 + + + Show Getting Started + 显示入门 + + + Getting &&Started + && denotes a mnemonic + 入门(&&S) diff --git a/resources/xlf/zh-hant/admin-tool-ext-win.zh-Hant.xlf b/resources/xlf/zh-hant/admin-tool-ext-win.zh-Hant.xlf index e96db37f0d..3e5587e39f 100644 --- a/resources/xlf/zh-hant/admin-tool-ext-win.zh-Hant.xlf +++ b/resources/xlf/zh-hant/admin-tool-ext-win.zh-Hant.xlf @@ -20,7 +20,7 @@ - + No ConnectionContext provided for handleLaunchSsmsMinPropertiesDialogCommand diff --git a/resources/xlf/zh-hant/agent.zh-Hant.xlf b/resources/xlf/zh-hant/agent.zh-Hant.xlf index c8f6b89f20..b7221d7cd5 100644 --- a/resources/xlf/zh-hant/agent.zh-Hant.xlf +++ b/resources/xlf/zh-hant/agent.zh-Hant.xlf @@ -1,230 +1,18 @@  - + - - New Schedule - 新增排程 - - + OK 確定 - + Cancel 取消 - - Schedule Name - 排程名稱 - - - Schedules - 排程 - - - - - Create Proxy - 建立 Proxy - - - Edit Proxy - 編輯 Proxy - - - General - 一般 - - - Proxy name - Proxy 名稱 - - - Credential name - 認證名稱 - - - Description - 描述 - - - Subsystem - 子系統 - - - Operating system (CmdExec) - 作業系統 (cmdexec) - - - Replication Snapshot - 複寫快照集 - - - Replication Transaction-Log Reader - 複寫交易 - 記錄讀取器 - - - Replication Distributor - 複寫散發者 - - - Replication Merge - 複寫合併 - - - Replication Queue Reader - 複本佇列讀取器 - - - SQL Server Analysis Services Query - SQL Server Analysis Services 查詢 - - - SQL Server Analysis Services Command - SQL Server Analysis Services 命令 - - - SQL Server Integration Services Package - SQL Server Integration Services 套件 - - - PowerShell - PowerShell - - - Active to the following subsytems - 對以下子系統有效 - - - - - - - Job Schedules - 作業排程 - - - OK - 確定 - - - Cancel - 取消 - - - Available Schedules: - 可用的排程: - - - Name - 名稱 - - - ID - 識別碼 - - - Description - 描述 - - - - - - - Create Operator - 建立運算子 - - - Edit Operator - 編輯運算子 - - - General - 一般 - - - Notifications - 通知 - - - Name - 名稱 - - - Enabled - 啟用 - - - E-mail Name - 電子郵件名稱 - - - Pager E-mail Name - 頁面巡覽區電子郵件名稱 - - - Monday - 星期一 - - - Tuesday - 星期二 - - - Wednesday - 星期三 - - - Thursday - 星期四 - - - Friday - 星期五 - - - Saturday - 星期六 - - - Sunday - 星期日 - - - Workday begin - 工作日開始 - - - Workday end - 工作日結束 - - - Pager on duty schedule - 呼叫器待命排程 - - - Alert list - 警示清單 - - - Alert name - 警示名稱 - - - E-mail - 電子郵件 - - - Pager - 頁面巡覽區 - - - - + Locate Database Files - @@ -416,159 +204,39 @@ - + - - General - 一般 + + Job Schedules + 作業排程 - - Steps - 步驟 + + OK + 確定 - - Schedules - 排程 + + Cancel + 取消 - - Alerts - 警示 + + Available Schedules: + 可用的排程: - - Notifications - 通知 - - - The name of the job cannot be blank. - 作業名稱不得為空。 - - + Name 名稱 - - Owner - 擁有者 + + ID + 識別碼 - - Category - 分類 - - + Description 描述 - - Enabled - 啟用 - - - Job step list - 作業步驟清單 - - - Step - 步驟 - - - Type - 類型 - - - On Success - 成功時 - - - On Failure - 失敗時 - - - New Step - 新增步驟 - - - Edit Step - 編輯步驟 - - - Delete Step - 刪除步驟 - - - Move Step Up - 向上移動步驟 - - - Move Step Down - 向下移動步驟 - - - Start step - 開始步驟 - - - Actions to perform when the job completes - 作業完成時要執行的操作 - - - Email - 電子郵件 - - - Page - 頁面 - - - Write to the Windows Application event log - 寫入 Windows 應用程式事件記錄檔 - - - Automatically delete job - 自動刪除作業 - - - Schedules list - 排程清單 - - - Pick Schedule - 挑選排程 - - - Schedule Name - 排程名稱 - - - Alerts list - 警示清單 - - - New Alert - 新增警示 - - - Alert Name - 警示名稱 - - - Enabled - 啟用 - - - Type - 類型 - - - New Job - 新增作業 - - - Edit Job - 編輯作業 - - + Create Alert @@ -778,10 +446,6 @@ Additional notification message to send 要傳送的其他通知訊息 - - Delay between responses - 回應之間的延遲 - Delay Minutes 延遲分鐘數 @@ -792,51 +456,251 @@ - + - - OK - 確定 + + Create Operator + 建立運算子 - - Cancel - 取消 + + Edit Operator + 編輯運算子 + + + General + 一般 + + + Notifications + 通知 + + + Name + 名稱 + + + Enabled + 啟用 + + + E-mail Name + 電子郵件名稱 + + + Pager E-mail Name + 頁面巡覽區電子郵件名稱 + + + Monday + 星期一 + + + Tuesday + 星期二 + + + Wednesday + 星期三 + + + Thursday + 星期四 + + + Friday + 星期五 + + + Saturday + 星期六 + + + Sunday + 星期日 + + + Workday begin + 工作日開始 + + + Workday end + 工作日結束 + + + Pager on duty schedule + 呼叫器待命排程 + + + Alert list + 警示清單 + + + Alert name + 警示名稱 + + + E-mail + 電子郵件 + + + Pager + 頁面巡覽區 - + - - Proxy update failed '{0}' - Proxy 更新失敗 '{0}' + + General + 一般 - - Proxy '{0}' updated successfully - 已成功更新 Proxy '{0}' + + Steps + 步驟 - - Proxy '{0}' created successfully - 已成功建立 '{0}' + + Schedules + 排程 + + + Alerts + 警示 + + + Notifications + 通知 + + + The name of the job cannot be blank. + 作業名稱不得為空。 + + + Name + 名稱 + + + Owner + 擁有者 + + + Category + 分類 + + + Description + 描述 + + + Enabled + 啟用 + + + Job step list + 作業步驟清單 + + + Step + 步驟 + + + Type + 類型 + + + On Success + 成功時 + + + On Failure + 失敗時 + + + New Step + 新增步驟 + + + Edit Step + 編輯步驟 + + + Delete Step + 刪除步驟 + + + Move Step Up + 向上移動步驟 + + + Move Step Down + 向下移動步驟 + + + Start step + 開始步驟 + + + Actions to perform when the job completes + 作業完成時要執行的操作 + + + Email + 電子郵件 + + + Page + 頁面 + + + Write to the Windows Application event log + 寫入 Windows 應用程式事件記錄檔 + + + Automatically delete job + 自動刪除作業 + + + Schedules list + 排程清單 + + + Pick Schedule + 挑選排程 + + + Remove Schedule + 移除排程 + + + Alerts list + 警示清單 + + + New Alert + 新增警示 + + + Alert Name + 警示名稱 + + + Enabled + 啟用 + + + Type + 類型 + + + New Job + 新增作業 + + + Edit Job + 編輯作業 - - - - Step update failed '{0}' - 步驟更新失敗 '{0}' - - - Job name must be provided - 必須提供作業名稱 - - - Step name must be provided - 必須提供步驟名稱 - - - - + When the job completes @@ -872,7 +736,55 @@ - + + + + Step update failed '{0}' + 步驟更新失敗 '{0}' + + + Job name must be provided + 必須提供作業名稱 + + + Step name must be provided + 必須提供步驟名稱 + + + + + + + This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! + 這項功能尚未開發完成。如果您想嘗試最新的變更,請試試最新的測試人員組建! + + + Template updated successfully + 範本已成功更新 + + + Template update failure + 範本更新失敗 + + + The notebook must be saved before being scheduled. Please save and then retry scheduling again. + 必須先儲存筆記本才能排程。請儲存後重試排程。 + + + Add new connection + 新增新連線 + + + Select a connection + 選取連線 + + + Please select a valid connection + 請選取有效的連線 + + + + Alert update failed '{0}' @@ -892,11 +804,223 @@ - + - - This feature is under development. Check-out the latest insiders build if you'd like to try out the most recent changes! - 這項功能尚未開發完成。如果您想嘗試最新的變更,請試試最新的測試人員組建! + + Create Proxy + 建立 Proxy + + + Edit Proxy + 編輯 Proxy + + + General + 一般 + + + Proxy name + Proxy 名稱 + + + Credential name + 認證名稱 + + + Description + 描述 + + + Subsystem + 子系統 + + + Operating system (CmdExec) + 作業系統 (cmdexec) + + + Replication Snapshot + 複寫快照集 + + + Replication Transaction-Log Reader + 複寫交易 - 記錄讀取器 + + + Replication Distributor + 複寫散發者 + + + Replication Merge + 複寫合併 + + + Replication Queue Reader + 複本佇列讀取器 + + + SQL Server Analysis Services Query + SQL Server Analysis Services 查詢 + + + SQL Server Analysis Services Command + SQL Server Analysis Services 命令 + + + SQL Server Integration Services Package + SQL Server Integration Services 套件 + + + PowerShell + PowerShell + + + + + + + Proxy update failed '{0}' + Proxy 更新失敗 '{0}' + + + Proxy '{0}' updated successfully + 已成功更新 Proxy '{0}' + + + Proxy '{0}' created successfully + 已成功建立 '{0}' + + + + + + + New Notebook Job + 新增筆記本作業 + + + Edit Notebook Job + 編輯筆記本作業 + + + General + 一般 + + + Notebook Details + 筆記本詳細資料 + + + Notebook Path + 筆記本路徑 + + + Storage Database + 儲存體資料庫 + + + Execution Database + 執行資料庫 + + + Select Database + 選擇資料庫 + + + Job Details + 作業詳細資料 + + + Name + 名稱 + + + Owner + 擁有者 + + + Schedules list + 排程清單 + + + Pick Schedule + 挑選排程 + + + Remove Schedule + 移除排程 + + + Description + 描述 + + + Select a notebook to schedule from PC + 選取要從電腦排程的筆記本 + + + Select a database to store all notebook job metadata and results + 選取要儲存所有筆記本作業中繼資料及結果的資料庫 + + + Select a database against which notebook queries will run + 選取要執行筆記本查詢的資料庫 + + + + + + + When the notebook completes + 當筆記本完成時 + + + When the notebook fails + 當筆記本失敗時 + + + When the notebook succeeds + 當筆記本成功時 + + + Notebook name must be provided + 必須提供筆記本名稱 + + + Template path must be provided + 必須提供範本路徑 + + + Invalid notebook path + 無效的筆記本路徑 + + + Select storage database + 選取儲存體資料庫 + + + Select execution database + 選取執行資料庫 + + + Job with similar name already exists + 已有類似名稱的作業存在 + + + Notebook update failed '{0}' + 筆記本更新失敗 '{0}' + + + Notebook creation failed '{0}' + 筆記本建立失敗 '{0}' + + + Notebook '{0}' updated successfully + 筆記本 '{0}' 已成功更新 + + + Notebook '{0}' created successfully + 已成功建立筆記本 '{0}' diff --git a/resources/xlf/zh-hant/azurecore.zh-Hant.xlf b/resources/xlf/zh-hant/azurecore.zh-Hant.xlf index 90910d69b5..6eb4ef2f5f 100644 --- a/resources/xlf/zh-hant/azurecore.zh-Hant.xlf +++ b/resources/xlf/zh-hant/azurecore.zh-Hant.xlf @@ -126,6 +126,10 @@ Error fetching resource groups for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} 擷取帳戶 {0} ({1}) 訂閱 {2} ({3}) 租用戶 {4} 的資源群組時發生錯誤: {5} + + Error fetching locations for account {0} ({1}) subscription {2} ({3}) tenant {4} : {5} + 擷取帳戶 {0} ({1}) 訂閱 {2} ({3}) 租用戶 {4} 的位置時發生錯誤: {5} + Invalid query 查詢無效 @@ -379,7 +383,7 @@ SQL Server - Azure Arc - Azure Arc enabled PostgreSQL Hyperscale + Azure Arc-enabled PostgreSQL Hyperscale 已啟用 Azure Arc 的 PostgreSQL 超大規模資料庫 @@ -411,7 +415,7 @@ Azure 驗證發生無法辨識的錯誤 - Specifed tenant with ID '{0}' not found. + Specified tenant with ID '{0}' not found. 找不到識別碼為 '{0}' 的指定租用戶。 @@ -419,7 +423,7 @@ 驗證失敗,或您的權杖已從系統中刪除。請嘗試再次將帳戶新增至 Azure Data Studio。 - Token retrival failed with an error. Open developer tools to view the error + Token retrieval failed with an error. Open developer tools to view the error 權杖擷取失敗,發生錯誤。請開啟開發人員工具以檢視錯誤 @@ -513,6 +517,14 @@ Failed to get credential for account {0}. Please go to the accounts dialog and refresh the account. 無法取得帳戶 {0} 的認證。請前往 [帳戶] 對話方塊並重新整理帳戶。 + + Requests from this account have been throttled. To retry, please select a smaller number of subscriptions. + 已節流來自此帳戶的要求。若要重試,請選取較少的訂閱數目。 + + + An error occured while loading Azure resources: {0} + 載入 Azure 資源時發生錯誤: {0} + @@ -703,6 +715,14 @@ + + + + Azure Monitor Workspace + Azure Monitor Workspace + + + diff --git a/resources/xlf/zh-hant/big-data-cluster.zh-Hant.xlf b/resources/xlf/zh-hant/big-data-cluster.zh-Hant.xlf index 202825fcab..bfdb732c53 100644 --- a/resources/xlf/zh-hant/big-data-cluster.zh-Hant.xlf +++ b/resources/xlf/zh-hant/big-data-cluster.zh-Hant.xlf @@ -60,6 +60,126 @@ Ignore SSL verification errors against SQL Server Big Data Cluster endpoints such as HDFS, Spark, and Controller if true 若為 True,則忽略對 SQL Server 巨量資料叢集端點 (例如 HDFS、Spark 及控制器) 所產生的 SSL 驗證錯誤 + + SQL Server Big Data Cluster + SQL Server 巨量資料叢集 + + + SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes + SQL Server 巨量資料叢集,可讓您部署於 Kubernetes 上執行且可調整的 SQL Server、Spark 和 HDFS 容器叢集 + + + Version + 版本 + + + SQL Server 2019 + SQL Server 2019 + + + Deployment target + 部署目標 + + + New Azure Kubernetes Service Cluster + 新增 Azure Kubernetes Service 叢集 + + + Existing Azure Kubernetes Service Cluster + 現有的 Azure Kubernetes 服務叢集 + + + Existing Kubernetes Cluster (kubeadm) + 現有的 Kubernetes 叢集 (kubeadm) + + + Existing Azure Red Hat OpenShift cluster + 現有的 Azure Red Hat OpenShift 叢集 + + + Existing OpenShift cluster + 現有的 OpenShift 叢集 + + + SQL Server Big Data Cluster settings + SQL Server 巨量資料叢集設定 + + + Cluster name + 叢集名稱 + + + Controller username + 控制器使用者名稱 + + + Password + 密碼 + + + Confirm password + 確認密碼 + + + Azure settings + Azure 設定 + + + Subscription id + 訂用帳戶識別碼 + + + Use my default Azure subscription + 使用我的預設 Azure 訂用帳戶 + + + Resource group name + 資源群組名稱 + + + Region + 區域 + + + AKS cluster name + AKS 叢集名稱 + + + VM size + VM 大小 + + + VM count + VM 計數 + + + Storage class name + 儲存類別名稱 + + + Capacity for data (GB) + 資料的容量 (GB) + + + Capacity for logs (GB) + 記錄的容量 (GB) + + + I accept {0}, {1} and {2}. + 我接受 {0}、{1} 和 {2}。 + + + Microsoft Privacy Statement + Microsoft 隱私權聲明 + + + azdata License Terms + azdata 授權條款 + + + SQL Server License Terms + SQL Server 授權條款 + diff --git a/resources/xlf/zh-hant/cms.zh-Hant.xlf b/resources/xlf/zh-hant/cms.zh-Hant.xlf index 9f59d9f044..90977eb0c9 100644 --- a/resources/xlf/zh-hant/cms.zh-Hant.xlf +++ b/resources/xlf/zh-hant/cms.zh-Hant.xlf @@ -424,15 +424,7 @@ - - - - Loading ... - 正在載入... - - - - + No resources found @@ -440,7 +432,7 @@ - + Add Central Management Server... @@ -448,15 +440,27 @@ - + + + + Unexpected error occurred while loading saved servers {0} + 載入儲存的伺服器時發生未預期的錯誤 {0} + + + Loading ... + 正在載入... + + + + Central Management Server Group already has a Registered Server with the name {0} 中央管理伺服器群組已經有名稱為 {0} 的已註冊伺服器 - Azure SQL Database Servers cannot be used as Central Management Servers - Azure SQL Database 伺服器無法作為中央管理伺服器使用 + Azure SQL Servers cannot be used as Central Management Servers + Azure SQL Servers 無法作為中央管理伺服器使用 Are you sure you want to delete @@ -500,7 +504,7 @@ - + You cannot add a shared registered server with the same name as the Configuration Server diff --git a/resources/xlf/zh-hant/dacpac.zh-Hant.xlf b/resources/xlf/zh-hant/dacpac.zh-Hant.xlf index d74bbc94c0..57003e9115 100644 --- a/resources/xlf/zh-hant/dacpac.zh-Hant.xlf +++ b/resources/xlf/zh-hant/dacpac.zh-Hant.xlf @@ -1,16 +1,84 @@  - + + + Dacpac + Dacpac + + + Full path to folder where .DACPAC and .BACPAC files are saved by default + 資料夾的完整路徑,DACPAC 和 .BACPAC 檔案預設會儲存 + + + + + + + Target Server + 目標伺服器 + + + Source Server + 來源伺服器 + + + Source Database + 來源資料庫 + + + Target Database + 目標資料庫 + + + File Location + 檔案位置 + + + Select file + 選取檔案 + + + Summary of settings + 設定值摘要 + + + Version + 版本 + + + Setting + 設定 + + + Value + + + + Database Name + 資料庫名稱 + + + Open + 開啟 + + + Upgrade Existing Database + 升級現有的資料庫 + + + New Database + 新增資料庫 + {0} of the deploy actions listed may result in data loss. Please ensure you have a backup or snapshot available in the event of an issue with the deployment. 所列出的 {0} 部署動作可能會導致資料遺失。請確認當部署發生問題時,您有備份或快照集可使用。 - + Proceed despite possible data loss 儘管可能遺失資料,仍要繼續 - + No data loss will occur from the listed deploy actions. 列出的部署動作不會導致資料遺失。 @@ -54,19 +122,11 @@ Save 儲存 - - File Location - 檔案位置 - - + Version (use x.x.x.x where x is a number) 版本 (使用 x.x.x.x,其中 x 是號碼) - - Open - 開啟 - - + Deploy a data-tier application .dacpac file to an instance of SQL Server [Deploy Dacpac] 將資料層應用程式 .dacpac 檔案部署到 SQL Server 的執行個體 [部署 Dacpac] @@ -82,49 +142,9 @@ Export the schema and data from a database to the logical .bacpac file format [Export Bacpac] 從資料庫將結構描述和資料匯出為邏輯 .bacpac 檔案格式 [匯出 Bacpac] - - Database Name - 資料庫名稱 - - - Upgrade Existing Database - 升級現有的資料庫 - - - New Database - 新增資料庫 - - - Target Database - 目標資料庫 - - - Target Server - 目標伺服器 - - - Source Server - 來源伺服器 - - - Source Database - 來源資料庫 - - - Version - 版本 - - - Setting - 設定 - - - Value - - - - default - 預設 + + Data-tier Application Wizard + 資料層應用程式精靈 Select an Operation @@ -174,18 +194,66 @@ Generate Script 產生指令碼 + + You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. + 精靈關閉後,您可於工作檢視中檢視指令碼產生的狀態。產生的指令碼將於完成時開啟。 + + + default + 預設 + + + Deploy plan operations + 部署計畫作業 + + + A database with the same name already exists on the instance of SQL Server + SQL Server 執行個體上已經存在相同名稱的資料庫 + + + Undefined name + 未定義的名稱 + + + File name cannot end with a period + 檔案名稱的結尾不能是句點 + + + File name cannot be whitespace + 檔案名稱不能是空白字元 + + + Invalid file characters + 無效的檔案字元 + + + This file name is reserved for use by Windows. Choose another name and try again + 此檔案名稱保留供 Windows 使用。請選擇其他名稱,然後再試一次 + + + Reserved file name. Choose another name and try again + 保留的檔案名稱。請選擇其他名稱,然後再試一次 + + + File name cannot end with a whitespace + 檔案名稱的結尾不能是空白字元 + + + File name is over 255 characters + 檔案名稱超過 255 個字元 + Generating deploy plan failed '{0}' 產生部署計劃時 ‘{0}’ 失敗 + + Generating deploy script failed '{0}' + 產生部署指令碼時 '{0}' 失敗 + {0} operation failed '{1}' {0} 作業失敗 '{1}' - - You can view the status of script generation in the Tasks View once the wizard is closed. The generated script will open when complete. - 精靈關閉後,您可於工作檢視中檢視指令碼產生的狀態。產生的指令碼將於完成時開啟。 - \ No newline at end of file diff --git a/resources/xlf/zh-hant/import.zh-Hant.xlf b/resources/xlf/zh-hant/import.zh-Hant.xlf index 2c64525117..93cb3e47ce 100644 --- a/resources/xlf/zh-hant/import.zh-Hant.xlf +++ b/resources/xlf/zh-hant/import.zh-Hant.xlf @@ -1,7 +1,143 @@  - + + + Flat File Import configuration + 一般檔案匯入設定 + + + [Optional] Log debug output to the console (View -> Output) and then select appropriate output channel from the dropdown + [選用] 將偵錯記錄輸出至主控台 ([檢視] -> [輸出]),並從下拉式清單選取適當的輸出通道 + + + + + + + {0} Started + 已啟動 {0} + + + Starting {0} + 正在啟動 {0} + + + Failed to start {0}: {1} + 無法啟動 {0}: {1} + + + Installing {0} to {1} + 正在將 {0} 安裝到 {1} + + + Installing {0} Service + 正在安裝 {0} 服務 + + + Installed {0} + 已安裝 {0} + + + Downloading {0} + 正在下載 {0} + + + ({0} KB) + ({0} KB) + + + Downloading {0} + 正在下載 {0} + + + Done downloading {0} + 已完成下載 {0} + + + Extracted {0} ({1}/{2}) + 已擷取 {0} ({1}/{2}) + + + + + + + Give Feedback + 提供意見反應 + + + service component could not start + 服務元件無法啟動 + + + Server the database is in + 資料庫所在的伺服器 + + + Database the table is created in + 資料表建立所在的資料庫 + + + Invalid file location. Please try a different input file + 無效的檔案位置。請嘗試其他輸入檔 + + + Browse + 瀏覽 + + + Open + 開啟 + + + Location of the file to be imported + 要匯入檔案的位置 + + + New table name + 新增資料表名稱 + + + Table schema + 資料表結構描述 + + + Import Data + 匯入資料 + + + Next + 下一個 + + + Column Name + 資料行名稱 + + + Data Type + 資料類型 + + + Primary Key + 主索引鍵 + + + Allow Nulls + 允許 Null 值 + + + This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. + 這項作業分析了輸出檔案結構,並產生了以下最多包含前 50 列的預覽。 + + + This operation was unsuccessful. Please try a different input file. + 這項作業不成功。請嘗試其他輸入檔案。 + + + Refresh + 重新整理 + Import information 匯入資訊 @@ -34,90 +170,14 @@ ✔ You have successfully inserted the data into a table. ✔ 您已成功將資料插入表中。 - - - - - - This operation analyzed the input file structure to generate the preview below for up to the first 50 rows. - 這項作業分析了輸出檔案結構,並產生了以下最多包含前 50 列的預覽。 - - - This operation was unsuccessful. Please try a different input file. - 這項作業不成功。請嘗試其他輸入檔案。 - - - Refresh - 重新整理 - - - - - - - Import Data - 匯入資料 - - - Next - 下一個 - - - Column Name - 資料行名稱 - - - Data Type - 資料類型 - - - Primary Key - 主索引鍵 - - - Allow Nulls - 允許 Null 值 - - - - - - - Server the database is in - 資料庫所在的伺服器 - - - Database the table is created in - 資料表建立所在的資料庫 - - - Browse - 瀏覽 - - - Open - 開啟 - - - Location of the file to be imported - 要匯入檔案的位置 - - - New table name - 新增資料表名稱 - - - Table schema - 資料表結構描述 - - - - - Please connect to a server before using this wizard. 請先連線至伺服器再使用本精靈。 + + SQL Server Import extension does not support this type of connection + SQL Server 匯入延伸不支援此類型的連線 + Import flat file wizard 匯入一般檔案精靈 @@ -144,60 +204,4 @@ - - - - Give Feedback - 提供意見反應 - - - service component could not start - 服務元件無法啟動 - - - - - - - Service Started - 已啟動服務 - - - Starting service - 正在啟動服務 - - - Failed to start Import service{0} - 無法啟動匯入服務{0} - - - Installing {0} service to {1} - 正在將 {0} 服務安裝到 {1} - - - Installing Service - 正在安裝服務 - - - Installed - 已安裝 - - - Downloading {0} - 正在下載 {0} - - - ({0} KB) - ({0} KB) - - - Downloading Service - 正在下載服務 - - - Done! - 已完成! - - - \ No newline at end of file diff --git a/resources/xlf/zh-hant/notebook.zh-Hant.xlf b/resources/xlf/zh-hant/notebook.zh-Hant.xlf index c28bbb06e1..9f0d18b45f 100644 --- a/resources/xlf/zh-hant/notebook.zh-Hant.xlf +++ b/resources/xlf/zh-hant/notebook.zh-Hant.xlf @@ -22,6 +22,14 @@ Local path to a preexisting python installation used by Notebooks. Notebooks 所使用之現有 python 安裝的本機路徑。 + + Do not show prompt to update Python. + 不要顯示更新 Python 的提示。 + + + The amount of time (in minutes) to wait before shutting down a server after all notebooks are closed. (Enter 0 to not shutdown) + 在所有筆記本關閉後關閉伺服器前須等候的時間 (分鐘)。(若不要關閉,請輸入 0) + Override editor default settings in the Notebook editor. Settings include background color, current line color and border 覆寫 Notebook 編輯器中的預設設定。設定包含背景色彩、目前的線條色彩和框線 @@ -50,6 +58,10 @@ Notebooks that are pinned by the user for the current workspace 目前工作區之使用者所釘選的筆記本 + + Allow Jupyter server to run as root user + Allow Jupyter server to run as root user + New Notebook 新增 Notebook @@ -139,24 +151,24 @@ Jupyter 書籍 - Save Book - 儲存書籍 + Save Jupyter Book + 開啟 Jupyter 書籍 - Trust Book - 信任書籍 + Trust Jupyter Book + 信任 Jupyter 書籍 - Search Book - 搜尋書籍 + Search Jupyter Book + 搜尋 Jupyter 書籍 Notebooks Notebooks - Provided Books - 提供的書籍 + Provided Jupyter Books + 提供的 Jupyter 書籍 Pinned notebooks @@ -174,17 +186,29 @@ Close Jupyter Book 關閉 Jupyter 書籍 - - Close Jupyter Notebook - 關閉 Jupyter Notebook + + Close Notebook + 關閉筆記本 + + + Remove Notebook + 移除筆記本 + + + Add Notebook + 新增筆記本 + + + Add Markdown File + 新增 Markdown 檔案 Reveal in Books 在書籍中顯示 - Create Book (Preview) - 建立書籍 (預覽) + Create Jupyter Book + 建立 Jupyter 書籍 Open Notebooks in Folder @@ -263,8 +287,8 @@ 選取資料夾 - Select Book - 選取書籍 + Select Jupyter Book + 選取 Jupyter 書籍 Folder already exists. Are you sure you want to delete and replace this folder? @@ -283,40 +307,40 @@ 開啟外部連結 - Book is now trusted in the workspace. - 書籍在此工作區現已受信任。 + Jupyter Book is now trusted in the workspace. + Jupyter 書籍在此工作區現已受信任。 - Book is already trusted in this workspace. - 書籍在此工作區已受信任。 + Jupyter Book is already trusted in this workspace. + Jupyter 書籍在此工作區已受信任。 - Book is no longer trusted in this workspace - 書籍在此工作區已不再受信任 + Jupyter Book is no longer trusted in this workspace + Jupyter 書籍在此工作區已不再受信任 - Book is already untrusted in this workspace. - 書籍在此工作區未受信任。 + Jupyter Book is already untrusted in this workspace. + Jupyter 書籍在此工作區未受信任。 - Book {0} is now pinned in the workspace. - 書籍 {0} 現已釘選在工作區中。 + Jupyter Book {0} is now pinned in the workspace. + Jupyter 書籍 {0} 現已釘選在工作區中。 - Book {0} is no longer pinned in this workspace - 書籍 {0} 已不再釘選於此工作區中 + Jupyter Book {0} is no longer pinned in this workspace + Jupyter 書籍 {0} 已不再釘選於此工作區中 - Failed to find a Table of Contents file in the specified book. - 找不到指定書籍中的目錄檔案。 + Failed to find a Table of Contents file in the specified Jupyter Book. + 指定 Jupyter 書籍中找不到的目錄檔案。 - No books are currently selected in the viewlet. - 目前未在 Viewlet 中選取任何書籍。 + No Jupyter Books are currently selected in the viewlet. + 目前未在 Viewlet 中選取任何 Jupyter 書籍。 - Select Book Section - 選取書籍區段 + Select Jupyter Book Section + 選取 Jupyter 書籍章節 Add to this level @@ -339,12 +363,12 @@ 缺少組態檔 - Open book {0} failed: {1} - 無法開啟書籍 {0}: {1} + Open Jupyter Book {0} failed: {1} + 開啟 Jupyter 書籍 {0} 失敗: {1} - Failed to read book {0}: {1} - 無法讀取書籍 {0}: {1} + Failed to read Jupyter Book {0}: {1} + 無法讀取 Jupyter 書籍 {0}: {1} Open notebook {0} failed: {1} @@ -363,8 +387,8 @@ 開啟連結 {0} 失敗: {1} - Close book {0} failed: {1} - 無法關閉書籍 {0}: {1} + Close Jupyter Book {0} failed: {1} + 關閉 Jupyter 書籍 {0} 失敗: {1} File {0} already exists in the destination folder {1} @@ -373,12 +397,16 @@ 檔案已重新命名為 {2},以避免資料遺失。 - Error while editing book {0}: {1} - 編輯書籍 {0} 時發生錯誤: {1} + Error while editing Jupyter Book {0}: {1} + 編輯 Jupyter 書籍 {0} 時發生錯誤: {1} - Error while selecting a book or a section to edit: {0} - 選取要編輯的書籍或區段時發生錯誤: {0} + Error while selecting a Jupyter Book or a section to edit: {0} + 選取要編輯的 Jupyter 書籍或章節時發生錯誤: {0} + + + Failed to find section {0} in {1}. + 在 {1} 中找不到區段 {0}。 URL @@ -393,8 +421,8 @@ 位置 - Add Remote Book - 新增遠端書籍 + Add Remote Jupyter Book + 新增遠端 Jupyter 書籍 GitHub @@ -409,8 +437,8 @@ 版本 - Book - 書籍 + Jupyter Book + Jupyter 書籍 Version @@ -421,8 +449,8 @@ 語言 - No books are currently available on the provided link - 提供的連結目前沒有任何書籍可供使用 + No Jupyter Books are currently available on the provided link + 提供的連結目前沒有任何 Jupyter 書籍可供使用 The url provided is not a Github release url @@ -445,44 +473,44 @@ - - Remote Book download is in progress - 正在下載遠端書籍 + Remote Jupyter Book download is in progress + 遠端 Jupyter 書籍下載進行中 - Remote Book download is complete - 遠端書籍下載已完成 + Remote Jupyter Book download is complete + 遠端 Jupyter 書籍下載已完成 - Error while downloading remote Book - 下載遠端書籍時發生錯誤 + Error while downloading remote Jupyter Book + 下載遠端 Jupyter 書籍時發生錯誤 - Error while decompressing remote Book - 解壓縮遠端書籍時發生錯誤 + Error while decompressing remote Jupyter Book + 解壓縮遠端 Jupyter 書籍時發生錯誤 - Error while creating remote Book directory - 建立遠端書籍目錄時發生錯誤 + Error while creating remote Jupyter Book directory + 建立遠端 Jupyter 書籍目錄時發生錯誤 - Downloading Remote Book - 正在下載遠端書籍 + Downloading Remote Jupyter Book + 正在下載遠端 Jupyter 書籍 Resource not Found 找不到資源 - Books not Found - 找不到書籍 + Jupyter Books not Found + 找不到 Jupyter 書籍 Releases not Found 找不到版本 - The selected book is not valid - 選取的書籍無效 + The selected Jupyter Book is not valid + 選取的 Jupyter 書籍無效 Http Request failed with error: {0} {1} @@ -492,21 +520,21 @@ Downloading to {0} 正在下載至 {0} - - New Group - 新增群組 + + New Jupyter Book (Preview) + 新 Jupyter Book (預覽) - - Groups are used to organize Notebooks. - 群組可用於整理 Notebooks。 + + Jupyter Books are used to organize Notebooks. + Jupyter Books 可用來整理筆記本。 - - Browse locations... - 瀏覽位置... + + Learn more. + 深入了解。 - - Select content folder - 選取內容資料夾 + + Content folder + 內容資料夾 Browse @@ -524,7 +552,7 @@ Save location 儲存位置 - + Content folder (Optional) 內容資料夾 (選擇性) @@ -533,8 +561,44 @@ 內容資料夾路徑不存在 - Save location path does not exist - 儲存位置路徑不存在 + Save location path does not exist. + 儲存位置路徑不存在。 + + + Error while trying to access: {0} + 嘗試存取時發生錯誤: {0} + + + New Notebook (Preview) + 新筆記本 (預覽) + + + New Markdown (Preview) + 新增 Markdown (預覽) + + + File Extension + 副檔名 + + + File already exists. Are you sure you want to overwrite this file? + 檔案已存在。確定要覆寫此檔案嗎 ? + + + Title + 標題 + + + File Name + 檔案名稱 + + + Save location path is not valid. + 儲存位置路徑無效。 + + + File {0} already exists in the destination folder + 檔案 {0} 已存在於目的地資料夾中 @@ -588,6 +652,18 @@ Another Python installation is currently in progress. Waiting for it to complete. 目前在進行另一個 Python 安裝。請等它完成。 + + Active Python notebook sessions will be shutdown in order to update. Would you like to proceed now? + 為了進行更新,將關閉使用中的 Python 筆記本工作階段。您要立即繼續嗎? + + + Python {0} is now available in Azure Data Studio. The current Python version (3.6.6) will be out of support in December 2021. Would you like to update to Python {0} now? + Azure Data Studio 現已提供 Python {0}。目前的 Python 版本 (3.6.6) 將在 2021 年 12 月時取消支援。您要立即更新為 Python {0} 嗎? + + + Python {0} will be installed and will replace Python 3.6.6. Some packages may no longer be compatible with the new version or may need to be reinstalled. A notebook will be created to help you reinstall all pip packages. Would you like to continue with the update now? + 將安裝 Python {0} 並取代 Python 3.6.6。某些套件可能不再與新版本相容,或可能需要重新安裝。將建立筆記本以協助您重新安裝所有 pip 套件。您要立即繼續更新嗎? + Installing Notebook dependencies failed with error: {0} 安裝 Notebook 相依性失敗。錯誤: {0} @@ -604,6 +680,18 @@ Encountered an error when getting Python user path: {0} 取得 Python 使用者路徑時發生錯誤: {0} + + Yes + + + + No + + + + Don't Ask Again + 不要再詢問 + @@ -973,8 +1061,8 @@ 這個處理常式不支援動作 {0} - Cannot open link {0} as only HTTP and HTTPS links are supported - 因為只支援 HTTP 和 HTTPS 連結,所以無法開啟連結 {0} + Cannot open link {0} as only HTTP, HTTPS, and File links are supported + 由於僅支援 HTTP、HTTPS 和檔案連結,所以無法開啟連結 {0} Download and open '{0}'? diff --git a/resources/xlf/zh-hant/profiler.zh-Hant.xlf b/resources/xlf/zh-hant/profiler.zh-Hant.xlf index 16c37eb92a..1f4cc656b9 100644 --- a/resources/xlf/zh-hant/profiler.zh-Hant.xlf +++ b/resources/xlf/zh-hant/profiler.zh-Hant.xlf @@ -1,6 +1,6 @@  - + Cancel diff --git a/resources/xlf/zh-hant/resource-deployment.zh-Hant.xlf b/resources/xlf/zh-hant/resource-deployment.zh-Hant.xlf index 88d66cb6e3..3198dfeeaf 100644 --- a/resources/xlf/zh-hant/resource-deployment.zh-Hant.xlf +++ b/resources/xlf/zh-hant/resource-deployment.zh-Hant.xlf @@ -26,14 +26,6 @@ Run SQL Server container image with docker 以 Docker 執行 SQL Server 容器映像 - - SQL Server Big Data Cluster - SQL Server 巨量資料叢集 - - - SQL Server Big Data Cluster allows you to deploy scalable clusters of SQL Server, Spark, and HDFS containers running on Kubernetes - SQL Server 巨量資料叢集,可讓您部署於 Kubernetes 上執行且可調整的 SQL Server、Spark 和 HDFS 容器叢集 - Version 版本 @@ -46,34 +38,6 @@ SQL Server 2019 SQL Server 2019 - - SQL Server 2019 - SQL Server 2019 - - - Deployment target - 部署目標 - - - New Azure Kubernetes Service Cluster - 新增 Azure Kubernetes Service 叢集 - - - Existing Azure Kubernetes Service Cluster - 現有的 Azure Kubernetes 服務叢集 - - - Existing Kubernetes Cluster (kubeadm) - 現有的 Kubernetes 叢集 (kubeadm) - - - Existing Azure Red Hat OpenShift cluster - 現有的 Azure Red Hat OpenShift 叢集 - - - Existing OpenShift cluster - 現有的 OpenShift 叢集 - Deploy SQL Server 2017 container images 部署 SQL Server 2017 容器映像 @@ -98,70 +62,6 @@ Port 連接埠 - - SQL Server Big Data Cluster settings - SQL Server 巨量資料叢集設定 - - - Cluster name - 叢集名稱 - - - Controller username - 控制器使用者名稱 - - - Password - 密碼 - - - Confirm password - 確認密碼 - - - Azure settings - Azure 設定 - - - Subscription id - 訂用帳戶識別碼 - - - Use my default Azure subscription - 使用我的預設 Azure 訂用帳戶 - - - Resource group name - 資源群組名稱 - - - Region - 區域 - - - AKS cluster name - AKS 叢集名稱 - - - VM size - VM 大小 - - - VM count - VM 計數 - - - Storage class name - 儲存類別名稱 - - - Capacity for data (GB) - 資料的容量 (GB) - - - Capacity for logs (GB) - 記錄的容量 (GB) - SQL Server on Windows Windows 上的 SQL Server @@ -170,22 +70,10 @@ Run SQL Server on Windows, select a version to get started. 在 Windows 上執行 SQL Server,選取要開始使用的版本。 - - I accept {0}, {1} and {2}. - 我接受 {0}、{1} 和 {2}。 - Microsoft Privacy Statement Microsoft 隱私權聲明 - - azdata License Terms - azdata 授權條款 - - - SQL Server License Terms - SQL Server 授權條款 - Deployment configuration 部署組態 @@ -486,6 +374,22 @@ Accept EULA & Select 接受 EULA 並選取 + + The '{0}' extension is required to deploy this resource, do you want to install it now? + 需要 ' {0} ' 延伸模組才可部署此資源,要立即安裝嗎? + + + Install + 安裝 + + + Installing extension '{0}'... + 正在安裝延伸模組 '{0}'... + + + Unknown extension '{0}' + 未知的延伸模組 '{0}' + Select the deployment options 選擇部署選項 @@ -1096,10 +1000,6 @@ - - Failed to load extension: {0}, Error detected in the resource type definition in package.json, check debug console for details. - 無法載入延伸模組: {0},在 package.json 的資源類型定義中偵測到錯誤,請查看偵錯主控台以取得詳細資料。 - The resource type: {0} is not defined 資源類型: 未定義 {0} @@ -2222,14 +2122,14 @@ Select a different subscription containing at least one server Deployment pre-requisites 部署必要條件 - - To proceed, you must accept the terms of the End User License Agreement(EULA) - 若要繼續,您必須接受授權條款 - Some tools were still not discovered. Please make sure that they are installed, running and discoverable 仍未探索到某些工具。請確認這些工具已安裝、正在執行並可供探索 + + To proceed, you must accept the terms of the End User License Agreement(EULA) + 若要繼續,您必須接受授權條款 + Loading required tools information completed 已完成載入必要工具的資訊 @@ -2378,6 +2278,10 @@ Select a different subscription containing at least one server Azure Data CLI Azure Data CLI + + The Azure Data CLI extension must be installed to deploy this resource. Please install it through the extension gallery and try again. + 必須安裝 Azure Data CLI 延伸模組,以部署此資源。請透過延伸模組庫安裝,然後再試一次。 + Error retrieving version information. See output channel '{0}' for more details 擷取版本資訊時發生錯誤。如需詳細資料,請參閱輸出通道 '{0}' @@ -2386,46 +2290,6 @@ Select a different subscription containing at least one server Error retrieving version information.{0}Invalid output received, get version command output: '{1}' 擷取版本資訊時發生錯誤。{0}接收到的輸出無效,請取得版本命令輸出: '{1}' - - deleting previously downloaded Azdata.msi if one exists … - 正在刪除先前下載的 Azdata.msi (如果有的話)… - - - downloading Azdata.msi and installing azdata-cli … - 正在下載 Azdata.msi 並安裝 azdata-cli… - - - displaying the installation log … - 正在顯示安裝記錄… - - - tapping into the brew repository for azdata-cli … - 點選 Brew 存放庫以取得 azdata-cli… - - - updating the brew repository for azdata-cli installation … - 正在更新 Brew 存放庫以安裝 azdata-cli… - - - installing azdata … - 正在安裝 azdata… - - - updating repository information … - 正在更新存放庫資訊… - - - getting packages needed for azdata installation … - 正在取得安裝 azdata 所需的套件… - - - downloading and installing the signing key for azdata … - 正在下載並安裝 azdata 的簽署金鑰… - - - adding the azdata repository information … - 正在新增 azdata 存放庫資訊… - diff --git a/resources/xlf/zh-hant/schema-compare.zh-Hant.xlf b/resources/xlf/zh-hant/schema-compare.zh-Hant.xlf index 4d54f6a668..c5ec7ba826 100644 --- a/resources/xlf/zh-hant/schema-compare.zh-Hant.xlf +++ b/resources/xlf/zh-hant/schema-compare.zh-Hant.xlf @@ -16,28 +16,116 @@ - + - - Ok + + OK 確定 - + Cancel 取消 + + Source + 來源 + + + Target + 目標 + + + File + FILE + + + Data-tier Application File (.dacpac) + 資料層應用程式檔案 (.dacpac) + + + Database + 資料庫 + + + Type + 類型 + + + Server + 伺服器 + + + Database + 資料庫 + + + Schema Compare + 結構描述比較 + + + A different source schema has been selected. Compare to see the comparison? + 已選取其他來源結構描述。要比較以查看比較結果嗎? + + + A different target schema has been selected. Compare to see the comparison? + 已選取其他目標結構描述。要比較以查看比較結果嗎? + + + Different source and target schemas have been selected. Compare to see the comparison? + 已選取不同的來源和結構描述。要比較以查看比較結果嗎? + + + Yes + + + + No + + + + Source file + 原始程式檔 + + + Target file + 目標檔案 + + + Source Database + 來源資料庫 + + + Target Database + 目標資料庫 + + + Source Server + 來源伺服器 + + + Target Server + 目標伺服器 + + + default + 預設 + + + Open + 開啟 + + + Select source file + 選取來源檔案 + + + Select target file + 選取目標檔案 + Reset 重設 - - Yes - - - - No - - Options have changed. Recompare to see the comparison? 選項已變更。要重新比較以查看比較嗎? @@ -54,6 +142,174 @@ Include Object Types 包含物件類型 + + Compare Details + 比較詳細資料 + + + Are you sure you want to update the target? + 確定要更新目標嗎? + + + Press Compare to refresh the comparison. + 按下 [比較] 即可重新整理比較結果。 + + + Generate script to deploy changes to target + 產生指令碼以將變更部署至目標 + + + No changes to script + 指令碼沒有任何變更 + + + Apply changes to target + 將變更套用至目標 + + + No changes to apply + 沒有任何要套用的變更 + + + Please note that include/exclude operations can take a moment to calculate affected dependencies + 請注意,包含/排除作業可能需要一些時間來計算受影響的相依性 + + + Delete + 刪除 + + + Change + 變更 + + + Add + 新增 + + + Comparison between Source and Target + 來源和目標之間的比較 + + + Initializing Comparison. This might take a moment. + 正在將比較結果初始化。這可能需要一些時間。 + + + To compare two schemas, first select a source schema and target schema, then press Compare. + 若要比較兩個結構描述,請先選取來源結構描述,然後按下 [比較]。 + + + No schema differences were found. + 找不到任何結構描述差異。 + + + Type + 類型 + + + Source Name + 來源名稱 + + + Include + 包含 + + + Action + 動作 + + + Target Name + 目標名稱 + + + Generate script is enabled when the target is a database + 當目標為資料庫時,會啟用產生指令碼 + + + Apply is enabled when the target is a database + 當目標為資料庫時會啟用套用 + + + Cannot exclude {0}. Included dependents exist, such as {1} + 無法排除 {0}。包含的相依性已存在,例如 {1} + + + Cannot include {0}. Excluded dependents exist, such as {1} + 不無法包含 {0}。排除的相依性已存在,例如 {1} + + + Cannot exclude {0}. Included dependents exist + 無法排除 {0}。包含的相依性已存在 + + + Cannot include {0}. Excluded dependents exist + 無法包含 {0}。排除的相依性已存在 + + + Compare + 比較 + + + Stop + 停止 + + + Generate script + 產生指令碼 + + + Options + 選項 + + + Apply + 套用 + + + Switch direction + 切換方向 + + + Switch source and target + 切換來源和目標 + + + Select Source + 選取來源 + + + Select Target + 選取目標 + + + Open .scmp file + 開啟 .scmp 檔案 + + + Load source, target, and options saved in an .scmp file + 載入儲存在 .scmp 檔案中的來源、目標和選項 + + + Save .scmp file + 儲存 .scmp 檔案 + + + Save source and target, options, and excluded elements + 儲存來源和目標、選項及排除的元素 + + + Save + 儲存 + + + Do you want to connect to {0}? + 是否要連接到 {0}? + + + Select connection + 選取連線 + Ignore Table Options 忽略資料表選項 @@ -407,8 +663,8 @@ 資料庫角色 - DatabaseTriggers - DatabaseTriggers + Database Triggers + 資料庫觸發程序 Defaults @@ -426,6 +682,14 @@ External File Formats 外部檔案格式 + + External Streams + 外部資料流 + + + External Streaming Jobs + 外部串流作業 + External Tables 外部資料表 @@ -434,6 +698,10 @@ Filegroups 檔案群組 + + Files + 檔案 + File Tables 檔案資料表 @@ -503,12 +771,12 @@ 簽章 - StoredProcedures - StoredProcedures + Stored Procedures + 預存程序 - SymmetricKeys - SymmetricKeys + Symmetric Keys + 對稱金鑰 Synonyms @@ -926,286 +1194,30 @@ Specifies whether differences in table column order should be ignored or updated when you publish to a database. 指定當您發佈至資料庫時,要略過或更新資料表資料行順序的差異。 - - - - - - Ok - 確定 - - - Cancel - 取消 - - - Source - 來源 - - - Target - 目標 - - - File - FILE - - - Data-tier Application File (.dacpac) - 資料層應用程式檔案 (.dacpac) - - - Database - 資料庫 - - - Type - 類型 - - - Server - 伺服器 - - - Database - 資料庫 - - - No active connections - 沒有使用中的連線 - - - Schema Compare - 結構描述比較 - - - A different source schema has been selected. Compare to see the comparison? - 已選取其他來源結構描述。要比較以查看比較結果嗎? - - - A different target schema has been selected. Compare to see the comparison? - 已選取其他目標結構描述。要比較以查看比較結果嗎? - - - Different source and target schemas have been selected. Compare to see the comparison? - 已選取不同的來源和結構描述。要比較以查看比較結果嗎? - - - Yes - - - - No - - - - Open - 開啟 - - - default - 預設 - - - - - - - Compare Details - 比較詳細資料 - - - Are you sure you want to update the target? - 確定要更新目標嗎? - - - Press Compare to refresh the comparison. - 按下 [比較] 即可重新整理比較結果。 - - - Generate script to deploy changes to target - 產生指令碼以將變更部署至目標 - - - No changes to script - 指令碼沒有任何變更 - - - Apply changes to target - 將變更套用至目標 - - - No changes to apply - 沒有任何要套用的變更 - - - Delete - 刪除 - - - Change - 變更 - - - Add - 新增 - - - Schema Compare - 結構描述比較 - - - Source - 來源 - - - Target - 目標 - - - ➔ - - - - Initializing Comparison. This might take a moment. - 正在將比較結果初始化。這可能需要一些時間。 - - - To compare two schemas, first select a source schema and target schema, then press Compare. - 若要比較兩個結構描述,請先選取來源結構描述,然後按下 [比較]。 - - - No schema differences were found. - 找不到任何結構描述差異。 - Schema Compare failed: {0} 結構描述比較失敗: {0} - - Type - 類型 - - - Source Name - 來源名稱 - - - Include - 包含 - - - Action - 動作 - - - Target Name - 目標名稱 - - - Generate script is enabled when the target is a database - 當目標為資料庫時,會啟用產生指令碼 - - - Apply is enabled when the target is a database - 當目標為資料庫時會啟用套用 - - - Compare - 比較 - - - Compare - 比較 - - - Stop - 停止 - - - Stop - 停止 - - - Cancel schema compare failed: '{0}' - 取消結構描述比較失敗: '{0}' - - - Generate script - 產生指令碼 - - - Generate script failed: '{0}' - 無法產生指令碼: '{0}' - - - Options - 選項 - - - Options - 選項 - - - Apply - 套用 - - - Yes - - - - Schema Compare Apply failed '{0}' - 結構描述比較套用失敗 '{0}' - - - Switch direction - 切換方向 - - - Switch source and target - 切換來源和目標 - - - Select Source - 選取來源 - - - Select Target - 選取目標 - - - Open .scmp file - 開啟 .scmp 檔案 - - - Load source, target, and options saved in an .scmp file - 載入儲存在 .scmp 檔案中的來源、目標和選項 - - - Open - 開啟 - - - Open scmp failed: '{0}' - 無法開啟 scmp: '{0}' - - - Save .scmp file - 儲存 .scmp 檔案 - - - Save source and target, options, and excluded elements - 儲存來源和目標、選項及排除的元素 - - - Save - 儲存 - Save scmp failed: '{0}' 無法儲存 scmp: '{0}' + + Cancel schema compare failed: '{0}' + 取消結構描述比較失敗: '{0}' + + + Generate script failed: '{0}' + 無法產生指令碼: '{0}' + + + Schema Compare Apply failed '{0}' + 結構描述比較套用失敗 '{0}' + + + Open scmp failed: '{0}' + 無法開啟 scmp: '{0}' + \ No newline at end of file diff --git a/resources/xlf/zh-hant/sql.zh-Hant.xlf b/resources/xlf/zh-hant/sql.zh-Hant.xlf index 4df3d0e9d4..c3c167ba01 100644 --- a/resources/xlf/zh-hant/sql.zh-Hant.xlf +++ b/resources/xlf/zh-hant/sql.zh-Hant.xlf @@ -1,2251 +1,6 @@  - - - - Copying images is not supported - 不支援複製映像 - - - - - - - Get Started - 開始 - - - Show Getting Started - 顯示入門指南 - - - Getting &&Started - && denotes a mnemonic - 開始使用(&&S) - - - - - - - QueryHistory - 查詢歷史記錄 - - - Whether Query History capture is enabled. If false queries executed will not be captured. - 是否啟用了查詢歷史記錄擷取。若未啟用,將不會擷取已經執行的查詢。 - - - View - 檢視 - - - &&Query History - && denotes a mnemonic - 查詢歷史記錄(&&Q) - - - Query History - 查詢歷史記錄 - - - - - - - Connecting: {0} - 正在連線: {0} - - - Running command: {0} - 正在執行命令: {0} - - - Opening new query: {0} - 正在開啟新查詢: {0} - - - Cannot connect as no server information was provided - 因為未提供伺服器資訊,所以無法連線 - - - Could not open URL due to error {0} - 因為發生錯誤 {0},導致無法開啟 URL - - - This will connect to server {0} - 這會連線到伺服器 {0} - - - Are you sure you want to connect? - 確定要連線嗎? - - - &&Open - 開啟(&&O) - - - Connecting query file - 正在連線到查詢檔案 - - - - - - - 1 or more tasks are in progress. Are you sure you want to quit? - 1 個或更多的工作正在進行中。是否確實要退出? - - - Yes - - - - No - - - - - - - - Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? - 預覽功能可讓您完整存取新功能及改善的功能,增強您在 Azure Data Studio 的體驗。您可以參閱[這裡]({0})深入了解預覽功能。是否要啟用預覽功能? - - - Yes (recommended) - 是 (建議) - - - No - - - - No, don't show again - 不,不要再顯示 - - - - - - - Toggle Query History - 切換查詢歷史記錄 - - - Delete - 刪除 - - - Clear All History - 清除所有歷史記錄 - - - Open Query - 開啟查詢 - - - Run Query - 執行查詢 - - - Toggle Query History capture - 切換查詢歷史記錄擷取 - - - Pause Query History Capture - 暫停查詢歷史記錄擷取 - - - Start Query History Capture - 開始查詢歷史記錄擷取 - - - - - - - No queries to display. - 沒有查詢可顯示。 - - - Query History - QueryHistory - 查詢歷史記錄 - - - - - - - Error - 錯誤 - - - Warning - 警告 - - - Info - 資訊 - - - Ignore - 忽略 - - - - - - - Saving results into different format disabled for this data provider. - 正在將結果儲存為其他格式,但此資料提供者已停用該格式。 - - - Cannot serialize data as no provider has been registered - 因為未註冊任何提供者,所以無法序列化資料 - - - Serialization failed with an unknown error - 因為發生未知錯誤,導致序列化失敗 - - - - - - - Connection is required in order to interact with adminservice - 必需連線以便與 adminservice 互動 - - - No Handler Registered - 未註冊處理常式 - - - - - - - Select a file - 選擇檔案 - - - - - - - Connection is required in order to interact with Assessment Service - 需要連線才能與評定服務互動 - - - No Handler Registered - 未註冊任何處理常式 - - - - - - - Results Grid and Messages - 結果方格與訊息 - - - Controls the font family. - 控制字型家族。 - - - Controls the font weight. - 控制字型粗細。 - - - Controls the font size in pixels. - 控制字型大小 (像素)。 - - - Controls the letter spacing in pixels. - 控制字母間距 (像素)。 - - - Controls the row height in pixels - 控制列高 (像素) - - - Controls the cell padding in pixels - 控制資料格填補值 (像素) - - - Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells - 自動調整初始結果的欄寬大小。大量欄位或大型資料格可能會造成效能問題 - - - The maximum width in pixels for auto-sized columns - 自動調整大小之欄位的寬度上限 (像素) - - - - - - - View - 檢視 - - - Database Connections - 資料庫連線 - - - data source connections - 資料來源連線 - - - data source groups - 資料來源群組 - - - Startup Configuration - 啟動組態 - - - True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown - 預設為在 Azure Data Studio 啟動時要顯示的伺服器檢視即為 True;如應顯示上次開啟的檢視則為 False - - - - - - - Disconnect - 中斷連線 - - - Refresh - 重新整理 - - - - - - - Preview Features - 預覽功能 - - - Enable unreleased preview features - 啟用未發佈的預覽功能 - - - Show connect dialog on startup - 啟動時顯示連線對話方塊 - - - Obsolete API Notification - 淘汰 API 通知 - - - Enable/disable obsolete API usage notification - 啟用/停用使用淘汰的 API 通知 - - - - - - - Problems - 問題 - - - - - - - {0} in progress tasks - {0} 正在執行的工作 - - - View - 檢視 - - - Tasks - 工作 - - - &&Tasks - && denotes a mnemonic - 工作(&&T) - - - - - - - The maximum number of recently used connections to store in the connection list. - 連線列表內最近使用的連線數上限。 - - - Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. - 要使用的預設 SQL 引擎。這會驅動 .sql 檔案中的預設語言提供者,以及建立新連線時要使用的預設。 - - - Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. - 嘗試在連線對話方塊開啟或已執行貼上時剖析剪貼簿的內容。 - - - - - - - Server Group color palette used in the Object Explorer viewlet. - 在物件總管 Viewlet 中使用的伺服器群組調色盤。 - - - Auto-expand Server Groups in the Object Explorer viewlet. - 物件總管 Viewlet 中的自動展開伺服器群組。 - - - (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. - (預覽) 針對伺服器檢視及連線對話方塊使用新的非同步伺服器樹狀結構,並支援動態節點篩選等新功能。 - - - - - - - Identifier of the account type - 帳戶類型的識別碼 - - - (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration - (選用) 用於 UI 中表示 accpunt 的圖示。任一檔案路徑或主題化的設定。 - - - Icon path when a light theme is used - 使用亮色主題時的圖示路徑 - - - Icon path when a dark theme is used - 使用暗色主題時的圖像路徑 - - - Contributes icons to account provider. - 將圖示貢獻給帳戶供應者。 - - - - - - - Show Edit Data SQL pane on startup - 啟動時顯示 [編輯資料] SQL 窗格 - - - - - - - Minimum value of the y axis - y 軸的最小值 - - - Maximum value of the y axis - y 軸的最大值 - - - Label for the y axis - Y 軸的標籤 - - - Minimum value of the x axis - X 軸的最小值 - - - Maximum value of the x axis - X 軸的最大值 - - - Label for the x axis - X 軸標籤 - - - - - - - Resource Viewer - 資源檢視器 - - - - - - - Indicates data property of a data set for a chart. - 指定圖表資料集的資料屬性。 - - - - - - - For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 - 為結果集中的每一個資料行,在資料列 0 中先顯示計數值,再顯示資料行名稱。例如,支援 '1 Healthy','3 Unhealthy';其中 'Healthy' 為資料行名稱,1 為資料列 1 中資料格 1 的值 - - - - - - - Displays the results in a simple table - 在簡單資料表中顯示結果 - - - - - - - Displays an image, for example one returned by an R query using ggplot2 - 顯示映像,如使用 ggplot2 R 查詢返回的映像。 - - - What format is expected - is this a JPEG, PNG or other format? - 預期格式是什麼 - 是 JPEG、PNG 或其他格式? - - - Is this encoded as hex, base64 or some other format? - 此編碼為十六進位、base64 或是其他格式? - - - - - - - Manage - 管理 - - - Dashboard - 儀表板 - - - - - - - The webview that will be displayed in this tab. - 顯示在此索引標籤的 Web 檢視。 - - - - - - - The controlhost that will be displayed in this tab. - 會在此索引標籤中顯示的 controlhost。 - - - - - - - The list of widgets that will be displayed in this tab. - 顯示在此索引標籤中的小工具清單。 - - - The list of widgets is expected inside widgets-container for extension. - 延伸模組的 widgets-container 中應有 widgets 的清單。 - - - - - - - The list of widgets or webviews that will be displayed in this tab. - 顯示在此索引標籤的小工具或 Web 檢視的清單。 - - - widgets or webviews are expected inside widgets-container for extension. - 延伸模組的 widgets-container 中應有 widgets 或 webviews。 - - - - - - - Unique identifier for this container. - 此容器的唯一識別碼。 - - - The container that will be displayed in the tab. - 顯示於索引標籤的容器。 - - - Contributes a single or multiple dashboard containers for users to add to their dashboard. - 提供一個或多個儀表板容器,讓使用者可增加至其儀表板中。 - - - No id in dashboard container specified for extension. - 為延伸模組指定的儀表板容器中沒有任何識別碼。 - - - No container in dashboard container specified for extension. - 為延伸模組指定的儀表板容器中沒有任何容器。 - - - Exactly 1 dashboard container must be defined per space. - 至少須為每個空間定義剛好 1 個儀表板容器。 - - - Unknown container type defines in dashboard container for extension. - 延伸模組的儀表板容器中有不明的容器類型定義。 - - - - - - - Unique identifier for this nav section. Will be passed to the extension for any requests. - 導覽區的唯一識別碼。將傳遞給任何要求的延伸模組。 - - - (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration - (選用) 用於 UI 中表示導覽區的圖示。任一檔案路徑或主題化的設定。 - - - Icon path when a light theme is used - 使用亮色主題時的圖示路徑 - - - Icon path when a dark theme is used - 使用暗色主題時的圖像路徑 - - - Title of the nav section to show the user. - 顯示給使用者的導覽區標題。 - - - The container that will be displayed in this nav section. - 顯示在此導覽區的容器。 - - - The list of dashboard containers that will be displayed in this navigation section. - 在導覽區顯示儀表板容器清單。 - - - No title in nav section specified for extension. - 為延伸模組指定的導覽區段中沒有標題。 - - - No container in nav section specified for extension. - 為延伸模組指定的導覽區段中沒有任何容器。 - - - Exactly 1 dashboard container must be defined per space. - 至少須為每個空間定義剛好 1 個儀表板容器。 - - - NAV_SECTION within NAV_SECTION is an invalid container for extension. - NAV_SECTION 中的 NAV_SECTION 對延伸模組而言是無效的容器。 - - - - - - - The model-backed view that will be displayed in this tab. - 將在此索引標籤中顯示的 model-backed 檢視。 - - - - - - - Backup - 備份 - - - - - - - Restore - 還原 - - - Restore - 還原 - - - - - - - Open in Azure Portal - 在 Azure 入口網站中開啟 - - - - - - - disconnected - 已中斷連線 - - - - - - - Cannot expand as the required connection provider '{0}' was not found - 因為找不到必要的連線提供者 ‘{0}’,所以無法展開 - - - User canceled - 已取消使用者 - - - Firewall dialog canceled - 已取消防火牆對話方塊 - - - - - - - Connection is required in order to interact with JobManagementService - 需要連線才能與 JobManagementService 互動 - - - No Handler Registered - 未註冊任何處理常式 - - - - - - - An error occured while loading the file browser. - 載入檔案瀏覽器時發生錯誤。 - - - File browser error - 檔案瀏覽器錯誤 - - - - - - - Common id for the provider - 提供者的通用識別碼。 - - - Display Name for the provider - 提供者的顯示名稱 - - - Notebook Kernel Alias for the provider - 提供者的筆記本核心別名 - - - Icon path for the server type - 伺服器類型的圖示路徑 - - - Options for connection - 連線選項 - - - - - - - Unique identifier for this tab. Will be passed to the extension for any requests. - 此索引標籤的唯一識別碼。將傳遞給任何要求的延伸模組。 - - - Title of the tab to show the user. - 顯示給使用者的索引標籤的標題。 - - - Description of this tab that will be shown to the user. - 此索引標籤的描述將顯示給使用者。 - - - Condition which must be true to show this item - 必須為 True 以顯示此項目的條件 - - - Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set - 定義與此索引標籤相容的連線類型。若未設定,則預設值為 'MSSQL' - - - The container that will be displayed in this tab. - 將在此索引標籤中顯示的容器。 - - - Whether or not this tab should always be shown or only when the user adds it. - 是否應一律顯示此索引標籤或僅當使用者增加時顯示。 - - - Whether or not this tab should be used as the Home tab for a connection type. - 是否應將此索引標籤用作連線類型的首頁索引標籤。 - - - The unique identifier of the group this tab belongs to, value for home group: home. - 此索引標籤所屬群組的唯一識別碼,常用 (群組) 的值: 常用。 - - - (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration - (選用) 用於在 UI 中代表此索引標籤的圖示。這會是檔案路徑或可設定佈景主題的組態 - - - Icon path when a light theme is used - 使用亮色主題時的圖示路徑 - - - Icon path when a dark theme is used - 使用暗色主題時的圖像路徑 - - - Contributes a single or multiple tabs for users to add to their dashboard. - 提供一或多個索引標籤,讓使用者可將其增加至儀表板中。 - - - No title specified for extension. - 未為延伸模組指定標題。 - - - No description specified to show. - 未指定要顯示的描述。 - - - No container specified for extension. - 未為延伸模組指定任何容器。 - - - Exactly 1 dashboard container must be defined per space - 每個空間必須明確定義 1 個儀表板容器 - - - Unique identifier for this tab group. - 此索引標籤群組的唯一識別碼。 - - - Title of the tab group. - 索引標籤群組的標題。 - - - Contributes a single or multiple tab groups for users to add to their dashboard. - 提供一或多個索引標籤群組,讓使用者可將其增加至儀表板中。 - - - No id specified for tab group. - 沒有為索引標籤群組指定任何識別碼。 - - - No title specified for tab group. - 沒有為索引標籤群組指定任何標題。 - - - Administration - 管理 - - - Monitoring - 監視 - - - Performance - 效能 - - - Security - 安全性 - - - Troubleshooting - 疑難排解 - - - Settings - 設定 - - - databases tab - 資料庫索引標籤 - - - Databases - 資料庫 - - - - - - - succeeded - 成功 - - - failed - 失敗 - - - - - - - Connection error - 連線錯誤 - - - Connection failed due to Kerberos error. - 因為 Kerberos 錯誤導致連線失敗。 - - - Help configuring Kerberos is available at {0} - 您可於 {0} 取得設定 Kerberos 的說明 - - - If you have previously connected you may need to re-run kinit. - 如果您之前曾連線,則可能需要重新執行 kinit。 - - - - - - - Close - 關閉 - - - Adding account... - 正在新增帳戶... - - - Refresh account was canceled by the user - 使用者已取消重新整理帳戶 - - - - - - - Query Results - 查詢結果 - - - Query Editor - 查詢編輯器 - - - New Query - 新增查詢 - - - Query Editor - 查詢編輯器 - - - When true, column headers are included when saving results as CSV - 若設定為 true,會在將結果另存為 CSV 時包含資料行標題 - - - The custom delimiter to use between values when saving as CSV - 另存為 CSV 時,用在值之間的自訂分隔符號 - - - Character(s) used for seperating rows when saving results as CSV - 將結果另存為 CSV 時,用於分隔資料列的字元 - - - Character used for enclosing text fields when saving results as CSV - 將結果另存為 CSV 時,用於括住文字欄位的字元 - - - File encoding used when saving results as CSV - 將結果另存為 CSV 時,要使用的檔案編碼 - - - When true, XML output will be formatted when saving results as XML - 若設定為 true,會在將結果另存為 XML 時將輸出格式化 - - - File encoding used when saving results as XML - 將結果另存為 XML 時,要使用的檔案編碼 - - - Enable results streaming; contains few minor visual issues - 啟用結果串流;包含些許輕微視覺效果問題 - - - Configuration options for copying results from the Results View - 從結果檢視中複製結果的組態選項 - - - Configuration options for copying multi-line results from the Results View - 從結果檢視中複製多行結果的組態選項 - - - (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. - (實驗性) 在結果中使用最佳化的資料表。可能會缺少某些功能,這些功能仍在開發中。 - - - Should execution time be shown for individual batches - 是否顯示個別批次的執行時間 - - - Word wrap messages - 自動換行訊息 - - - The default chart type to use when opening Chart Viewer from a Query Results - 從查詢結果開啟圖表檢視器時要使用的預設圖表類型 - - - Tab coloring will be disabled - 將停用索引標籤著色功能 - - - The top border of each editor tab will be colored to match the relevant server group - 在每個編輯器索引標籤的上邊框著上符合相關伺服器群組的色彩 - - - Each editor tab's background color will match the relevant server group - 每個編輯器索引標籤的背景色彩將與相關的伺服器群組相符 - - - Controls how to color tabs based on the server group of their active connection - 依據連線的伺服器群組控制索引標籤如何著色 - - - Controls whether to show the connection info for a tab in the title. - 控制是否要在標題中顯示索引標籤的連線資訊。 - - - Prompt to save generated SQL files - 提示儲存產生的 SQL 檔案 - - - Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call. Any selected text in the query editor will be passed as a parameter - 設定按鍵繫結關係 workbench.action.query.shortcut{0} 以執行捷徑文字作為程序呼叫。任何選擇的文字在查詢編輯器中將作為參數傳遞 - - - - - - - Specifies view templates - 指定檢視範本 - - - Specifies session templates - 指定工作階段範本 - - - Profiler Filters - 分析工具篩選條件 - - - - - - - Script as Create - 建立指令碼 - - - Script as Drop - 將指令碼編寫為 Drop - - - Select Top 1000 - 選取前 1000 - - - Script as Execute - 作為指令碼執行 - - - Script as Alter - 修改指令碼 - - - Edit Data - 編輯資料 - - - Select Top 1000 - 選取前 1000 - - - Take 10 - 取用 10 筆 - - - Script as Create - 建立指令碼 - - - Script as Execute - 作為指令碼執行 - - - Script as Alter - 修改指令碼 - - - Script as Drop - 將指令碼編寫為 Drop - - - Refresh - 重新整理 - - - - - - - Commit row failed: - 認可資料列失敗: - - - Started executing query at - 已開始執行以下查詢: - - - Started executing query "{0}" - 已開始執行查詢 "{0}" - - - Line {0} - 第 {0} 行 - - - Canceling the query failed: {0} - 取消查詢失敗: {0} - - - Update cell failed: - 更新資料格失敗: - - - - - - - No URI was passed when creating a notebook manager - 建立筆記本管理員時未傳遞任何 URI - - - Notebook provider does not exist - Notebook 提供者不存在 - - - - - - - Notebook Editor - Notebook 編輯器 - - - New Notebook - 新增 Notebook - - - New Notebook - 新增 Notebook - - - Set Workspace And Open - 設定工作區並開啟 - - - SQL kernel: stop Notebook execution when error occurs in a cell. - SQL 核心: 當資料格發生錯誤時,停止執行 Notebook。 - - - (Preview) show all kernels for the current notebook provider. - (預覽) 顯示目前筆記本提供者的所有核心。 - - - Allow notebooks to run Azure Data Studio commands. - 允許筆記本執行 Azure Data Studio 命令。 - - - Enable double click to edit for text cells in notebooks - 為筆記本中的文字資料格啟用按兩下編輯的功能 - - - Set Rich Text View mode by default for text cells - 預設將文字資料格設定為 RTF 檢視模式 - - - (Preview) Save connection name in notebook metadata. - (預覽) 儲存筆記本中繼資料中的連線名稱。 - - - Controls the line height used in the notebook markdown preview. This number is relative to the font size. - 控制筆記本 Markdown 預覽中使用的行高。此數字相對於字型大小。 - - - View - 檢視 - - - Search Notebooks - 搜尋筆記本 - - - Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). - 設定 Glob 模式,在全文檢索搜尋中排除檔案與資料夾,並快速開啟。繼承 `#files.exclude#` 設定的所有 Glob 模式。深入了解 Glob 模式 [這裡](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)。 - - - The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. - 要符合檔案路徑的 Glob 模式。設為 True 或 False 可啟用或停用模式。 - - - Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. - 在相符檔案同層級上額外的檢查。請使用 $(basename) 作為相符檔案名稱的變數。 - - - This setting is deprecated and now falls back on "search.usePCRE2". -  此設定已淘汰,現在會回復至 "search.usePCRE2"。 - - - Deprecated. Consider "search.usePCRE2" for advanced regex feature support. - 已淘汰。請考慮使用 "search.usePCRE2" 來取得進階 regex 功能支援。 - - - When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. - 若啟用,searchService 程序在處於非使用狀態一小時後會保持運作,而不是關閉。這會將檔案搜尋快取保留在記憶體中。 - - - Controls whether to use `.gitignore` and `.ignore` files when searching for files. - 控制是否在搜尋檔案時使用 `.gitignore` 和 `.ignore` 檔案。 - - - Controls whether to use global `.gitignore` and `.ignore` files when searching for files. - 控制是否要在搜尋檔案時使用全域 `.gitignore` 和 `.ignore` 檔案。 - - - Whether to include results from a global symbol search in the file results for Quick Open. - 是否在 Quick Open 的檔案結果中,包含全域符號搜尋中的結果。 - - - Whether to include results from recently opened files in the file results for Quick Open. - 是否要在 Quick Open 中包含檔案結果中,來自最近開啟檔案的結果。 - - - History entries are sorted by relevance based on the filter value used. More relevant entries appear first. - 歷程記錄項目會依據所使用的篩選值,依相關性排序。相關性愈高的項目排在愈前面。 - - - History entries are sorted by recency. More recently opened entries appear first. - 依使用時序排序歷程記錄項目。最近開啟的項目顯示在最前面。 - - - Controls sorting order of editor history in quick open when filtering. - 控制篩選時,快速開啟的編輯器歷程記錄排列順序。 - - - Controls whether to follow symlinks while searching. - 控制是否要在搜尋時遵循 symlink。 - - - Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. - 若模式為全小寫,搜尋時不會區分大小寫; 否則會區分大小寫。 - - - Controls whether the search view should read or modify the shared find clipboard on macOS. - 控制搜尋檢視應讀取或修改 macOS 上的共用尋找剪貼簿。 - - - Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. - 控制搜尋要顯示為資訊看板中的檢視,或顯示為面板區域中的面板以增加水平空間。 - - - This setting is deprecated. Please use the search view's context menu instead. - 這個設定已淘汰。請改用搜尋檢視的操作功能表。 - - - Files with less than 10 results are expanded. Others are collapsed. - 10 個結果以下的檔案將會展開,其他檔案則會摺疊。 - - - Controls whether the search results will be collapsed or expanded. - 控制要摺疊或展開搜尋結果。 - - - Controls whether to open Replace Preview when selecting or replacing a match. - 控制是否要在選取或取代相符項目時開啟 [取代預覽]。 - - - Controls whether to show line numbers for search results. - 控制是否要為搜尋結果顯示行號。 - - - Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. - 是否要在文字搜尋中使用 PCRE2 規則運算式引擎。這可使用部分進階功能,如 lookahead 和 backreferences。但是,並不支援所有 PCRE2 功能,僅支援 JavaScript 也支援的功能。 - - - Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. - 已淘汰。當使用僅有 PCRE2 支援的 regex 功能時,會自動使用 PCRE 2。 - - - Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. - 當搜尋檢視較窄時,將動作列放在右邊,當搜尋檢視較寬時,立即放於內容之後。 - - - Always position the actionbar to the right. - 永遠將動作列放在右邊。 - - - Controls the positioning of the actionbar on rows in the search view. - 控制動作列在搜尋檢視列上的位置。 - - - Search all files as you type. - 鍵入的同時搜尋所有檔案。 - - - Enable seeding search from the word nearest the cursor when the active editor has no selection. - 允許在使用中的編輯器沒有選取項目時,從最接近游標的文字植入搜尋。 - - - Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. - 聚焦在搜尋檢視時,將工作區搜尋查詢更新為編輯器的選取文字。按一下或觸發 'workbench.views.search.focus' 命令時,即會發生此動作。 - - - When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. - 啟用 `#search.searchOnType#` 時,控制字元鍵入和搜尋開始之間的逾時 (毫秒)。當 `search.searchOnType` 停用時無效。 - - - Double clicking selects the word under the cursor. - 點兩下選擇游標下的單字。 - - - Double clicking opens the result in the active editor group. - 按兩下將會在正在使用的編輯器群組中開啟結果。 - - - Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. - 按兩下就會在側邊的編輯器群組中開啟結果,如果不存在就會建立一個。 - - - Configure effect of double clicking a result in a search editor. - 設定在搜尋編輯器中按兩下結果的效果。 - - - Results are sorted by folder and file names, in alphabetical order. - 結果會根據資料夾和檔案名稱排序,按字母順序排列。 - - - Results are sorted by file names ignoring folder order, in alphabetical order. - 結果會忽略資料夾順序並根據檔案名稱排序,按字母順序排列。 - - - Results are sorted by file extensions, in alphabetical order. - 結果會根據副檔名排序,按字母順序排列。 - - - Results are sorted by file last modified date, in descending order. - 結果會根據最後修改日期降冪排序。 - - - Results are sorted by count per file, in descending order. - 結果會根據每個檔案的計數降冪排序。 - - - Results are sorted by count per file, in ascending order. - 結果會根據每個檔案的計數升冪排序。 - - - Controls sorting order of search results. - 控制搜尋結果的排列順序。 - - - - - - - New Query - 新增查詢 - - - Run - 執行 - - - Cancel - 取消 - - - Explain - 說明 - - - Actual - 實際 - - - Disconnect - 中斷連線 - - - Change Connection - 變更連線 - - - Connect - 連線 - - - Enable SQLCMD - 啟用 SQLCMD - - - Disable SQLCMD - 停用 SQLCMD - - - Select Database - 選擇資料庫 - - - Failed to change database - 變更資料庫失敗 - - - Failed to change database {0} - 無法變更資料庫 {0} - - - Export as Notebook - 匯出為筆記本 - - - - - - - OK - 確定 - - - Close - 關閉 - - - Action - 動作 - - - Copy details - 複製詳細資訊 - - - - - - - Add server group - 新增伺服器群組 - - - Edit server group - 編輯伺服器群組 - - - - - - - Extension - 延伸模組 - - - - - - - Failed to create Object Explorer session - 建立物件總管工作階段失敗 - - - Multiple errors: - 多個錯誤: - - - - - - - Error adding account - 新增帳戶時發生錯誤 - - - Firewall rule error - 防火牆規則錯誤 - - - - - - - Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window - 載入的延伸模組中,有一些使用淘汰的 API。請參閱「開發人員工具」視窗 [主控台] 索引標籤中的詳細資訊 - - - Don't Show Again - 不要再顯示 - - - - - - - Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. - 檢視的識別碼。請使用此識別碼透過 `vscode.window.registerTreeDataProviderForView` API 登錄資料提供者。並藉由將 `onView:${id}` 事件登錄至 `activationEvents` 以觸發啟用您的延伸模組。 - - - The human-readable name of the view. Will be shown - 使用人性化顯示名稱。會顯示 - - - Condition which must be true to show this view - 必須為 True 以顯示此檢視的條件 - - - Contributes views to the editor - 提供檢視給編輯者 - - - Contributes views to Data Explorer container in the Activity bar - 將檢視提供到活動列中的資料總管容器 - - - Contributes views to contributed views container - 在參與檢視容器中提供檢視 - - - Cannot register multiple views with same id `{0}` in the view container `{1}` - 無法在檢視容器 '{1}' 中以同一個識別碼 '{0}' 註冊多個檢視 - - - A view with id `{0}` is already registered in the view container `{1}` - 已在檢視容器 '{1}' 中註冊識別碼為 '{0}' 的檢視 - - - views must be an array - 項目必須為陣列 - - - property `{0}` is mandatory and must be of type `string` - 屬性 '{0}' 為強制項目且必須屬於 `string` 類型 - - - property `{0}` can be omitted or must be of type `string` - 屬性 `{0}` 可以省略或必須屬於 `string` 類型 - - - - - - - {0} was replaced with {1} in your user settings. - 您使用者設定中的 {1} 已取代 {0}。 - - - {0} was replaced with {1} in your workspace settings. - 您工作區設定中的 {1} 已取代 {0}。 - - - - - - - Manage - 管理 - - - Show Details - 顯示詳細資訊 - - - Learn More - 深入了解 - - - Clear all saved accounts - 清除所有儲存的帳戶 - - - - - - - Toggle Tasks - 切換工作 - - - - - - - Connection Status - 連線狀態 - - - - - - - User visible name for the tree provider - 樹狀提供者向使用者顯示的名稱 - - - Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` - 提供者的識別碼,必須與註冊樹狀資料提供者時的識別碼相同,而且必須以 `connectionDialog/` 開頭 - - - - - - - Displays results of a query as a chart on the dashboard - 將查詢結果以圖表方式顯示在儀表板上 - - - Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color - 對應 'column name' -> 色彩。例如,新增 'column1': red 可確保資料行使用紅色 - - - Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry - 指定圖表圖例的優先位置和可見度。這些是您查詢中的欄位名稱,並對應到每個圖表項目的標籤 - - - If dataDirection is horizontal, setting this to true uses the first columns value for the legend. - 若 dataDirection 是水平的,設定為 True 時則使用第一個欄位值為其圖例。 - - - If dataDirection is vertical, setting this to true will use the columns names for the legend. - 若 dataDirection 是垂直的,設定為 True 時則使用欄位名稱為其圖例。 - - - Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. - 定義是否從行 (垂直) 或列 (水平) 讀取資料。對於時間序列,當呈現方向為垂直時會被忽略。 - - - If showTopNData is set, showing only top N data in the chart. - 如已設定 showTopNData,則僅顯示圖表中的前 N 個資料。 - - - - - - - Widget used in the dashboards - 儀表板中使用的小工具 - - - - - - - Show Actions - 顯示動作 - - - Resource Viewer - 資源檢視器 - - - - - - - Identifier of the resource. - 資源的識別碼。 - - - The human-readable name of the view. Will be shown - 使用人性化顯示名稱。會顯示 - - - Path to the resource icon. - 資源圖示的路徑。 - - - Contributes resource to the resource view - 將資源提供給資源檢視 - - - property `{0}` is mandatory and must be of type `string` - 屬性 '{0}' 為強制項目且必須屬於 `string` 類型 - - - property `{0}` can be omitted or must be of type `string` - 屬性 `{0}` 可以省略或必須屬於 `string` 類型 - - - - - - - Resource Viewer Tree - 資源檢視器樹狀結構 - - - - - - - Widget used in the dashboards - 儀表板中使用的小工具 - - - Widget used in the dashboards - 儀表板中使用的小工具 - - - Widget used in the dashboards - 儀表板中使用的小工具 - - - - - - - Condition which must be true to show this item - 必須為 True 以顯示此項目的條件 - - - Whether to hide the header of the widget, default value is false - 是否要隱藏 Widget 的標題,預設值為 false - - - The title of the container - 容器的標題 - - - The row of the component in the grid - 方格中元件的資料列 - - - The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. - 方格中元件的 rowspan。預設值為 1。使用 '*' 即可設定方格中的資料列數。 - - - The column of the component in the grid - 方格中元件的資料行 - - - The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. - 方格內元件的 colspan。預設值為 1。使用 '*' 即可設定方格中的資料行數。 - - - Unique identifier for this tab. Will be passed to the extension for any requests. - 此索引標籤的唯一識別碼。將傳遞給任何要求的延伸模組。 - - - Extension tab is unknown or not installed. - 未知的延伸模組索引標籤或未安裝。 - - - - - - - Enable or disable the properties widget - 啟用或禁用屬性小工具 - - - Property values to show - 顯示屬性值 - - - Display name of the property - 顯示屬性的名稱 - - - Value in the Database Info Object - 資料庫資訊物件中的值 - - - Specify specific values to ignore - 指定要忽略的特定值 - - - Recovery Model - 復原模式 - - - Last Database Backup - 上次資料庫備份 - - - Last Log Backup - 上次記錄備份 - - - Compatibility Level - 相容性層級 - - - Owner - 擁有者 - - - Customizes the database dashboard page - 自訂 "資料庫儀表板" 頁 - - - Search - 搜尋 - - - Customizes the database dashboard tabs - 自訂資料庫儀表板索引標籤 - - - - - - - Enable or disable the properties widget - 啟用或禁用屬性小工具 - - - Property values to show - 顯示屬性值 - - - Display name of the property - 顯示屬性的名稱 - - - Value in the Server Info Object - 伺服器資訊物件中的值 - - - Version - 版本 - - - Edition - 版本 - - - Computer Name - 電腦名稱 - - - OS Version - 作業系統版本 - - - Search - 搜尋 - - - Customizes the server dashboard page - 自訂伺服器儀表板頁面 - - - Customizes the Server dashboard tabs - 自訂伺服器儀表板索引標籤 - - - - - - - Manage - 管理 - - - - - - - property `icon` can be omitted or must be either a string or a literal like `{dark, light}` - 屬性 `icon` 可以省略,否則必須為字串或類似 `{dark, light}` 的常值 - - - - - - - Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more - 新增一個可查詢伺服器或資料庫並以多種方式呈現結果的小工具,如圖表、計數總結等。 - - - Unique Identifier used for caching the results of the insight. - 用於快取見解結果的唯一識別碼。 - - - SQL query to run. This should return exactly 1 resultset. - 要執行的 SQL 查詢。這僅會回傳 1 個結果集。 - - - [Optional] path to a file that contains a query. Use if 'query' is not set - [選用] 包含查詢之檔案的路徑。這會在未設定 'query' 時使用 - - - [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh - [選用] 自動重新整理間隔 (分鐘),如未設定,就不會自動重新整理 - - - Which actions to use - 要使用的動作 - - - Target database for the action; can use the format '${ columnName }' to use a data driven column name. - 此動作的目標資料庫;可使用格式 '${ columnName }',以使用資料驅動的資料行名稱。 - - - Target server for the action; can use the format '${ columnName }' to use a data driven column name. - 此動作的目標伺服器;可使用格式 '${ columnName }',以使用資料驅動的資料列名稱。 - - - Target user for the action; can use the format '${ columnName }' to use a data driven column name. - 請指定執行此動作的使用者;可使用格式 '${ columnName }',以使用資料驅動的資料行名稱。 - - - Identifier of the insight - 見解識別碼 - - - Contributes insights to the dashboard palette. - 在儀表板選擇區提供見解。 - - - - - - - Backup - 備份 - - - You must enable preview features in order to use backup - 您必須啟用預覽功能才能使用備份 - - - Backup command is not supported for Azure SQL databases. - Azure SQL 資料庫不支援備份命令。 - - - Backup command is not supported in Server Context. Please select a Database and try again. - 伺服器內容中不支援備份命令。請選取資料庫並再試一次。 - - - - - - - Restore - 還原 - - - You must enable preview features in order to use restore - 您必須啟用預覽功能才能使用還原 - - - Restore command is not supported for Azure SQL databases. - Azure SQL 資料庫不支援還原命令。 - - - - - - - Show Recommendations - 顯示建議 - - - Install Extensions - 安裝延伸模組 - - - Author an Extension... - 撰寫延伸模組... - - - - - - - Edit Data Session Failed To Connect - 編輯資料工作階段連線失敗 - - - - - - - OK - 確定 - - - Cancel - 取消 - - - - - - - Open dashboard extensions - 開啟儀表板延伸模組 - - - OK - 確定 - - - Cancel - 取消 - - - No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. - 目前沒有安裝任何儀表板延伸模組。請前往延伸模組能管理員探索建議的延伸模組。 - - - - - - - Selected path - 選擇的路徑 - - - Files of type - 檔案類型 - - - OK - 確定 - - - Discard - 捨棄 - - - - - - - No Connection Profile was passed to insights flyout - 沒有傳遞給見解彈出式視窗的連線設定 - - - Insights error - 見解錯誤 - - - There was an error reading the query file: - 讀取查詢檔案時發生錯誤: - - - There was an error parsing the insight config; could not find query array/string or queryfile - 解析見解設定時發生錯誤。找不到查詢陣列/字串或 queryfile - - - - - - - Azure account - Azure 帳戶 - - - Azure tenant - Azure 租用戶 - - - - - - - Show Connections - 顯示連線 - - - Servers - 伺服器 - - - Connections - 連線 - - - - - - - No task history to display. - 沒有工作歷程記錄可顯示。 - - - Task history - TaskHistory - 工作歷程記錄 - - - Task error - 工作錯誤 - - - - - - - Clear List - 清除清單 - - - Recent connections list cleared - 最近的連線清單已清除 - - - Yes - - - - No - - - - Are you sure you want to delete all the connections from the list? - 您確定要刪除清單中的所有連線嗎? - - - Yes - - - - No - - - - Delete - 刪除 - - - Get Current Connection String - 取得目前的連接字串 - - - Connection string not available - 連接字串無法使用 - - - No active connection available - 沒有可用的有效連線 - - - - - - - Refresh - 重新整理 - - - Edit Connection - 編輯連線 - - - Disconnect - 中斷連線 - - - New Connection - 新增連線 - - - New Server Group - 新增伺服器群組 - - - Edit Server Group - 編輯伺服器群組 - - - Show Active Connections - 顯示使用中的連線 - - - Show All Connections - 顯示所有連線 - - - Recent Connections - 最近的連線 - - - Delete Connection - 刪除連線 - - - Delete Group - 刪除群組 - - - - - - - Run - 執行 - - - Dispose Edit Failed With Error: - 處理編輯失敗,出現錯誤: - - - Stop - 停止 - - - Show SQL Pane - 顯示 SQL 窗格 - - - Close SQL Pane - 關閉 SQL 窗格 - - - - - - - Profiler - 分析工具 - - - Not connected - 未連線 - - - XEvent Profiler Session stopped unexpectedly on the server {0}. - 伺服器 {0} 上的 XEvent 分析工具工作階段意外停止。 - - - Error while starting new session - 啟動新的工作階段時發生錯誤 - - - The XEvent Profiler session for {0} has lost events. - {0} 的 XEvent 分析工具工作階段遺失事件。 - - - - + Loading @@ -2257,746 +12,26 @@ - + - - Server Groups - 伺服器群組 + + Hide text labels + 隱藏文字標籤 - - OK - 確定 - - - Cancel - 取消 - - - Server group name - 伺服器群組名稱 - - - Group name is required. - 需要群組名稱。 - - - Group description - 群組描述 - - - Group color - 群組色彩 + + Show text labels + 顯示文字標籤 - + - - Error adding account - 新增帳戶時發生錯誤 - - - - - - - Item - 項目 - - - Value - - - - Insight Details - 見解詳細資料 - - - Property - 屬性 - - - Value - - - - Insights - 見解 - - - Items - 項目 - - - Item Details - 項目詳細資訊 - - - - - - - Cannot start auto OAuth. An auto OAuth is already in progress. - 無法啟動自動 OAuth。自動 OAuth 已在進行中。 - - - - - - - Sort by event - 依事件排序 - - - Sort by column - 依資料行排序 - - - Profiler - 分析工具 - - - OK - 確定 - - - Cancel - 取消 - - - - - - - Clear all - 全部清除 - - - Apply - 套用 - - - OK - 確定 - - - Cancel - 取消 - - - Filters - 篩選 - - - Remove this clause - 移除此子句 - - - Save Filter - 儲存篩選 - - - Load Filter - 載入篩選 - - - Add a clause - 新增子句 - - - Field - 欄位 - - - Operator - 運算子 - - - Value - - - - Is Null - 為 Null - - - Is Not Null - 非 Null - - - Contains - 包含 - - - Not Contains - 不包含 - - - Starts With - 開頭是 - - - Not Starts With - 開頭不是 - - - - - - - Save As CSV - 另存為 CSV - - - Save As JSON - 另存為 JSON - - - Save As Excel - 另存為 Excel - - - Save As XML - 另存為 XML - - - Copy - 複製 - - - Copy With Headers - 隨標題一併複製 - - - Select All - 全選 - - - - - - - Defines a property to show on the dashboard - 定義顯示於儀表板上的屬性 - - - What value to use as a label for the property - 做為屬性標籤的值 - - - What value in the object to access for the value - 要在物件中存取的值 - - - Specify values to be ignored - 指定要忽略的值 - - - Default value to show if ignored or no value - 如果忽略或沒有值,則顯示預設值 - - - A flavor for defining dashboard properties - 定義儀表板屬性變體 - - - Id of the flavor - 類別的變體的識別碼 - - - Condition to use this flavor - 使用此變體的條件 - - - Field to compare to - 要比較的欄位 - - - Which operator to use for comparison - 用於比較的運算子 - - - Value to compare the field to - 用於比較該欄位的值 - - - Properties to show for database page - 顯示資料庫頁的屬性 - - - Properties to show for server page - 顯示伺服器頁的屬性 - - - Defines that this provider supports the dashboard - 定義此提供者支援儀表板 - - - Provider id (ex. MSSQL) - 提供者識別碼 (例如 MSSQL) - - - Property values to show on dashboard - 在儀表板上顯示的屬性值 - - - - - - - Invalid value - 值無效 - - - {0}. {1} - {0}. {1} - - - - - - - Loading - 正在載入 - - - Loading completed - 已完成載入 - - - - - - - blank - 空白 - - - check all checkboxes in column: {0} - 選取資料行中的所有核取方塊: {0} - - - - - - - No tree view with id '{0}' registered. - 未註冊識別碼為 '{0}' 的樹狀檢視。 - - - - - - - Initialize edit data session failed: - 初始化編輯資料工作階段失敗: - - - - - - - Identifier of the notebook provider. - 筆記本提供者的識別碼。 - - - What file extensions should be registered to this notebook provider - 應向此筆記本提供者註冊的檔案副檔名 - - - What kernels should be standard with this notebook provider - 應為此筆記本提供者之標準的核心 - - - Contributes notebook providers. - 提供筆記本提供者。 - - - Name of the cell magic, such as '%%sql'. - 資料格 magic 的名稱,例如 '%%sql'。 - - - The cell language to be used if this cell magic is included in the cell - 資料格中包含此資料格 magic 時,要使用的資料格語言 - - - Optional execution target this magic indicates, for example Spark vs SQL - 這個 magic 指示的選擇性執行目標,例如 Spark vs SQL - - - Optional set of kernels this is valid for, e.g. python3, pyspark, sql - 適用於像是 python3、pyspark、sql 等等的選擇性核心集 - - - Contributes notebook language. - 提供筆記本語言。 - - - - - - - F5 shortcut key requires a code cell to be selected. Please select a code cell to run. - F5 快速鍵需要選取程式碼資料格。請選取要執行的程式碼資料格。 - - - Clear result requires a code cell to be selected. Please select a code cell to run. - 清除結果需要選取程式碼資料格。請選取要執行的程式碼資料格。 - - - - - - - SQL - SQL - - - - - - - Max Rows: - 最大資料列數: - - - - - - - Select View - 選取檢視 - - - Select Session - 選取工作階段 - - - Select Session: - 選取工作階段: - - - Select View: - 選取檢視: - - - Text - 文字 - - - Label - 標籤 - - - Value - - - - Details - 詳細資料 - - - - - - - Time Elapsed - 已耗用時間 - - - Row Count - 資料列計數 - - - {0} rows - {0} 個資料列 - - - Executing query... - 執行查詢中... - - - Execution Status - 執行狀態 - - - Selection Summary - 選取摘要 - - - Average: {0} Count: {1} Sum: {2} - 平均: {0} 計數: {1} 總和: {2} - - - - - - - Choose SQL Language - 選擇 SQL 語言 - - - Change SQL language provider - 變更 SQL 語言提供者 - - - SQL Language Flavor - SQL 語言的變體 - - - Change SQL Engine Provider - 變更 SQL 引擎提供者 - - - A connection using engine {0} exists. To change please disconnect or change connection - 使用引擎 {0} 的連線已存在。若要變更,請中斷或變更連線 - - - No text editor active at this time - 目前無使用中的文字編輯器 - - - Select Language Provider - 選擇語言提供者 - - - - - - - Error displaying Plotly graph: {0} - 顯示 Plotly 圖表時發生錯誤: {0} - - - - - - - No {0} renderer could be found for output. It has the following MIME types: {1} - 找不到輸出的 {0} 轉譯器。其有下列 MIME 類型: {1} - - - (safe) - (安全) - - - - - - - Select Top 1000 - 選取前 1000 - - - Take 10 - 取用 10 筆 - - - Script as Execute - 作為指令碼執行 - - - Script as Alter - 修改指令碼 - - - Edit Data - 編輯資料 - - - Script as Create - 建立指令碼 - - - Script as Drop - 將指令碼編寫為 Drop - - - - - - - A NotebookProvider with valid providerId must be passed to this method - 必須將具有有效 providerId 的 NotebookProvider 傳遞給此方法 - - - - - - - A NotebookProvider with valid providerId must be passed to this method - 必須將具有有效 providerId 的 NotebookProvider 傳遞給此方法 - - - no notebook provider found - 找不到任何筆記本提供者 - - - No Manager found - 找不到管理員 - - - Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it - 筆記本 {0} 的 Notebook 管理員沒有伺服器管理員。無法對其執行作業 - - - Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it - 筆記本 {0} 的 Notebook 管理員沒有內容管理員。無法對其執行作業 - - - Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it - 筆記本 {0} 的 Notebook 管理員沒有工作階段管理員。無法對其執行作業 - - - - - - - Failed to get Azure account token for connection - 無法取得連線的 Azure 帳戶權杖 - - - Connection Not Accepted - 連線未被接受 - - - Yes - - - - No - - - - Are you sure you want to cancel this connection? - 您確定要取消此連線嗎? - - - - - - - OK - 確定 - - + Close 關閉 - - - - Loading kernels... - 正在載入核心... - - - Changing kernel... - 正在變更核心... - - - Attach to - 連結至 - - - Kernel - 核心 - - - Loading contexts... - 正在載入內容... - - - Change Connection - 變更連線 - - - Select Connection - 選取連線 - - - localhost - localhost - - - No Kernel - 沒有核心 - - - Clear Results - 清除結果 - - - Trusted - 受信任 - - - Not Trusted - 不受信任 - - - Collapse Cells - 摺疊資料格 - - - Expand Cells - 展開資料格 - - - None - - - - New Notebook - 新增 Notebook - - - Find Next String - 尋找下一個字串 - - - Find Previous String - 尋找前一個字串 - - - - - - - Query Plan - 查詢計劃 - - - - - - - Refresh - 重新整理 - - - - - - - Step {0} - 步驟 {0} - - - - - - - Must be an option from the list - 必須是清單中的選項 - - - Select Box - 選取方塊 - - - @@ -3013,134 +48,260 @@ - + - - Connection - 連線 - - - Connecting - 正在連線 - - - Connection type - 連線類型 - - - Recent Connections - 最近的連線 - - - Saved Connections - 已儲存的連線 - - - Connection Details - 連線詳細資料 - - - Connect - 連線 - - - Cancel - 取消 - - - Recent Connections - 最近的連線 - - - No recent connection - 沒有最近使用的連線 - - - Saved Connections - 已儲存的連線 - - - No saved connection - 沒有已儲存的連線 + + no data available + 沒有可用資料 - + - - File browser tree - FileBrowserTree - 樹狀結構檔案瀏覽器 + + Select/Deselect All + 選擇/取消全選 - + - - From - + + Show Filter + 顯示篩選 - - To - + + Select All + 全選 - - Create new firewall rule - 建立新的防火牆規則 + + Search + 搜尋 - + + {0} Results + This tells the user how many items are shown in the list. Currently not visible, but read by screen readers. + {0} 個結果 + + + {0} Selected + This tells the user how many items are selected in the list + 已選取 {0} 個 + + + Sort Ascending + 遞增排序 + + + Sort Descending + 遞減排序 + + OK 確定 - + + Clear + 清除 + + Cancel 取消 - - Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. - 您的用戶端 IP 位址無法存取伺服器。登錄到 Azure 帳戶並建立新的防火牆規則以啟用存取權限。 - - - Learn more about firewall settings - 深入了解防火牆設定 - - - Firewall rule - 防火牆規則 - - - Add my client IP - 新增我的用戶端 IP - - - Add my subnet IP range - 新增我的子網路 IP 範圍 + + Filter Options + 篩選選項 - + - - All files - 所有檔案 + + Loading + 正在載入 - + - - Could not find query file at any of the following paths : - {0} - 無法在以下任一路徑找到查詢檔案 : - {0} + + Loading Error... + 正在載入錯誤... - + - - You need to refresh the credentials for this account. - 您需要重新整理此帳戶的登入資訊。 + + Toggle More + 切換更多 + + + + + + + Azure Data Studio + Azure Data Studio + + + Enable automatic update checks. Azure Data Studio will check for updates automatically and periodically. + 啟用自動更新檢查。Azure Data Studio 會自動並定期檢查更新。 + + + Enable to download and install new Azure Data Studio Versions in the background on Windows + 啟用以在 Windows 背景中下載並安裝新的 Azure Data Studio 版本 + + + Show Release Notes after an update. The Release Notes are opened in a new web browser window. + 在更新後顯示版本資訊。版本資訊會在新的網頁瀏覽器視窗中開啟。 + + + The dashboard toolbar action menu + 儀表板工具列動作功能表 + + + The notebook cell title menu + 筆記本儲存格標題功能表 + + + The notebook title menu + 筆記本標題功能表 + + + The notebook toolbar menu + 筆記本工具列功能表 + + + The dataexplorer view container title action menu + Dataexplorer 檢視容器標題動作功能表 + + + The dataexplorer item context menu + Dataexplorer 項目操作功能表 + + + The object explorer item context menu + 物件總管項目操作功能表 + + + The connection dialog's browse tree context menu + 連線對話方塊的瀏覽樹狀操作功能表 + + + The data grid item context menu + 資料格項目操作功能表 + + + Sets the security policy for downloading extensions. + 設定下載延伸模組的安全性原則。 + + + Your extension policy does not allow installing extensions. Please change your extension policy and try again. + 您的延伸模組原則不允許安裝延伸模組。請變更您的延伸模組原則,然後再試一次。 + + + Completed installing {0} extension from VSIX. Please reload Azure Data Studio to enable it. + 延伸模組 {0} 已從 VSIX 安裝完成。請重新載入 Azure Data Studio 以啟用此延伸模組。 + + + Please reload Azure Data Studio to complete the uninstallation of this extension. + 請重新載入 Azure Data Studio 以完成此延伸模組的解除安裝。 + + + Please reload Azure Data Studio to enable the updated extension. + 請重新載入 Azure Data Studio 以啟用更新的延伸模組。 + + + Please reload Azure Data Studio to enable this extension locally. + 請重新載入 Azure Data Studio 以在本機啟用此延伸模組。 + + + Please reload Azure Data Studio to enable this extension. + 請重新載入 Azure Data Studio 以啟用此延伸模組。 + + + Please reload Azure Data Studio to disable this extension. + 請重新載入 Azure Data Studio 以停用此延伸模組。 + + + Please reload Azure Data Studio to complete the uninstallation of the extension {0}. + 請重新載入 Azure Data Studio 以完成延伸模組 {0} 的解除安裝。 + + + Please reload Azure Data Studio to enable this extension in {0}. + 請重新載入 Azure Data Studio 以在 {0} 中啟用此延伸模組。 + + + Installing extension {0} is completed. Please reload Azure Data Studio to enable it. + 延伸模組 {0} 安裝完成。請重新載入 Azure Data Studio 以啟用此延伸模組。 + + + Please reload Azure Data Studio to complete reinstalling the extension {0}. + 請重新載入 Azure Data Studio 以完成重新安裝延伸模組 {0}。 + + + Marketplace + Marketplace + + + The scenario type for extension recommendations must be provided. + 必須提供延伸模組建議的案例類型。 + + + Unable to install extension '{0}' as it is not compatible with Azure Data Studio '{1}'. + 由於延伸模組 ‘{0}’ 與 Azure Data Studio '{1}' 不相容,所以無法安裝延伸模組。 + + + New Query + 新增查詢 + + + New &&Query + && denotes a mnemonic + 新增查詢(&&Q) + + + &&New Notebook + && denotes a mnemonic + 新增筆記本(&&N) + + + Controls the memory available to Azure Data Studio after restart when trying to open large files. Same effect as specifying `--max-memory=NEWSIZE` on the command line. + 控制當嘗試開啟大型檔案時,Azure Data Studio 在重新啟動後可用的記憶體。效果與在命令列上指定 `--max-memory=NEWSIZE` 相同。 + + + Would you like to change Azure Data Studio's UI language to {0} and restart? + 您想要變更 Azure Data Studio 的 UI 語言為 {0} 並重新啟動嗎? + + + In order to use Azure Data Studio in {0}, Azure Data Studio needs to restart. + 若要在 {0} 中使用 Azure Data Studio,Azure Data Studio 需要重新啟動。 + + + New SQL File + 新增 SQL 檔案 + + + New Notebook + 新增筆記本 + + + Install Extension from VSIX Package + && denotes a mnemonic + 從 VSIX 套件安裝延伸模組 + + + + + + + Must be an option from the list + 必須是清單中的選項 + + + Select Box + 選取方塊 @@ -3184,1263 +345,59 @@ - + - - Show Notebooks - 顯示筆記本 - - - Search Results - 搜尋結果 - - - Search path not found: {0} - 找不到搜尋路徑: {0} - - - Notebooks - 筆記本 + + Copying images is not supported + 不支援複製映像 - + - - Focus on Current Query - 聚焦於目前的查詢 - - - Run Query - 執行查詢 - - - Run Current Query - 執行目前查詢 - - - Copy Query With Results - 與結果一併複製查詢 - - - Successfully copied query and results. - 已成功複製查詢與結果。 - - - Run Current Query with Actual Plan - 使用實際計畫執行目前的查詢 - - - Cancel Query - 取消查詢 - - - Refresh IntelliSense Cache - 重新整理 IntelliSense 快取 - - - Toggle Query Results - 切換查詢結果 - - - Toggle Focus Between Query And Results - 在查詢與結果之間切換焦點 - - - Editor parameter is required for a shortcut to be executed - 要執行的捷徑需要編輯器參數 - - - Parse Query - 剖析查詢 - - - Commands completed successfully - 已成功完成命令 - - - Command failed: - 命令失敗: - - - Please connect to a server - 請連線至伺服器 + + A server group with the same name already exists. + 伺服器群組名稱已經存在。 - + - - succeeded - 成功 - - - failed - 失敗 - - - in progress - 進行中 - - - not started - 未啟動 - - - canceled - 已取消 - - - canceling - 取消中 + + Widget used in the dashboards + 儀表板中使用的小工具 - + - - Chart cannot be displayed with the given data - 無法以指定的資料顯示圖表 + + Widget used in the dashboards + 儀表板中使用的小工具 + + + Widget used in the dashboards + 儀表板中使用的小工具 + + + Widget used in the dashboards + 儀表板中使用的小工具 - + - - Error opening link : {0} - 開啟連結時發生錯誤: {0} + + Saving results into different format disabled for this data provider. + 正在將結果儲存為其他格式,但此資料提供者已停用該格式。 - - Error executing command '{0}' : {1} - 執行命令 '{0}' 時發生錯誤: {1} + + Cannot serialize data as no provider has been registered + 因為未註冊任何提供者,所以無法序列化資料 - - - - - - Copy failed with error {0} - 複製失敗。錯誤: {0} - - - Show chart - 顯示圖表 - - - Show table - 顯示資料表 - - - - - - - <i>Double-click to edit</i> - <i>按兩下即可編輯</i> - - - <i>Add content here...</i> - <i>在這裡新增內容...</i> - - - - - - - An error occurred refreshing node '{0}': {1} - 重新整理節點 '{0}' 時發生錯誤: {1} - - - - - - - Done - 完成 - - - Cancel - 取消 - - - Generate script - 產生指令碼 - - - Next - 下一個 - - - Previous - 上一個 - - - Tabs are not initialized - 索引標籤未初始化 - - - - - - - is required. - 是必要的。 - - - Invalid input. Numeric value expected. - 輸入無效。預期為數字。 - - - - - - - Backup file path - 備份檔案路徑 - - - Target database - 目標資料庫 - - - Restore - 還原 - - - Restore database - 還原資料庫 - - - Database - 資料庫 - - - Backup file - 備份檔案 - - - Restore database - 還原資料庫 - - - Cancel - 取消 - - - Script - 指令碼 - - - Source - 來源 - - - Restore from - 還原自 - - - Backup file path is required. - 需要備份檔案路徑。 - - - Please enter one or more file paths separated by commas - 請輸入一或多個用逗號分隔的檔案路徑 - - - Database - 資料庫 - - - Destination - 目的地 - - - Restore to - 還原到 - - - Restore plan - 還原計劃 - - - Backup sets to restore - 要還原的備份組 - - - Restore database files as - 將資料庫檔案還原為 - - - Restore database file details - 還原資料庫檔詳細資訊 - - - Logical file Name - 邏輯檔案名稱 - - - File type - 檔案類型 - - - Original File Name - 原始檔案名稱 - - - Restore as - 還原為 - - - Restore options - 還原選項 - - - Tail-Log backup - 結尾記錄備份 - - - Server connections - 伺服器連線 - - - General - 一般 - - - Files - 檔案 - - - Options - 選項 - - - - - - - Copy Cell - 複製資料格 - - - - - - - Done - 完成 - - - Cancel - 取消 - - - - - - - Copy & Open - 複製並開啟 - - - Cancel - 取消 - - - User code - 使用者代碼 - - - Website - 網站 - - - - - - - The index {0} is invalid. - 索引 {0} 無效。 - - - - - - - Server Description (optional) - 伺服器描述 (選用) - - - - - - - Advanced Properties - 進階屬性 - - - Discard - 捨棄 - - - - - - - nbformat v{0}.{1} not recognized - 無法識別 nbformat v{0}.{1} - - - This file does not have a valid notebook format - 檔案不具備有效的筆記本格式 - - - Cell type {0} unknown - 資料格類型 {0} 不明 - - - Output type {0} not recognized - 無法識別輸出類型 {0} - - - Data for {0} is expected to be a string or an Array of strings - {0} 的資料應為字串或字串的陣列 - - - Output type {0} not recognized - 無法識別輸出類型 {0} - - - - - - - Welcome - 歡迎使用 - - - SQL Admin Pack - SQL 管理員套件 - - - SQL Admin Pack - SQL 管理員套件 - - - Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server - SQL Server 的管理員套件是一套熱門的資料庫管理延伸模組,可協助您管理 SQL Server - - - Powershell - PowerShell - - - Write and execute PowerShell scripts using Azure Data Studio's rich query editor - 使用 Azure Data Studio 的豐富查詢編輯器來寫入及執行 PowerShell 指令碼 - - - Data Virtualization - 資料虛擬化 - - - Virtualize data with SQL Server 2019 and create external tables using interactive wizards - 使用 SQL Server 2019 將資料虛擬化,並使用互動式精靈建立外部資料表 - - - PostgreSQL - PostgreSQL - - - Connect, query, and manage Postgres databases with Azure Data Studio - 使用 Azure Data Studio 進行連線、查詢及管理 Postgres 資料庫 - - - Support for {0} is already installed. - 支援功能{0}已被安裝。 - - - The window will reload after installing additional support for {0}. - {0} 的其他支援安裝完成後,將會重新載入此視窗。 - - - Installing additional support for {0}... - 正在安裝 {0} 的其他支援... - - - Support for {0} with id {1} could not be found. - 找不到ID為{1}的{0}支援功能. - - - New connection - 新增連線 - - - New query - 新增查詢 - - - New notebook - 新增筆記本 - - - Deploy a server - 部署伺服器 - - - Welcome - 歡迎使用 - - - New - 新增 - - - Open… - 開啟… - - - Open file… - 開啟檔案… - - - Open folder… - 開啟資料夾… - - - Start Tour - 開始導覽 - - - Close quick tour bar - 關閉快速導覽列 - - - Would you like to take a quick tour of Azure Data Studio? - 要進行 Azure Data Studio 的快速導覽嗎? - - - Welcome! - 歡迎使用! - - - Open folder {0} with path {1} - 透過路徑 {1} 開啟資料夾 {0} - - - Install - 安裝 - - - Install {0} keymap - 安裝 {0} 鍵盤對應 - - - Install additional support for {0} - 安裝 {0} 的其他支援 - - - Installed - 已安裝 - - - {0} keymap is already installed - 已安裝 {0} 按鍵對應 - - - {0} support is already installed - 已安裝 {0} 支援 - - - OK - 確定 - - - Details - 詳細資料 - - - Background color for the Welcome page. - 歡迎頁面的背景色彩。 - - - - - - - Profiler editor for event text. Readonly - 事件文字的分析工具編輯器。唯讀 - - - - - - - Failed to save results. - 無法儲存結果。 - - - Choose Results File - 選擇結果檔案 - - - CSV (Comma delimited) - CSV (以逗號分隔) - - - JSON - JSON - - - Excel Workbook - Excel 活頁簿 - - - XML - XML - - - Plain Text - 純文字 - - - Saving file... - 正在儲存檔案... - - - Successfully saved results to {0} - 已成功將結果儲存至 {0} - - - Open file - 開啟檔案 - - - - - - - Hide text labels - 隱藏文字標籤 - - - Show text labels - 顯示文字標籤 - - - - - - - modelview code editor for view model. - 檢視模型的 modelview 程式碼編輯器。 - - - - - - - Information - 資訊 - - - Warning - 警告 - - - Error - 錯誤 - - - Show Details - 顯示詳細資訊 - - - Copy - 複製 - - - Close - 關閉 - - - Back - 返回 - - - Hide Details - 隱藏詳細資料 - - - - - - - Accounts - 帳戶 - - - Linked accounts - 連結的帳戶 - - - Close - 關閉 - - - There is no linked account. Please add an account. - 沒有任何已連結帳戶。請新增帳戶。 - - - Add an account - 新增帳戶 - - - You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud - 您未啟用任何雲端。前往 [設定] -> [搜尋 Azure 帳戶組態] -> 啟用至少一個雲端 - - - You didn't select any authentication provider. Please try again. - 您未選取任何驗證提供者。請再試一次。 - - - - - - - Execution failed due to an unexpected error: {0} {1} - 由於意外錯誤導致執行失敗: {0} {1} - - - Total execution time: {0} - 總執行時間: {0} - - - Started executing query at Line {0} - 已於第 {0} 行開始執行查詢 - - - Started executing batch {0} - 已開始執行批次 {0} - - - Batch execution time: {0} - 批次執行時間: {0} - - - Copy failed with error {0} - 複製失敗。錯誤: {0} - - - - - - - Azure Data Studio - Azure Data Studio - - - Start - 開始 - - - New connection - 新增連線 - - - New query - 新增查詢 - - - New notebook - 新增筆記本 - - - Open file - 開啟檔案 - - - Open file - 開啟檔案 - - - Deploy - 部署 - - - New Deployment… - 新增部署… - - - Recent - 最近使用 - - - More... - 更多... - - - No recent folders - 沒有最近使用的資料夾 - - - Help - 說明 - - - Getting started - 使用者入門 - - - Documentation - 文件 - - - Report issue or feature request - 回報問題或功能要求 - - - GitHub repository - GitHub 存放庫 - - - Release notes - 版本資訊 - - - Show welcome page on startup - 啟動時顯示歡迎頁面 - - - Customize - 自訂 - - - Extensions - 延伸模組 - - - Download extensions that you need, including the SQL Server Admin pack and more - 下載所需延伸模組,包括 SQL Server 系統管理員套件等 - - - Keyboard Shortcuts - 鍵盤快速鍵 - - - Find your favorite commands and customize them - 尋找您最愛的命令並予加自訂 - - - Color theme - 色彩佈景主題 - - - Make the editor and your code look the way you love - 將編輯器和您的程式碼設定成您喜愛的外觀 - - - Learn - 了解 - - - Find and run all commands - 尋找及執行所有命令 - - - Rapidly access and search commands from the Command Palette ({0}) - 從命令選擇區快速存取及搜尋命令 ({0}) - - - Discover what's new in the latest release - 探索最新版本中的新功能 - - - New monthly blog posts each month showcasing our new features - 展示新功能的新每月部落格文章 - - - Follow us on Twitter - 追蹤我們的 Twitter - - - Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. - 掌握社群如何使用 Azure Data Studio 的最新消息,並可直接與工程師對話。 - - - - - - - Connect - 連線 - - - Disconnect - 中斷連線 - - - Start - 開始 - - - New Session - 新增工作階段 - - - Pause - 暫停 - - - Resume - 繼續 - - - Stop - 停止 - - - Clear Data - 清除資料 - - - Are you sure you want to clear the data? - 確定要清除資料嗎? - - - Yes - - - - No - - - - Auto Scroll: On - 自動捲動: 開啟 - - - Auto Scroll: Off - 自動捲動: 關閉 - - - Toggle Collapsed Panel - 切換折疊面板 - - - Edit Columns - 編輯資料行 - - - Find Next String - 尋找下一個字串 - - - Find Previous String - 尋找前一個字串 - - - Launch Profiler - 啟動分析工具 - - - Filter… - 篩選... - - - Clear Filter - 清除篩選 - - - Are you sure you want to clear the filters? - 確定要清除篩選嗎? - - - - - - - Events (Filtered): {0}/{1} - 事件 (已篩選): {0}/{1} - - - Events: {0} - 事件: {0} - - - Event Count - 事件計數 - - - - - - - no data available - 沒有可用資料 - - - - - - - Results - 結果 - - - Messages - 訊息 - - - - - - - No script was returned when calling select script on object - 在物件上呼叫選取的指令碼時沒有回傳任何指令碼 - - - Select - 選擇 - - - Create - 建立 - - - Insert - 插入 - - - Update - 更新 - - - Delete - 刪除 - - - No script was returned when scripting as {0} on object {1} - 在物件 {1} 指令碼為 {0} 時無回傳任何指令碼 - - - Scripting Failed - 指令碼失敗 - - - No script was returned when scripting as {0} - 指令碼為 {0} 時無回傳任何指令 - - - - - - - Table header background color - 資料表標題背景色彩 - - - Table header foreground color - 資料表標題前景色彩 - - - List/Table background color for the selected and focus item when the list/table is active - 當清單/資料表處於使用狀態時,所選項目與聚焦項目的清單/資料表背景色彩 - - - Color of the outline of a cell. - 資料格的外框色彩。 - - - Disabled Input box background. - 已停用輸入方塊背景。 - - - Disabled Input box foreground. - 已停用輸入方塊前景。 - - - Button outline color when focused. - 聚焦時按鈕外框色彩。 - - - Disabled checkbox foreground. - 已停用核取方塊前景。 - - - SQL Agent Table background color. - SQL Agent 資料表背景色彩。 - - - SQL Agent table cell background color. - SQL Agent 資料表資料格背景色彩。 - - - SQL Agent table hover background color. - SQL Agent 資料表暫留背景色彩。 - - - SQL Agent heading background color. - SQL Agent 標題背景色彩。 - - - SQL Agent table cell border color. - SQL Agent 資料表資料格邊框色彩。 - - - Results messages error color. - 結果訊息錯誤色彩。 - - - - - - - Backup name - 備份名稱 - - - Recovery model - 復原模式 - - - Backup type - 備份類型 - - - Backup files - 備份檔案 - - - Algorithm - 演算法 - - - Certificate or Asymmetric key - 憑證或非對稱金鑰 - - - Media - 媒體 - - - Backup to the existing media set - 備份到現有的媒體集 - - - Backup to a new media set - 備份到新媒體集 - - - Append to the existing backup set - 附加至現有的備份組 - - - Overwrite all existing backup sets - 覆寫所有現有的備份集 - - - New media set name - 新增媒體集名稱 - - - New media set description - 新增媒體集描述 - - - Perform checksum before writing to media - 在寫入媒體前執行檢查碼 - - - Verify backup when finished - 完成後驗證備份 - - - Continue on error - 錯誤時繼續 - - - Expiration - 逾期 - - - Set backup retain days - 設定備份保留天數 - - - Copy-only backup - 僅複製備份 - - - Advanced Configuration - 進階組態 - - - Compression - 壓縮 - - - Set backup compression - 設定備份壓縮 - - - Encryption - 加密 - - - Transaction log - 交易記錄 - - - Truncate the transaction log - 截斷交易記錄 - - - Backup the tail of the log - 備份最後的記錄 - - - Reliability - 可靠性 - - - Media name is required - 需要媒體名稱 - - - No certificate or asymmetric key is available - 沒有憑證或非對稱金鑰可用 - - - Add a file - 增加檔案 - - - Remove files - 移除檔案 - - - Invalid input. Value must be greater than or equal 0. - 輸入無效。值必須大於或等於 0。 - - - Script - 指令碼 - - - Backup - 備份 - - - Cancel - 取消 - - - Only backup to file is supported - 僅支援備份到檔案 - - - Backup file path is required - 需要備份檔案路徑 + + Serialization failed with an unknown error + 因為發生未知錯誤,導致序列化失敗 @@ -4632,407 +589,87 @@ - + - - There is no data provider registered that can provide view data. - 沒有任何已註冊的資料提供者可提供檢視資料。 + + Table header background color + 資料表標題背景色彩 - - Refresh - 重新整理 + + Table header foreground color + 資料表標題前景色彩 - - Collapse All - 全部摺疊 + + List/Table background color for the selected and focus item when the list/table is active + 當清單/資料表處於使用狀態時,所選項目與聚焦項目的清單/資料表背景色彩 - - Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. - 執行命令 {1} 時發生錯誤: {0}。這可能是貢獻 {1} 的延伸模組所引起。 + + Color of the outline of a cell. + 資料格的外框色彩。 + + + Disabled Input box background. + 已停用輸入方塊背景。 + + + Disabled Input box foreground. + 已停用輸入方塊前景。 + + + Button outline color when focused. + 聚焦時按鈕外框色彩。 + + + Disabled checkbox foreground. + 已停用核取方塊前景。 + + + SQL Agent Table background color. + SQL Agent 資料表背景色彩。 + + + SQL Agent table cell background color. + SQL Agent 資料表資料格背景色彩。 + + + SQL Agent table hover background color. + SQL Agent 資料表暫留背景色彩。 + + + SQL Agent heading background color. + SQL Agent 標題背景色彩。 + + + SQL Agent table cell border color. + SQL Agent 資料表資料格邊框色彩。 + + + Results messages error color. + 結果訊息錯誤色彩。 - + - - Please select active cell and try again - 請選取作用資料格並再試一次 + + Some of the loaded extensions are using obsolete APIs, please find the detailed information in the Console tab of Developer Tools window + 載入的延伸模組中,有一些使用淘汰的 API。請參閱「開發人員工具」視窗 [主控台] 索引標籤中的詳細資訊 - - Run cell - 執行資料格 - - - Cancel execution - 取消執行 - - - Error on last run. Click to run again - 上一個執行發生錯誤。按一下即可重新執行 + + Don't Show Again + 不要再顯示 - + - - Cancel - 取消 + + F5 shortcut key requires a code cell to be selected. Please select a code cell to run. + F5 快速鍵需要選取程式碼資料格。請選取要執行的程式碼資料格。 - - The task is failed to cancel. - 工作無法取消。 - - - Script - 指令碼 - - - - - - - Toggle More - 切換更多 - - - - - - - Loading - 正在載入 - - - - - - - Home - 首頁 - - - - - - - The "{0}" section has invalid content. Please contact extension owner. - "{0}" 區段有無效的內容。請連絡延伸模組擁有者。 - - - - - - - Jobs - 作業 - - - Notebooks - Notebooks - - - Alerts - 警示 - - - Proxies - Proxy - - - Operators - 運算子 - - - - - - - Server Properties - 伺服器屬性 - - - - - - - Database Properties - 資料庫屬性 - - - - - - - Select/Deselect All - 選擇/取消全選 - - - - - - - Show Filter - 顯示篩選 - - - OK - 確定 - - - Clear - 清除 - - - Cancel - 取消 - - - - - - - Recent Connections - 最近的連線 - - - Servers - 伺服器 - - - Servers - 伺服器 - - - - - - - Backup Files - 備份檔案 - - - All Files - 所有檔案 - - - - - - - Search: Type Search Term and press Enter to search or Escape to cancel - 搜尋: 輸入搜尋字詞,然後按 Enter 鍵搜尋或按 Esc 鍵取消 - - - Search - 搜尋 - - - - - - - Failed to change database - 變更資料庫失敗 - - - - - - - Name - 名稱 - - - Last Occurrence - 上次發生 - - - Enabled - 啟用 - - - Delay Between Responses (in secs) - 回應之間的延遲 (秒) - - - Category Name - 類別名稱 - - - - - - - Name - 名稱 - - - Email Address - 電子郵件地址 - - - Enabled - 啟用 - - - - - - - Account Name - 帳戶名稱 - - - Credential Name - 認證名稱 - - - Description - 描述 - - - Enabled - 啟用 - - - - - - - loading objects - 正在載入物件 - - - loading databases - 正在載入資料庫 - - - loading objects completed. - 已完成載入物件。 - - - loading databases completed. - 已完成載入資料庫。 - - - Search by name of type (t:, v:, f:, or sp:) - 依類型名稱搜尋 (t:、v:、f: 或 sp:) - - - Search databases - 搜尋資料庫 - - - Unable to load objects - 無法載入物件 - - - Unable to load databases - 無法載入資料庫 - - - - - - - Loading properties - 正在載入屬性 - - - Loading properties completed - 已完成載入屬性 - - - Unable to load dashboard properties - 無法載入儀表板屬性 - - - - - - - Loading {0} - 正在載入 {0} - - - Loading {0} completed - 已完成載入 {0} - - - Auto Refresh: OFF - 自動重新整理: 關閉 - - - Last Updated: {0} {1} - 最近更新: {0} {1} - - - No results to show - 沒有可顯示的結果 - - - - - - - Steps - 步驟 - - - - - - - Save As CSV - 另存為 CSV - - - Save As JSON - 另存為 JSON - - - Save As Excel - 另存為 Excel - - - Save As XML - 另存為 XML - - - Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. - 匯出至 JSON 時將不會儲存結果編碼,請務必在建立檔案後儲存所需的編碼。 - - - Save to file is not supported by the backing data source - 回溯資料來源不支援儲存為檔案 - - - Copy - 複製 - - - Copy With Headers - 隨標題一同複製 - - - Select All - 全選 - - - Maximize - 最大化 - - - Restore - 還原 - - - Chart - 圖表 - - - Visualizer - 視覺化檢視 + + Clear result requires a code cell to be selected. Please select a code cell to run. + 清除結果需要選取程式碼資料格。請選取要執行的程式碼資料格。 @@ -5052,349 +689,495 @@ - + - - Step ID - 步驟識別碼 + + Done + 完成 - - Step Name - 步驟名稱 + + Cancel + 取消 - - Message - 訊息 + + Generate script + 產生指令碼 + + + Next + 下一個 + + + Previous + 上一個 + + + Tabs are not initialized + 索引標籤未初始化 - + - - Find - 尋找 + + No tree view with id '{0}' registered. + 未註冊識別碼為 '{0}' 的樹狀檢視。 - - Find - 尋找 + + + + + + A NotebookProvider with valid providerId must be passed to this method + 必須將具有有效 providerId 的 NotebookProvider 傳遞給此方法 - - Previous match - 上一個相符 + + no notebook provider found + 找不到任何筆記本提供者 - - Next match - 下一個相符 + + No Manager found + 找不到管理員 - + + Notebook Manager for notebook {0} does not have a server manager. Cannot perform operations on it + 筆記本 {0} 的 Notebook 管理員沒有伺服器管理員。無法對其執行作業 + + + Notebook Manager for notebook {0} does not have a content manager. Cannot perform operations on it + 筆記本 {0} 的 Notebook 管理員沒有內容管理員。無法對其執行作業 + + + Notebook Manager for notebook {0} does not have a session manager. Cannot perform operations on it + 筆記本 {0} 的 Notebook 管理員沒有工作階段管理員。無法對其執行作業 + + + + + + + A NotebookProvider with valid providerId must be passed to this method + 必須將具有有效 providerId 的 NotebookProvider 傳遞給此方法 + + + + + + + Manage + 管理 + + + Show Details + 顯示詳細資訊 + + + Learn More + 深入了解 + + + Clear all saved accounts + 清除所有儲存的帳戶 + + + + + + + Preview Features + 預覽功能 + + + Enable unreleased preview features + 啟用未發佈的預覽功能 + + + Show connect dialog on startup + 啟動時顯示連線對話方塊 + + + Obsolete API Notification + 淘汰 API 通知 + + + Enable/disable obsolete API usage notification + 啟用/停用使用淘汰的 API 通知 + + + + + + + Edit Data Session Failed To Connect + 編輯資料工作階段連線失敗 + + + + + + + Profiler + 分析工具 + + + Not connected + 未連線 + + + XEvent Profiler Session stopped unexpectedly on the server {0}. + 伺服器 {0} 上的 XEvent 分析工具工作階段意外停止。 + + + Error while starting new session + 啟動新的工作階段時發生錯誤 + + + The XEvent Profiler session for {0} has lost events. + {0} 的 XEvent 分析工具工作階段遺失事件。 + + + + + + + Show Actions + 顯示動作 + + + Resource Viewer + 資源檢視器 + + + + + + + Information + 資訊 + + + Warning + 警告 + + + Error + 錯誤 + + + Show Details + 顯示詳細資訊 + + + Copy + 複製 + + Close 關閉 - - Your search returned a large number of results, only the first 999 matches will be highlighted. - 您的搜尋傳回了大量結果,只會將前 999 個相符項目醒目提示。 + + Back + 返回 - - {0} of {1} - {0}/{1} 個 - - - No Results - 沒有任何結果 + + Hide Details + 隱藏詳細資料 - + - - Horizontal Bar - 水平橫條圖 + + OK + 確定 - - Bar - 橫條圖 - - - Line - 折線圖 - - - Pie - 圓形圖 - - - Scatter - 散佈圖 - - - Time Series - 時間序列 - - - Image - 映像 - - - Count - 計數 - - - Table - 資料表 - - - Doughnut - 環圈圖 - - - Failed to get rows for the dataset to chart. - 無法取得資料集的資料列以繪製圖表。 - - - Chart type '{0}' is not supported. - 不支援圖表類型 '{0}'。 + + Cancel + 取消 - + - - Parameters - 參數 + + is required. + 是必要的。 + + + Invalid input. Numeric value expected. + 輸入無效。預期為數字。 - + - - Connected to - 已連線到 + + The index {0} is invalid. + 索引 {0} 無效。 - - Disconnected + + + + + + blank + 空白 + + + check all checkboxes in column: {0} + 選取資料行中的所有核取方塊: {0} + + + Show Actions + 顯示動作 + + + + + + + Loading + 正在載入 + + + Loading completed + 已完成載入 + + + + + + + Invalid value + 值無效 + + + {0}. {1} + {0}. {1} + + + + + + + Loading + 正在載入 + + + Loading completed + 已完成載入 + + + + + + + modelview code editor for view model. + 檢視模型的 modelview 程式碼編輯器。 + + + + + + + Could not find component for type {0} + 找不到類型 {0} 的元件 + + + + + + + Changing editor types on unsaved files is unsupported + 無法變更尚未儲存之檔案的編輯器類型 + + + + + + + Select Top 1000 + 選取前 1000 + + + Take 10 + 取用 10 筆 + + + Script as Execute + 作為指令碼執行 + + + Script as Alter + 修改指令碼 + + + Edit Data + 編輯資料 + + + Script as Create + 建立指令碼 + + + Script as Drop + 將指令碼編寫為 Drop + + + + + + + No script was returned when calling select script on object + 在物件上呼叫選取的指令碼時沒有回傳任何指令碼 + + + Select + 選擇 + + + Create + 建立 + + + Insert + 插入 + + + Update + 更新 + + + Delete + 刪除 + + + No script was returned when scripting as {0} on object {1} + 在物件 {1} 指令碼為 {0} 時無回傳任何指令碼 + + + Scripting Failed + 指令碼失敗 + + + No script was returned when scripting as {0} + 指令碼為 {0} 時無回傳任何指令 + + + + + + + disconnected 已中斷連線 - - Unsaved Connections - 未儲存的連線 - - + - - Browse (Preview) - 瀏覽 (預覽) - - - Type here to filter the list - 在此鍵入以篩選清單 - - - Filter connections - 篩選連線 - - - Applying filter - 正在套用篩選 - - - Removing filter - 正在移除篩選 - - - Filter applied - 已套用篩選 - - - Filter removed - 已移除篩選 - - - Saved Connections - 已儲存的連線 - - - Saved Connections - 已儲存的連線 - - - Connection Browser Tree - 連線瀏覽器樹狀結構 - - - - - - - This extension is recommended by Azure Data Studio. - Azure Data Studio 建議使用此延伸模組。 - - - - - - - Don't Show Again - 不要再顯示 - - - Azure Data Studio has extension recommendations. - Azure Data Studio 有延伸模組建議。 - - - Azure Data Studio has extension recommendations for data visualization. -Once installed, you can select the Visualizer icon to visualize your query results. - Azure Data Studio 有資料視覺效果的延伸模組建議。 -安裝之後,即可選取視覺化檢視圖示,將查詢結果視覺化。 - - - Install All - 全部安裝 - - - Show Recommendations - 顯示建議 - - - The scenario type for extension recommendations must be provided. - 必須提供延伸模組建議的案例類型。 - - - - - - - This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. - 這個功能頁面仍在預覽階段。預覽功能會引進新功能,並逐步成為產品中永久的一部分。這些功能雖然穩定,但在使用上仍需要改善。歡迎您在功能開發期間提供早期的意見反應。 - - - Preview - 預覽 - - - Create a connection - 建立連線 - - - Connect to a database instance through the connection dialog. - 透過連線對話方塊連線到資料庫執行個體。 - - - Run a query - 執行查詢 - - - Interact with data through a query editor. - 透過查詢編輯器與資料互動。 - - - Create a notebook - 建立筆記本 - - - Build a new notebook using a native notebook editor. - 使用原生筆記本編輯器建置新的筆記本。 - - - Deploy a server - 部署伺服器 - - - Create a new instance of a relational data service on the platform of your choice. - 在您選擇的平台上建立關聯式資料服務的新執行個體。 - - - Resources - 資源 - - - History - 記錄 - - - Name - 名稱 - - - Location - 位置 - - - Show more - 顯示更多 - - - Show welcome page on startup - 啟動時顯示歡迎頁面 - - - Useful Links - 實用的連結 - - - Getting Started - 使用者入門 - - - Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. - 探索 Azure Data Studio 提供的功能,並了解如何充分利用。 - - - Documentation - 文件 - - - Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. - 如需快速入門、操作指南及 PowerShell、API 等參考,請瀏覽文件中心。 - - - Overview of Azure Data Studio - Azure Data Studio 概觀 - - - Introduction to Azure Data Studio Notebooks | Data Exposed - Azure Data Studio Notebooks 簡介 | 公開的資料 - - - Extensions + + Extension 延伸模組 - - Show All - 全部顯示 + + + + + + Active tab background color for vertical tabs + 垂直索引標籤的作用中索引標籤背景色彩 - - Learn more - 深入了解 + + Color for borders in dashboard + 儀表板中框線的色彩 + + + Color of dashboard widget title + 儀表板 Widget 標題的色彩 + + + Color for dashboard widget subtext + 儀表板 Widget 次文字的色彩 + + + Color for property values displayed in the properties container component + 屬性容器元件中顯示的屬性值色彩 + + + Color for property names displayed in the properties container component + 屬性容器元件中顯示的屬性名稱色彩 + + + Toolbar overflow shadow color + 工具列溢位陰影色彩 - + - - Date Created: - 建立日期: + + Identifier of the account type + 帳戶類型的識別碼 - - Notebook Error: - Notebook 錯誤: + + (Optional) Icon which is used to represent the accpunt in the UI. Either a file path or a themable configuration + (選用) 用於 UI 中表示 accpunt 的圖示。任一檔案路徑或主題化的設定。 - - Job Error: - 作業錯誤: + + Icon path when a light theme is used + 使用亮色主題時的圖示路徑 - - Pinned - 已釘選 + + Icon path when a dark theme is used + 使用暗色主題時的圖像路徑 - - Recent Runs - 最近的執行 + + Contributes icons to account provider. + 將圖示貢獻給帳戶供應者。 - - Past Runs - 過去的執行 + + + + + + View applicable rules + 檢視適用的規則 + + + View applicable rules for {0} + 檢視適用於 {0} 的規則 + + + Invoke Assessment + 叫用評定 + + + Invoke Assessment for {0} + 為 {0} 叫用評定 + + + Export As Script + 匯出為指令碼 + + + View all rules and learn more on GitHub + 檢視所有規則,並前往 GitHub 深入了解 + + + Create HTML Report + 建立 HTML 報表 + + + Report has been saved. Do you want to open it? + 已儲存報表。要開啟嗎? + + + Open + 開啟 + + + Cancel + 取消 @@ -5426,390 +1209,6 @@ Once installed, you can select the Visualizer icon to visualize your query resul - - - - Chart - 圖表 - - - - - - - Operation - 作業 - - - Object - 物件 - - - Est Cost - 估計成本 - - - Est Subtree Cost - 估計的樹狀子目錄成本 - - - Actual Rows - 實際資料列數 - - - Est Rows - 估計資料列數 - - - Actual Executions - 實際執行次數 - - - Est CPU Cost - 估計 CPU 成本 - - - Est IO Cost - 估計 IO 成本 - - - Parallel - 平行作業 - - - Actual Rebinds - 實際重新繫結數 - - - Est Rebinds - 估計重新繫結數 - - - Actual Rewinds - 實際倒轉數 - - - Est Rewinds - 估計倒轉數 - - - Partitioned - 已分割 - - - Top Operations - 最前幾項操作 - - - - - - - No connections found. - 找不到連線。 - - - Add Connection - 新增連線 - - - - - - - Add an account... - 新增帳戶... - - - <Default> - <預設> - - - Loading... - 正在載入... - - - Server group - 伺服器群組 - - - <Default> - <預設> - - - Add new group... - 新增群組... - - - <Do not save> - <不要儲存> - - - {0} is required. - {0} 為必要項。 - - - {0} will be trimmed. - {0} 將受到修剪。 - - - Remember password - 記住密碼 - - - Account - 帳戶 - - - Refresh account credentials - 重新整理帳戶登入資訊 - - - Azure AD tenant - Azure AD 租用戶 - - - Name (optional) - 名稱 (選用) - - - Advanced... - 進階... - - - You must select an account - 您必須選取帳戶 - - - - - - - Database - 資料庫 - - - Files and filegroups - 檔案與檔案群組 - - - Full - 完整 - - - Differential - 差異 - - - Transaction Log - 交易記錄 - - - Disk - 磁碟 - - - Url - URL - - - Use the default server setting - 使用預設伺服器設定 - - - Compress backup - 壓縮備份 - - - Do not compress backup - 不要壓縮備份 - - - Server Certificate - 伺服器憑證 - - - Asymmetric Key - 非對稱金鑰 - - - - - - - You have not opened any folder that contains notebooks/books. - 您尚未開啟任何包含筆記本/書籍的資料夾。 - - - Open Notebooks - 開啟筆記本 - - - The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. - 結果集只包含所有符合項的子集。請提供更具體的搜尋條件以縮小結果範圍。 - - - Search in progress... - - 正在搜尋... - - - - No results found in '{0}' excluding '{1}' - - 在 '{0}' 中找不到排除 '{1}' 的結果 - - - - No results found in '{0}' - - 在 '{0}' 中找不到結果 - - - - No results found excluding '{0}' - - 找不到排除 '{0}' 的結果 - - - - No results found. Review your settings for configured exclusions and check your gitignore files - - 找不到任何結果。請檢閱您所設定排除的設定,並檢查您的 gitignore 檔案 - - - - Search again - 再次搜尋 - - - Cancel Search - 取消搜尋 - - - Search again in all files - 在所有檔案中再次搜尋 - - - Open Settings - 開啟設定 - - - Search returned {0} results in {1} files - 搜尋傳回 {1} 個檔案中的 {0} 個結果 - - - Toggle Collapse and Expand - 切換折疊和展開 - - - Cancel Search - 取消搜尋 - - - Expand All - 全部展開 - - - Collapse All - 全部摺疊 - - - Clear Search Results - 清除搜尋結果 - - - - - - - Connections - 連線 - - - Connect, query, and manage your connections from SQL Server, Azure, and more. - 從 SQL Server、Azure 等處進行連線、查詢及管理您的連線。 - - - 1 - 1 - - - Next - 下一個 - - - Notebooks - 筆記本 - - - Get started creating your own notebook or collection of notebooks in a single place. - 開始在單一位置建立您自己的筆記本或筆記本系列。 - - - 2 - 2 - - - Extensions - 延伸模組 - - - Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). - 安裝由我們 (Microsoft) 及第三方社群 (您!) 所開發的延伸模組,來擴充 Azure Data Studio 的功能。 - - - 3 - 3 - - - Settings - 設定 - - - Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. - 根據您的喜好自訂 Azure Data Studio。您可以進行自動儲存及索引標籤大小等 [設定]、將 [鍵盤快速鍵] 個人化,以及切換至您喜歡的 [色彩佈景主題]。 - - - 4 - 4 - - - Welcome Page - 歡迎頁面 - - - Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. - 在歡迎頁面中探索常用功能、最近開啟的檔案及建議的延伸模組。如需詳細資訊,以了解如何開始使用 Azure Data Studio,請參閱我們的影片及文件。 - - - 5 - 5 - - - Finish - 完成 - - - User Welcome Tour - 使用者歡迎導覽 - - - Hide Welcome Tour - 隱藏歡迎導覽 - - - Read more - 深入了解 - - - Help - 說明 - - - - - - - Delete Row - 刪除資料列 - - - Revert Current Row - 還原目前的資料列 - - - @@ -5894,575 +1293,283 @@ Once installed, you can select the Visualizer icon to visualize your query resul - + - - Message Panel - 訊息面板 - - - Copy - 複製 - - - Copy All - 全部複製 + + Open in Azure Portal + 在 Azure 入口網站中開啟 - + - - Loading - 正在載入 + + Backup name + 備份名稱 - - Loading completed - 已完成載入 + + Recovery model + 復原模式 + + + Backup type + 備份類型 + + + Backup files + 備份檔案 + + + Algorithm + 演算法 + + + Certificate or Asymmetric key + 憑證或非對稱金鑰 + + + Media + 媒體 + + + Backup to the existing media set + 備份到現有的媒體集 + + + Backup to a new media set + 備份到新媒體集 + + + Append to the existing backup set + 附加至現有的備份組 + + + Overwrite all existing backup sets + 覆寫所有現有的備份集 + + + New media set name + 新增媒體集名稱 + + + New media set description + 新增媒體集描述 + + + Perform checksum before writing to media + 在寫入媒體前執行檢查碼 + + + Verify backup when finished + 完成後驗證備份 + + + Continue on error + 錯誤時繼續 + + + Expiration + 逾期 + + + Set backup retain days + 設定備份保留天數 + + + Copy-only backup + 僅複製備份 + + + Advanced Configuration + 進階組態 + + + Compression + 壓縮 + + + Set backup compression + 設定備份壓縮 + + + Encryption + 加密 + + + Transaction log + 交易記錄 + + + Truncate the transaction log + 截斷交易記錄 + + + Backup the tail of the log + 備份最後的記錄 + + + Reliability + 可靠性 + + + Media name is required + 需要媒體名稱 + + + No certificate or asymmetric key is available + 沒有憑證或非對稱金鑰可用 + + + Add a file + 增加檔案 + + + Remove files + 移除檔案 + + + Invalid input. Value must be greater than or equal 0. + 輸入無效。值必須大於或等於 0。 + + + Script + 指令碼 + + + Backup + 備份 + + + Cancel + 取消 + + + Only backup to file is supported + 僅支援備份到檔案 + + + Backup file path is required + 需要備份檔案路徑 - + - - Click on - 按一下 - - - + Code - + 程式碼 - - - or - - - - + Text - + 文字 - - - to add a code or text cell - 新增程式碼或文字資料格 + + Backup + 備份 - + - - StdIn: - Stdin: + + You must enable preview features in order to use backup + 您必須啟用預覽功能才能使用備份 + + + Backup command is not supported outside of a database context. Please select a database and try again. + 資料庫內容中不支援備份命令。請選取資料庫並再試一次。 + + + Backup command is not supported for Azure SQL databases. + Azure SQL 資料庫不支援備份命令。 + + + Backup + 備份 - + - - Expand code cell contents - 展開程式碼資料格內容 + + Database + 資料庫 - - Collapse code cell contents - 摺疊程式碼資料格內容 + + Files and filegroups + 檔案與檔案群組 + + + Full + 完整 + + + Differential + 差異 + + + Transaction Log + 交易記錄 + + + Disk + 磁碟 + + + Url + URL + + + Use the default server setting + 使用預設伺服器設定 + + + Compress backup + 壓縮備份 + + + Do not compress backup + 不要壓縮備份 + + + Server Certificate + 伺服器憑證 + + + Asymmetric Key + 非對稱金鑰 - + - - XML Showplan - XML 執行程序表 + + Create Insight + 建立見解 - - Results grid - 結果方格 + + Cannot create insight as the active editor is not a SQL Editor + 啟用的編輯器不是 SQL 編輯器,無法建立見解 - - - - - - Add cell - 新增資料格 + + My-Widget + 我的小工具 - - Code cell - 程式碼資料格 + + Configure Chart + 設定圖表 - - Text cell - 文字資料格 + + Copy as image + 複製為映像 - - Move cell down - 下移資料格 + + Could not find chart to save + 找不到要儲存的圖表 - - Move cell up - 上移資料格 + + Save as image + 另存為映像 - - Delete - 刪除 + + PNG + PNG - - Add cell - 新增資料格 - - - Code cell - 程式碼資料格 - - - Text cell - 文字資料格 - - - - - - - SQL kernel error - SQL 核心錯誤 - - - A connection must be chosen to run notebook cells - 必須選擇連線來執行筆記本資料格 - - - Displaying Top {0} rows. - 目前顯示前 {0} 列。 - - - - - - - Name - 名稱 - - - Last Run - 上次執行 - - - Next Run - 下次執行 - - - Enabled - 啟用 - - - Status - 狀態 - - - Category - 分類 - - - Runnable - 可執行 - - - Schedule - 排程 - - - Last Run Outcome - 上次執行結果 - - - Previous Runs - 先前的執行內容 - - - No Steps available for this job. - 沒有任何此作業可用的步驟。 - - - Error: - 錯誤: - - - - - - - Could not find component for type {0} - 找不到類型 {0} 的元件 - - - - - - - Find - 尋找 - - - Find - 尋找 - - - Previous match - 上一個符合項目 - - - Next match - 下一個符合項目 - - - Close - 關閉 - - - Your search returned a large number of results, only the first 999 matches will be highlighted. - 您的搜尋傳回了大量結果,只會將前 999 個相符項目醒目提示。 - - - {0} of {1} - {1} 的 {0} - - - No Results - 查無結果 - - - - - - - Name - 名稱 - - - Schema - 結構描述 - - - Type - 類型 - - - - - - - Run Query - 執行查詢 - - - - - - - No {0}renderer could be found for output. It has the following MIME types: {1} - 找不到輸出的 {0} 轉譯器。其有下列 MIME 類型: {1} - - - safe - 安全 - - - No component could be found for selector {0} - 找不到選取器 {0} 的元件 - - - Error rendering component: {0} - 轉譯元件時發生錯誤: {0} - - - - - - - Loading... - 正在載入... - - - - - - - Loading... - 正在載入... - - - - - - - Edit - 編輯 - - - Exit - 結束 - - - Refresh - 重新整理 - - - Show Actions - 顯示動作 - - - Delete Widget - 刪除小工具 - - - Click to unpin - 按一下以取消釘選 - - - Click to pin - 按一下以釘選 - - - Open installed features - 開啟已安裝的功能 - - - Collapse Widget - 摺疊小工具 - - - Expand Widget - 展開小工具 - - - - - - - {0} is an unknown container. - {0} 是不明容器。 - - - - - - - Name - 名稱 - - - Target Database - 目標資料庫 - - - Last Run - 上次執行 - - - Next Run - 下次執行 - - - Status - 狀態 - - - Last Run Outcome - 上次執行結果 - - - Previous Runs - 先前的執行內容 - - - No Steps available for this job. - 沒有任何此作業可用的步驟。 - - - Error: - 錯誤: - - - Notebook Error: - Notebook 錯誤: - - - - - - - Loading Error... - 正在載入錯誤... - - - - - - - Show Actions - 顯示動作 - - - No matching item found - 找不到相符的項目 - - - Filtered search list to 1 item - 已將搜尋清單篩選為 1 個項目 - - - Filtered search list to {0} items - 已將搜尋清單篩選為 {0} 個項目 - - - - - - - Failed - 失敗 - - - Succeeded - 已成功 - - - Retry - 重試 - - - Cancelled - 已取消 - - - In Progress - 正在進行 - - - Status Unknown - 狀態未知 - - - Executing - 正在執行 - - - Waiting for Thread - 正在等候執行緒 - - - Between Retries - 正在重試 - - - Idle - 閒置 - - - Suspended - 暫止 - - - [Obsolete] - [已淘汰] - - - Yes - - - - No - - - - Not Scheduled - 未排程 - - - Never Run - 從未執行 - - - - - - - Bold - 粗體 - - - Italic - 斜體 - - - Underline - 底線 - - - Highlight - 醒目提示 - - - Code - 程式碼 - - - Link - 連結 - - - List - 清單 - - - Ordered list - 排序清單 - - - Image - 影像 - - - Markdown preview toggle - off - Markdown 預覽切換 - 關閉 - - - Heading - 標題 - - - Heading 1 - 標題 1 - - - Heading 2 - 標題 2 - - - Heading 3 - 標題 3 - - - Paragraph - 段落 - - - Insert link - 插入連結 - - - Insert image - 插入影像 - - - Rich Text View - RTF 檢視 - - - Split View - 分割檢視 - - - Markdown View - Markdown 檢視 + + Saved Chart to path: {0} + 已將圖表儲存到路徑: {0} @@ -6550,19 +1657,411 @@ Once installed, you can select the Visualizer icon to visualize your query resul - + - + + Chart + 圖表 + + + + + + + Horizontal Bar + 水平橫條圖 + + + Bar + 橫條圖 + + + Line + 折線圖 + + + Pie + 圓形圖 + + + Scatter + 散佈圖 + + + Time Series + 時間序列 + + + Image + 映像 + + + Count + 計數 + + + Table + 資料表 + + + Doughnut + 環圈圖 + + + Failed to get rows for the dataset to chart. + 無法取得資料集的資料列以繪製圖表。 + + + Chart type '{0}' is not supported. + 不支援圖表類型 '{0}'。 + + + + + + + Built-in Charts + 內建圖表 + + + The maximum number of rows for charts to display. Warning: increasing this may impact performance. + 要顯示之圖表的資料列數目上限。警告: 增加此數目可能會影響效能。 + + + + + + Close 關閉 - + - - A server group with the same name already exists. - 伺服器群組名稱已經存在。 + + Series {0} + 系列 {0} + + + + + + + Table does not contain a valid image + 資料表不含有效的映像 + + + + + + + Maximum row count for built-in charts has been exceeded, only the first {0} rows are used. To configure the value, you can open user settings and search for: 'builtinCharts.maxRowCount'. + 已超過內建圖表的資料列計數上限,只會使用最先 {0} 個資料列。若要設定值,您可以開啟使用者設定並搜尋: 'builtinCharts.maxRowCount'。 + + + Don't Show Again + 不要再顯示 + + + + + + + Connecting: {0} + 正在連線: {0} + + + Running command: {0} + 正在執行命令: {0} + + + Opening new query: {0} + 正在開啟新查詢: {0} + + + Cannot connect as no server information was provided + 因為未提供伺服器資訊,所以無法連線 + + + Could not open URL due to error {0} + 因為發生錯誤 {0},導致無法開啟 URL + + + This will connect to server {0} + 這會連線到伺服器 {0} + + + Are you sure you want to connect? + 確定要連線嗎? + + + &&Open + 開啟(&&O) + + + Connecting query file + 正在連線到查詢檔案 + + + + + + + {0} was replaced with {1} in your user settings. + 您使用者設定中的 {1} 已取代 {0}。 + + + {0} was replaced with {1} in your workspace settings. + 您工作區設定中的 {1} 已取代 {0}。 + + + + + + + The maximum number of recently used connections to store in the connection list. + 連線列表內最近使用的連線數上限。 + + + Default SQL Engine to use. This drives default language provider in .sql files and the default to use when creating a new connection. + 要使用的預設 SQL 引擎。這會驅動 .sql 檔案中的預設語言提供者,以及建立新連線時要使用的預設。 + + + Attempt to parse the contents of the clipboard when the connection dialog is opened or a paste is performed. + 嘗試在連線對話方塊開啟或已執行貼上時剖析剪貼簿的內容。 + + + + + + + Connection Status + 連線狀態 + + + + + + + Common id for the provider + 提供者的通用識別碼。 + + + Display Name for the provider + 提供者的顯示名稱 + + + Notebook Kernel Alias for the provider + 提供者的筆記本核心別名 + + + Icon path for the server type + 伺服器類型的圖示路徑 + + + Options for connection + 連線選項 + + + + + + + User visible name for the tree provider + 樹狀提供者向使用者顯示的名稱 + + + Id for the provider, must be the same as when registering the tree data provider and must start with `connectionDialog/` + 提供者的識別碼,必須與註冊樹狀資料提供者時的識別碼相同,而且必須以 `connectionDialog/` 開頭 + + + + + + + Unique identifier for this container. + 此容器的唯一識別碼。 + + + The container that will be displayed in the tab. + 顯示於索引標籤的容器。 + + + Contributes a single or multiple dashboard containers for users to add to their dashboard. + 提供一個或多個儀表板容器,讓使用者可增加至其儀表板中。 + + + No id in dashboard container specified for extension. + 為延伸模組指定的儀表板容器中沒有任何識別碼。 + + + No container in dashboard container specified for extension. + 為延伸模組指定的儀表板容器中沒有任何容器。 + + + Exactly 1 dashboard container must be defined per space. + 至少須為每個空間定義剛好 1 個儀表板容器。 + + + Unknown container type defines in dashboard container for extension. + 延伸模組的儀表板容器中有不明的容器類型定義。 + + + + + + + The controlhost that will be displayed in this tab. + 會在此索引標籤中顯示的 controlhost。 + + + + + + + The "{0}" section has invalid content. Please contact extension owner. + "{0}" 區段有無效的內容。請連絡延伸模組擁有者。 + + + + + + + The list of widgets or webviews that will be displayed in this tab. + 顯示在此索引標籤的小工具或 Web 檢視的清單。 + + + widgets or webviews are expected inside widgets-container for extension. + 延伸模組的 widgets-container 中應有 widgets 或 webviews。 + + + + + + + The model-backed view that will be displayed in this tab. + 將在此索引標籤中顯示的 model-backed 檢視。 + + + + + + + Unique identifier for this nav section. Will be passed to the extension for any requests. + 導覽區的唯一識別碼。將傳遞給任何要求的延伸模組。 + + + (Optional) Icon which is used to represent this nav section in the UI. Either a file path or a themeable configuration + (選用) 用於 UI 中表示導覽區的圖示。任一檔案路徑或主題化的設定。 + + + Icon path when a light theme is used + 使用亮色主題時的圖示路徑 + + + Icon path when a dark theme is used + 使用暗色主題時的圖像路徑 + + + Title of the nav section to show the user. + 顯示給使用者的導覽區標題。 + + + The container that will be displayed in this nav section. + 顯示在此導覽區的容器。 + + + The list of dashboard containers that will be displayed in this navigation section. + 在導覽區顯示儀表板容器清單。 + + + No title in nav section specified for extension. + 為延伸模組指定的導覽區段中沒有標題。 + + + No container in nav section specified for extension. + 為延伸模組指定的導覽區段中沒有任何容器。 + + + Exactly 1 dashboard container must be defined per space. + 至少須為每個空間定義剛好 1 個儀表板容器。 + + + NAV_SECTION within NAV_SECTION is an invalid container for extension. + NAV_SECTION 中的 NAV_SECTION 對延伸模組而言是無效的容器。 + + + + + + + The webview that will be displayed in this tab. + 顯示在此索引標籤的 Web 檢視。 + + + + + + + The list of widgets that will be displayed in this tab. + 顯示在此索引標籤中的小工具清單。 + + + The list of widgets is expected inside widgets-container for extension. + 延伸模組的 widgets-container 中應有 widgets 的清單。 + + + + + + + Edit + 編輯 + + + Exit + 結束 + + + Refresh + 重新整理 + + + Show Actions + 顯示動作 + + + Delete Widget + 刪除小工具 + + + Click to unpin + 按一下以取消釘選 + + + Click to pin + 按一下以釘選 + + + Open installed features + 開啟已安裝的功能 + + + Collapse Widget + 摺疊小工具 + + + Expand Widget + 展開小工具 + + + + + + + {0} is an unknown container. + {0} 是不明容器。 @@ -6582,111 +2081,1025 @@ Once installed, you can select the Visualizer icon to visualize your query resul - + - - Create Insight - 建立見解 + + Unique identifier for this tab. Will be passed to the extension for any requests. + 此索引標籤的唯一識別碼。將傳遞給任何要求的延伸模組。 - - Cannot create insight as the active editor is not a SQL Editor - 啟用的編輯器不是 SQL 編輯器,無法建立見解 + + Title of the tab to show the user. + 顯示給使用者的索引標籤的標題。 - - My-Widget - 我的小工具 + + Description of this tab that will be shown to the user. + 此索引標籤的描述將顯示給使用者。 - - Configure Chart - 設定圖表 + + Condition which must be true to show this item + 必須為 True 以顯示此項目的條件 - - Copy as image - 複製為映像 + + Defines the connection types this tab is compatible with. Defaults to 'MSSQL' if not set + 定義與此索引標籤相容的連線類型。若未設定,則預設值為 'MSSQL' - - Could not find chart to save - 找不到要儲存的圖表 + + The container that will be displayed in this tab. + 將在此索引標籤中顯示的容器。 - - Save as image - 另存為映像 + + Whether or not this tab should always be shown or only when the user adds it. + 是否應一律顯示此索引標籤或僅當使用者增加時顯示。 - - PNG - PNG + + Whether or not this tab should be used as the Home tab for a connection type. + 是否應將此索引標籤用作連線類型的首頁索引標籤。 - - Saved Chart to path: {0} - 已將圖表儲存到路徑: {0} + + The unique identifier of the group this tab belongs to, value for home group: home. + 此索引標籤所屬群組的唯一識別碼,常用 (群組) 的值: 常用。 + + + (Optional) Icon which is used to represent this tab in the UI. Either a file path or a themeable configuration + (選用) 用於在 UI 中代表此索引標籤的圖示。這會是檔案路徑或可設定佈景主題的組態 + + + Icon path when a light theme is used + 使用亮色主題時的圖示路徑 + + + Icon path when a dark theme is used + 使用暗色主題時的圖像路徑 + + + Contributes a single or multiple tabs for users to add to their dashboard. + 提供一或多個索引標籤,讓使用者可將其增加至儀表板中。 + + + No title specified for extension. + 未為延伸模組指定標題。 + + + No description specified to show. + 未指定要顯示的描述。 + + + No container specified for extension. + 未為延伸模組指定任何容器。 + + + Exactly 1 dashboard container must be defined per space + 每個空間必須明確定義 1 個儀表板容器 + + + Unique identifier for this tab group. + 此索引標籤群組的唯一識別碼。 + + + Title of the tab group. + 索引標籤群組的標題。 + + + Contributes a single or multiple tab groups for users to add to their dashboard. + 提供一或多個索引標籤群組,讓使用者可將其增加至儀表板中。 + + + No id specified for tab group. + 沒有為索引標籤群組指定任何識別碼。 + + + No title specified for tab group. + 沒有為索引標籤群組指定任何標題。 + + + Administration + 管理 + + + Monitoring + 監視 + + + Performance + 效能 + + + Security + 安全性 + + + Troubleshooting + 疑難排解 + + + Settings + 設定 + + + databases tab + 資料庫索引標籤 + + + Databases + 資料庫 - + - - Add code - 新增程式碼 + + Manage + 管理 - - Add text - 新增文字 + + Dashboard + 儀表板 - - Create File - 建立檔案 + + + + + + Manage + 管理 - - Could not display contents: {0} - 無法顯示內容: {0} + + + + + + property `icon` can be omitted or must be either a string or a literal like `{dark, light}` + 屬性 `icon` 可以省略,否則必須為字串或類似 `{dark, light}` 的常值 - - Add cell - 新增資料格 + + + + + + Defines a property to show on the dashboard + 定義顯示於儀表板上的屬性 - - Code cell - 程式碼資料格 + + What value to use as a label for the property + 做為屬性標籤的值 - - Text cell - 文字資料格 + + What value in the object to access for the value + 要在物件中存取的值 - - Run all - 全部執行 + + Specify values to be ignored + 指定要忽略的值 - - Cell - 資料格 + + Default value to show if ignored or no value + 如果忽略或沒有值,則顯示預設值 - - Code - 程式碼 + + A flavor for defining dashboard properties + 定義儀表板屬性變體 - - Text - 文字 + + Id of the flavor + 類別的變體的識別碼 - - Run Cells - 執行資料格 + + Condition to use this flavor + 使用此變體的條件 - - < Previous - < 上一步 + + Field to compare to + 要比較的欄位 - - Next > - 下一步 > + + Which operator to use for comparison + 用於比較的運算子 - - cell with URI {0} was not found in this model - 無法在此模型中找到 URI 為 {0} 的資料格 + + Value to compare the field to + 用於比較該欄位的值 - - Run Cells failed - See error in output of the currently selected cell for more information. - 執行資料格失敗 - 如需詳細資訊,請參閱目前所選資料格之輸出中的錯誤。 + + Properties to show for database page + 顯示資料庫頁的屬性 + + + Properties to show for server page + 顯示伺服器頁的屬性 + + + Defines that this provider supports the dashboard + 定義此提供者支援儀表板 + + + Provider id (ex. MSSQL) + 提供者識別碼 (例如 MSSQL) + + + Property values to show on dashboard + 在儀表板上顯示的屬性值 + + + + + + + Condition which must be true to show this item + 必須為 True 以顯示此項目的條件 + + + Whether to hide the header of the widget, default value is false + 是否要隱藏 Widget 的標題,預設值為 false + + + The title of the container + 容器的標題 + + + The row of the component in the grid + 方格中元件的資料列 + + + The rowspan of the component in the grid. Default value is 1. Use '*' to set to number of rows in the grid. + 方格中元件的 rowspan。預設值為 1。使用 '*' 即可設定方格中的資料列數。 + + + The column of the component in the grid + 方格中元件的資料行 + + + The colspan of the component in the grid. Default value is 1. Use '*' to set to number of columns in the grid. + 方格內元件的 colspan。預設值為 1。使用 '*' 即可設定方格中的資料行數。 + + + Unique identifier for this tab. Will be passed to the extension for any requests. + 此索引標籤的唯一識別碼。將傳遞給任何要求的延伸模組。 + + + Extension tab is unknown or not installed. + 未知的延伸模組索引標籤或未安裝。 + + + + + + + Database Properties + 資料庫屬性 + + + + + + + Enable or disable the properties widget + 啟用或禁用屬性小工具 + + + Property values to show + 顯示屬性值 + + + Display name of the property + 顯示屬性的名稱 + + + Value in the Database Info Object + 資料庫資訊物件中的值 + + + Specify specific values to ignore + 指定要忽略的特定值 + + + Recovery Model + 復原模式 + + + Last Database Backup + 上次資料庫備份 + + + Last Log Backup + 上次記錄備份 + + + Compatibility Level + 相容性層級 + + + Owner + 擁有者 + + + Customizes the database dashboard page + 自訂 "資料庫儀表板" 頁 + + + Search + 搜尋 + + + Customizes the database dashboard tabs + 自訂資料庫儀表板索引標籤 + + + + + + + Server Properties + 伺服器屬性 + + + + + + + Enable or disable the properties widget + 啟用或禁用屬性小工具 + + + Property values to show + 顯示屬性值 + + + Display name of the property + 顯示屬性的名稱 + + + Value in the Server Info Object + 伺服器資訊物件中的值 + + + Version + 版本 + + + Edition + 版本 + + + Computer Name + 電腦名稱 + + + OS Version + 作業系統版本 + + + Search + 搜尋 + + + Customizes the server dashboard page + 自訂伺服器儀表板頁面 + + + Customizes the Server dashboard tabs + 自訂伺服器儀表板索引標籤 + + + + + + + Home + 首頁 + + + + + + + Failed to change database + 變更資料庫失敗 + + + + + + + Show Actions + 顯示動作 + + + No matching item found + 找不到相符的項目 + + + Filtered search list to 1 item + 已將搜尋清單篩選為 1 個項目 + + + Filtered search list to {0} items + 已將搜尋清單篩選為 {0} 個項目 + + + + + + + Name + 名稱 + + + Schema + 結構描述 + + + Type + 類型 + + + + + + + loading objects + 正在載入物件 + + + loading databases + 正在載入資料庫 + + + loading objects completed. + 已完成載入物件。 + + + loading databases completed. + 已完成載入資料庫。 + + + Search by name of type (t:, v:, f:, or sp:) + 依類型名稱搜尋 (t:、v:、f: 或 sp:) + + + Search databases + 搜尋資料庫 + + + Unable to load objects + 無法載入物件 + + + Unable to load databases + 無法載入資料庫 + + + + + + + Run Query + 執行查詢 + + + + + + + Loading {0} + 正在載入 {0} + + + Loading {0} completed + 已完成載入 {0} + + + Auto Refresh: OFF + 自動重新整理: 關閉 + + + Last Updated: {0} {1} + 最近更新: {0} {1} + + + No results to show + 沒有可顯示的結果 + + + + + + + Adds a widget that can query a server or database and display the results in multiple ways - as a chart, summarized count, and more + 新增一個可查詢伺服器或資料庫並以多種方式呈現結果的小工具,如圖表、計數總結等。 + + + Unique Identifier used for caching the results of the insight. + 用於快取見解結果的唯一識別碼。 + + + SQL query to run. This should return exactly 1 resultset. + 要執行的 SQL 查詢。這僅會回傳 1 個結果集。 + + + [Optional] path to a file that contains a query. Use if 'query' is not set + [選用] 包含查詢之檔案的路徑。這會在未設定 'query' 時使用 + + + [Optional] Auto refresh interval in minutes, if not set, there will be no auto refresh + [選用] 自動重新整理間隔 (分鐘),如未設定,就不會自動重新整理 + + + Which actions to use + 要使用的動作 + + + Target database for the action; can use the format '${ columnName }' to use a data driven column name. + 此動作的目標資料庫;可使用格式 '${ columnName }',以使用資料驅動的資料行名稱。 + + + Target server for the action; can use the format '${ columnName }' to use a data driven column name. + 此動作的目標伺服器;可使用格式 '${ columnName }',以使用資料驅動的資料列名稱。 + + + Target user for the action; can use the format '${ columnName }' to use a data driven column name. + 請指定執行此動作的使用者;可使用格式 '${ columnName }',以使用資料驅動的資料行名稱。 + + + Identifier of the insight + 見解識別碼 + + + Contributes insights to the dashboard palette. + 在儀表板選擇區提供見解。 + + + + + + + Chart cannot be displayed with the given data + 無法以指定的資料顯示圖表 + + + + + + + Displays results of a query as a chart on the dashboard + 將查詢結果以圖表方式顯示在儀表板上 + + + Maps 'column name' -> color. for example add 'column1': red to ensure this column uses a red color + 對應 'column name' -> 色彩。例如,新增 'column1': red 可確保資料行使用紅色 + + + Indicates preferred position and visibility of the chart legend. These are the column names from your query, and map to the label of each chart entry + 指定圖表圖例的優先位置和可見度。這些是您查詢中的欄位名稱,並對應到每個圖表項目的標籤 + + + If dataDirection is horizontal, setting this to true uses the first columns value for the legend. + 若 dataDirection 是水平的,設定為 True 時則使用第一個欄位值為其圖例。 + + + If dataDirection is vertical, setting this to true will use the columns names for the legend. + 若 dataDirection 是垂直的,設定為 True 時則使用欄位名稱為其圖例。 + + + Defines whether the data is read from a column (vertical) or a row (horizontal). For time series this is ignored as direction must be vertical. + 定義是否從行 (垂直) 或列 (水平) 讀取資料。對於時間序列,當呈現方向為垂直時會被忽略。 + + + If showTopNData is set, showing only top N data in the chart. + 如已設定 showTopNData,則僅顯示圖表中的前 N 個資料。 + + + + + + + Minimum value of the y axis + y 軸的最小值 + + + Maximum value of the y axis + y 軸的最大值 + + + Label for the y axis + Y 軸的標籤 + + + Minimum value of the x axis + X 軸的最小值 + + + Maximum value of the x axis + X 軸的最大值 + + + Label for the x axis + X 軸標籤 + + + + + + + Indicates data property of a data set for a chart. + 指定圖表資料集的資料屬性。 + + + + + + + For each column in a resultset, displays the value in row 0 as a count followed by the column name. Supports '1 Healthy', '3 Unhealthy' for example, where 'Healthy' is the column name and 1 is the value in row 1 cell 1 + 為結果集中的每一個資料行,在資料列 0 中先顯示計數值,再顯示資料行名稱。例如,支援 '1 Healthy','3 Unhealthy';其中 'Healthy' 為資料行名稱,1 為資料列 1 中資料格 1 的值 + + + + + + + Displays an image, for example one returned by an R query using ggplot2 + 顯示映像,如使用 ggplot2 R 查詢返回的映像。 + + + What format is expected - is this a JPEG, PNG or other format? + 預期格式是什麼 - 是 JPEG、PNG 或其他格式? + + + Is this encoded as hex, base64 or some other format? + 此編碼為十六進位、base64 或是其他格式? + + + + + + + Displays the results in a simple table + 在簡單資料表中顯示結果 + + + + + + + Loading properties + 正在載入屬性 + + + Loading properties completed + 已完成載入屬性 + + + Unable to load dashboard properties + 無法載入儀表板屬性 + + + + + + + Database Connections + 資料庫連線 + + + data source connections + 資料來源連線 + + + data source groups + 資料來源群組 + + + Saved connections are sorted by the dates they were added. + 儲存的連線依新增的日期排序。 + + + Saved connections are sorted by their display names alphabetically. + 儲存的連線依其顯示名稱以字母順序排序。 + + + Controls sorting order of saved connections and connection groups. + 控制儲存連線和連線群組的排列順序。 + + + Startup Configuration + 啟動組態 + + + True for the Servers view to be shown on launch of Azure Data Studio default; false if the last opened view should be shown + 預設為在 Azure Data Studio 啟動時要顯示的伺服器檢視即為 True;如應顯示上次開啟的檢視則為 False + + + + + + + Identifier of the view. Use this to register a data provider through `vscode.window.registerTreeDataProviderForView` API. Also to trigger activating your extension by registering `onView:${id}` event to `activationEvents`. + 檢視的識別碼。請使用此識別碼透過 `vscode.window.registerTreeDataProviderForView` API 登錄資料提供者。並藉由將 `onView:${id}` 事件登錄至 `activationEvents` 以觸發啟用您的延伸模組。 + + + The human-readable name of the view. Will be shown + 使用人性化顯示名稱。會顯示 + + + Condition which must be true to show this view + 必須為 True 以顯示此檢視的條件 + + + Contributes views to the editor + 提供檢視給編輯者 + + + Contributes views to Data Explorer container in the Activity bar + 將檢視提供到活動列中的資料總管容器 + + + Contributes views to contributed views container + 在參與檢視容器中提供檢視 + + + Cannot register multiple views with same id `{0}` in the view container `{1}` + 無法在檢視容器 '{1}' 中以同一個識別碼 '{0}' 註冊多個檢視 + + + A view with id `{0}` is already registered in the view container `{1}` + 已在檢視容器 '{1}' 中註冊識別碼為 '{0}' 的檢視 + + + views must be an array + 項目必須為陣列 + + + property `{0}` is mandatory and must be of type `string` + 屬性 '{0}' 為強制項目且必須屬於 `string` 類型 + + + property `{0}` can be omitted or must be of type `string` + 屬性 `{0}` 可以省略或必須屬於 `string` 類型 + + + + + + + Servers + 伺服器 + + + Connections + 連線 + + + Show Connections + 顯示連線 + + + + + + + Disconnect + 中斷連線 + + + Refresh + 重新整理 + + + + + + + Show Edit Data SQL pane on startup + 啟動時顯示 [編輯資料] SQL 窗格 + + + + + + + Run + 執行 + + + Dispose Edit Failed With Error: + 處理編輯失敗,出現錯誤: + + + Stop + 停止 + + + Show SQL Pane + 顯示 SQL 窗格 + + + Close SQL Pane + 關閉 SQL 窗格 + + + + + + + Max Rows: + 最大資料列數: + + + + + + + Delete Row + 刪除資料列 + + + Revert Current Row + 還原目前的資料列 + + + + + + + Save As CSV + 另存為 CSV + + + Save As JSON + 另存為 JSON + + + Save As Excel + 另存為 Excel + + + Save As XML + 另存為 XML + + + Copy + 複製 + + + Copy With Headers + 隨標題一併複製 + + + Select All + 全選 + + + + + + + Dashboard Tabs ({0}) + 儀表板索引標籤 ({0}) + + + Id + 識別碼 + + + Title + 標題 + + + Description + 描述 + + + Dashboard Insights ({0}) + 儀表板見解 ({0}) + + + Id + 識別碼 + + + Name + 名稱 + + + When + 時間 + + + + + + + Gets extension information from the gallery + 從資源庫取得延伸模組資訊 + + + Extension id + 延伸模組識別碼 + + + Extension '{0}' not found. + 找不到延伸模組 '{0}'。 + + + + + + + Show Recommendations + 顯示建議 + + + Install Extensions + 安裝延伸模組 + + + Author an Extension... + 撰寫延伸模組... + + + + + + + Don't Show Again + 不要再顯示 + + + Azure Data Studio has extension recommendations. + Azure Data Studio 有延伸模組建議。 + + + Azure Data Studio has extension recommendations for data visualization. +Once installed, you can select the Visualizer icon to visualize your query results. + Azure Data Studio 有資料視覺效果的延伸模組建議。 +安裝之後,即可選取視覺化檢視圖示,將查詢結果視覺化。 + + + Install All + 全部安裝 + + + Show Recommendations + 顯示建議 + + + The scenario type for extension recommendations must be provided. + 必須提供延伸模組建議的案例類型。 + + + + + + + This extension is recommended by Azure Data Studio. + Azure Data Studio 建議使用此延伸模組。 + + + + + + + Jobs + 作業 + + + Notebooks + Notebooks + + + Alerts + 警示 + + + Proxies + Proxy + + + Operators + 運算子 + + + + + + + Name + 名稱 + + + Last Occurrence + 上次發生 + + + Enabled + 啟用 + + + Delay Between Responses (in secs) + 回應之間的延遲 (秒) + + + Category Name + 類別名稱 @@ -6906,257 +3319,187 @@ Error: {1} - + - - View applicable rules - 檢視適用的規則 + + Step ID + 步驟識別碼 - - View applicable rules for {0} - 檢視適用於 {0} 的規則 + + Step Name + 步驟名稱 - - Invoke Assessment - 叫用評定 - - - Invoke Assessment for {0} - 為 {0} 叫用評定 - - - Export As Script - 匯出為指令碼 - - - View all rules and learn more on GitHub - 檢視所有規則,並前往 GitHub 深入了解 - - - Create HTML Report - 建立 HTML 報表 - - - Report has been saved. Do you want to open it? - 已儲存報表。要開啟嗎? - - - Open - 開啟 - - - Cancel - 取消 + + Message + 訊息 - + - - Data - 資料 - - - Connection - 連線 - - - Query Editor - 查詢編輯器 - - - Notebook - Notebook - - - Dashboard - 儀表板 - - - Profiler - 分析工具 + + Steps + 步驟 - + - - Dashboard Tabs ({0}) - 儀表板索引標籤 ({0}) - - - Id - 識別碼 - - - Title - 標題 - - - Description - 描述 - - - Dashboard Insights ({0}) - 儀表板見解 ({0}) - - - Id - 識別碼 - - + Name 名稱 - - When - 時間 + + Last Run + 上次執行 + + + Next Run + 下次執行 + + + Enabled + 啟用 + + + Status + 狀態 + + + Category + 分類 + + + Runnable + 可執行 + + + Schedule + 排程 + + + Last Run Outcome + 上次執行結果 + + + Previous Runs + 先前的執行內容 + + + No Steps available for this job. + 沒有任何此作業可用的步驟。 + + + Error: + 錯誤: - + - - Table does not contain a valid image - 資料表不含有效的映像 + + Date Created: + 建立日期: + + + Notebook Error: + Notebook 錯誤: + + + Job Error: + 作業錯誤: + + + Pinned + 已釘選 + + + Recent Runs + 最近的執行 + + + Past Runs + 過去的執行 - + - - More - 更多 + + Name + 名稱 - - Edit - 編輯 + + Target Database + 目標資料庫 - - Close - 關閉 + + Last Run + 上次執行 - - Convert Cell - 轉換資料格 + + Next Run + 下次執行 - - Run Cells Above - 執行上方的資料格 + + Status + 狀態 - - Run Cells Below - 執行下方的資料格 + + Last Run Outcome + 上次執行結果 - - Insert Code Above - 在上方插入程式碼 + + Previous Runs + 先前的執行內容 - - Insert Code Below - 在下方插入程式碼 + + No Steps available for this job. + 沒有任何此作業可用的步驟。 - - Insert Text Above - 在上方插入文字 + + Error: + 錯誤: - - Insert Text Below - 在下方插入文字 - - - Collapse Cell - 摺疊資料格 - - - Expand Cell - 展開資料格 - - - Make parameter cell - 製作參數資料格 - - - Remove parameter cell - 移除參數資料格 - - - Clear Result - 清除結果 + + Notebook Error: + Notebook 錯誤: - + - - An error occurred while starting the notebook session - 啟動筆記本工作階段時發生錯誤 + + Name + 名稱 - - Server did not start for unknown reason - 伺服器因為不明原因而未啟動 + + Email Address + 電子郵件地址 - - Kernel {0} was not found. The default kernel will be used instead. - 找不到核心 {0}。會改用預設核心。 + + Enabled + 啟用 - + - - Series {0} - 系列 {0} + + Account Name + 帳戶名稱 - - - - - - Close - 關閉 + + Credential Name + 認證名稱 - - - - - - # Injected-Parameters - - # 個插入的參數 - + + Description + 描述 - - Please select a connection to run cells for this kernel - 請選取要為此核心執行資料格的連線 - - - Failed to delete cell. - 無法刪除資料格。 - - - Failed to change kernel. Kernel {0} will be used. Error was: {1} - 無法變更核心。將會使用核心 {0}。錯誤為: {1} - - - Failed to change kernel due to error: {0} - 因為錯誤所以無法變更核心: {0} - - - Changing context failed: {0} - 無法變更內容: {0} - - - Could not start session: {0} - 無法啟動工作階段: {0} - - - A client session error occurred when closing the notebook: {0} - 關閉筆記本時發生用戶端工作階段錯誤: {0} - - - Can't find notebook manager for provider {0} - 找不到提供者 {0} 的筆記本管理員 + + Enabled + 啟用 @@ -7228,6 +3571,3317 @@ Error: {1} + + + + More + 更多 + + + Edit + 編輯 + + + Close + 關閉 + + + Convert Cell + 轉換資料格 + + + Run Cells Above + 執行上方的資料格 + + + Run Cells Below + 執行下方的資料格 + + + Insert Code Above + 在上方插入程式碼 + + + Insert Code Below + 在下方插入程式碼 + + + Insert Text Above + 在上方插入文字 + + + Insert Text Below + 在下方插入文字 + + + Collapse Cell + 摺疊資料格 + + + Expand Cell + 展開資料格 + + + Make parameter cell + 製作參數資料格 + + + Remove parameter cell + 移除參數資料格 + + + Clear Result + 清除結果 + + + + + + + Add cell + 新增資料格 + + + Code cell + 程式碼資料格 + + + Text cell + 文字資料格 + + + Move cell down + 下移資料格 + + + Move cell up + 上移資料格 + + + Delete + 刪除 + + + Add cell + 新增資料格 + + + Code cell + 程式碼資料格 + + + Text cell + 文字資料格 + + + + + + + Parameters + 參數 + + + + + + + Please select active cell and try again + 請選取作用資料格並再試一次 + + + Run cell + 執行資料格 + + + Cancel execution + 取消執行 + + + Error on last run. Click to run again + 上一個執行發生錯誤。按一下即可重新執行 + + + + + + + Expand code cell contents + 展開程式碼資料格內容 + + + Collapse code cell contents + 摺疊程式碼資料格內容 + + + + + + + Bold + 粗體 + + + Italic + 斜體 + + + Underline + 底線 + + + Highlight + 醒目提示 + + + Code + 程式碼 + + + Link + 連結 + + + List + 清單 + + + Ordered list + 排序清單 + + + Image + 影像 + + + Markdown preview toggle - off + Markdown 預覽切換 - 關閉 + + + Heading + 標題 + + + Heading 1 + 標題 1 + + + Heading 2 + 標題 2 + + + Heading 3 + 標題 3 + + + Paragraph + 段落 + + + Insert link + 插入連結 + + + Insert image + 插入影像 + + + Rich Text View + RTF 檢視 + + + Split View + 分割檢視 + + + Markdown View + Markdown 檢視 + + + + + + + No {0}renderer could be found for output. It has the following MIME types: {1} + 找不到輸出的 {0} 轉譯器。其有下列 MIME 類型: {1} + + + safe + 安全 + + + No component could be found for selector {0} + 找不到選取器 {0} 的元件 + + + Error rendering component: {0} + 轉譯元件時發生錯誤: {0} + + + + + + + Click on + 按一下 + + + + Code + + 程式碼 + + + or + + + + + Text + + 文字 + + + to add a code or text cell + 新增程式碼或文字資料格 + + + Add a code cell + 新增程式碼儲存格 + + + Add a text cell + 新增文字儲存格 + + + + + + + StdIn: + Stdin: + + + + + + + <i>Double-click to edit</i> + <i>按兩下即可編輯</i> + + + <i>Add content here...</i> + <i>在這裡新增內容...</i> + + + + + + + Find + 尋找 + + + Find + 尋找 + + + Previous match + 上一個相符 + + + Next match + 下一個相符 + + + Close + 關閉 + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + 您的搜尋傳回了大量結果,只會將前 999 個相符項目醒目提示。 + + + {0} of {1} + {0}/{1} 個 + + + No Results + 沒有任何結果 + + + + + + + Add code + 新增程式碼 + + + Add text + 新增文字 + + + Create File + 建立檔案 + + + Could not display contents: {0} + 無法顯示內容: {0} + + + Add cell + 新增資料格 + + + Code cell + 程式碼資料格 + + + Text cell + 文字資料格 + + + Run all + 全部執行 + + + Cell + 資料格 + + + Code + 程式碼 + + + Text + 文字 + + + Run Cells + 執行資料格 + + + < Previous + < 上一步 + + + Next > + 下一步 > + + + cell with URI {0} was not found in this model + 無法在此模型中找到 URI 為 {0} 的資料格 + + + Run Cells failed - See error in output of the currently selected cell for more information. + 執行資料格失敗 - 如需詳細資訊,請參閱目前所選資料格之輸出中的錯誤。 + + + + + + + New Notebook + 新增 Notebook + + + New Notebook + 新增 Notebook + + + Set Workspace And Open + 設定工作區並開啟 + + + SQL kernel: stop Notebook execution when error occurs in a cell. + SQL 核心: 當資料格發生錯誤時,停止執行 Notebook。 + + + (Preview) show all kernels for the current notebook provider. + (預覽) 顯示目前筆記本提供者的所有核心。 + + + Allow notebooks to run Azure Data Studio commands. + 允許筆記本執行 Azure Data Studio 命令。 + + + Enable double click to edit for text cells in notebooks + 為筆記本中的文字資料格啟用按兩下編輯的功能 + + + Text is displayed as Rich Text (also known as WYSIWYG). + 文字顯示為 RTF 文字 (也稱為 WYSIWYG)。 + + + Markdown is displayed on the left, with a preview of the rendered text on the right. + Markdown 會在左側顯示,並在右側呈現文字預覽。 + + + Text is displayed as Markdown. + 文字顯示為 Markdown。 + + + The default editing mode used for text cells + 用於文字儲存格的預設編輯模式 + + + (Preview) Save connection name in notebook metadata. + (預覽) 儲存筆記本中繼資料中的連線名稱。 + + + Controls the line height used in the notebook markdown preview. This number is relative to the font size. + 控制筆記本 Markdown 預覽中使用的行高。此數字相對於字型大小。 + + + (Preview) Show rendered notebook in diff editor. + (預覽) 在 Diff 編輯器中顯示轉譯的筆記本。 + + + The maximum number of changes stored in the undo history for the notebook Rich Text editor. + 筆記本 RTF 文字編輯器復原歷程記錄中儲存的變更數目上限。 + + + Search Notebooks + 搜尋筆記本 + + + Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options). + 設定 Glob 模式,在全文檢索搜尋中排除檔案與資料夾,並快速開啟。繼承 `#files.exclude#` 設定的所有 Glob 模式。深入了解 Glob 模式 [這裡](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)。 + + + The glob pattern to match file paths against. Set to true or false to enable or disable the pattern. + 要符合檔案路徑的 Glob 模式。設為 True 或 False 可啟用或停用模式。 + + + Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name. + 在相符檔案同層級上額外的檢查。請使用 $(basename) 作為相符檔案名稱的變數。 + + + This setting is deprecated and now falls back on "search.usePCRE2". +  此設定已淘汰,現在會回復至 "search.usePCRE2"。 + + + Deprecated. Consider "search.usePCRE2" for advanced regex feature support. + 已淘汰。請考慮使用 "search.usePCRE2" 來取得進階 regex 功能支援。 + + + When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory. + 若啟用,searchService 程序在處於非使用狀態一小時後會保持運作,而不是關閉。這會將檔案搜尋快取保留在記憶體中。 + + + Controls whether to use `.gitignore` and `.ignore` files when searching for files. + 控制是否在搜尋檔案時使用 `.gitignore` 和 `.ignore` 檔案。 + + + Controls whether to use global `.gitignore` and `.ignore` files when searching for files. + 控制是否要在搜尋檔案時使用全域 `.gitignore` 和 `.ignore` 檔案。 + + + Whether to include results from a global symbol search in the file results for Quick Open. + 是否在 Quick Open 的檔案結果中,包含全域符號搜尋中的結果。 + + + Whether to include results from recently opened files in the file results for Quick Open. + 是否要在 Quick Open 中包含檔案結果中,來自最近開啟檔案的結果。 + + + History entries are sorted by relevance based on the filter value used. More relevant entries appear first. + 歷程記錄項目會依據所使用的篩選值,依相關性排序。相關性愈高的項目排在愈前面。 + + + History entries are sorted by recency. More recently opened entries appear first. + 依使用時序排序歷程記錄項目。最近開啟的項目顯示在最前面。 + + + Controls sorting order of editor history in quick open when filtering. + 控制篩選時,快速開啟的編輯器歷程記錄排列順序。 + + + Controls whether to follow symlinks while searching. + 控制是否要在搜尋時遵循 symlink。 + + + Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively. + 若模式為全小寫,搜尋時不會區分大小寫; 否則會區分大小寫。 + + + Controls whether the search view should read or modify the shared find clipboard on macOS. + 控制搜尋檢視應讀取或修改 macOS 上的共用尋找剪貼簿。 + + + Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space. + 控制搜尋要顯示為資訊看板中的檢視,或顯示為面板區域中的面板以增加水平空間。 + + + This setting is deprecated. Please use the search view's context menu instead. + 這個設定已淘汰。請改用搜尋檢視的操作功能表。 + + + Files with less than 10 results are expanded. Others are collapsed. + 10 個結果以下的檔案將會展開,其他檔案則會摺疊。 + + + Controls whether the search results will be collapsed or expanded. + 控制要摺疊或展開搜尋結果。 + + + Controls whether to open Replace Preview when selecting or replacing a match. + 控制是否要在選取或取代相符項目時開啟 [取代預覽]。 + + + Controls whether to show line numbers for search results. + 控制是否要為搜尋結果顯示行號。 + + + Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript. + 是否要在文字搜尋中使用 PCRE2 規則運算式引擎。這可使用部分進階功能,如 lookahead 和 backreferences。但是,並不支援所有 PCRE2 功能,僅支援 JavaScript 也支援的功能。 + + + Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2. + 已淘汰。當使用僅有 PCRE2 支援的 regex 功能時,會自動使用 PCRE 2。 + + + Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide. + 當搜尋檢視較窄時,將動作列放在右邊,當搜尋檢視較寬時,立即放於內容之後。 + + + Always position the actionbar to the right. + 永遠將動作列放在右邊。 + + + Controls the positioning of the actionbar on rows in the search view. + 控制動作列在搜尋檢視列上的位置。 + + + Search all files as you type. + 鍵入的同時搜尋所有檔案。 + + + Enable seeding search from the word nearest the cursor when the active editor has no selection. + 允許在使用中的編輯器沒有選取項目時,從最接近游標的文字植入搜尋。 + + + Update workspace search query to the editor's selected text when focusing the search view. This happens either on click or when triggering the `workbench.views.search.focus` command. + 聚焦在搜尋檢視時,將工作區搜尋查詢更新為編輯器的選取文字。按一下或觸發 'workbench.views.search.focus' 命令時,即會發生此動作。 + + + When `#search.searchOnType#` is enabled, controls the timeout in milliseconds between a character being typed and the search starting. Has no effect when `search.searchOnType` is disabled. + 啟用 `#search.searchOnType#` 時,控制字元鍵入和搜尋開始之間的逾時 (毫秒)。當 `search.searchOnType` 停用時無效。 + + + Double clicking selects the word under the cursor. + 點兩下選擇游標下的單字。 + + + Double clicking opens the result in the active editor group. + 按兩下將會在正在使用的編輯器群組中開啟結果。 + + + Double clicking opens the result in the editor group to the side, creating one if it does not yet exist. + 按兩下就會在側邊的編輯器群組中開啟結果,如果不存在就會建立一個。 + + + Configure effect of double clicking a result in a search editor. + 設定在搜尋編輯器中按兩下結果的效果。 + + + Results are sorted by folder and file names, in alphabetical order. + 結果會根據資料夾和檔案名稱排序,按字母順序排列。 + + + Results are sorted by file names ignoring folder order, in alphabetical order. + 結果會忽略資料夾順序並根據檔案名稱排序,按字母順序排列。 + + + Results are sorted by file extensions, in alphabetical order. + 結果會根據副檔名排序,按字母順序排列。 + + + Results are sorted by file last modified date, in descending order. + 結果會根據最後修改日期降冪排序。 + + + Results are sorted by count per file, in descending order. + 結果會根據每個檔案的計數降冪排序。 + + + Results are sorted by count per file, in ascending order. + 結果會根據每個檔案的計數升冪排序。 + + + Controls sorting order of search results. + 控制搜尋結果的排列順序。 + + + + + + + Loading kernels... + 正在載入核心... + + + Changing kernel... + 正在變更核心... + + + Attach to + 連結至 + + + Kernel + 核心 + + + Loading contexts... + 正在載入內容... + + + Change Connection + 變更連線 + + + Select Connection + 選取連線 + + + localhost + localhost + + + No Kernel + 沒有核心 + + + This notebook cannot run with parameters as the kernel is not supported. Please use the supported kernels and format. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + 由於不支援核心程序,因此此筆記本無法以參數執行。請使用支援的核心程序和格式。[深入了解] (https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。 + + + This notebook cannot run with parameters until a parameter cell is added. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + 在新增參數儲存格之前,此筆記本無法以參數執行。[深入了解](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。 + + + This notebook cannot run with parameters until there are parameters added to the parameter cell. [Learn more](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization). + 在參數新增至參數儲存格之前,此筆記本無法以參數執行。[深入了解](https://docs.microsoft.com/sql/azure-data-studio/notebooks/notebooks-parameterization)。 + + + Clear Results + 清除結果 + + + Trusted + 受信任 + + + Not Trusted + 不受信任 + + + Collapse Cells + 摺疊資料格 + + + Expand Cells + 展開資料格 + + + Run with Parameters + 執行 (設有參數) + + + None + + + + New Notebook + 新增 Notebook + + + Find Next String + 尋找下一個字串 + + + Find Previous String + 尋找前一個字串 + + + + + + + Notebook Editor + Notebook Editor + + + + + + + Search Results + 搜尋結果 + + + Search path not found: {0} + 找不到搜尋路徑: {0} + + + Notebooks + 筆記本 + + + + + + + You have not opened any folder that contains notebooks/books. + 您尚未開啟任何包含筆記本/書籍的資料夾。 + + + Open Notebooks + 開啟筆記本 + + + The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results. + 結果集只包含所有符合項的子集。請提供更具體的搜尋條件以縮小結果範圍。 + + + Search in progress... - + 正在搜尋... - + + + No results found in '{0}' excluding '{1}' - + 在 '{0}' 中找不到排除 '{1}' 的結果 - + + + No results found in '{0}' - + 在 '{0}' 中找不到結果 - + + + No results found excluding '{0}' - + 找不到排除 '{0}' 的結果 - + + + No results found. Review your settings for configured exclusions and check your gitignore files - + 找不到任何結果。請檢閱您所設定排除的設定,並檢查您的 gitignore 檔案 - + + + Search again + 再次搜尋 + + + Search again in all files + 在所有檔案中再次搜尋 + + + Open Settings + 開啟設定 + + + Search returned {0} results in {1} files + 搜尋傳回 {1} 個檔案中的 {0} 個結果 + + + Toggle Collapse and Expand + 切換折疊和展開 + + + Cancel Search + 取消搜尋 + + + Expand All + 全部展開 + + + Collapse All + 全部摺疊 + + + Clear Search Results + 清除搜尋結果 + + + + + + + Search: Type Search Term and press Enter to search or Escape to cancel + 搜尋: 輸入搜尋字詞,然後按 Enter 鍵搜尋或按 Esc 鍵取消 + + + Search + 搜尋 + + + + + + + cell with URI {0} was not found in this model + 無法在此模型中找到 URI 為 {0} 的資料格 + + + Run Cells failed - See error in output of the currently selected cell for more information. + 執行資料格失敗 - 如需詳細資訊,請參閱目前所選資料格之輸出中的錯誤。 + + + + + + + Please run this cell to view outputs. + 請執行此儲存格以檢視輸出。 + + + + + + + This view is empty. Add a cell to this view by clicking the Insert Cells button. + 此檢視為空白。請按一下 [插入儲存格] 按鈕,將儲存格新增至此檢視。 + + + + + + + Copy failed with error {0} + 複製失敗。錯誤: {0} + + + Show chart + 顯示圖表 + + + Show table + 顯示資料表 + + + + + + + No {0} renderer could be found for output. It has the following MIME types: {1} + 找不到輸出的 {0} 轉譯器。其有下列 MIME 類型: {1} + + + (safe) + (安全) + + + + + + + Error displaying Plotly graph: {0} + 顯示 Plotly 圖表時發生錯誤: {0} + + + + + + + No connections found. + 找不到連線。 + + + Add Connection + 新增連線 + + + + + + + Server Group color palette used in the Object Explorer viewlet. + 在物件總管 Viewlet 中使用的伺服器群組調色盤。 + + + Auto-expand Server Groups in the Object Explorer viewlet. + 物件總管 Viewlet 中的自動展開伺服器群組。 + + + (Preview) Use the new async server tree for the Servers view and Connection Dialog with support for new features such as dynamic node filtering. + (預覽) 針對伺服器檢視及連線對話方塊使用新的非同步伺服器樹狀結構,並支援動態節點篩選等新功能。 + + + + + + + Data + 資料 + + + Connection + 連線 + + + Query Editor + 查詢編輯器 + + + Notebook + Notebook + + + Dashboard + 儀表板 + + + Profiler + 分析工具 + + + Built-in Charts + 內建圖表 + + + + + + + Specifies view templates + 指定檢視範本 + + + Specifies session templates + 指定工作階段範本 + + + Profiler Filters + 分析工具篩選條件 + + + + + + + Connect + 連線 + + + Disconnect + 中斷連線 + + + Start + 開始 + + + New Session + 新增工作階段 + + + Pause + 暫停 + + + Resume + 繼續 + + + Stop + 停止 + + + Clear Data + 清除資料 + + + Are you sure you want to clear the data? + 確定要清除資料嗎? + + + Yes + + + + No + + + + Auto Scroll: On + 自動捲動: 開啟 + + + Auto Scroll: Off + 自動捲動: 關閉 + + + Toggle Collapsed Panel + 切換折疊面板 + + + Edit Columns + 編輯資料行 + + + Find Next String + 尋找下一個字串 + + + Find Previous String + 尋找前一個字串 + + + Launch Profiler + 啟動分析工具 + + + Filter… + 篩選... + + + Clear Filter + 清除篩選 + + + Are you sure you want to clear the filters? + 確定要清除篩選嗎? + + + + + + + Select View + 選取檢視 + + + Select Session + 選取工作階段 + + + Select Session: + 選取工作階段: + + + Select View: + 選取檢視: + + + Text + 文字 + + + Label + 標籤 + + + Value + + + + Details + 詳細資料 + + + + + + + Find + 尋找 + + + Find + 尋找 + + + Previous match + 上一個符合項目 + + + Next match + 下一個符合項目 + + + Close + 關閉 + + + Your search returned a large number of results, only the first 999 matches will be highlighted. + 您的搜尋傳回了大量結果,只會將前 999 個相符項目醒目提示。 + + + {0} of {1} + {1} 的 {0} + + + No Results + 查無結果 + + + + + + + Profiler editor for event text. Readonly + 事件文字的分析工具編輯器。唯讀 + + + + + + + Events (Filtered): {0}/{1} + 事件 (已篩選): {0}/{1} + + + Events: {0} + 事件: {0} + + + Event Count + 事件計數 + + + + + + + Save As CSV + 另存為 CSV + + + Save As JSON + 另存為 JSON + + + Save As Excel + 另存為 Excel + + + Save As XML + 另存為 XML + + + Results encoding will not be saved when exporting to JSON, remember to save with desired encoding once file is created. + 匯出至 JSON 時將不會儲存結果編碼,請務必在建立檔案後儲存所需的編碼。 + + + Save to file is not supported by the backing data source + 回溯資料來源不支援儲存為檔案 + + + Copy + 複製 + + + Copy With Headers + 隨標題一同複製 + + + Select All + 全選 + + + Maximize + 最大化 + + + Restore + 還原 + + + Chart + 圖表 + + + Visualizer + 視覺化檢視 + + + + + + + Choose SQL Language + 選擇 SQL 語言 + + + Change SQL language provider + 變更 SQL 語言提供者 + + + SQL Language Flavor + SQL 語言的變體 + + + Change SQL Engine Provider + 變更 SQL 引擎提供者 + + + A connection using engine {0} exists. To change please disconnect or change connection + 使用引擎 {0} 的連線已存在。若要變更,請中斷或變更連線 + + + No text editor active at this time + 目前無使用中的文字編輯器 + + + Select Language Provider + 選擇語言提供者 + + + + + + + XML Showplan + XML 執行程序表 + + + Results grid + 結果方格 + + + Max row count for filtering/sorting has been exceeded. To update it, you can go to User Settings and change the setting: 'queryEditor.results.inMemoryDataProcessingThreshold' + 已超過篩選/排序的資料列計數上限。若要更新,您可以前往使用者設定並變更設定: ' queryEditor. inMemoryDataProcessingThreshold ' + + + + + + + Focus on Current Query + 聚焦於目前的查詢 + + + Run Query + 執行查詢 + + + Run Current Query + 執行目前查詢 + + + Copy Query With Results + 與結果一併複製查詢 + + + Successfully copied query and results. + 已成功複製查詢與結果。 + + + Run Current Query with Actual Plan + 使用實際計畫執行目前的查詢 + + + Cancel Query + 取消查詢 + + + Refresh IntelliSense Cache + 重新整理 IntelliSense 快取 + + + Toggle Query Results + 切換查詢結果 + + + Toggle Focus Between Query And Results + 在查詢與結果之間切換焦點 + + + Editor parameter is required for a shortcut to be executed + 要執行的捷徑需要編輯器參數 + + + Parse Query + 剖析查詢 + + + Commands completed successfully + 已成功完成命令 + + + Command failed: + 命令失敗: + + + Please connect to a server + 請連線至伺服器 + + + + + + + Message Panel + 訊息面板 + + + Copy + 複製 + + + Copy All + 全部複製 + + + + + + + Query Results + 查詢結果 + + + New Query + 新增查詢 + + + Query Editor + 查詢編輯器 + + + When true, column headers are included when saving results as CSV + 若設定為 true,會在將結果另存為 CSV 時包含資料行標題 + + + The custom delimiter to use between values when saving as CSV + 另存為 CSV 時,用在值之間的自訂分隔符號 + + + Character(s) used for seperating rows when saving results as CSV + 將結果另存為 CSV 時,用於分隔資料列的字元 + + + Character used for enclosing text fields when saving results as CSV + 將結果另存為 CSV 時,用於括住文字欄位的字元 + + + File encoding used when saving results as CSV + 將結果另存為 CSV 時,要使用的檔案編碼 + + + When true, XML output will be formatted when saving results as XML + 若設定為 true,會在將結果另存為 XML 時將輸出格式化 + + + File encoding used when saving results as XML + 將結果另存為 XML 時,要使用的檔案編碼 + + + Enable results streaming; contains few minor visual issues + 啟用結果串流;包含些許輕微視覺效果問題 + + + Configuration options for copying results from the Results View + 從結果檢視中複製結果的組態選項 + + + Configuration options for copying multi-line results from the Results View + 從結果檢視中複製多行結果的組態選項 + + + (Experimental) Use a optimized table in the results out. Some functionality might be missing and in the works. + (實驗性) 在結果中使用最佳化的資料表。可能會缺少某些功能,這些功能仍在開發中。 + + + Controls the max number of rows allowed to do filtering and sorting in memory. If the number is exceeded, sorting and filtering will be disabled. Warning: Increasing this may impact performance. + 控制允許在記憶體中篩選及排序的資料列數目上限。如果超過此數目,就會停用排序和篩選。警告: 增加此數目可能會影響效能。 + + + Whether to open the file in Azure Data Studio after the result is saved. + 是否要在儲存結果後在 Azure Data Studio 中開啟檔案。 + + + Should execution time be shown for individual batches + 是否顯示個別批次的執行時間 + + + Word wrap messages + 自動換行訊息 + + + The default chart type to use when opening Chart Viewer from a Query Results + 從查詢結果開啟圖表檢視器時要使用的預設圖表類型 + + + Tab coloring will be disabled + 將停用索引標籤著色功能 + + + The top border of each editor tab will be colored to match the relevant server group + 在每個編輯器索引標籤的上邊框著上符合相關伺服器群組的色彩 + + + Each editor tab's background color will match the relevant server group + 每個編輯器索引標籤的背景色彩將與相關的伺服器群組相符 + + + Controls how to color tabs based on the server group of their active connection + 依據連線的伺服器群組控制索引標籤如何著色 + + + Controls whether to show the connection info for a tab in the title. + 控制是否要在標題中顯示索引標籤的連線資訊。 + + + Prompt to save generated SQL files + 提示儲存產生的 SQL 檔案 + + + Set keybinding workbench.action.query.shortcut{0} to run the shortcut text as a procedure call or query execution. Any selected text in the query editor will be passed as a parameter at the end of your query, or you can reference it with {arg} + 設定按鍵繫結關係 workbench.action.query.shortcut{0} 以執行捷徑文字作為程序呼叫或查詢執行。任何選取的文字在查詢編輯器中會於查詢結尾作為參數傳遞,或您可將它以 {arg} 參考 + + + + + + + New Query + 新增查詢 + + + Run + 執行 + + + Cancel + 取消 + + + Explain + 說明 + + + Actual + 實際 + + + Disconnect + 中斷連線 + + + Change Connection + 變更連線 + + + Connect + 連線 + + + Enable SQLCMD + 啟用 SQLCMD + + + Disable SQLCMD + 停用 SQLCMD + + + Select Database + 選擇資料庫 + + + Failed to change database + 變更資料庫失敗 + + + Failed to change database: {0} + 無法變更資料庫: {0} + + + Export as Notebook + 匯出為筆記本 + + + + + + + Query Editor + Query Editor + + + + + + + Results + 結果 + + + Messages + 訊息 + + + + + + + Time Elapsed + 已耗用時間 + + + Row Count + 資料列計數 + + + {0} rows + {0} 個資料列 + + + Executing query... + 執行查詢中... + + + Execution Status + 執行狀態 + + + Selection Summary + 選取摘要 + + + Average: {0} Count: {1} Sum: {2} + 平均: {0} 計數: {1} 總和: {2} + + + + + + + Results Grid and Messages + 結果方格與訊息 + + + Controls the font family. + 控制字型家族。 + + + Controls the font weight. + 控制字型粗細。 + + + Controls the font size in pixels. + 控制字型大小 (像素)。 + + + Controls the letter spacing in pixels. + 控制字母間距 (像素)。 + + + Controls the row height in pixels + 控制列高 (像素) + + + Controls the cell padding in pixels + 控制資料格填補值 (像素) + + + Auto size the columns width on inital results. Could have performance problems with large number of columns or large cells + 自動調整初始結果的欄寬大小。大量欄位或大型資料格可能會造成效能問題 + + + The maximum width in pixels for auto-sized columns + 自動調整大小之欄位的寬度上限 (像素) + + + + + + + Toggle Query History + 切換查詢歷史記錄 + + + Delete + 刪除 + + + Clear All History + 清除所有歷史記錄 + + + Open Query + 開啟查詢 + + + Run Query + 執行查詢 + + + Toggle Query History capture + 切換查詢歷史記錄擷取 + + + Pause Query History Capture + 暫停查詢歷史記錄擷取 + + + Start Query History Capture + 開始查詢歷史記錄擷取 + + + + + + + succeeded + 成功 + + + failed + 失敗 + + + + + + + No queries to display. + 沒有查詢可顯示。 + + + Query History + QueryHistory + 查詢歷史記錄 + + + + + + + QueryHistory + 查詢歷史記錄 + + + Whether Query History capture is enabled. If false queries executed will not be captured. + 是否啟用了查詢歷史記錄擷取。若未啟用,將不會擷取已經執行的查詢。 + + + Clear All History + 清除所有歷史記錄 + + + Pause Query History Capture + 暫停查詢歷史記錄擷取 + + + Start Query History Capture + 開始查詢歷史記錄擷取 + + + View + 檢視 + + + &&Query History + && denotes a mnemonic + 查詢歷史記錄(&&Q) + + + Query History + 查詢歷史記錄 + + + + + + + Query Plan + 查詢計劃 + + + + + + + Query Plan Editor + Query Plan Editor + + + + + + + Operation + 作業 + + + Object + 物件 + + + Est Cost + 估計成本 + + + Est Subtree Cost + 估計的樹狀子目錄成本 + + + Actual Rows + 實際資料列數 + + + Est Rows + 估計資料列數 + + + Actual Executions + 實際執行次數 + + + Est CPU Cost + 估計 CPU 成本 + + + Est IO Cost + 估計 IO 成本 + + + Parallel + 平行作業 + + + Actual Rebinds + 實際重新繫結數 + + + Est Rebinds + 估計重新繫結數 + + + Actual Rewinds + 實際倒轉數 + + + Est Rewinds + 估計倒轉數 + + + Partitioned + 已分割 + + + Top Operations + 最前幾項操作 + + + + + + + Resource Viewer + 資源檢視器 + + + + + + + Refresh + 重新整理 + + + + + + + Error opening link : {0} + 開啟連結時發生錯誤: {0} + + + Error executing command '{0}' : {1} + 執行命令 '{0}' 時發生錯誤: {1} + + + + + + + Resource Viewer Tree + 資源檢視器樹狀結構 + + + + + + + Identifier of the resource. + 資源的識別碼。 + + + The human-readable name of the view. Will be shown + 使用人性化顯示名稱。會顯示 + + + Path to the resource icon. + 資源圖示的路徑。 + + + Contributes resource to the resource view + 將資源提供給資源檢視 + + + property `{0}` is mandatory and must be of type `string` + 屬性 '{0}' 為強制項目且必須屬於 `string` 類型 + + + property `{0}` can be omitted or must be of type `string` + 屬性 `{0}` 可以省略或必須屬於 `string` 類型 + + + + + + + Restore + 還原 + + + Restore + 還原 + + + + + + + You must enable preview features in order to use restore + 您必須啟用預覽功能才能使用還原 + + + Restore command is not supported outside of a server context. Please select a server or database and try again. + 伺服器內容中不支援還原命令。請選取伺服器或資料庫並再試一次。 + + + Restore command is not supported for Azure SQL databases. + Azure SQL 資料庫不支援還原命令。 + + + Restore + 還原 + + + + + + + Script as Create + 建立指令碼 + + + Script as Drop + 將指令碼編寫為 Drop + + + Select Top 1000 + 選取前 1000 + + + Script as Execute + 作為指令碼執行 + + + Script as Alter + 修改指令碼 + + + Edit Data + 編輯資料 + + + Select Top 1000 + 選取前 1000 + + + Take 10 + 取用 10 筆 + + + Script as Create + 建立指令碼 + + + Script as Execute + 作為指令碼執行 + + + Script as Alter + 修改指令碼 + + + Script as Drop + 將指令碼編寫為 Drop + + + Refresh + 重新整理 + + + + + + + An error occurred refreshing node '{0}': {1} + 重新整理節點 '{0}' 時發生錯誤: {1} + + + + + + + {0} in progress tasks + {0} 正在執行的工作 + + + View + 檢視 + + + Tasks + 工作 + + + &&Tasks + && denotes a mnemonic + 工作(&&T) + + + + + + + Toggle Tasks + 切換工作 + + + + + + + succeeded + 成功 + + + failed + 失敗 + + + in progress + 進行中 + + + not started + 未啟動 + + + canceled + 已取消 + + + canceling + 取消中 + + + + + + + No task history to display. + 沒有工作歷程記錄可顯示。 + + + Task history + TaskHistory + 工作歷程記錄 + + + Task error + 工作錯誤 + + + + + + + Cancel + 取消 + + + The task failed to cancel. + 工作取消失敗。 + + + Script + 指令碼 + + + + + + + There is no data provider registered that can provide view data. + 沒有任何已註冊的資料提供者可提供檢視資料。 + + + Refresh + 重新整理 + + + Collapse All + 全部摺疊 + + + Error running command {1}: {0}. This is likely caused by the extension that contributes {1}. + 執行命令 {1} 時發生錯誤: {0}。這可能是貢獻 {1} 的延伸模組所引起。 + + + + + + + OK + 確定 + + + Close + 關閉 + + + + + + + Preview features enhance your experience in Azure Data Studio by giving you full access to new features and improvements. You can learn more about preview features [here]({0}). Would you like to enable preview features? + 預覽功能可讓您完整存取新功能及改善的功能,增強您在 Azure Data Studio 的體驗。您可以參閱[這裡]({0})深入了解預覽功能。是否要啟用預覽功能? + + + Yes (recommended) + 是 (建議) + + + No + + + + No, don't show again + 不,不要再顯示 + + + + + + + This feature page is in preview. Preview features introduce new functionalities that are on track to becoming a permanent part the product. They are stable, but need additional accessibility improvements. We welcome your early feedback while they are under development. + 這個功能頁面仍在預覽階段。預覽功能會引進新功能,並逐步成為產品中永久的一部分。這些功能雖然穩定,但在使用上仍需要改善。歡迎您在功能開發期間提供早期的意見反應。 + + + Preview + 預覽 + + + Create a connection + 建立連線 + + + Connect to a database instance through the connection dialog. + 透過連線對話方塊連線到資料庫執行個體。 + + + Run a query + 執行查詢 + + + Interact with data through a query editor. + 透過查詢編輯器與資料互動。 + + + Create a notebook + 建立筆記本 + + + Build a new notebook using a native notebook editor. + 使用原生筆記本編輯器建置新的筆記本。 + + + Deploy a server + 部署伺服器 + + + Create a new instance of a relational data service on the platform of your choice. + 在您選擇的平台上建立關聯式資料服務的新執行個體。 + + + Resources + 資源 + + + History + 記錄 + + + Name + 名稱 + + + Location + 位置 + + + Show more + 顯示更多 + + + Show welcome page on startup + 啟動時顯示歡迎頁面 + + + Useful Links + 實用的連結 + + + Getting Started + 使用者入門 + + + Discover the capabilities offered by Azure Data Studio and learn how to make the most of them. + 探索 Azure Data Studio 提供的功能,並了解如何充分利用。 + + + Documentation + 文件 + + + Visit the documentation center for quickstarts, how-to guides, and references for PowerShell, APIs, etc. + 如需快速入門、操作指南及 PowerShell、API 等參考,請瀏覽文件中心。 + + + Videos + 影片 + + + Overview of Azure Data Studio + Azure Data Studio 概觀 + + + Introduction to Azure Data Studio Notebooks | Data Exposed + Azure Data Studio Notebooks 簡介 | 公開的資料 + + + Extensions + 延伸模組 + + + Show All + 全部顯示 + + + Learn more + 深入了解 + + + + + + + Connections + 連線 + + + Connect, query, and manage your connections from SQL Server, Azure, and more. + 從 SQL Server、Azure 等處進行連線、查詢及管理您的連線。 + + + 1 + 1 + + + Next + 下一個 + + + Notebooks + 筆記本 + + + Get started creating your own notebook or collection of notebooks in a single place. + 開始在單一位置建立您自己的筆記本或筆記本系列。 + + + 2 + 2 + + + Extensions + 延伸模組 + + + Extend the functionality of Azure Data Studio by installing extensions developed by us/Microsoft as well as the third-party community (you!). + 安裝由我們 (Microsoft) 及第三方社群 (您!) 所開發的延伸模組,來擴充 Azure Data Studio 的功能。 + + + 3 + 3 + + + Settings + 設定 + + + Customize Azure Data Studio based on your preferences. You can configure Settings like autosave and tab size, personalize your Keyboard Shortcuts, and switch to a Color Theme of your liking. + 根據您的喜好自訂 Azure Data Studio。您可以進行自動儲存及索引標籤大小等 [設定]、將 [鍵盤快速鍵] 個人化,以及切換至您喜歡的 [色彩佈景主題]。 + + + 4 + 4 + + + Welcome Page + 歡迎頁面 + + + Discover top features, recently opened files, and recommended extensions on the Welcome page. For more information on how to get started in Azure Data Studio, check out our videos and documentation. + 在歡迎頁面中探索常用功能、最近開啟的檔案及建議的延伸模組。如需詳細資訊,以了解如何開始使用 Azure Data Studio,請參閱我們的影片及文件。 + + + 5 + 5 + + + Finish + 完成 + + + User Welcome Tour + 使用者歡迎導覽 + + + Hide Welcome Tour + 隱藏歡迎導覽 + + + Read more + 深入了解 + + + Help + 說明 + + + + + + + Welcome + 歡迎使用 + + + SQL Admin Pack + SQL 管理員套件 + + + SQL Admin Pack + SQL 管理員套件 + + + Admin Pack for SQL Server is a collection of popular database administration extensions to help you manage SQL Server + SQL Server 的管理員套件是一套熱門的資料庫管理延伸模組,可協助您管理 SQL Server + + + SQL Server Agent + SQL Server Agent + + + SQL Server Profiler + SQL Server Profiler + + + SQL Server Import + SQL Server 匯入 + + + SQL Server Dacpac + SQL Server Dacpac + + + Powershell + PowerShell + + + Write and execute PowerShell scripts using Azure Data Studio's rich query editor + 使用 Azure Data Studio 的豐富查詢編輯器來寫入及執行 PowerShell 指令碼 + + + Data Virtualization + 資料虛擬化 + + + Virtualize data with SQL Server 2019 and create external tables using interactive wizards + 使用 SQL Server 2019 將資料虛擬化,並使用互動式精靈建立外部資料表 + + + PostgreSQL + PostgreSQL + + + Connect, query, and manage Postgres databases with Azure Data Studio + 使用 Azure Data Studio 進行連線、查詢及管理 Postgres 資料庫 + + + Support for {0} is already installed. + 支援功能{0}已被安裝。 + + + The window will reload after installing additional support for {0}. + {0} 的其他支援安裝完成後,將會重新載入此視窗。 + + + Installing additional support for {0}... + 正在安裝 {0} 的其他支援... + + + Support for {0} with id {1} could not be found. + 找不到ID為{1}的{0}支援功能. + + + New connection + 新增連線 + + + New query + 新增查詢 + + + New notebook + 新增筆記本 + + + Deploy a server + 部署伺服器 + + + Welcome + 歡迎使用 + + + New + 新增 + + + Open… + 開啟… + + + Open file… + 開啟檔案… + + + Open folder… + 開啟資料夾… + + + Start Tour + 開始導覽 + + + Close quick tour bar + 關閉快速導覽列 + + + Would you like to take a quick tour of Azure Data Studio? + 要進行 Azure Data Studio 的快速導覽嗎? + + + Welcome! + 歡迎使用! + + + Open folder {0} with path {1} + 透過路徑 {1} 開啟資料夾 {0} + + + Install + 安裝 + + + Install {0} keymap + 安裝 {0} 鍵盤對應 + + + Install additional support for {0} + 安裝 {0} 的其他支援 + + + Installed + 已安裝 + + + {0} keymap is already installed + 已安裝 {0} 按鍵對應 + + + {0} support is already installed + 已安裝 {0} 支援 + + + OK + 確定 + + + Details + 詳細資料 + + + Background color for the Welcome page. + 歡迎頁面的背景色彩。 + + + + + + + Azure Data Studio + Azure Data Studio + + + Start + 開始 + + + New connection + 新增連線 + + + New query + 新增查詢 + + + New notebook + 新增筆記本 + + + Open file + 開啟檔案 + + + Open file + 開啟檔案 + + + Deploy + 部署 + + + New Deployment… + 新增部署… + + + Recent + 最近使用 + + + More... + 更多... + + + No recent folders + 沒有最近使用的資料夾 + + + Help + 說明 + + + Getting started + 使用者入門 + + + Documentation + 文件 + + + Report issue or feature request + 回報問題或功能要求 + + + GitHub repository + GitHub 存放庫 + + + Release notes + 版本資訊 + + + Show welcome page on startup + 啟動時顯示歡迎頁面 + + + Customize + 自訂 + + + Extensions + 延伸模組 + + + Download extensions that you need, including the SQL Server Admin pack and more + 下載所需延伸模組,包括 SQL Server 系統管理員套件等 + + + Keyboard Shortcuts + 鍵盤快速鍵 + + + Find your favorite commands and customize them + 尋找您最愛的命令並予加自訂 + + + Color theme + 色彩佈景主題 + + + Make the editor and your code look the way you love + 將編輯器和您的程式碼設定成您喜愛的外觀 + + + Learn + 了解 + + + Find and run all commands + 尋找及執行所有命令 + + + Rapidly access and search commands from the Command Palette ({0}) + 從命令選擇區快速存取及搜尋命令 ({0}) + + + Discover what's new in the latest release + 探索最新版本中的新功能 + + + New monthly blog posts each month showcasing our new features + 展示新功能的新每月部落格文章 + + + Follow us on Twitter + 追蹤我們的 Twitter + + + Keep up to date with how the community is using Azure Data Studio and to talk directly with the engineers. + 掌握社群如何使用 Azure Data Studio 的最新消息,並可直接與工程師對話。 + + + + + + + Accounts + 帳戶 + + + Linked accounts + 連結的帳戶 + + + Close + 關閉 + + + There is no linked account. Please add an account. + 沒有任何已連結帳戶。請新增帳戶。 + + + Add an account + 新增帳戶 + + + You have no clouds enabled. Go to Settings -> Search Azure Account Configuration -> Enable at least one cloud + 您未啟用任何雲端。前往 [設定] -> [搜尋 Azure 帳戶組態] -> 啟用至少一個雲端 + + + You didn't select any authentication provider. Please try again. + 您未選取任何驗證提供者。請再試一次。 + + + + + + + Error adding account + 新增帳戶時發生錯誤 + + + + + + + You need to refresh the credentials for this account. + 您需要重新整理此帳戶的登入資訊。 + + + + + + + Close + 關閉 + + + Adding account... + 正在新增帳戶... + + + Refresh account was canceled by the user + 使用者已取消重新整理帳戶 + + + + + + + Azure account + Azure 帳戶 + + + Azure tenant + Azure 租用戶 + + + + + + + Copy & Open + 複製並開啟 + + + Cancel + 取消 + + + User code + 使用者代碼 + + + Website + 網站 + + + + + + + Cannot start auto OAuth. An auto OAuth is already in progress. + 無法啟動自動 OAuth。自動 OAuth 已在進行中。 + + + + + + + Connection is required in order to interact with adminservice + 必需連線以便與 adminservice 互動 + + + No Handler Registered + 未註冊處理常式 + + + + + + + Connection is required in order to interact with Assessment Service + 需要連線才能與評定服務互動 + + + No Handler Registered + 未註冊任何處理常式 + + + + + + + Advanced Properties + 進階屬性 + + + Discard + 捨棄 + + + + + + + Server Description (optional) + 伺服器描述 (選用) + + + + + + + Clear List + 清除清單 + + + Recent connections list cleared + 最近的連線清單已清除 + + + Yes + + + + No + + + + Are you sure you want to delete all the connections from the list? + 您確定要刪除清單中的所有連線嗎? + + + Yes + + + + No + + + + Delete + 刪除 + + + Get Current Connection String + 取得目前的連接字串 + + + Connection string not available + 連接字串無法使用 + + + No active connection available + 沒有可用的有效連線 + + + + + + + Browse + 瀏覽 + + + Type here to filter the list + 在此鍵入以篩選清單 + + + Filter connections + 篩選連線 + + + Applying filter + 正在套用篩選 + + + Removing filter + 正在移除篩選 + + + Filter applied + 已套用篩選 + + + Filter removed + 已移除篩選 + + + Saved Connections + 已儲存的連線 + + + Saved Connections + 已儲存的連線 + + + Connection Browser Tree + 連線瀏覽器樹狀結構 + + + + + + + Connection error + 連線錯誤 + + + Connection failed due to Kerberos error. + 因為 Kerberos 錯誤導致連線失敗。 + + + Help configuring Kerberos is available at {0} + 您可於 {0} 取得設定 Kerberos 的說明 + + + If you have previously connected you may need to re-run kinit. + 如果您之前曾連線,則可能需要重新執行 kinit。 + + + + + + + Connection + 連線 + + + Connecting + 正在連線 + + + Connection type + 連線類型 + + + Recent + 最近 + + + Connection Details + 連線詳細資料 + + + Connect + 連線 + + + Cancel + 取消 + + + Recent Connections + 最近的連線 + + + No recent connection + 沒有最近使用的連線 + + + + + + + Failed to get Azure account token for connection + 無法取得連線的 Azure 帳戶權杖 + + + Connection Not Accepted + 連線未被接受 + + + Yes + + + + No + + + + Are you sure you want to cancel this connection? + 您確定要取消此連線嗎? + + + + + + + Add an account... + 新增帳戶... + + + <Default> + <預設> + + + Loading... + 正在載入... + + + Server group + 伺服器群組 + + + <Default> + <預設> + + + Add new group... + 新增群組... + + + <Do not save> + <不要儲存> + + + {0} is required. + {0} 為必要項。 + + + {0} will be trimmed. + {0} 將受到修剪。 + + + Remember password + 記住密碼 + + + Account + 帳戶 + + + Refresh account credentials + 重新整理帳戶登入資訊 + + + Azure AD tenant + Azure AD 租用戶 + + + Name (optional) + 名稱 (選用) + + + Advanced... + 進階... + + + You must select an account + 您必須選取帳戶 + + + + + + + Connected to + 已連線到 + + + Disconnected + 已中斷連線 + + + Unsaved Connections + 未儲存的連線 + + + + + + + Open dashboard extensions + 開啟儀表板延伸模組 + + + OK + 確定 + + + Cancel + 取消 + + + No dashboard extensions are installed at this time. Go to Extension Manager to explore recommended extensions. + 目前沒有安裝任何儀表板延伸模組。請前往延伸模組能管理員探索建議的延伸模組。 + + + + + + + Step {0} + 步驟 {0} + + + + + + + Done + 完成 + + + Cancel + 取消 + + + + + + + Initialize edit data session failed: + 初始化編輯資料工作階段失敗: + + + + + + + OK + 確定 + + + Close + 關閉 + + + Action + 動作 + + + Copy details + 複製詳細資訊 + + + + + + + Error + 錯誤 + + + Warning + 警告 + + + Info + 資訊 + + + Ignore + 忽略 + + + + + + + Selected path + 選擇的路徑 + + + Files of type + 檔案類型 + + + OK + 確定 + + + Discard + 捨棄 + + + + + + + Select a file + 選擇檔案 + + + + + + + File browser tree + FileBrowserTree + 樹狀結構檔案瀏覽器 + + + + + + + An error occured while loading the file browser. + 載入檔案瀏覽器時發生錯誤。 + + + File browser error + 檔案瀏覽器錯誤 + + + + + + + All files + 所有檔案 + + + + + + + Copy Cell + 複製資料格 + + + + + + + No Connection Profile was passed to insights flyout + 沒有傳遞給見解彈出式視窗的連線設定 + + + Insights error + 見解錯誤 + + + There was an error reading the query file: + 讀取查詢檔案時發生錯誤: + + + There was an error parsing the insight config; could not find query array/string or queryfile + 解析見解設定時發生錯誤。找不到查詢陣列/字串或 queryfile + + + + + + + Item + 項目 + + + Value + + + + Insight Details + 見解詳細資料 + + + Property + 屬性 + + + Value + + + + Insights + 見解 + + + Items + 項目 + + + Item Details + 項目詳細資訊 + + + + + + + Could not find query file at any of the following paths : + {0} + 無法在以下任一路徑找到查詢檔案 : + {0} + + + + + + + Failed + 失敗 + + + Succeeded + 已成功 + + + Retry + 重試 + + + Cancelled + 已取消 + + + In Progress + 正在進行 + + + Status Unknown + 狀態未知 + + + Executing + 正在執行 + + + Waiting for Thread + 正在等候執行緒 + + + Between Retries + 正在重試 + + + Idle + 閒置 + + + Suspended + 暫止 + + + [Obsolete] + [已淘汰] + + + Yes + + + + No + + + + Not Scheduled + 未排程 + + + Never Run + 從未執行 + + + + + + + Connection is required in order to interact with JobManagementService + 需要連線才能與 JobManagementService 互動 + + + No Handler Registered + 未註冊任何處理常式 + + + + + + + SQL + SQL + + + @@ -7256,6 +6910,22 @@ Error: {1} + + + + An error occurred while starting the notebook session + 啟動筆記本工作階段時發生錯誤 + + + Server did not start for unknown reason + 伺服器因為不明原因而未啟動 + + + Kernel {0} was not found. The default kernel will be used instead. + 找不到核心 {0}。會改用預設核心。 + + + @@ -7268,11 +6938,738 @@ Error: {1} - + - - Changing editor types on unsaved files is unsupported - 無法變更尚未儲存之檔案的編輯器類型 + + # Injected-Parameters + + # 個插入的參數 + + + + Please select a connection to run cells for this kernel + 請選取要為此核心執行資料格的連線 + + + Failed to delete cell. + 無法刪除資料格。 + + + Failed to change kernel. Kernel {0} will be used. Error was: {1} + 無法變更核心。將會使用核心 {0}。錯誤為: {1} + + + Failed to change kernel due to error: {0} + 因為錯誤所以無法變更核心: {0} + + + Changing context failed: {0} + 無法變更內容: {0} + + + Could not start session: {0} + 無法啟動工作階段: {0} + + + A client session error occurred when closing the notebook: {0} + 關閉筆記本時發生用戶端工作階段錯誤: {0} + + + Can't find notebook manager for provider {0} + 找不到提供者 {0} 的筆記本管理員 + + + + + + + No URI was passed when creating a notebook manager + 建立筆記本管理員時未傳遞任何 URI + + + Notebook provider does not exist + Notebook 提供者不存在 + + + + + + + A view with the name {0} already exists in this notebook. + 此筆記本中已有名稱為 {0} 的檢視。 + + + + + + + SQL kernel error + SQL 核心錯誤 + + + A connection must be chosen to run notebook cells + 必須選擇連線來執行筆記本資料格 + + + Displaying Top {0} rows. + 目前顯示前 {0} 列。 + + + + + + + Rich Text + RTF 文字 + + + Split View + 分割檢視 + + + Markdown + Markdown + + + + + + + nbformat v{0}.{1} not recognized + 無法識別 nbformat v{0}.{1} + + + This file does not have a valid notebook format + 檔案不具備有效的筆記本格式 + + + Cell type {0} unknown + 資料格類型 {0} 不明 + + + Output type {0} not recognized + 無法識別輸出類型 {0} + + + Data for {0} is expected to be a string or an Array of strings + {0} 的資料應為字串或字串的陣列 + + + Output type {0} not recognized + 無法識別輸出類型 {0} + + + + + + + Identifier of the notebook provider. + 筆記本提供者的識別碼。 + + + What file extensions should be registered to this notebook provider + 應向此筆記本提供者註冊的檔案副檔名 + + + What kernels should be standard with this notebook provider + 應為此筆記本提供者之標準的核心 + + + Contributes notebook providers. + 提供筆記本提供者。 + + + Name of the cell magic, such as '%%sql'. + 資料格 magic 的名稱,例如 '%%sql'。 + + + The cell language to be used if this cell magic is included in the cell + 資料格中包含此資料格 magic 時,要使用的資料格語言 + + + Optional execution target this magic indicates, for example Spark vs SQL + 這個 magic 指示的選擇性執行目標,例如 Spark vs SQL + + + Optional set of kernels this is valid for, e.g. python3, pyspark, sql + 適用於像是 python3、pyspark、sql 等等的選擇性核心集 + + + Contributes notebook language. + 提供筆記本語言。 + + + + + + + Loading... + 正在載入... + + + + + + + Refresh + 重新整理 + + + Edit Connection + 編輯連線 + + + Disconnect + 中斷連線 + + + New Connection + 新增連線 + + + New Server Group + 新增伺服器群組 + + + Edit Server Group + 編輯伺服器群組 + + + Show Active Connections + 顯示使用中的連線 + + + Show All Connections + 顯示所有連線 + + + Delete Connection + 刪除連線 + + + Delete Group + 刪除群組 + + + + + + + Failed to create Object Explorer session + 建立物件總管工作階段失敗 + + + Multiple errors: + 多個錯誤: + + + + + + + Cannot expand as the required connection provider '{0}' was not found + 因為找不到必要的連線提供者 ‘{0}’,所以無法展開 + + + User canceled + 已取消使用者 + + + Firewall dialog canceled + 已取消防火牆對話方塊 + + + + + + + Loading... + 正在載入... + + + + + + + Recent Connections + 最近的連線 + + + Servers + 伺服器 + + + Servers + 伺服器 + + + + + + + Sort by event + 依事件排序 + + + Sort by column + 依資料行排序 + + + Profiler + 分析工具 + + + OK + 確定 + + + Cancel + 取消 + + + + + + + Clear all + 全部清除 + + + Apply + 套用 + + + OK + 確定 + + + Cancel + 取消 + + + Filters + 篩選 + + + Remove this clause + 移除此子句 + + + Save Filter + 儲存篩選 + + + Load Filter + 載入篩選 + + + Add a clause + 新增子句 + + + Field + 欄位 + + + Operator + 運算子 + + + Value + + + + Is Null + 為 Null + + + Is Not Null + 非 Null + + + Contains + 包含 + + + Not Contains + 不包含 + + + Starts With + 開頭是 + + + Not Starts With + 開頭不是 + + + + + + + Commit row failed: + 認可資料列失敗: + + + Started executing query at + 已開始執行以下查詢: + + + Started executing query "{0}" + 已開始執行查詢 "{0}" + + + Line {0} + 第 {0} 行 + + + Canceling the query failed: {0} + 取消查詢失敗: {0} + + + Update cell failed: + 更新資料格失敗: + + + + + + + Execution failed due to an unexpected error: {0} {1} + 由於意外錯誤導致執行失敗: {0} {1} + + + Total execution time: {0} + 總執行時間: {0} + + + Started executing query at Line {0} + 已於第 {0} 行開始執行查詢 + + + Started executing batch {0} + 已開始執行批次 {0} + + + Batch execution time: {0} + 批次執行時間: {0} + + + Copy failed with error {0} + 複製失敗。錯誤: {0} + + + + + + + Failed to save results. + 無法儲存結果。 + + + Choose Results File + 選擇結果檔案 + + + CSV (Comma delimited) + CSV (以逗號分隔) + + + JSON + JSON + + + Excel Workbook + Excel 活頁簿 + + + XML + XML + + + Plain Text + 純文字 + + + Saving file... + 正在儲存檔案... + + + Successfully saved results to {0} + 已成功將結果儲存至 {0} + + + Open file + 開啟檔案 + + + + + + + From + + + + To + + + + Create new firewall rule + 建立新的防火牆規則 + + + OK + 確定 + + + Cancel + 取消 + + + Your client IP address does not have access to the server. Sign in to an Azure account and create a new firewall rule to enable access. + 您的用戶端 IP 位址無法存取伺服器。登錄到 Azure 帳戶並建立新的防火牆規則以啟用存取權限。 + + + Learn more about firewall settings + 深入了解防火牆設定 + + + Firewall rule + 防火牆規則 + + + Add my client IP + 新增我的用戶端 IP + + + Add my subnet IP range + 新增我的子網路 IP 範圍 + + + + + + + Error adding account + 新增帳戶時發生錯誤 + + + Firewall rule error + 防火牆規則錯誤 + + + + + + + Backup file path + 備份檔案路徑 + + + Target database + 目標資料庫 + + + Restore + 還原 + + + Restore database + 還原資料庫 + + + Database + 資料庫 + + + Backup file + 備份檔案 + + + Restore database + 還原資料庫 + + + Cancel + 取消 + + + Script + 指令碼 + + + Source + 來源 + + + Restore from + 還原自 + + + Backup file path is required. + 需要備份檔案路徑。 + + + Please enter one or more file paths separated by commas + 請輸入一或多個用逗號分隔的檔案路徑 + + + Database + 資料庫 + + + Destination + 目的地 + + + Restore to + 還原到 + + + Restore plan + 還原計劃 + + + Backup sets to restore + 要還原的備份組 + + + Restore database files as + 將資料庫檔案還原為 + + + Restore database file details + 還原資料庫檔詳細資訊 + + + Logical file Name + 邏輯檔案名稱 + + + File type + 檔案類型 + + + Original File Name + 原始檔案名稱 + + + Restore as + 還原為 + + + Restore options + 還原選項 + + + Tail-Log backup + 結尾記錄備份 + + + Server connections + 伺服器連線 + + + General + 一般 + + + Files + 檔案 + + + Options + 選項 + + + + + + + Backup Files + 備份檔案 + + + All Files + 所有檔案 + + + + + + + Server Groups + 伺服器群組 + + + OK + 確定 + + + Cancel + 取消 + + + Server group name + 伺服器群組名稱 + + + Group name is required. + 需要群組名稱。 + + + Group description + 群組描述 + + + Group color + 群組色彩 + + + + + + + Add server group + 新增伺服器群組 + + + Edit server group + 編輯伺服器群組 + + + + + + + 1 or more tasks are in progress. Are you sure you want to quit? + 1 個或更多的工作正在進行中。是否確實要退出? + + + Yes + + + + No + + + + + + + + Get Started + 開始 + + + Show Getting Started + 顯示入門指南 + + + Getting &&Started + && denotes a mnemonic + 開始使用(&&S)