mirror of
https://github.com/ckaczor/azuredatastudio.git
synced 2026-02-17 02:51:36 -05:00
Port for locfunc task fix with XLFs and langpack source files. (#16195)
* added on end function to end of pipe * Update for existing localized XLFs. (#16107) * update to existing german extensions * Update for existing Spanish Resources * Added updates to existing French Resources * update for Italian Resources * Update for existing Japanese resources * update for Korean resources * update for Portuguese resources * russian resources updated * update for chinese resources * Removed async copy in rename function * added comments and removed async * added changes to langpacks
This commit is contained in:
@@ -266,18 +266,6 @@ function refreshLangpacks() {
|
|||||||
if (languageId === "zh-tw") {
|
if (languageId === "zh-tw") {
|
||||||
languageId = "zh-hant";
|
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}' ...`);
|
console.log(`Importing translations for ${languageId} from '${location}' to '${translationDataFolder}' ...`);
|
||||||
let translationPaths = [];
|
let translationPaths = [];
|
||||||
gulp.src(path.join(location, languageId, '**', '*.xlf'))
|
gulp.src(path.join(location, languageId, '**', '*.xlf'))
|
||||||
@@ -356,6 +344,8 @@ function renameVscodeLangpacks() {
|
|||||||
}
|
}
|
||||||
let locADSFolder = path.join('.', 'i18n', `ads-language-pack-${langId}`);
|
let locADSFolder = path.join('.', 'i18n', `ads-language-pack-${langId}`);
|
||||||
let locVSCODEFolder = path.join('.', 'i18n', `vscode-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 {
|
try {
|
||||||
fs.statSync(locVSCODEFolder);
|
fs.statSync(locVSCODEFolder);
|
||||||
}
|
}
|
||||||
@@ -363,12 +353,26 @@ function renameVscodeLangpacks() {
|
|||||||
console.log('vscode pack is not in ADS yet: ' + langId);
|
console.log('vscode pack is not in ADS yet: ' + langId);
|
||||||
continue;
|
continue;
|
||||||
}
|
}
|
||||||
gulp.src(`i18n/ads-language-pack-${langId}/*.md`)
|
// Delete extension files in vscode language pack that are not in ADS.
|
||||||
.pipe(vfs.dest(locVSCODEFolder, { overwrite: true }))
|
if (fs.existsSync(translationDataFolder)) {
|
||||||
.end(function () {
|
let totalExtensions = fs.readdirSync(path.join(translationDataFolder, 'extensions'));
|
||||||
rimraf.sync(locADSFolder);
|
for (let extensionTag in totalExtensions) {
|
||||||
fs.renameSync(locVSCODEFolder, locADSFolder);
|
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.");
|
console.log("Langpack Rename Completed.");
|
||||||
return Promise.resolve();
|
return Promise.resolve();
|
||||||
|
|||||||
@@ -287,20 +287,6 @@ export function refreshLangpacks(): Promise<void> {
|
|||||||
languageId = "zh-hant";
|
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}' ...`);
|
console.log(`Importing translations for ${languageId} from '${location}' to '${translationDataFolder}' ...`);
|
||||||
let translationPaths: any = [];
|
let translationPaths: any = [];
|
||||||
gulp.src(path.join(location, languageId, '**', '*.xlf'))
|
gulp.src(path.join(location, languageId, '**', '*.xlf'))
|
||||||
@@ -380,6 +366,8 @@ export function renameVscodeLangpacks(): Promise<void> {
|
|||||||
}
|
}
|
||||||
let locADSFolder = path.join('.', 'i18n', `ads-language-pack-${langId}`);
|
let locADSFolder = path.join('.', 'i18n', `ads-language-pack-${langId}`);
|
||||||
let locVSCODEFolder = path.join('.', 'i18n', `vscode-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 {
|
try {
|
||||||
fs.statSync(locVSCODEFolder);
|
fs.statSync(locVSCODEFolder);
|
||||||
}
|
}
|
||||||
@@ -387,12 +375,28 @@ export function renameVscodeLangpacks(): Promise<void> {
|
|||||||
console.log('vscode pack is not in ADS yet: ' + langId);
|
console.log('vscode pack is not in ADS yet: ' + langId);
|
||||||
continue;
|
continue;
|
||||||
}
|
}
|
||||||
gulp.src(`i18n/ads-language-pack-${langId}/*.md`)
|
// Delete extension files in vscode language pack that are not in ADS.
|
||||||
.pipe(vfs.dest(locVSCODEFolder, {overwrite: true}))
|
if (fs.existsSync(translationDataFolder)) {
|
||||||
.end(function () {
|
let totalExtensions = fs.readdirSync(path.join(translationDataFolder, 'extensions'));
|
||||||
rimraf.sync(locADSFolder);
|
for (let extensionTag in totalExtensions) {
|
||||||
fs.renameSync(locVSCODEFolder, locADSFolder);
|
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.");
|
console.log("Langpack Rename Completed.");
|
||||||
|
|||||||
@@ -2,7 +2,7 @@
|
|||||||
"name": "ads-language-pack-de",
|
"name": "ads-language-pack-de",
|
||||||
"displayName": "German Language Pack for Azure Data Studio",
|
"displayName": "German Language Pack for Azure Data Studio",
|
||||||
"description": "Language pack extension for German",
|
"description": "Language pack extension for German",
|
||||||
"version": "1.29.0",
|
"version": "1.31.0",
|
||||||
"publisher": "Microsoft",
|
"publisher": "Microsoft",
|
||||||
"repository": {
|
"repository": {
|
||||||
"type": "git",
|
"type": "git",
|
||||||
@@ -11,7 +11,7 @@
|
|||||||
"license": "SEE SOURCE EULA LICENSE IN LICENSE.txt",
|
"license": "SEE SOURCE EULA LICENSE IN LICENSE.txt",
|
||||||
"engines": {
|
"engines": {
|
||||||
"vscode": "*",
|
"vscode": "*",
|
||||||
"azdata": ">=1.29.0"
|
"azdata": "^0.0.0"
|
||||||
},
|
},
|
||||||
"icon": "languagepack.png",
|
"icon": "languagepack.png",
|
||||||
"categories": [
|
"categories": [
|
||||||
@@ -164,6 +164,14 @@
|
|||||||
"id": "vscode.yaml",
|
"id": "vscode.yaml",
|
||||||
"path": "./translations/extensions/yaml.i18n.json"
|
"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",
|
"id": "Microsoft.azurecore",
|
||||||
"path": "./translations/extensions/azurecore.i18n.json"
|
"path": "./translations/extensions/azurecore.i18n.json"
|
||||||
@@ -172,6 +180,18 @@
|
|||||||
"id": "Microsoft.big-data-cluster",
|
"id": "Microsoft.big-data-cluster",
|
||||||
"path": "./translations/extensions/big-data-cluster.i18n.json"
|
"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",
|
"id": "Microsoft.sqlservernotebook",
|
||||||
"path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json"
|
"path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json"
|
||||||
@@ -184,9 +204,17 @@
|
|||||||
"id": "Microsoft.notebook",
|
"id": "Microsoft.notebook",
|
||||||
"path": "./translations/extensions/notebook.i18n.json"
|
"path": "./translations/extensions/notebook.i18n.json"
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
"id": "Microsoft.profiler",
|
||||||
|
"path": "./translations/extensions/profiler.i18n.json"
|
||||||
|
},
|
||||||
{
|
{
|
||||||
"id": "Microsoft.resource-deployment",
|
"id": "Microsoft.resource-deployment",
|
||||||
"path": "./translations/extensions/resource-deployment.i18n.json"
|
"path": "./translations/extensions/resource-deployment.i18n.json"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"id": "Microsoft.schema-compare",
|
||||||
|
"path": "./translations/extensions/schema-compare.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}"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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": "<Alle Datenbanken>",
|
||||||
|
"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"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -41,6 +41,7 @@
|
|||||||
"dist/azureResource/utils": {
|
"dist/azureResource/utils": {
|
||||||
"azure.resource.error": "Fehler: {0}",
|
"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.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.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.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}"
|
"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.azureArcsqlManagedInstance": "Verwaltete SQL-Instanz – Azure Arc",
|
||||||
"azurecore.azureArcService": "Datendienst – Azure Arc",
|
"azurecore.azureArcService": "Datendienst – Azure Arc",
|
||||||
"azurecore.sqlServerArc": "SQL Server – 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.unableToOpenAzureLink": "Der Link kann nicht geöffnet werden, weil erforderliche Werte fehlen.",
|
||||||
"azure.azureResourcesGridTitle": "Azure-Ressourcen (Vorschau)",
|
"azure.azureResourcesGridTitle": "Azure-Ressourcen (Vorschau)",
|
||||||
"azurecore.invalidAzureAccount": "Ungültiges Konto.",
|
"azurecore.invalidAzureAccount": "Ungültiges Konto.",
|
||||||
@@ -141,7 +142,9 @@
|
|||||||
"dist/azureResource/tree/flatAccountTreeNode": {
|
"dist/azureResource/tree/flatAccountTreeNode": {
|
||||||
"azure.resource.tree.accountTreeNode.titleLoading": "{0}: Wird geladen...",
|
"azure.resource.tree.accountTreeNode.titleLoading": "{0}: Wird geladen...",
|
||||||
"azure.resource.tree.accountTreeNode.title": "{0} ({1}/{2} Abonnements)",
|
"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": {
|
"dist/azureResource/tree/accountNotSignedInTreeNode": {
|
||||||
"azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Bei Azure anmelden..."
|
"azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Bei Azure anmelden..."
|
||||||
@@ -203,6 +206,9 @@
|
|||||||
"dist/azureResource/providers/kusto/kustoTreeDataProvider": {
|
"dist/azureResource/providers/kusto/kustoTreeDataProvider": {
|
||||||
"azure.resource.providers.KustoContainerLabel": "Azure Data Explorer-Cluster"
|
"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": {
|
"dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": {
|
||||||
"azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Azure Database for PostgreSQL-Server"
|
"azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Azure Database for PostgreSQL-Server"
|
||||||
},
|
},
|
||||||
|
|||||||
@@ -50,7 +50,7 @@
|
|||||||
"bdc-data-size-field": "Kapazität für Daten (GB)",
|
"bdc-data-size-field": "Kapazität für Daten (GB)",
|
||||||
"bdc-log-size-field": "Kapazität für Protokolle (GB)",
|
"bdc-log-size-field": "Kapazität für Protokolle (GB)",
|
||||||
"bdc-agreement": "Ich akzeptiere {0}, {1} und {2}.",
|
"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-azdata-eula": "azdata-Lizenzbedingungen",
|
||||||
"bdc-agreement-bdc-eula": "SQL Server-Lizenzbedingungen"
|
"bdc-agreement-bdc-eula": "SQL Server-Lizenzbedingungen"
|
||||||
},
|
},
|
||||||
@@ -201,4 +201,4 @@
|
|||||||
"bdc.controllerTreeDataProvider.error": "Unerwarteter Fehler beim Laden gespeicherter Controller: {0}"
|
"bdc.controllerTreeDataProvider.error": "Unerwarteter Fehler beim Laden gespeicherter Controller: {0}"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
146
i18n/ads-language-pack-de/translations/extensions/cms.i18n.json
Normal file
146
i18n/ads-language-pack-de/translations/extensions/cms.i18n.json
Normal file
@@ -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."
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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}."
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -14,6 +14,8 @@
|
|||||||
"notebook.configuration.title": "Notebook-Konfiguration",
|
"notebook.configuration.title": "Notebook-Konfiguration",
|
||||||
"notebook.pythonPath.description": "Lokaler Pfad zur Python-Installation, die von Notebooks verwendet wird.",
|
"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.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.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.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.",
|
"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.collapseBookItems.description": "Buchelemente auf Stammebene im Notebook-Viewlet reduzieren",
|
||||||
"notebook.remoteBookDownloadTimeout.description": "Zeitlimit für Download von GitHub-Büchern in Millisekunden",
|
"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.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.new": "Neues Notebook",
|
||||||
"notebook.command.open": "Notebook öffnen",
|
"notebook.command.open": "Notebook öffnen",
|
||||||
"notebook.analyzeJupyterNotebook": "In Notebook analysieren",
|
"notebook.analyzeJupyterNotebook": "In Notebook analysieren",
|
||||||
@@ -43,18 +46,21 @@
|
|||||||
"title.managePackages": "Pakete verwalten",
|
"title.managePackages": "Pakete verwalten",
|
||||||
"title.SQL19PreviewBook": "Leitfaden zu SQL Server 2019",
|
"title.SQL19PreviewBook": "Leitfaden zu SQL Server 2019",
|
||||||
"books-preview-category": "Jupyter-Books",
|
"books-preview-category": "Jupyter-Books",
|
||||||
"title.saveJupyterBook": "Book speichern",
|
"title.saveJupyterBook": "Jupyter Book speichern",
|
||||||
"title.trustBook": "Buch als vertrauenswürdig einstufen",
|
"title.trustBook": "Jupyter Book als vertrauenswürdig einstufen",
|
||||||
"title.searchJupyterBook": "Book durchsuchen",
|
"title.searchJupyterBook": "Jupyter Book durchsuchen",
|
||||||
"title.SavedBooks": "Notebooks",
|
"title.SavedBooks": "Notebooks",
|
||||||
"title.ProvidedBooks": "Bereitgestellte Bücher",
|
"title.ProvidedBooks": "Bereitgestellte Jupyter Books",
|
||||||
"title.PinnedBooks": "Angeheftete Notebooks",
|
"title.PinnedBooks": "Angeheftete Notebooks",
|
||||||
"title.PreviewLocalizedBook": "Lokalisierten SQL Server 2019-Leitfaden abrufen",
|
"title.PreviewLocalizedBook": "Lokalisierten SQL Server 2019-Leitfaden abrufen",
|
||||||
"title.openJupyterBook": "Jupyter-Buch öffnen",
|
"title.openJupyterBook": "Jupyter-Buch öffnen",
|
||||||
"title.closeJupyterBook": "Jupyter-Buch schließen",
|
"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.revealInBooksViewlet": "In Büchern offenlegen",
|
||||||
"title.createJupyterBook": "Buch erstellen (Vorschau)",
|
"title.createJupyterBook": "Jupyter Book erstellen",
|
||||||
"title.openNotebookFolder": "Notebooks in Ordner öffnen",
|
"title.openNotebookFolder": "Notebooks in Ordner öffnen",
|
||||||
"title.openRemoteJupyterBook": "Jupyter-Remotebuch hinzufügen",
|
"title.openRemoteJupyterBook": "Jupyter-Remotebuch hinzufügen",
|
||||||
"title.pinNotebook": "Notebook anheften",
|
"title.pinNotebook": "Notebook anheften",
|
||||||
@@ -77,74 +83,84 @@
|
|||||||
"providerNotValidError": "Für Spark-Kernel werden nur MSSQL-Anbieter unterstützt.",
|
"providerNotValidError": "Für Spark-Kernel werden nur MSSQL-Anbieter unterstützt.",
|
||||||
"allFiles": "Alle Dateien",
|
"allFiles": "Alle Dateien",
|
||||||
"labelSelectFolder": "Ordner auswählen",
|
"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?",
|
"confirmReplace": "Der Ordner ist bereits vorhanden. Möchten Sie diesen Ordner löschen und ersetzen?",
|
||||||
"openNotebookCommand": "Notebook öffnen",
|
"openNotebookCommand": "Notebook öffnen",
|
||||||
"openMarkdownCommand": "Markdown öffnen",
|
"openMarkdownCommand": "Markdown öffnen",
|
||||||
"openExternalLinkCommand": "Externen Link öffnen",
|
"openExternalLinkCommand": "Externen Link öffnen",
|
||||||
"msgBookTrusted": "Das Buch gilt im Arbeitsbereich jetzt als vertrauenswürdig.",
|
"msgBookTrusted": "Das Jupyter Book gilt jetzt im Arbeitsbereich als vertrauenswürdig.",
|
||||||
"msgBookAlreadyTrusted": "Das Buch gilt in diesem Arbeitsbereich bereits als vertrauenswürdig.",
|
"msgBookAlreadyTrusted": "Dieses Jupyter Book gilt in diesem Arbeitsbereich bereits als vertrauenswürdig.",
|
||||||
"msgBookUntrusted": "Das Buch gilt in diesem Arbeitsbereich nicht mehr als vertrauenswürdig.",
|
"msgBookUntrusted": "Das Jupyter Book gilt in diesem Arbeitsbereich nicht mehr als vertrauenswürdig.",
|
||||||
"msgBookAlreadyUntrusted": "Das Buch gilt in diesem Arbeitsbereich bereits als nicht vertrauenswürdig.",
|
"msgBookAlreadyUntrusted": "Das Jupyter Book gilt in diesem Arbeitsbereich bereits als nicht vertrauenswürdig.",
|
||||||
"msgBookPinned": "Das Buch \"{0}\" ist jetzt im Arbeitsbereich angeheftet.",
|
"msgBookPinned": "Das Jupyter Book \"{0}\" ist jetzt im Arbeitsbereich angeheftet.",
|
||||||
"msgBookUnpinned": "Das Buch \"{0}\" ist in diesem Arbeitsbereich nicht mehr angeheftet.",
|
"msgBookUnpinned": "Das Jupyter Book \"{0}\" ist in diesem Arbeitsbereich nicht mehr angeheftet.",
|
||||||
"bookInitializeFailed": "Bei der Suche im angegebenen Buch wurde keine Inhaltsverzeichnisdatei gefunden.",
|
"bookInitializeFailed": "Bei der Suche im angegebenen Jupyter Book wurde keine Inhaltsverzeichnisdatei gefunden.",
|
||||||
"noBooksSelected": "Im Viewlet sind zurzeit keine Bücher ausgewählt.",
|
"noBooksSelected": "Im Viewlet sind zurzeit keine Jupyter Books ausgewählt.",
|
||||||
"labelBookSection": "Buchabschnitt auswählen",
|
"labelBookSection": "Jupyter Book-Abschnitt auswählen",
|
||||||
"labelAddToLevel": "Dieser Ebene hinzufügen",
|
"labelAddToLevel": "Dieser Ebene hinzufügen",
|
||||||
"missingFileError": "Fehlende Datei: \"{0}\" aus \"{1}\"",
|
"missingFileError": "Fehlende Datei: \"{0}\" aus \"{1}\"",
|
||||||
"InvalidError.tocFile": "Ungültige Inhaltsverzeichnisdatei.",
|
"InvalidError.tocFile": "Ungültige Inhaltsverzeichnisdatei.",
|
||||||
"Invalid toc.yml": "Fehler: \"{0}\" weist eine falsche Datei \"toc.yml\" auf.",
|
"Invalid toc.yml": "Fehler: \"{0}\" weist eine falsche Datei \"toc.yml\" auf.",
|
||||||
"configFileError": "Konfigurationsdatei fehlt.",
|
"configFileError": "Konfigurationsdatei fehlt.",
|
||||||
"openBookError": "Fehler beim Öffnen von Book \"{0}\": {1}",
|
"openBookError": "Fehler beim Öffnen von Jupyter Book \"{0}\": {1}",
|
||||||
"readBookError": "Fehler beim Lesen von Book \"{0}\": {1}",
|
"readBookError": "Fehler beim Lesen von Jupyter Book \"{0}\": {1}",
|
||||||
"openNotebookError": "Fehler beim Öffnen des Notebooks \"{0}\": {1}",
|
"openNotebookError": "Fehler beim Öffnen des Notebooks \"{0}\": {1}",
|
||||||
"openMarkdownError": "Fehler beim Öffnen von Markdown \"{0}\": {1}",
|
"openMarkdownError": "Fehler beim Öffnen von Markdown \"{0}\": {1}",
|
||||||
"openUntitledNotebookError": "Fehler beim Öffnen des Notebooks \"{0}\" ohne Titel: {1}",
|
"openUntitledNotebookError": "Fehler beim Öffnen des Notebooks \"{0}\" ohne Titel: {1}",
|
||||||
"openExternalLinkError": "Fehler beim Öffnen von Link {0}: {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.",
|
"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}",
|
"editBookError": "Fehler beim Bearbeiten von Jupyter Book \"{0}\": {1}",
|
||||||
"selectBookError": "Fehler beim Auswählen eines Buchs oder eines Abschnitts zur Bearbeitung: {0}",
|
"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",
|
"url": "URL",
|
||||||
"repoUrl": "Repository-URL",
|
"repoUrl": "Repository-URL",
|
||||||
"location": "Speicherort",
|
"location": "Speicherort",
|
||||||
"addRemoteBook": "Remotebuch hinzufügen",
|
"addRemoteBook": "Jupyter-Remotebuch hinzufügen",
|
||||||
"onGitHub": "GitHub",
|
"onGitHub": "GitHub",
|
||||||
"onsharedFile": "Freigegebene Datei",
|
"onsharedFile": "Freigegebene Datei",
|
||||||
"releases": "Releases",
|
"releases": "Releases",
|
||||||
"book": "Buch",
|
"book": "Jupyter Book",
|
||||||
"version": "Version",
|
"version": "Version",
|
||||||
"language": "Sprache",
|
"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.",
|
"urlGithubError": "Die angegebene URL ist keine GitHub-Release-URL.",
|
||||||
"search": "Suchen",
|
"search": "Suchen",
|
||||||
"add": "Hinzufügen",
|
"add": "Hinzufügen",
|
||||||
"close": "Schließen",
|
"close": "Schließen",
|
||||||
"invalidTextPlaceholder": "-",
|
"invalidTextPlaceholder": "-",
|
||||||
"msgRemoteBookDownloadProgress": "Das Remotebuch wird heruntergeladen.",
|
"msgRemoteBookDownloadProgress": "Remoteinstanz von Jupyter Book wird heruntergeladen.",
|
||||||
"msgRemoteBookDownloadComplete": "Der Download des Remotebuchs ist abgeschlossen.",
|
"msgRemoteBookDownloadComplete": "Remoteinstanz von Jupyter Book wurde vollständig heruntergeladen.",
|
||||||
"msgRemoteBookDownloadError": "Fehler beim Herunterladen des Remotebuchs.",
|
"msgRemoteBookDownloadError": "Fehler beim Herunterladen der Remoteinstanz von Jupyter Book.",
|
||||||
"msgRemoteBookUnpackingError": "Fehler beim Dekomprimieren des Remotebuchs.",
|
"msgRemoteBookUnpackingError": "Fehler beim Dekomprimieren der Jupyter Book-Remoteinstanz.",
|
||||||
"msgRemoteBookDirectoryError": "Fehler beim Erstellen des Remotebuchverzeichnisses.",
|
"msgRemoteBookDirectoryError": "Fehler beim Erstellen des Jupyter Book-Remoteverzeichnisses.",
|
||||||
"msgTaskName": "Remotebuch wird heruntergeladen.",
|
"msgTaskName": "Remoteinstanz von Jupyter Book wird heruntergeladen.",
|
||||||
"msgResourceNotFound": "Die Ressource wurde nicht gefunden.",
|
"msgResourceNotFound": "Die Ressource wurde nicht gefunden.",
|
||||||
"msgBookNotFound": "Bücher nicht gefunden.",
|
"msgBookNotFound": "Jupyter Books nicht gefunden.",
|
||||||
"msgReleaseNotFound": "Releases 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}",
|
"httpRequestError": "Fehler bei der HTTP-Anforderung: {0} {1}",
|
||||||
"msgDownloadLocation": "Download in \"{0}\"",
|
"msgDownloadLocation": "Download in \"{0}\"",
|
||||||
"newGroup": "Neue Gruppe",
|
"newBook": "Neue Jupyter Book-Instanz (Vorschau)",
|
||||||
"groupDescription": "Gruppen werden zum Organisieren von Notebooks verwendet.",
|
"bookDescription": "Jupyter Book-Instanzen werden zum Organisieren von Notebooks verwendet.",
|
||||||
"locationBrowser": "Speicherorte durchsuchen...",
|
"learnMore": "Weitere Informationen.",
|
||||||
"selectContentFolder": "Inhaltsordner auswählen",
|
"contentFolder": "Inhaltsordner",
|
||||||
"browse": "Durchsuchen",
|
"browse": "Durchsuchen",
|
||||||
"create": "Erstellen",
|
"create": "Erstellen",
|
||||||
"name": "Name",
|
"name": "Name",
|
||||||
"saveLocation": "Speicherort",
|
"saveLocation": "Speicherort",
|
||||||
"contentFolder": "Inhaltsordner (optional)",
|
"contentFolderOptional": "Inhaltsordner (optional)",
|
||||||
"msgContentFolderError": "Der Pfad für den Inhaltsordner ist nicht vorhanden.",
|
"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": {
|
"dist/jupyter/jupyterServerInstallation": {
|
||||||
"msgInstallPkgProgress": "Notebook-Abhängigkeiten werden installiert.",
|
"msgInstallPkgProgress": "Notebook-Abhängigkeiten werden installiert.",
|
||||||
@@ -159,10 +175,16 @@
|
|||||||
"msgInstallPkgFinish": "Die Installation von Notebook-Abhängigkeiten ist abgeschlossen.",
|
"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.",
|
"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.",
|
"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}",
|
"msgDependenciesInstallationFailed": "Fehler beim Installieren von Notebook-Abhängigkeiten: {0}",
|
||||||
"msgDownloadPython": "Lokales Python für die Plattform \"{0}\" wird nach \"{1}\" heruntergeladen.",
|
"msgDownloadPython": "Lokales Python für die Plattform \"{0}\" wird nach \"{1}\" heruntergeladen.",
|
||||||
"msgPackageRetrievalFailed": "Fehler beim Abrufen der Liste installierter Pakete: {0}",
|
"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": {
|
"dist/dialog/configurePython/configurePythonWizard": {
|
||||||
"configurePython.okButtonText": "Installieren",
|
"configurePython.okButtonText": "Installieren",
|
||||||
@@ -270,7 +292,7 @@
|
|||||||
},
|
},
|
||||||
"dist/protocol/notebookUriHandler": {
|
"dist/protocol/notebookUriHandler": {
|
||||||
"notebook.unsupportedAction": "Die Aktion \"{0}\" wird für diesen Handler nicht unterstützt.",
|
"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.confirmOpen": "\"{0}\" herunterladen und öffnen?",
|
||||||
"notebook.fileNotFound": "Die angegebene Datei wurde nicht gefunden.",
|
"notebook.fileNotFound": "Die angegebene Datei wurde nicht gefunden.",
|
||||||
"notebook.fileDownloadError": "Fehler bei der Anforderung zum Öffnen der Datei: {0} {1}"
|
"notebook.fileDownloadError": "Fehler bei der Anforderung zum Öffnen der Datei: {0} {1}"
|
||||||
|
|||||||
@@ -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."
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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.",
|
"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.",
|
"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",
|
"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.title": "Bereitstellungsoptionen auswählen",
|
||||||
"resourceTypePickerDialog.resourceSearchPlaceholder": "Ressourcen filtern...",
|
"resourceTypePickerDialog.resourceSearchPlaceholder": "Ressourcen filtern...",
|
||||||
"resourceTypePickerDialog.tagsListViewTitle": "Kategorien",
|
"resourceTypePickerDialog.tagsListViewTitle": "Kategorien",
|
||||||
@@ -264,7 +268,6 @@
|
|||||||
"notebookType": "Notebook-Typ"
|
"notebookType": "Notebook-Typ"
|
||||||
},
|
},
|
||||||
"dist/main": {
|
"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."
|
"resourceDeployment.UnknownResourceType": "Der Ressourcentyp \"{0}\" ist nicht definiert."
|
||||||
},
|
},
|
||||||
"dist/services/notebookService": {
|
"dist/services/notebookService": {
|
||||||
@@ -562,8 +565,8 @@
|
|||||||
},
|
},
|
||||||
"dist/ui/toolsAndEulaSettingsPage": {
|
"dist/ui/toolsAndEulaSettingsPage": {
|
||||||
"notebookWizard.toolsAndEulaPageTitle": "Voraussetzungen für die Bereitstellung",
|
"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.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.loadingRequiredToolsCompleted": "Informationen zu erforderlichen Tools wurden vollständig geladen.",
|
||||||
"deploymentDialog.loadingRequiredTools": "Informationen zu erforderlichen Tools werden geladen.",
|
"deploymentDialog.loadingRequiredTools": "Informationen zu erforderlichen Tools werden geladen.",
|
||||||
"resourceDeployment.AgreementTitle": "Nutzungsbedingungen akzeptieren",
|
"resourceDeployment.AgreementTitle": "Nutzungsbedingungen akzeptieren",
|
||||||
@@ -605,18 +608,9 @@
|
|||||||
"dist/services/tools/azdataTool": {
|
"dist/services/tools/azdataTool": {
|
||||||
"resourceDeployment.AzdataDescription": "Azure Data-Befehlszeilenschnittstelle",
|
"resourceDeployment.AzdataDescription": "Azure Data-Befehlszeilenschnittstelle",
|
||||||
"resourceDeployment.AzdataDisplayName": "Azure Data CLI",
|
"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.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} ",
|
"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…"
|
|
||||||
},
|
},
|
||||||
"dist/services/tools/azdataToolOld": {
|
"dist/services/tools/azdataToolOld": {
|
||||||
"resourceDeployment.AzdataDescription": "Azure Data-Befehlszeilenschnittstelle",
|
"resourceDeployment.AzdataDescription": "Azure Data-Befehlszeilenschnittstelle",
|
||||||
@@ -636,4 +630,4 @@
|
|||||||
"deploymentDialog.deploymentOptions": "Bereitstellungsoptionen"
|
"deploymentDialog.deploymentOptions": "Bereitstellungsoptionen"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -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}"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
File diff suppressed because it is too large
Load Diff
@@ -2,7 +2,7 @@
|
|||||||
"name": "ads-language-pack-es",
|
"name": "ads-language-pack-es",
|
||||||
"displayName": "Spanish Language Pack for Azure Data Studio",
|
"displayName": "Spanish Language Pack for Azure Data Studio",
|
||||||
"description": "Language pack extension for Spanish",
|
"description": "Language pack extension for Spanish",
|
||||||
"version": "1.29.0",
|
"version": "1.31.0",
|
||||||
"publisher": "Microsoft",
|
"publisher": "Microsoft",
|
||||||
"repository": {
|
"repository": {
|
||||||
"type": "git",
|
"type": "git",
|
||||||
@@ -11,7 +11,7 @@
|
|||||||
"license": "SEE SOURCE EULA LICENSE IN LICENSE.txt",
|
"license": "SEE SOURCE EULA LICENSE IN LICENSE.txt",
|
||||||
"engines": {
|
"engines": {
|
||||||
"vscode": "*",
|
"vscode": "*",
|
||||||
"azdata": ">=1.29.0"
|
"azdata": "^0.0.0"
|
||||||
},
|
},
|
||||||
"icon": "languagepack.png",
|
"icon": "languagepack.png",
|
||||||
"categories": [
|
"categories": [
|
||||||
@@ -164,6 +164,14 @@
|
|||||||
"id": "vscode.yaml",
|
"id": "vscode.yaml",
|
||||||
"path": "./translations/extensions/yaml.i18n.json"
|
"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",
|
"id": "Microsoft.azurecore",
|
||||||
"path": "./translations/extensions/azurecore.i18n.json"
|
"path": "./translations/extensions/azurecore.i18n.json"
|
||||||
@@ -172,6 +180,18 @@
|
|||||||
"id": "Microsoft.big-data-cluster",
|
"id": "Microsoft.big-data-cluster",
|
||||||
"path": "./translations/extensions/big-data-cluster.i18n.json"
|
"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",
|
"id": "Microsoft.sqlservernotebook",
|
||||||
"path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json"
|
"path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json"
|
||||||
@@ -184,9 +204,17 @@
|
|||||||
"id": "Microsoft.notebook",
|
"id": "Microsoft.notebook",
|
||||||
"path": "./translations/extensions/notebook.i18n.json"
|
"path": "./translations/extensions/notebook.i18n.json"
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
"id": "Microsoft.profiler",
|
||||||
|
"path": "./translations/extensions/profiler.i18n.json"
|
||||||
|
},
|
||||||
{
|
{
|
||||||
"id": "Microsoft.resource-deployment",
|
"id": "Microsoft.resource-deployment",
|
||||||
"path": "./translations/extensions/resource-deployment.i18n.json"
|
"path": "./translations/extensions/resource-deployment.i18n.json"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"id": "Microsoft.schema-compare",
|
||||||
|
"path": "./translations/extensions/schema-compare.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}"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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": "<todas las bases de datos>",
|
||||||
|
"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"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -41,6 +41,7 @@
|
|||||||
"dist/azureResource/utils": {
|
"dist/azureResource/utils": {
|
||||||
"azure.resource.error": "Error: {0}",
|
"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.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.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.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}."
|
"azure.accounts.getSelectedSubscriptions.queryError": "Error al recuperar las suscripciones de la cuenta {0}: {1}."
|
||||||
@@ -141,7 +142,9 @@
|
|||||||
"dist/azureResource/tree/flatAccountTreeNode": {
|
"dist/azureResource/tree/flatAccountTreeNode": {
|
||||||
"azure.resource.tree.accountTreeNode.titleLoading": "{0}: carga en curso...",
|
"azure.resource.tree.accountTreeNode.titleLoading": "{0}: carga en curso...",
|
||||||
"azure.resource.tree.accountTreeNode.title": "{0} ({1} de {2} suscripciones)",
|
"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": {
|
"dist/azureResource/tree/accountNotSignedInTreeNode": {
|
||||||
"azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Inicie sesión en Azure..."
|
"azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Inicie sesión en Azure..."
|
||||||
@@ -203,6 +206,9 @@
|
|||||||
"dist/azureResource/providers/kusto/kustoTreeDataProvider": {
|
"dist/azureResource/providers/kusto/kustoTreeDataProvider": {
|
||||||
"azure.resource.providers.KustoContainerLabel": "Clúster de Azure Data Explorer"
|
"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": {
|
"dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": {
|
||||||
"azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Servidor de Azure Database for PostgreSQL"
|
"azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Servidor de Azure Database for PostgreSQL"
|
||||||
},
|
},
|
||||||
|
|||||||
@@ -201,4 +201,4 @@
|
|||||||
"bdc.controllerTreeDataProvider.error": "Error inesperado al cargar los controladores guardados: {0}."
|
"bdc.controllerTreeDataProvider.error": "Error inesperado al cargar los controladores guardados: {0}."
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
146
i18n/ads-language-pack-es/translations/extensions/cms.i18n.json
Normal file
146
i18n/ads-language-pack-es/translations/extensions/cms.i18n.json
Normal file
@@ -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"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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}\")"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -14,6 +14,8 @@
|
|||||||
"notebook.configuration.title": "Configuración de Notebook",
|
"notebook.configuration.title": "Configuración de Notebook",
|
||||||
"notebook.pythonPath.description": "Ruta de acceso local a la instalación de Python utilizada por Notebooks.",
|
"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.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.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.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.",
|
"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.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.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.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.new": "Nuevo Notebook",
|
||||||
"notebook.command.open": "Abrir Notebook",
|
"notebook.command.open": "Abrir Notebook",
|
||||||
"notebook.analyzeJupyterNotebook": "Analizar en Notebook",
|
"notebook.analyzeJupyterNotebook": "Analizar en Notebook",
|
||||||
@@ -43,18 +46,21 @@
|
|||||||
"title.managePackages": "Administrar paquetes",
|
"title.managePackages": "Administrar paquetes",
|
||||||
"title.SQL19PreviewBook": "Guía de SQL Server 2019",
|
"title.SQL19PreviewBook": "Guía de SQL Server 2019",
|
||||||
"books-preview-category": "Jupyter Books",
|
"books-preview-category": "Jupyter Books",
|
||||||
"title.saveJupyterBook": "Guardar libro",
|
"title.saveJupyterBook": "Guardar el libro de Jupyter",
|
||||||
"title.trustBook": "Libro de confianza",
|
"title.trustBook": "Confiar en el libro de Jupyter",
|
||||||
"title.searchJupyterBook": "Buscar libro",
|
"title.searchJupyterBook": "Buscar libro de Jupyter",
|
||||||
"title.SavedBooks": "Cuadernos",
|
"title.SavedBooks": "Cuadernos",
|
||||||
"title.ProvidedBooks": "Libros proporcionados",
|
"title.ProvidedBooks": "Libros de Jupyter proporcionados",
|
||||||
"title.PinnedBooks": "Cuadernos anclados",
|
"title.PinnedBooks": "Cuadernos anclados",
|
||||||
"title.PreviewLocalizedBook": "Obtención de la guía de SQL Server 2019 traducida",
|
"title.PreviewLocalizedBook": "Obtención de la guía de SQL Server 2019 traducida",
|
||||||
"title.openJupyterBook": "Apertura de libros de Jupyter",
|
"title.openJupyterBook": "Apertura de libros de Jupyter",
|
||||||
"title.closeJupyterBook": "Cierre del libro 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.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.openNotebookFolder": "Apertura de cuadernos en la carpeta",
|
||||||
"title.openRemoteJupyterBook": "Adición de libro de Jupyter remoto",
|
"title.openRemoteJupyterBook": "Adición de libro de Jupyter remoto",
|
||||||
"title.pinNotebook": "Anclado de cuadernos",
|
"title.pinNotebook": "Anclado de cuadernos",
|
||||||
@@ -77,74 +83,84 @@
|
|||||||
"providerNotValidError": "No se admiten proveedores que no sean MSSQL para los kernels de Spark.",
|
"providerNotValidError": "No se admiten proveedores que no sean MSSQL para los kernels de Spark.",
|
||||||
"allFiles": "Todos los archivos",
|
"allFiles": "Todos los archivos",
|
||||||
"labelSelectFolder": "Seleccionar carpeta",
|
"labelSelectFolder": "Seleccionar carpeta",
|
||||||
"labelBookFolder": "Seleccionar libro",
|
"labelBookFolder": "Seleccionar libro de Jupyter",
|
||||||
"confirmReplace": "La carpeta ya existe. ¿Seguro que desea eliminar y reemplazar esta carpeta?",
|
"confirmReplace": "La carpeta ya existe. ¿Seguro que desea eliminar y reemplazar esta carpeta?",
|
||||||
"openNotebookCommand": "Abrir cuaderno",
|
"openNotebookCommand": "Abrir cuaderno",
|
||||||
"openMarkdownCommand": "Abrir Markdown",
|
"openMarkdownCommand": "Abrir Markdown",
|
||||||
"openExternalLinkCommand": "Abrir vínculo externo",
|
"openExternalLinkCommand": "Abrir vínculo externo",
|
||||||
"msgBookTrusted": "El libro ahora es de confianza en el área de trabajo.",
|
"msgBookTrusted": "El libro de Jupyter 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.",
|
"msgBookAlreadyTrusted": "El libro Jupyter ya está marcado como de confianza en esta área de trabajo.",
|
||||||
"msgBookUntrusted": "El libro ya no es 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 ya se ha marcado como que 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 {0} está ahora anclado en el área de trabajo.",
|
"msgBookPinned": "El libro de Jupyter {0} está ahora anclado en el área de trabajo.",
|
||||||
"msgBookUnpinned": "El libro {0} ya no está anclado en esta á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 especificado.",
|
"bookInitializeFailed": "No se pudo encontrar un archivo de tabla de contenido en el libro de Jupyter especificado.",
|
||||||
"noBooksSelected": "Actualmente no hay ningún libro seleccionado en viewlet.",
|
"noBooksSelected": "Actualmente no hay ningún libro de Jupyter seleccionado en viewlet.",
|
||||||
"labelBookSection": "Seleccionar sección de libro",
|
"labelBookSection": "Seleccionar sección del libro de Jupyter",
|
||||||
"labelAddToLevel": "Agregar a este nivel",
|
"labelAddToLevel": "Agregar a este nivel",
|
||||||
"missingFileError": "Falta el archivo {0} de {1}.",
|
"missingFileError": "Falta el archivo {0} de {1}.",
|
||||||
"InvalidError.tocFile": "Archivo de TDC no válido",
|
"InvalidError.tocFile": "Archivo de TDC no válido",
|
||||||
"Invalid toc.yml": "Error: {0} tiene un archivo toc.yml incorrecto",
|
"Invalid toc.yml": "Error: {0} tiene un archivo toc.yml incorrecto",
|
||||||
"configFileError": "Falta el archivo de configuración.",
|
"configFileError": "Falta el archivo de configuración.",
|
||||||
"openBookError": "Error al abrir el libro {0}: {1}",
|
"openBookError": "No se pudo abrir {0} el libro de Jupyter: {1}",
|
||||||
"readBookError": "No se pudo leer el libro {0}: {1}.",
|
"readBookError": "No se pudo leer el libro de {0}: {1}",
|
||||||
"openNotebookError": "Error al abrir el cuaderno {0}: {1}",
|
"openNotebookError": "Error al abrir el cuaderno {0}: {1}",
|
||||||
"openMarkdownError": "Error en la apertura de Markdown {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}",
|
"openUntitledNotebookError": "Error al abrir el cuaderno sin título {0} como sin título: {1}",
|
||||||
"openExternalLinkError": "Error al abrir el vínculo {0}: {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.",
|
"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}.",
|
"editBookError": "Error al editar el libro de Jupyter {0}: {1}",
|
||||||
"selectBookError": "Error al seleccionar un libro o una sección para editarlo: {0}.",
|
"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",
|
"url": "Dirección URL",
|
||||||
"repoUrl": "Dirección URL del repositorio",
|
"repoUrl": "Dirección URL del repositorio",
|
||||||
"location": "Ubicación",
|
"location": "Ubicación",
|
||||||
"addRemoteBook": "Agregar libro remoto",
|
"addRemoteBook": "Adición de libro de Jupyter remoto",
|
||||||
"onGitHub": "GitHub",
|
"onGitHub": "GitHub",
|
||||||
"onsharedFile": "Archivo compartido",
|
"onsharedFile": "Archivo compartido",
|
||||||
"releases": "Versiones",
|
"releases": "Versiones",
|
||||||
"book": "Libro",
|
"book": "Jupyter Book",
|
||||||
"version": "Versión",
|
"version": "Versión",
|
||||||
"language": "Idioma",
|
"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.",
|
"urlGithubError": "La dirección URL proporcionada no es la URL de una versión de GitHub.",
|
||||||
"search": "Buscar",
|
"search": "Buscar",
|
||||||
"add": "Agregar",
|
"add": "Agregar",
|
||||||
"close": "Cerrar",
|
"close": "Cerrar",
|
||||||
"invalidTextPlaceholder": "-",
|
"invalidTextPlaceholder": "-",
|
||||||
"msgRemoteBookDownloadProgress": "La descarga del libro remoto está en curso.",
|
"msgRemoteBookDownloadProgress": "La descarga del libro remoto de Jupyter está en progreso",
|
||||||
"msgRemoteBookDownloadComplete": "La descarga del libro remoto se ha completado.",
|
"msgRemoteBookDownloadComplete": "La descarga del libro remoto de Jupyter se ha completado",
|
||||||
"msgRemoteBookDownloadError": "Error al descargar el libro remoto.",
|
"msgRemoteBookDownloadError": "Error al descargar el libro de Jupyter remoto",
|
||||||
"msgRemoteBookUnpackingError": "Error al descomprimir el libro remoto.",
|
"msgRemoteBookUnpackingError": "Error al descomprimir el libro de Jupyter remoto",
|
||||||
"msgRemoteBookDirectoryError": "Error al crear el directorio de libros remotos.",
|
"msgRemoteBookDirectoryError": "Error al crear el directorio de libros de Jupyter remotos",
|
||||||
"msgTaskName": "Descarga de libro remoto en curso",
|
"msgTaskName": "Descargar libro de Jupyter remoto",
|
||||||
"msgResourceNotFound": "No se encuentra el recurso.",
|
"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",
|
"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}",
|
"httpRequestError": "Error de la solicitud HTTP: {0} {1}",
|
||||||
"msgDownloadLocation": "Descarga en {0} en curso",
|
"msgDownloadLocation": "Descarga en {0} en curso",
|
||||||
"newGroup": "Nuevo grupo",
|
"newBook": "Nuevo libro de Jupyter (versión preliminar)",
|
||||||
"groupDescription": "Los grupos se usan para organizar los cuadernos.",
|
"bookDescription": "Los libros Jupyter se utilizan para organizar los bloc de notas.",
|
||||||
"locationBrowser": "Examinar ubicaciones...",
|
"learnMore": "Más información.",
|
||||||
"selectContentFolder": "Seleccionar carpeta de contenido",
|
"contentFolder": "Carpeta de contenido",
|
||||||
"browse": "Examinar",
|
"browse": "Examinar",
|
||||||
"create": "Crear",
|
"create": "Crear",
|
||||||
"name": "Nombre",
|
"name": "Nombre",
|
||||||
"saveLocation": "Guardar ubicación",
|
"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.",
|
"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": {
|
"dist/jupyter/jupyterServerInstallation": {
|
||||||
"msgInstallPkgProgress": "La instalación de dependencias de Notebook está en curso",
|
"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",
|
"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.",
|
"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.",
|
"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}",
|
"msgDependenciesInstallationFailed": "Error al instalar las dependencias de Notebook: {0}",
|
||||||
"msgDownloadPython": "Descargando Python local para la plataforma: {0} a {1}",
|
"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}",
|
"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": {
|
"dist/dialog/configurePython/configurePythonWizard": {
|
||||||
"configurePython.okButtonText": "Instalar",
|
"configurePython.okButtonText": "Instalar",
|
||||||
@@ -270,7 +292,7 @@
|
|||||||
},
|
},
|
||||||
"dist/protocol/notebookUriHandler": {
|
"dist/protocol/notebookUriHandler": {
|
||||||
"notebook.unsupportedAction": "No se admite la acción {0} para este controlador",
|
"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.confirmOpen": "¿Descargar y abrir \"{0}\"?",
|
||||||
"notebook.fileNotFound": "No se pudo encontrar el archivo especificado",
|
"notebook.fileNotFound": "No se pudo encontrar el archivo especificado",
|
||||||
"notebook.fileDownloadError": "Error en la solicitud de apertura de archivo: {0} {1}"
|
"notebook.fileDownloadError": "Error en la solicitud de apertura de archivo: {0} {1}"
|
||||||
|
|||||||
@@ -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"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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.",
|
"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.",
|
"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",
|
"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.title": "Seleccione las opciones de implementación",
|
||||||
"resourceTypePickerDialog.resourceSearchPlaceholder": "Filtrar recursos...",
|
"resourceTypePickerDialog.resourceSearchPlaceholder": "Filtrar recursos...",
|
||||||
"resourceTypePickerDialog.tagsListViewTitle": "Categorías",
|
"resourceTypePickerDialog.tagsListViewTitle": "Categorías",
|
||||||
@@ -264,7 +268,6 @@
|
|||||||
"notebookType": "Tipo de cuaderno"
|
"notebookType": "Tipo de cuaderno"
|
||||||
},
|
},
|
||||||
"dist/main": {
|
"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"
|
"resourceDeployment.UnknownResourceType": "El tipo de recurso {0} no está definido"
|
||||||
},
|
},
|
||||||
"dist/services/notebookService": {
|
"dist/services/notebookService": {
|
||||||
@@ -562,8 +565,8 @@
|
|||||||
},
|
},
|
||||||
"dist/ui/toolsAndEulaSettingsPage": {
|
"dist/ui/toolsAndEulaSettingsPage": {
|
||||||
"notebookWizard.toolsAndEulaPageTitle": "Requisitos previos de la implementación",
|
"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.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.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",
|
"deploymentDialog.loadingRequiredTools": "Carga de la información de las herramientas necesarias en curso",
|
||||||
"resourceDeployment.AgreementTitle": "Aceptación de las condiciones de uso",
|
"resourceDeployment.AgreementTitle": "Aceptación de las condiciones de uso",
|
||||||
@@ -605,18 +608,9 @@
|
|||||||
"dist/services/tools/azdataTool": {
|
"dist/services/tools/azdataTool": {
|
||||||
"resourceDeployment.AzdataDescription": "Interfaz de la línea de comandos de datos de Azure",
|
"resourceDeployment.AzdataDescription": "Interfaz de la línea de comandos de datos de Azure",
|
||||||
"resourceDeployment.AzdataDisplayName": "CLI 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.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}\". ",
|
"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..."
|
|
||||||
},
|
},
|
||||||
"dist/services/tools/azdataToolOld": {
|
"dist/services/tools/azdataToolOld": {
|
||||||
"resourceDeployment.AzdataDescription": "Interfaz de la línea de comandos de datos de Azure",
|
"resourceDeployment.AzdataDescription": "Interfaz de la línea de comandos de datos de Azure",
|
||||||
@@ -636,4 +630,4 @@
|
|||||||
"deploymentDialog.deploymentOptions": "Opciones de la implementación"
|
"deploymentDialog.deploymentOptions": "Opciones de la implementación"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -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.</",
|
||||||
|
"SchemaCompare.Description.DropPermissionsNotInSource": "Especifica si los permisos 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 actualizaciones en una base de datos.",
|
||||||
|
"SchemaCompare.Description.DropObjectsNotInSource": "Especifica si los objetos 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. Este valor tiene prioridad sobre DropExtendedProperties.",
|
||||||
|
"SchemaCompare.Description.IgnoreColumnOrder": "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.",
|
||||||
|
"schemaCompare.compareErrorMessage": "Error en la comparación de esquemas: {0}",
|
||||||
|
"schemaCompare.saveScmpErrorMessage": "Error al guardar scmp: \"{0}\"",
|
||||||
|
"schemaCompare.cancelErrorMessage": "Error al cancelar la comparación de esquemas: \"{0}\"",
|
||||||
|
"schemaCompare.generateScriptErrorMessage": "Error al generar el script \"{0}\"",
|
||||||
|
"schemaCompare.updateErrorMessage": "Error en la aplicación de comparación de esquemas \"0\"",
|
||||||
|
"schemaCompare.openScmpErrorMessage": "Error al abrir el scmp \"{0}\""
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
File diff suppressed because it is too large
Load Diff
@@ -2,7 +2,7 @@
|
|||||||
"name": "ads-language-pack-fr",
|
"name": "ads-language-pack-fr",
|
||||||
"displayName": "French Language Pack for Azure Data Studio",
|
"displayName": "French Language Pack for Azure Data Studio",
|
||||||
"description": "Language pack extension for French",
|
"description": "Language pack extension for French",
|
||||||
"version": "1.29.0",
|
"version": "1.31.0",
|
||||||
"publisher": "Microsoft",
|
"publisher": "Microsoft",
|
||||||
"repository": {
|
"repository": {
|
||||||
"type": "git",
|
"type": "git",
|
||||||
@@ -11,7 +11,7 @@
|
|||||||
"license": "SEE SOURCE EULA LICENSE IN LICENSE.txt",
|
"license": "SEE SOURCE EULA LICENSE IN LICENSE.txt",
|
||||||
"engines": {
|
"engines": {
|
||||||
"vscode": "*",
|
"vscode": "*",
|
||||||
"azdata": ">=1.29.0"
|
"azdata": "^0.0.0"
|
||||||
},
|
},
|
||||||
"icon": "languagepack.png",
|
"icon": "languagepack.png",
|
||||||
"categories": [
|
"categories": [
|
||||||
@@ -164,6 +164,14 @@
|
|||||||
"id": "vscode.yaml",
|
"id": "vscode.yaml",
|
||||||
"path": "./translations/extensions/yaml.i18n.json"
|
"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",
|
"id": "Microsoft.azurecore",
|
||||||
"path": "./translations/extensions/azurecore.i18n.json"
|
"path": "./translations/extensions/azurecore.i18n.json"
|
||||||
@@ -172,6 +180,18 @@
|
|||||||
"id": "Microsoft.big-data-cluster",
|
"id": "Microsoft.big-data-cluster",
|
||||||
"path": "./translations/extensions/big-data-cluster.i18n.json"
|
"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",
|
"id": "Microsoft.sqlservernotebook",
|
||||||
"path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json"
|
"path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json"
|
||||||
@@ -184,9 +204,17 @@
|
|||||||
"id": "Microsoft.notebook",
|
"id": "Microsoft.notebook",
|
||||||
"path": "./translations/extensions/notebook.i18n.json"
|
"path": "./translations/extensions/notebook.i18n.json"
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
"id": "Microsoft.profiler",
|
||||||
|
"path": "./translations/extensions/profiler.i18n.json"
|
||||||
|
},
|
||||||
{
|
{
|
||||||
"id": "Microsoft.resource-deployment",
|
"id": "Microsoft.resource-deployment",
|
||||||
"path": "./translations/extensions/resource-deployment.i18n.json"
|
"path": "./translations/extensions/resource-deployment.i18n.json"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"id": "Microsoft.schema-compare",
|
||||||
|
"path": "./translations/extensions/schema-compare.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}"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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": "<toutes les bases de données>",
|
||||||
|
"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éé"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -41,6 +41,7 @@
|
|||||||
"dist/azureResource/utils": {
|
"dist/azureResource/utils": {
|
||||||
"azure.resource.error": "Erreur : {0}",
|
"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.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.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.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}"
|
"azure.accounts.getSelectedSubscriptions.queryError": "Erreur de récupération des abonnements pour le compte {0} : {1}"
|
||||||
@@ -141,7 +142,9 @@
|
|||||||
"dist/azureResource/tree/flatAccountTreeNode": {
|
"dist/azureResource/tree/flatAccountTreeNode": {
|
||||||
"azure.resource.tree.accountTreeNode.titleLoading": "{0} - Chargement...",
|
"azure.resource.tree.accountTreeNode.titleLoading": "{0} - Chargement...",
|
||||||
"azure.resource.tree.accountTreeNode.title": "{0} (abonnements {1}/{2})",
|
"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": {
|
"dist/azureResource/tree/accountNotSignedInTreeNode": {
|
||||||
"azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Connectez-vous à Azure..."
|
"azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Connectez-vous à Azure..."
|
||||||
@@ -203,6 +206,9 @@
|
|||||||
"dist/azureResource/providers/kusto/kustoTreeDataProvider": {
|
"dist/azureResource/providers/kusto/kustoTreeDataProvider": {
|
||||||
"azure.resource.providers.KustoContainerLabel": "Cluster Azure Data Explorer"
|
"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": {
|
"dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": {
|
||||||
"azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Serveur Azure Database pour PostgreSQL"
|
"azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Serveur Azure Database pour PostgreSQL"
|
||||||
},
|
},
|
||||||
|
|||||||
@@ -11,28 +11,28 @@
|
|||||||
"package": {
|
"package": {
|
||||||
"description": "Prise en charge de la gestion des clusters Big Data SQL Server",
|
"description": "Prise en charge de la gestion des clusters Big Data SQL Server",
|
||||||
"text.sqlServerBigDataClusters": "Clusters Big Data SQL Server",
|
"text.sqlServerBigDataClusters": "Clusters Big Data SQL Server",
|
||||||
"command.connectController.title": "Connect to Existing Controller",
|
"command.connectController.title": "Se connecter au contrôleur existant",
|
||||||
"command.createController.title": "Create New Controller",
|
"command.createController.title": "Créer un contrôleur",
|
||||||
"command.removeController.title": "Remove Controller",
|
"command.removeController.title": "Supprimer le contrôleur",
|
||||||
"command.refreshController.title": "Actualiser",
|
"command.refreshController.title": "Actualiser",
|
||||||
"command.manageController.title": "Gérer",
|
"command.manageController.title": "Gérer",
|
||||||
"command.mount.title": "Monter HDFS",
|
"command.mount.title": "Monter HDFS",
|
||||||
"command.refreshmount.title": "Actualiser le montage",
|
"command.refreshmount.title": "Actualiser le montage",
|
||||||
"command.deletemount.title": "Supprimer le montage",
|
"command.deletemount.title": "Supprimer le montage",
|
||||||
"bdc.configuration.title": "Cluster Big Data",
|
"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.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": "Loading controllers...",
|
"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",
|
"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-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",
|
"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",
|
"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": "Cible de déploiement",
|
||||||
"bdc-deployment-target-new-aks": "Nouveau cluster Azure Kubernetes Service",
|
"bdc-deployment-target-new-aks": "Nouveau cluster Azure Kubernetes Service",
|
||||||
"bdc-deployment-target-existing-aks": "Cluster Azure Kubernetes Service existant",
|
"bdc-deployment-target-existing-aks": "Cluster Azure Kubernetes Service existant",
|
||||||
"bdc-deployment-target-existing-kubeadm": "Cluster Kubernetes existant (kubeadm)",
|
"bdc-deployment-target-existing-kubeadm": "Cluster Kubernetes existant (kubeadm)",
|
||||||
"bdc-deployment-target-existing-aro": "Existing Azure Red Hat OpenShift cluster",
|
"bdc-deployment-target-existing-aro": "Cluster Azure Red Hat OpenShift existant",
|
||||||
"bdc-deployment-target-existing-openshift": "Existing OpenShift cluster",
|
"bdc-deployment-target-existing-openshift": "Cluster OpenShift existant",
|
||||||
"bdc-cluster-settings-section-title": "Paramètres de cluster Big Data SQL Server",
|
"bdc-cluster-settings-section-title": "Paramètres de cluster Big Data SQL Server",
|
||||||
"bdc-cluster-name-field": "Nom de cluster",
|
"bdc-cluster-name-field": "Nom de cluster",
|
||||||
"bdc-controller-username-field": "Nom d'utilisateur du contrôleur",
|
"bdc-controller-username-field": "Nom d'utilisateur du contrôleur",
|
||||||
@@ -50,7 +50,7 @@
|
|||||||
"bdc-data-size-field": "Capacité de données (Go)",
|
"bdc-data-size-field": "Capacité de données (Go)",
|
||||||
"bdc-log-size-field": "Capacité des journaux (Go)",
|
"bdc-log-size-field": "Capacité des journaux (Go)",
|
||||||
"bdc-agreement": "J'accepte {0}, {1} et {2}.",
|
"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-azdata-eula": "Termes du contrat de licence azdata",
|
||||||
"bdc-agreement-bdc-eula": "Termes du contrat de licence SQL Server"
|
"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}"
|
"endpointsError": "Erreur inattendue pendant la récupération des points de terminaison BDC : {0}"
|
||||||
},
|
},
|
||||||
"dist/bigDataCluster/localizedConstants": {
|
"dist/bigDataCluster/localizedConstants": {
|
||||||
"bdc.dashboard.status": "Status Icon",
|
"bdc.dashboard.status": "Icône d'état",
|
||||||
"bdc.dashboard.instance": "Instance",
|
"bdc.dashboard.instance": "Instance",
|
||||||
"bdc.dashboard.state": "State",
|
"bdc.dashboard.state": "État",
|
||||||
"bdc.dashboard.view": "View",
|
"bdc.dashboard.view": "Voir",
|
||||||
"bdc.dashboard.notAvailable": "N/A",
|
"bdc.dashboard.notAvailable": "N/A",
|
||||||
"bdc.dashboard.healthStatusDetails": "Health Status Details",
|
"bdc.dashboard.healthStatusDetails": "Détails de l'état d'intégrité",
|
||||||
"bdc.dashboard.metricsAndLogs": "Metrics and Logs",
|
"bdc.dashboard.metricsAndLogs": "Métriques et journaux",
|
||||||
"bdc.dashboard.healthStatus": "Health Status",
|
"bdc.dashboard.healthStatus": "État d'intégrité",
|
||||||
"bdc.dashboard.nodeMetrics": "Node Metrics",
|
"bdc.dashboard.nodeMetrics": "Métriques de nœud",
|
||||||
"bdc.dashboard.sqlMetrics": "SQL Metrics",
|
"bdc.dashboard.sqlMetrics": "Métriques SQL",
|
||||||
"bdc.dashboard.logs": "Logs",
|
"bdc.dashboard.logs": "Journaux",
|
||||||
"bdc.dashboard.viewNodeMetrics": "View Node Metrics {0}",
|
"bdc.dashboard.viewNodeMetrics": "Voir les métriques de nœud {0}",
|
||||||
"bdc.dashboard.viewSqlMetrics": "View SQL Metrics {0}",
|
"bdc.dashboard.viewSqlMetrics": "Voir les métriques SQL {0}",
|
||||||
"bdc.dashboard.viewLogs": "View Kibana Logs {0}",
|
"bdc.dashboard.viewLogs": "Voir les journaux Kibana {0}",
|
||||||
"bdc.dashboard.lastUpdated": "Last Updated : {0}",
|
"bdc.dashboard.lastUpdated": "Dernière mise à jour : {0}",
|
||||||
"basicAuthName": "Basic",
|
"basicAuthName": "De base",
|
||||||
"integratedAuthName": "Windows Authentication",
|
"integratedAuthName": "Authentification Windows",
|
||||||
"addNewController": "Add New Controller",
|
"addNewController": "Ajouter un nouveau contrôleur",
|
||||||
"url": "URL",
|
"url": "URL",
|
||||||
"username": "Username",
|
"username": "Nom d'utilisateur",
|
||||||
"password": "Password",
|
"password": "Mot de passe",
|
||||||
"rememberPassword": "Remember Password",
|
"rememberPassword": "Se souvenir du mot de passe",
|
||||||
"clusterManagementUrl": "Cluster Management URL",
|
"clusterManagementUrl": "URL de gestion de cluster",
|
||||||
"textAuthCapital": "Authentication type",
|
"textAuthCapital": "Type d'authentification",
|
||||||
"hdsf.dialog.connection.section": "Cluster Connection",
|
"hdsf.dialog.connection.section": "Connexion du cluster",
|
||||||
"add": "Add",
|
"add": "Ajouter",
|
||||||
"cancel": "Cancel",
|
"cancel": "Annuler",
|
||||||
"ok": "OK",
|
"ok": "OK",
|
||||||
"bdc.dashboard.refresh": "Refresh",
|
"bdc.dashboard.refresh": "Actualiser",
|
||||||
"bdc.dashboard.troubleshoot": "Troubleshoot",
|
"bdc.dashboard.troubleshoot": "Résoudre les problèmes",
|
||||||
"bdc.dashboard.bdcOverview": "Big Data Cluster overview",
|
"bdc.dashboard.bdcOverview": "Vue d'ensemble du cluster Big Data",
|
||||||
"bdc.dashboard.clusterDetails": "Cluster Details",
|
"bdc.dashboard.clusterDetails": "Détails du cluster",
|
||||||
"bdc.dashboard.clusterOverview": "Cluster Overview",
|
"bdc.dashboard.clusterOverview": "Vue d'ensemble du cluster",
|
||||||
"bdc.dashboard.serviceEndpoints": "Service Endpoints",
|
"bdc.dashboard.serviceEndpoints": "Points de terminaison de service",
|
||||||
"bdc.dashboard.clusterProperties": "Cluster Properties",
|
"bdc.dashboard.clusterProperties": "Propriétés du cluster",
|
||||||
"bdc.dashboard.clusterState": "Cluster State",
|
"bdc.dashboard.clusterState": "État du cluster",
|
||||||
"bdc.dashboard.serviceName": "Service Name",
|
"bdc.dashboard.serviceName": "Nom du service",
|
||||||
"bdc.dashboard.service": "Service",
|
"bdc.dashboard.service": "Service",
|
||||||
"bdc.dashboard.endpoint": "Endpoint",
|
"bdc.dashboard.endpoint": "Point de terminaison",
|
||||||
"copiedEndpoint": "Endpoint '{0}' copied to clipboard",
|
"copiedEndpoint": "Point de terminaison '{0}' copié dans le Presse-papiers",
|
||||||
"bdc.dashboard.copy": "Copy",
|
"bdc.dashboard.copy": "Copier",
|
||||||
"bdc.dashboard.viewDetails": "View Details",
|
"bdc.dashboard.viewDetails": "Voir les détails",
|
||||||
"bdc.dashboard.viewErrorDetails": "View Error Details",
|
"bdc.dashboard.viewErrorDetails": "Voir les détails de l'erreur",
|
||||||
"connectController.dialog.title": "Connect to Controller",
|
"connectController.dialog.title": "Se connecter au contrôleur",
|
||||||
"mount.main.section": "Mount Configuration",
|
"mount.main.section": "Configuration du montage",
|
||||||
"mount.task.name": "Mounting HDFS folder on path {0}",
|
"mount.task.name": "Montage du dossier HDFS sur le chemin {0}",
|
||||||
"refreshmount.task.name": "Refreshing HDFS Mount on path {0}",
|
"refreshmount.task.name": "Actualisation du montage HDFS sur le chemin {0}",
|
||||||
"deletemount.task.name": "Deleting HDFS Mount on path {0}",
|
"deletemount.task.name": "Suppression du montage HDFS sur le chemin {0}",
|
||||||
"mount.task.submitted": "Mount creation has started",
|
"mount.task.submitted": "La création du montage a commencé",
|
||||||
"refreshmount.task.submitted": "Refresh mount request submitted",
|
"refreshmount.task.submitted": "Demande d'actualisation du montage envoyée",
|
||||||
"deletemount.task.submitted": "Delete mount request submitted",
|
"deletemount.task.submitted": "Supprimer la demande de montage envoyée",
|
||||||
"mount.task.complete": "Mounting HDFS folder is complete",
|
"mount.task.complete": "Le montage du dossier HDFS est terminé",
|
||||||
"mount.task.inprogress": "Mounting is likely to complete, check back later to verify",
|
"mount.task.inprogress": "Le montage va probablement être effectué, revenez vérifier plus tard",
|
||||||
"mount.dialog.title": "Mount HDFS Folder",
|
"mount.dialog.title": "Monter le dossier HDFS",
|
||||||
"mount.hdfsPath.title": "HDFS Path",
|
"mount.hdfsPath.title": "Chemin HDFS",
|
||||||
"mount.hdfsPath.info": "Path to a new (non-existing) directory which you want to associate with the mount",
|
"mount.hdfsPath.info": "Chemin d'un nouveau répertoire (non existant) à associer au montage",
|
||||||
"mount.remoteUri.title": "Remote URI",
|
"mount.remoteUri.title": "URI distant",
|
||||||
"mount.remoteUri.info": "The URI to the remote data source. Example for ADLS: abfs://fs@saccount.dfs.core.windows.net/",
|
"mount.remoteUri.info": "URI de la source de données distante. Exemple pour ADLS : abfs://fs@saccount.dfs.core.windows.net/",
|
||||||
"mount.credentials.title": "Credentials",
|
"mount.credentials.title": "Informations d'identification",
|
||||||
"mount.credentials.info": "Mount credentials for authentication to remote data source for reads",
|
"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": "Refresh Mount",
|
"refreshmount.dialog.title": "Actualiser le montage",
|
||||||
"deleteMount.dialog.title": "Delete Mount",
|
"deleteMount.dialog.title": "Supprimer le montage",
|
||||||
"bdc.dashboard.loadingClusterStateCompleted": "Loading cluster state completed",
|
"bdc.dashboard.loadingClusterStateCompleted": "L'état de cluster a été chargé",
|
||||||
"bdc.dashboard.loadingHealthStatusCompleted": "Loading health status completed",
|
"bdc.dashboard.loadingHealthStatusCompleted": "L'état d'intégrité a été chargé",
|
||||||
"err.controller.username.required": "Username is required",
|
"err.controller.username.required": "Nom d'utilisateur obligatoire",
|
||||||
"err.controller.password.required": "Password is required",
|
"err.controller.password.required": "Mot de passe obligatoire",
|
||||||
"endpointsError": "Unexpected error retrieving BDC Endpoints: {0}",
|
"endpointsError": "Erreur inattendue pendant la récupération des points de terminaison BDC : {0}",
|
||||||
"bdc.dashboard.noConnection": "The dashboard requires a connection. Please click retry to enter your credentials.",
|
"bdc.dashboard.noConnection": "Le tableau de bord nécessite une connexion. Cliquez sur Réessayer pour entrer vos informations d'identification.",
|
||||||
"bdc.dashboard.unexpectedError": "Unexpected error occurred: {0}",
|
"bdc.dashboard.unexpectedError": "Erreur inattendue : {0}",
|
||||||
"mount.hdfs.loginerror1": "Login to controller failed",
|
"mount.hdfs.loginerror1": "La connexion au contrôleur a échoué",
|
||||||
"mount.hdfs.loginerror2": "Login to controller failed: {0}",
|
"mount.hdfs.loginerror2": "La connexion au contrôleur a échoué : {0}",
|
||||||
"mount.err.formatting": "Bad formatting of credentials at {0}",
|
"mount.err.formatting": "Mise en forme incorrecte des informations d'identification sur {0}",
|
||||||
"mount.task.error": "Error mounting folder: {0}",
|
"mount.task.error": "Erreur de montage du dossier {0}",
|
||||||
"mount.error.unknown": "Unknown error occurred during the mount process"
|
"mount.error.unknown": "Une erreur inconnue s'est produite pendant le processus de montage"
|
||||||
},
|
},
|
||||||
"dist/bigDataCluster/controller/clusterControllerApi": {
|
"dist/bigDataCluster/controller/clusterControllerApi": {
|
||||||
"error.no.activedirectory": "Ce cluster ne prend pas en charge l'authentification Windows",
|
"error.no.activedirectory": "Ce cluster ne prend pas en charge l'authentification Windows",
|
||||||
"bdc.error.tokenPost": "Erreur pendant l'authentification",
|
"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.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.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.getBdcStatus": "Erreur de récupération de l'état BDC de {0}",
|
||||||
"bdc.error.mountHdfs": "Erreur de création du montage",
|
"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.refreshHdfs": "Erreur d'actualisation du montage",
|
||||||
"bdc.error.deleteHdfs": "Erreur de suppression du montage"
|
"bdc.error.deleteHdfs": "Erreur de suppression du montage"
|
||||||
},
|
},
|
||||||
"dist/extension": {
|
"dist/extension": {
|
||||||
"mount.error.endpointNotFound": "Informations de point de terminaison du contrôleur introuvables",
|
"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",
|
"textYes": "Oui",
|
||||||
"textNo": "Non",
|
"textNo": "Non",
|
||||||
"textConfirmRemoveController": "Are you sure you want to remove '{0}'?"
|
"textConfirmRemoveController": "Voulez-vous vraiment supprimer '{0}' ?"
|
||||||
},
|
},
|
||||||
"dist/bigDataCluster/tree/controllerTreeDataProvider": {
|
"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}"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
146
i18n/ads-language-pack-fr/translations/extensions/cms.i18n.json
Normal file
146
i18n/ads-language-pack-fr/translations/extensions/cms.i18n.json
Normal file
@@ -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"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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} »"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -14,13 +14,16 @@
|
|||||||
"notebook.configuration.title": "Configuration de notebook",
|
"notebook.configuration.title": "Configuration de notebook",
|
||||||
"notebook.pythonPath.description": "Chemin local de l'installation Python utilisé par Notebooks.",
|
"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.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.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.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.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.collapseBookItems.description": "Réduire les éléments Book au niveau racine dans la viewlet Notebooks",
|
||||||
"notebook.remoteBookDownloadTimeout.description": "Download timeout in milliseconds for GitHub books",
|
"notebook.remoteBookDownloadTimeout.description": "Délai d'expiration en millisecondes du téléchargement des books GitHub",
|
||||||
"notebook.pinnedNotebooks.description": "Notebooks that are pinned by the user for the current workspace",
|
"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.new": "Nouveau notebook",
|
||||||
"notebook.command.open": "Ouvrir le notebook",
|
"notebook.command.open": "Ouvrir le notebook",
|
||||||
"notebook.analyzeJupyterNotebook": "Analyser dans le notebook",
|
"notebook.analyzeJupyterNotebook": "Analyser dans le notebook",
|
||||||
@@ -43,108 +46,121 @@
|
|||||||
"title.managePackages": "Gérer les packages",
|
"title.managePackages": "Gérer les packages",
|
||||||
"title.SQL19PreviewBook": "Guide SQL Server 2019",
|
"title.SQL19PreviewBook": "Guide SQL Server 2019",
|
||||||
"books-preview-category": "Notebooks Jupyter",
|
"books-preview-category": "Notebooks Jupyter",
|
||||||
"title.saveJupyterBook": "Enregistrer le notebook",
|
"title.saveJupyterBook": "Enregistrer Jupyter Book",
|
||||||
"title.trustBook": "Trust Book",
|
"title.trustBook": "Jupyter Book de confiance",
|
||||||
"title.searchJupyterBook": "Rechercher dans le notebook",
|
"title.searchJupyterBook": "Rechercher dans Jupyter Book",
|
||||||
"title.SavedBooks": "Notebooks",
|
"title.SavedBooks": "Notebooks",
|
||||||
"title.ProvidedBooks": "Provided Books",
|
"title.ProvidedBooks": "Jupyter Books fournis",
|
||||||
"title.PinnedBooks": "Pinned notebooks",
|
"title.PinnedBooks": "Notebooks épinglés",
|
||||||
"title.PreviewLocalizedBook": "Get localized SQL Server 2019 guide",
|
"title.PreviewLocalizedBook": "Localiser le Guide SQL Server 2019",
|
||||||
"title.openJupyterBook": "Open Jupyter Book",
|
"title.openJupyterBook": "Ouvrir Jupyter Book",
|
||||||
"title.closeJupyterBook": "Close Jupyter Book",
|
"title.closeJupyterBook": "Fermer Jupyter Book",
|
||||||
"title.closeJupyterNotebook": "Close Jupyter Notebook",
|
"title.closeNotebook": "Fermeture du bloc-notes",
|
||||||
"title.revealInBooksViewlet": "Reveal in Books",
|
"title.removeNotebook": "Voulez-vous supprimer le bloc-notes",
|
||||||
"title.createJupyterBook": "Create Book (Preview)",
|
"title.addNotebook": "Ajouter un bloc-notes",
|
||||||
"title.openNotebookFolder": "Open Notebooks in Folder",
|
"title.addMarkdown": "Ajouter un fichier de marques",
|
||||||
"title.openRemoteJupyterBook": "Add Remote Jupyter Book",
|
"title.revealInBooksViewlet": "Afficher dans Books",
|
||||||
"title.pinNotebook": "Pin Notebook",
|
"title.createJupyterBook": "Créer un Jupyter Book",
|
||||||
"title.unpinNotebook": "Unpin Notebook",
|
"title.openNotebookFolder": "Ouvrir les notebooks dans le dossier",
|
||||||
"title.moveTo": "Move to ..."
|
"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": {
|
"dist/common/utils": {
|
||||||
"ensureDirOutputMsg": "... Ensuring {0} exists",
|
"ensureDirOutputMsg": "...Vérification de l'existence de {0}",
|
||||||
"executeCommandProcessExited": "Process exited with error code: {0}. StdErr Output: {1}"
|
"executeCommandProcessExited": "Le processus s'est terminé avec le code d'erreur : {0}, sortie StdErr : {1}"
|
||||||
},
|
},
|
||||||
"dist/common/constants": {
|
"dist/common/constants": {
|
||||||
"managePackages.localhost": "localhost",
|
"managePackages.localhost": "localhost",
|
||||||
"managePackages.packageNotFound": "Could not find the specified package"
|
"managePackages.packageNotFound": "Package spécifié introuvable"
|
||||||
},
|
},
|
||||||
"dist/common/localizedConstants": {
|
"dist/common/localizedConstants": {
|
||||||
"msgYes": "Oui",
|
"msgYes": "Oui",
|
||||||
"msgNo": "Non",
|
"msgNo": "Non",
|
||||||
"msgSampleCodeDataFrame": "Cet exemple de code charge le fichier dans un cadre de données et affiche les 10 premiers résultats.",
|
"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.",
|
"noBDCConnectionError": "Les noyaux Spark nécessitent une connexion a une instance maître de cluster Big Data SQL Server.",
|
||||||
"providerNotValidError": "Non-MSSQL providers are not supported for spark kernels.",
|
"providerNotValidError": "Les fournisseurs non-MSSQL ne sont pas pris en charge pour les noyaux Spark.",
|
||||||
"allFiles": "All Files",
|
"allFiles": "Tous les fichiers",
|
||||||
"labelSelectFolder": "Select Folder",
|
"labelSelectFolder": "Sélectionner un dossier",
|
||||||
"labelBookFolder": "Select Book",
|
"labelBookFolder": "Sélectionnez un Jupyter Book",
|
||||||
"confirmReplace": "Folder already exists. Are you sure you want to delete and replace this folder?",
|
"confirmReplace": "Le dossier existe déjà. Voulez-vous vraiment supprimer et remplacer ce dossier ?",
|
||||||
"openNotebookCommand": "Open Notebook",
|
"openNotebookCommand": "Ouvrir le notebook",
|
||||||
"openMarkdownCommand": "Open Markdown",
|
"openMarkdownCommand": "Ouvrir le fichier Markdown",
|
||||||
"openExternalLinkCommand": "Open External Link",
|
"openExternalLinkCommand": "Ouvrir le lien externe",
|
||||||
"msgBookTrusted": "Book is now trusted in the workspace.",
|
"msgBookTrusted": "Jupyter Book est maintenant approuvé dans l'espace de travail.",
|
||||||
"msgBookAlreadyTrusted": "Book is already trusted in this workspace.",
|
"msgBookAlreadyTrusted": "Jupyter Book est déjà approuvé dans cet espace de travail.",
|
||||||
"msgBookUntrusted": "Book is no longer trusted in this workspace",
|
"msgBookUntrusted": "Jupyter Book n'est plus approuvé dans cet espace de travail",
|
||||||
"msgBookAlreadyUntrusted": "Book is already untrusted in this workspace.",
|
"msgBookAlreadyUntrusted": "Jupyter Book est déjà non approuvé dans cet espace de travail.",
|
||||||
"msgBookPinned": "Book {0} is now pinned in the workspace.",
|
"msgBookPinned": "Jupyter Book {0} est maintenant épinglé dans l'espace de travail.",
|
||||||
"msgBookUnpinned": "Book {0} is no longer pinned in this workspace",
|
"msgBookUnpinned": "Jupyter Book {0} n'est plus épinglé dans cet espace de travail",
|
||||||
"bookInitializeFailed": "Failed to find a Table of Contents file in the specified book.",
|
"bookInitializeFailed": "Aucun fichier de table des matières dans le Jupyter Book spécifié.",
|
||||||
"noBooksSelected": "No books are currently selected in the viewlet.",
|
"noBooksSelected": "Aucun Jupyter Book n'est actuellement sélectionné dans la viewlet.",
|
||||||
"labelBookSection": "Select Book Section",
|
"labelBookSection": "Sélectionnez la section Jupyter Book",
|
||||||
"labelAddToLevel": "Add to this level",
|
"labelAddToLevel": "Ajouter à ce niveau",
|
||||||
"missingFileError": "Missing file : {0} from {1}",
|
"missingFileError": "Fichier manquant : {0} dans {1}",
|
||||||
"InvalidError.tocFile": "Invalid toc file",
|
"InvalidError.tocFile": "Fichier TOC non valide",
|
||||||
"Invalid toc.yml": "Error: {0} has an incorrect toc.yml file",
|
"Invalid toc.yml": "Erreur : {0} a un fichier toc.yml incorrect",
|
||||||
"configFileError": "Configuration file missing",
|
"configFileError": "Fichier de configuration manquant",
|
||||||
"openBookError": "Open book {0} failed: {1}",
|
"openBookError": "Échec de l’ouverture du Jupyter Book {0} : {1}",
|
||||||
"readBookError": "Failed to read book {0}: {1}",
|
"readBookError": "Échec de la lecture du Jupyter Book {0} : {1}",
|
||||||
"openNotebookError": "Open notebook {0} failed: {1}",
|
"openNotebookError": "L'ouverture du notebook {0} a échoué : {1}",
|
||||||
"openMarkdownError": "Open markdown {0} failed: {1}",
|
"openMarkdownError": "L'ouverture du fichier Markdown {0} a échoué : {1}",
|
||||||
"openUntitledNotebookError": "Open untitled notebook {0} as untitled failed: {1}",
|
"openUntitledNotebookError": "Ouvrez un notebook {0} sans titre, car le {1} sans titre a échoué",
|
||||||
"openExternalLinkError": "Open link {0} failed: {1}",
|
"openExternalLinkError": "L'ouverture du lien {0} a échoué : {1}",
|
||||||
"closeBookError": "Close book {0} failed: {1}",
|
"closeBookError": "Échec de la fermerture de Jupyter Book {0} : {1}",
|
||||||
"duplicateFileError": "File {0} already exists in the destination folder {1} \r\n The file has been renamed to {2} to prevent data loss.",
|
"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": "Error while editing book {0}: {1}",
|
"editBookError": "Erreur pendant la modification du Jupyter Book {0} : {1}",
|
||||||
"selectBookError": "Error while selecting a book or a section to edit: {0}",
|
"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",
|
"url": "URL",
|
||||||
"repoUrl": "Repository URL",
|
"repoUrl": "URL du dépôt",
|
||||||
"location": "Location",
|
"location": "Emplacement",
|
||||||
"addRemoteBook": "Add Remote Book",
|
"addRemoteBook": "Ajouter un book Jupyter distant",
|
||||||
"onGitHub": "GitHub",
|
"onGitHub": "GitHub",
|
||||||
"onsharedFile": "Shared File",
|
"onsharedFile": "Fichier partagé",
|
||||||
"releases": "Releases",
|
"releases": "Mises en production",
|
||||||
"book": "Book",
|
"book": "Jupyter Book",
|
||||||
"version": "Version",
|
"version": "Version",
|
||||||
"language": "Language",
|
"language": "Langue",
|
||||||
"booksNotFound": "No books are currently available on the provided link",
|
"booksNotFound": "Aucun Jupyter Book n'est disponible actuellement sur le lien fourni",
|
||||||
"urlGithubError": "The url provided is not a Github release url",
|
"urlGithubError": "L'URL fournie n'est pas une URL de mise en production GitHub",
|
||||||
"search": "Search",
|
"search": "Recherche",
|
||||||
"add": "Add",
|
"add": "Ajouter",
|
||||||
"close": "Close",
|
"close": "Fermer",
|
||||||
"invalidTextPlaceholder": "-",
|
"invalidTextPlaceholder": "-",
|
||||||
"msgRemoteBookDownloadProgress": "Remote Book download is in progress",
|
"msgRemoteBookDownloadProgress": "Le téléchargement du Jupyter Book distant est en cours",
|
||||||
"msgRemoteBookDownloadComplete": "Remote Book download is complete",
|
"msgRemoteBookDownloadComplete": "Jupyter Book distant est téléchargé",
|
||||||
"msgRemoteBookDownloadError": "Error while downloading remote Book",
|
"msgRemoteBookDownloadError": "Erreur lors du téléchargement du Jupyter Book distant",
|
||||||
"msgRemoteBookUnpackingError": "Error while decompressing remote Book",
|
"msgRemoteBookUnpackingError": "Erreur de décompression du Jupyter Book distant",
|
||||||
"msgRemoteBookDirectoryError": "Error while creating remote Book directory",
|
"msgRemoteBookDirectoryError": "Erreur pendant la création du répertoire du Jupyter Book distant",
|
||||||
"msgTaskName": "Downloading Remote Book",
|
"msgTaskName": "Téléchargement du Jupyter Book distant",
|
||||||
"msgResourceNotFound": "Resource not Found",
|
"msgResourceNotFound": "Ressource introuvable",
|
||||||
"msgBookNotFound": "Books not Found",
|
"msgBookNotFound": "Jupyter Books introuvables",
|
||||||
"msgReleaseNotFound": "Releases not Found",
|
"msgReleaseNotFound": "Versions introuvables",
|
||||||
"msgUndefinedAssetError": "The selected book is not valid",
|
"msgUndefinedAssetError": "Le Jupyter Book sélectionné n'est pas valide",
|
||||||
"httpRequestError": "Http Request failed with error: {0} {1}",
|
"httpRequestError": "La requête HTTP a échoué avec l'erreur : {0} {1}",
|
||||||
"msgDownloadLocation": "Downloading to {0}",
|
"msgDownloadLocation": "Téléchargement dans {0}",
|
||||||
"newGroup": "New Group",
|
"newBook": "Nouveau livre de jupyter (Preview)",
|
||||||
"groupDescription": "Groups are used to organize Notebooks.",
|
"bookDescription": "Les livres de la bibliothèque sont utilisés pour organiser les blocs-notes.",
|
||||||
"locationBrowser": "Browse locations...",
|
"learnMore": "En savoir plus.",
|
||||||
"selectContentFolder": "Select content folder",
|
"contentFolder": "Dossier de contenu",
|
||||||
"browse": "Browse",
|
"browse": "Parcourir",
|
||||||
"create": "Create",
|
"create": "Créer",
|
||||||
"name": "Name",
|
"name": "Nom",
|
||||||
"saveLocation": "Save location",
|
"saveLocation": "Emplacement d'enregistrement",
|
||||||
"contentFolder": "Content folder (Optional)",
|
"contentFolderOptional": "Dossier de contenu (facultatif)",
|
||||||
"msgContentFolderError": "Content folder path does not exist",
|
"msgContentFolderError": "Le chemin du dossier de contenu n'existe pas",
|
||||||
"msgSaveFolderError": "Save location path does not exist"
|
"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": {
|
"dist/jupyter/jupyterServerInstallation": {
|
||||||
"msgInstallPkgProgress": "L'installation des dépendances de notebook est en cours",
|
"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",
|
"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.",
|
"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.",
|
"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}",
|
"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}",
|
"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}",
|
"msgPackageRetrievalFailed": "Erreur pendant la tentative de récupération de la liste des packages installés : {0}",
|
||||||
"msgGetPythonUserDirFailed": "Encountered an error when getting Python user path: {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": {
|
"dist/dialog/configurePython/configurePythonWizard": {
|
||||||
"configurePython.okButtonText": "Install",
|
"configurePython.okButtonText": "Installer",
|
||||||
"configurePython.invalidLocationMsg": "The specified install location is invalid.",
|
"configurePython.invalidLocationMsg": "L'emplacement d'installation spécifié n'est pas valide.",
|
||||||
"configurePython.pythonNotFoundMsg": "No Python installation was found at the specified location.",
|
"configurePython.pythonNotFoundMsg": "Aucune installation de Python à l'emplacement spécifié.",
|
||||||
"configurePython.wizardNameWithKernel": "Configure Python to run {0} kernel",
|
"configurePython.wizardNameWithKernel": "Configurer Python pour exécuter le noyau {0}",
|
||||||
"configurePython.wizardNameWithoutKernel": "Configure Python to run kernels",
|
"configurePython.wizardNameWithoutKernel": "Configurer Python pour exécuter les noyaux",
|
||||||
"configurePython.page0Name": "Configure Python Runtime",
|
"configurePython.page0Name": "Configurer le runtime Python",
|
||||||
"configurePython.page1Name": "Install Dependencies",
|
"configurePython.page1Name": "Installer les dépendances",
|
||||||
"configurePython.pythonInstallDeclined": "Python installation was declined."
|
"configurePython.pythonInstallDeclined": "L'installation de Python a été refusée."
|
||||||
},
|
},
|
||||||
"dist/extension": {
|
"dist/extension": {
|
||||||
"codeCellName": "Code",
|
"codeCellName": "Code",
|
||||||
@@ -185,34 +207,34 @@
|
|||||||
"confirmReinstall": "Voulez-vous vraiment le réinstaller ?"
|
"confirmReinstall": "Voulez-vous vraiment le réinstaller ?"
|
||||||
},
|
},
|
||||||
"dist/dialog/configurePython/configurePathPage": {
|
"dist/dialog/configurePython/configurePathPage": {
|
||||||
"configurePython.browseButtonText": "Browse",
|
"configurePython.browseButtonText": "Parcourir",
|
||||||
"configurePython.selectFileLabel": "Select",
|
"configurePython.selectFileLabel": "Sélectionner",
|
||||||
"configurePython.descriptionWithKernel": "The {0} kernel requires a Python runtime to be configured and dependencies to be installed.",
|
"configurePython.descriptionWithKernel": "Le noyau {0} nécessite la configuration d'un runtime Python et l'installation de dépendances.",
|
||||||
"configurePython.descriptionWithoutKernel": "Notebook kernels require a Python runtime to be configured and dependencies to be installed.",
|
"configurePython.descriptionWithoutKernel": "Les noyaux de notebook nécessitent la configuration d'un runtime Python et l'installation de dépendances.",
|
||||||
"configurePython.installationType": "Installation Type",
|
"configurePython.installationType": "Type d'installation",
|
||||||
"configurePython.locationTextBoxText": "Python Install Location",
|
"configurePython.locationTextBoxText": "Emplacement d'installation de Python",
|
||||||
"configurePython.pythonConfigured": "Python runtime configured!",
|
"configurePython.pythonConfigured": "Runtime python configuré !",
|
||||||
"configurePythyon.dropdownPathLabel": "{0} (Python {1})",
|
"configurePythyon.dropdownPathLabel": "{0} (Python {1})",
|
||||||
"configurePythyon.noVersionsFound": "No supported Python versions found.",
|
"configurePythyon.noVersionsFound": "Aucune version de Python prise en charge.",
|
||||||
"configurePythyon.defaultPathLabel": "{0} (Default)",
|
"configurePythyon.defaultPathLabel": "{0} (Par défaut)",
|
||||||
"configurePython.newInstall": "New Python installation",
|
"configurePython.newInstall": "Nouvelle installation de Python",
|
||||||
"configurePython.existingInstall": "Use existing Python installation",
|
"configurePython.existingInstall": "Utiliser l'installation existante de Python",
|
||||||
"configurePythyon.customPathLabel": "{0} (Custom)"
|
"configurePythyon.customPathLabel": "{0} (Personnalisé)"
|
||||||
},
|
},
|
||||||
"dist/dialog/configurePython/pickPackagesPage": {
|
"dist/dialog/configurePython/pickPackagesPage": {
|
||||||
"configurePython.pkgNameColumn": "Name",
|
"configurePython.pkgNameColumn": "Nom",
|
||||||
"configurePython.existingVersionColumn": "Existing Version",
|
"configurePython.existingVersionColumn": "Version existante",
|
||||||
"configurePython.requiredVersionColumn": "Required Version",
|
"configurePython.requiredVersionColumn": "Version obligatoire",
|
||||||
"configurePython.kernelLabel": "Kernel",
|
"configurePython.kernelLabel": "Noyau",
|
||||||
"configurePython.requiredDependencies": "Install required kernel dependencies",
|
"configurePython.requiredDependencies": "Installer les dépendances de noyau nécessaires",
|
||||||
"msgUnsupportedKernel": "Could not retrieve packages for kernel {0}"
|
"msgUnsupportedKernel": "Impossible de récupérer les packages du noyau {0}"
|
||||||
},
|
},
|
||||||
"dist/jupyter/jupyterServerManager": {
|
"dist/jupyter/jupyterServerManager": {
|
||||||
"shutdownError": "L'arrêt du serveur de notebook a échoué : {0}"
|
"shutdownError": "L'arrêt du serveur de notebook a échoué : {0}"
|
||||||
},
|
},
|
||||||
"dist/jupyter/serverInstance": {
|
"dist/jupyter/serverInstance": {
|
||||||
"serverStopError": "Erreur d'arrêt du serveur de notebook : {0}",
|
"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}",
|
"jupyterError": "Erreur envoyée par Jupyter : {0}",
|
||||||
"jupyterOutputMsgStartSuccessful": "...Jupyter est en cours d'exécution sur {0}",
|
"jupyterOutputMsgStartSuccessful": "...Jupyter est en cours d'exécution sur {0}",
|
||||||
"jupyterOutputMsgStart": "...Démarrage du serveur de notebook"
|
"jupyterOutputMsgStart": "...Démarrage du serveur de notebook"
|
||||||
@@ -222,11 +244,11 @@
|
|||||||
},
|
},
|
||||||
"dist/jupyter/jupyterSessionManager": {
|
"dist/jupyter/jupyterSessionManager": {
|
||||||
"errorStartBeforeReady": "Impossible de démarrer une session, le gestionnaire n'est pas encore initialisé",
|
"errorStartBeforeReady": "Impossible de démarrer une session, le gestionnaire n'est pas encore initialisé",
|
||||||
"notebook.couldNotFindKnoxGateway": "Could not find Knox gateway endpoint",
|
"notebook.couldNotFindKnoxGateway": "Point de terminaison de passerelle Knox introuvable",
|
||||||
"promptBDCUsername": "{0}Please provide the username to connect to the BDC Controller:",
|
"promptBDCUsername": "{0}Fournissez le nom d'utilisateur pour se connecter au contrôleur BDC :",
|
||||||
"promptBDCPassword": "Please provide the password to connect to the BDC Controller",
|
"promptBDCPassword": "Fournissez le mot de passe pour se connecter au contrôleur BDC",
|
||||||
"bdcConnectError": "Error: {0}. ",
|
"bdcConnectError": "Erreur : {0}. ",
|
||||||
"clusterControllerConnectionRequired": "A connection to the cluster controller is required to run Spark jobs"
|
"clusterControllerConnectionRequired": "Une connexion au contrôleur de cluster est nécessaire pour exécuter les travaux Spark"
|
||||||
},
|
},
|
||||||
"dist/dialog/managePackages/managePackagesDialog": {
|
"dist/dialog/managePackages/managePackagesDialog": {
|
||||||
"managePackages.dialogName": "Gérer les packages",
|
"managePackages.dialogName": "Gérer les packages",
|
||||||
@@ -236,10 +258,10 @@
|
|||||||
"managePackages.installedTabTitle": "Installé",
|
"managePackages.installedTabTitle": "Installé",
|
||||||
"managePackages.pkgNameColumn": "Nom",
|
"managePackages.pkgNameColumn": "Nom",
|
||||||
"managePackages.newPkgVersionColumn": "Version",
|
"managePackages.newPkgVersionColumn": "Version",
|
||||||
"managePackages.deleteColumn": "Delete",
|
"managePackages.deleteColumn": "Supprimer",
|
||||||
"managePackages.uninstallButtonText": "Désinstaller les packages sélectionnés",
|
"managePackages.uninstallButtonText": "Désinstaller les packages sélectionnés",
|
||||||
"managePackages.packageType": "Type de package",
|
"managePackages.packageType": "Type de package",
|
||||||
"managePackages.location": "Location",
|
"managePackages.location": "Emplacement",
|
||||||
"managePackages.packageCount": "{0} {1} packages",
|
"managePackages.packageCount": "{0} {1} packages",
|
||||||
"managePackages.confirmUninstall": "Voulez-vous vraiment désinstaller les packages spécifiés ?",
|
"managePackages.confirmUninstall": "Voulez-vous vraiment désinstaller les packages spécifiés ?",
|
||||||
"managePackages.backgroundUninstallStarted": "Désinstallation de {0}",
|
"managePackages.backgroundUninstallStarted": "Désinstallation de {0}",
|
||||||
@@ -261,16 +283,16 @@
|
|||||||
"managePackages.backgroundInstallFailed": "L'installation de {0} {1} a échoué. Erreur : {2}"
|
"managePackages.backgroundInstallFailed": "L'installation de {0} {1} a échoué. Erreur : {2}"
|
||||||
},
|
},
|
||||||
"dist/jupyter/pypiClient": {
|
"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": {
|
"dist/common/notebookUtils": {
|
||||||
"msgSampleCodeDataFrame": "This sample code loads the file into a data frame and shows the first 10 results.",
|
"msgSampleCodeDataFrame": "Cet exemple de code charge le fichier dans un cadre de données et affiche les 10 premiers résultats.",
|
||||||
"noNotebookVisible": "No notebook editor is active",
|
"noNotebookVisible": "Aucun éditeur de notebook actif",
|
||||||
"notebookFiles": "Notebooks"
|
"notebookFiles": "Notebooks"
|
||||||
},
|
},
|
||||||
"dist/protocol/notebookUriHandler": {
|
"dist/protocol/notebookUriHandler": {
|
||||||
"notebook.unsupportedAction": "L'action {0} n'est pas prise en charge pour ce gestionnaire",
|
"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.confirmOpen": "Télécharger et ouvrir '{0}' ?",
|
||||||
"notebook.fileNotFound": "Fichier spécifié introuvable",
|
"notebook.fileNotFound": "Fichier spécifié introuvable",
|
||||||
"notebook.fileDownloadError": "La demande d'ouverture de fichier a échoué avec l'erreur : {0} {1}"
|
"notebook.fileDownloadError": "La demande d'ouverture de fichier a échoué avec l'erreur : {0} {1}"
|
||||||
|
|||||||
@@ -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é"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -11,306 +11,309 @@
|
|||||||
"package": {
|
"package": {
|
||||||
"extension-displayName": "Extension de déploiement SQL Server pour Azure Data Studio",
|
"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",
|
"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",
|
"deploy-resource-command-category": "Déploiement",
|
||||||
"resource-type-sql-image-display-name": "Image conteneur SQL Server",
|
"resource-type-sql-image-display-name": "Image conteneur SQL Server",
|
||||||
"resource-type-sql-image-description": "Exécuter l'image conteneur SQL Server avec Docker",
|
"resource-type-sql-image-description": "Exécuter l'image conteneur SQL Server avec Docker",
|
||||||
"version-display-name": "Version",
|
"version-display-name": "Version",
|
||||||
"sql-2017-display-name": "SQL Server 2017",
|
"sql-2017-display-name": "SQL Server 2017",
|
||||||
"sql-2019-display-name": "SQL Server 2019",
|
"sql-2019-display-name": "SQL Server 2019",
|
||||||
"docker-sql-2017-title": "Deploy SQL Server 2017 container images",
|
"docker-sql-2017-title": "Déployer des images conteneur SQL Server 2017",
|
||||||
"docker-sql-2019-title": "Deploy SQL Server 2019 container images",
|
"docker-sql-2019-title": "Déployer des images conteneur SQL Server 2019",
|
||||||
"docker-container-name-field": "Nom de conteneur",
|
"docker-container-name-field": "Nom de conteneur",
|
||||||
"docker-sql-password-field": "Mot de passe SQL Server",
|
"docker-sql-password-field": "Mot de passe SQL Server",
|
||||||
"docker-confirm-sql-password-field": "Confirmer le mot de passe",
|
"docker-confirm-sql-password-field": "Confirmer le mot de passe",
|
||||||
"docker-sql-port-field": "Port",
|
"docker-sql-port-field": "Port",
|
||||||
"resource-type-sql-windows-setup-display-name": "SQL Server sur Windows",
|
"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.",
|
"resource-type-sql-windows-setup-description": "Exécutez SQL Server sur Windows, sélectionnez une version pour commencer.",
|
||||||
"microsoft-privacy-statement": "Microsoft Privacy Statement",
|
"microsoft-privacy-statement": "Déclaration de confidentialité Microsoft",
|
||||||
"deployment.configuration.title": "Deployment configuration",
|
"deployment.configuration.title": "Configuration du déploiement",
|
||||||
"azdata-install-location-description": "Location of the azdata package used for the install command",
|
"azdata-install-location-description": "Emplacement du package azdata utilisé pour la commande d'installation",
|
||||||
"azure-sqlvm-display-name": "SQL Server on Azure Virtual Machine",
|
"azure-sqlvm-display-name": "SQL Server dans une machine virtuelle Azure",
|
||||||
"azure-sqlvm-description": "Create SQL virtual machines on Azure. Best for migrations and applications requiring OS-level access.",
|
"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": "Deploy Azure SQL virtual machine",
|
"azure-sqlvm-deploy-dialog-title": "Déployer une machine virtuelle Azure SQL",
|
||||||
"azure-sqlvm-deploy-dialog-action-text": "Script to notebook",
|
"azure-sqlvm-deploy-dialog-action-text": "Exécuter un script sur un notebook",
|
||||||
"azure-sqlvm-agreement": "I accept {0}, {1} and {2}.",
|
"azure-sqlvm-agreement": "J'accepte {0}, {1} et {2}.",
|
||||||
"azure-sqlvm-agreement-sqlvm-eula": "Azure SQL VM License Terms",
|
"azure-sqlvm-agreement-sqlvm-eula": "Termes du contrat de licence Azure SQL VM",
|
||||||
"azure-sqlvm-agreement-azdata-eula": "azdata License Terms",
|
"azure-sqlvm-agreement-azdata-eula": "Termes du contrat de licence azdata",
|
||||||
"azure-sqlvm-azure-account-page-label": "Azure information",
|
"azure-sqlvm-azure-account-page-label": "Informations Azure",
|
||||||
"azure-sqlvm-azure-location-label": "Azure locations",
|
"azure-sqlvm-azure-location-label": "Localisations Azure",
|
||||||
"azure-sqlvm-vm-information-page-label": "VM information",
|
"azure-sqlvm-vm-information-page-label": "Informations VM",
|
||||||
"azure-sqlvm-image-label": "Image",
|
"azure-sqlvm-image-label": "Image",
|
||||||
"azure-sqlvm-image-sku-label": "VM image SKU",
|
"azure-sqlvm-image-sku-label": "Référence SKU d'image VM",
|
||||||
"azure-sqlvm-publisher-label": "Publisher",
|
"azure-sqlvm-publisher-label": "Serveur de publication",
|
||||||
"azure-sqlvm-vmname-label": "Virtual machine name",
|
"azure-sqlvm-vmname-label": "Nom de la machine virtuelle",
|
||||||
"azure-sqlvm-vmsize-label": "Size",
|
"azure-sqlvm-vmsize-label": "Taille",
|
||||||
"azure-sqlvm-storage-page-lable": "Storage account",
|
"azure-sqlvm-storage-page-lable": "Compte de stockage",
|
||||||
"azure-sqlvm-storage-accountname-label": "Storage account name",
|
"azure-sqlvm-storage-accountname-label": "Nom du compte de stockage",
|
||||||
"azure-sqlvm-storage-sku-label": "Storage account SKU type",
|
"azure-sqlvm-storage-sku-label": "Type de référence SKU du compte de stockage",
|
||||||
"azure-sqlvm-vm-administrator-account-page-label": "Administrator account",
|
"azure-sqlvm-vm-administrator-account-page-label": "Compte Administrateur",
|
||||||
"azure-sqlvm-username-label": "Username",
|
"azure-sqlvm-username-label": "Nom d'utilisateur",
|
||||||
"azure-sqlvm-password-label": "Password",
|
"azure-sqlvm-password-label": "Mot de passe",
|
||||||
"azure-sqlvm-password-confirm-label": "Confirm password",
|
"azure-sqlvm-password-confirm-label": "Confirmer le mot de passe",
|
||||||
"azure-sqlvm-vm-summary-page-label": "Summary",
|
"azure-sqlvm-vm-summary-page-label": "Récapitulatif",
|
||||||
"azure-sqldb-display-name": "Azure SQL Database",
|
"azure-sqldb-display-name": "Azure SQL Database",
|
||||||
"azure-sqldb-description": "Create a SQL database, database server, or elastic pool in Azure.",
|
"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": "Create in Azure portal",
|
"azure-sqldb-portal-ok-button-text": "Créer dans le portail Azure",
|
||||||
"azure-sqldb-notebook-ok-button-text": "Select",
|
"azure-sqldb-notebook-ok-button-text": "Sélectionner",
|
||||||
"resource-type-display-name": "Resource Type",
|
"resource-type-display-name": "Type de ressource",
|
||||||
"sql-azure-single-database-display-name": "Single Database",
|
"sql-azure-single-database-display-name": "Base de données unique",
|
||||||
"sql-azure-elastic-pool-display-name": "Elastic Pool",
|
"sql-azure-elastic-pool-display-name": "Pool élastique",
|
||||||
"sql-azure-database-server-display-name": "Database Server",
|
"sql-azure-database-server-display-name": "Serveur de base de données",
|
||||||
"azure-sqldb-agreement": "I accept {0}, {1} and {2}.",
|
"azure-sqldb-agreement": "J'accepte {0}, {1} et {2}.",
|
||||||
"azure-sqldb-agreement-sqldb-eula": "Azure SQL DB License Terms",
|
"azure-sqldb-agreement-sqldb-eula": "Termes du contrat de licence Azure SQL DB",
|
||||||
"azure-sqldb-agreement-azdata-eula": "azdata License Terms",
|
"azure-sqldb-agreement-azdata-eula": "Termes du contrat de licence azdata",
|
||||||
"azure-sql-mi-display-name": "Azure SQL managed instance",
|
"azure-sql-mi-display-name": "Instance managée Azure SQL",
|
||||||
"azure-sql-mi-display-description": "Create a SQL Managed Instance in either Azure or a customer-managed environment",
|
"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": "Open in Portal",
|
"azure-sql-mi-okButton-text": "Ouvrir dans le portail",
|
||||||
"azure-sql-mi-resource-type-option-label": "Resource Type",
|
"azure-sql-mi-resource-type-option-label": "Type de ressource",
|
||||||
"azure-sql-mi-agreement": "I accept {0} and {1}.",
|
"azure-sql-mi-agreement": "J'accepte {0} et {1}.",
|
||||||
"azure-sql-mi-agreement-eula": "Azure SQL MI License Terms",
|
"azure-sql-mi-agreement-eula": "Termes du contrat de licence Azure SQL MI",
|
||||||
"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": "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": "Learn More"
|
"azure-sql-mi-help-text-learn-more": "En savoir plus"
|
||||||
},
|
},
|
||||||
"dist/localizedConstants": {
|
"dist/localizedConstants": {
|
||||||
"azure.account": "Azure Account",
|
"azure.account": "Compte Azure",
|
||||||
"azure.account.subscription": "Subscription (selected subset)",
|
"azure.account.subscription": "Abonnement (sous-ensemble sélectionné)",
|
||||||
"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.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": "Resource Group",
|
"azure.account.resourceGroup": "Groupe de ressources",
|
||||||
"azure.account.location": "Azure Location",
|
"azure.account.location": "Localisation Azure",
|
||||||
"filePicker.browse": "Browse",
|
"filePicker.browse": "Parcourir",
|
||||||
"button.label": "Select",
|
"button.label": "Sélectionner",
|
||||||
"kubeConfigClusterPicker.kubeConfigFilePath": "Kube config file path",
|
"kubeConfigClusterPicker.kubeConfigFilePath": "Chemin du fichier de configuration Kube",
|
||||||
"kubeConfigClusterPicker.clusterContextNotFound": "No cluster context information found",
|
"kubeConfigClusterPicker.clusterContextNotFound": "Aucune information de contexte de cluster",
|
||||||
"azure.signin": "Sign in…",
|
"azure.signin": "Connexion…",
|
||||||
"azure.refresh": "Refresh",
|
"azure.refresh": "Actualiser",
|
||||||
"azure.yes": "Yes",
|
"azure.yes": "Oui",
|
||||||
"azure.no": "No",
|
"azure.no": "Non",
|
||||||
"azure.resourceGroup.createNewResourceGroup": "Create a new resource group",
|
"azure.resourceGroup.createNewResourceGroup": "Créer un groupe de ressources",
|
||||||
"azure.resourceGroup.NewResourceGroupAriaLabel": "New resource group name",
|
"azure.resourceGroup.NewResourceGroupAriaLabel": "Nom du nouveau groupe de ressources",
|
||||||
"deployCluster.Realm": "Realm",
|
"deployCluster.Realm": "Domaine",
|
||||||
"UnknownFieldTypeError": "Unknown field type: \"{0}\"",
|
"UnknownFieldTypeError": "Type de champ inconnu : \"{0}\"",
|
||||||
"optionsSource.alreadyDefined": "Options Source with id:{0} is already defined",
|
"optionsSource.alreadyDefined": "La source d'options avec l'ID : {0} est déjà définie",
|
||||||
"valueProvider.alreadyDefined": "Value Provider with id:{0} is already defined",
|
"valueProvider.alreadyDefined": "Le fournisseur de valeur avec l'ID : {0} est déjà défini",
|
||||||
"optionsSource.notDefined": "No Options Source defined for id: {0}",
|
"optionsSource.notDefined": "Aucune source d'options définie pour l'ID : {0}",
|
||||||
"valueProvider.notDefined": "No Value Provider defined for id: {0}",
|
"valueProvider.notDefined": "Aucun fournisseur de valeur défini pour l'ID : {0}",
|
||||||
"getVariableValue.unknownVariableName": "Attempt to get variable value for unknown variable:{0}",
|
"getVariableValue.unknownVariableName": "Tentative d'obtention de la valeur de variable pour une variable inconnue : {0}",
|
||||||
"getIsPassword.unknownVariableName": "Attempt to get isPassword for unknown variable:{0}",
|
"getIsPassword.unknownVariableName": "Tentative d'obtention de isPassword pour une variable inconnue : {0}",
|
||||||
"optionsNotDefined": "FieldInfo.options was not defined for field type: {0}",
|
"optionsNotDefined": "FieldInfo.options n'a pas été défini pour le type de champ : {0}",
|
||||||
"optionsNotObjectOrArray": "FieldInfo.options must be an object if it is not an array",
|
"optionsNotObjectOrArray": "FieldInfo.options doit être un objet s'il ne s'agit pas d'un tableau",
|
||||||
"optionsTypeNotFound": "When FieldInfo.options is an object it must have 'optionsType' property",
|
"optionsTypeNotFound": "Quand FieldInfo.options est un objet, il doit avoir la propriété « optionsType »",
|
||||||
"optionsTypeRadioOrDropdown": "When optionsType is not {0} then it must be {1}",
|
"optionsTypeRadioOrDropdown": "Quand optionsType n'est pas {0}, il doit être {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.",
|
"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": "Deployment cannot continue. Azure Data CLI license terms were declined.You can either Accept EULA to continue or Cancel this operation",
|
"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": "Accept EULA & Select",
|
"deploymentDialog.RecheckEulaButton": "Accepter le CLUF et sélectionner",
|
||||||
"resourceTypePickerDialog.title": "Select the deployment options",
|
"resourceDeployment.extensionRequiredPrompt": "L’extension «{0}» est nécessaire pour déployer cette ressource. Voulez-vous l’installer maintenant ?",
|
||||||
"resourceTypePickerDialog.resourceSearchPlaceholder": "Filter resources...",
|
"resourceDeployment.install": "Installer",
|
||||||
"resourceTypePickerDialog.tagsListViewTitle": "Categories",
|
"resourceDeployment.installingExtension": "Installation de l'extension '{0}'...",
|
||||||
"validation.multipleValidationErrors": "There are some errors on this page, click 'Show Details' to view the errors.",
|
"resourceDeployment.unknownExtension": "Extension inconnue '{0}'",
|
||||||
"ui.ScriptToNotebookButton": "Script",
|
"resourceTypePickerDialog.title": "Sélectionner les options de déploiement",
|
||||||
"ui.DeployButton": "Run",
|
"resourceTypePickerDialog.resourceSearchPlaceholder": "Filtrer les ressources...",
|
||||||
"resourceDeployment.ViewErrorDetail": "View error detail",
|
"resourceTypePickerDialog.tagsListViewTitle": "Catégories",
|
||||||
"resourceDeployment.FailedToOpenNotebook": "An error occurred opening the output notebook. {1}{2}.",
|
"validation.multipleValidationErrors": "Cette page a des erreurs, cliquez sur 'Afficher les détails' pour les voir.",
|
||||||
"resourceDeployment.BackgroundExecutionFailed": "The task \"{0}\" has failed.",
|
"ui.ScriptToNotebookButton": "Exécuter le script",
|
||||||
"resourceDeployment.TaskFailedWithNoOutputNotebook": "The task \"{0}\" failed and no output Notebook was generated.",
|
"ui.DeployButton": "Exécuter",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoryAll": "All",
|
"resourceDeployment.ViewErrorDetail": "Voir le détail de l'erreur",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoryOnPrem": "On-premises",
|
"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.resourceTypeCategoriesSqlServer": "SQL Server",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoryOnHybrid": "Hybrid",
|
"resourceTypePickerDialog.resourceTypeCategoryOnHybrid": "Hybride",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoryOnPostgreSql": "PostgreSQL",
|
"resourceTypePickerDialog.resourceTypeCategoryOnPostgreSql": "PostgreSQL",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoryOnCloud": "Cloud",
|
"resourceTypePickerDialog.resourceTypeCategoryOnCloud": "Cloud",
|
||||||
"resourceDeployment.Description": "Description",
|
"resourceDeployment.Description": "Description",
|
||||||
"resourceDeployment.Tool": "Tool",
|
"resourceDeployment.Tool": "Outil",
|
||||||
"resourceDeployment.Status": "Status",
|
"resourceDeployment.Status": "État",
|
||||||
"resourceDeployment.Version": "Version",
|
"resourceDeployment.Version": "Version",
|
||||||
"resourceDeployment.RequiredVersion": "Required Version",
|
"resourceDeployment.RequiredVersion": "Version obligatoire",
|
||||||
"resourceDeployment.discoverPathOrAdditionalInformation": "Discovered Path or Additional Information",
|
"resourceDeployment.discoverPathOrAdditionalInformation": "Chemin découvert ou informations supplémentaires",
|
||||||
"resourceDeployment.requiredTools": "Required tools",
|
"resourceDeployment.requiredTools": "Outils obligatoires",
|
||||||
"resourceDeployment.InstallTools": "Install tools",
|
"resourceDeployment.InstallTools": "Installer les outils",
|
||||||
"resourceDeployment.Options": "Options",
|
"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": {
|
"dist/ui/modelViewUtils": {
|
||||||
"getClusterContexts.errorFetchingClusters": "An error ocurred while loading or parsing the config file:{0}, error is:{1}",
|
"getClusterContexts.errorFetchingClusters": "Erreur pendant le chargement ou l'analyse du fichier de configuration : {0}, erreur : {1}",
|
||||||
"fileChecker.NotFile": "Path: {0} is not a file, please select a valid kube config file.",
|
"fileChecker.NotFile": "Le chemin {0} n'est pas un fichier, sélectionnez un fichier de configuration Kube valide.",
|
||||||
"fileChecker.FileNotFound": "File: {0} not found. Please select a kube config file.",
|
"fileChecker.FileNotFound": "Fichier {0} introuvable. Sélectionnez un fichier de configuration Kube.",
|
||||||
"azure.accounts.unexpectedAccountsError": "Unexpected error fetching accounts: {0}",
|
"azure.accounts.unexpectedAccountsError": "Erreur inattendue pendant la récupération des comptes : {0}",
|
||||||
"resourceDeployment.errorFetchingStorageClasses": "Unexpected error fetching available kubectl storage classes : {0}",
|
"resourceDeployment.errorFetchingStorageClasses": "Erreur inattendue pendant la récupération des classes de stockage kubectl disponibles : {0}",
|
||||||
"azure.accounts.unexpectedSubscriptionsError": "Unexpected error fetching subscriptions for account {0}: {1}",
|
"azure.accounts.unexpectedSubscriptionsError": "Erreur inattendue pendant la récupération des abonnements pour le compte {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.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 Error Details: {0}.",
|
"azure.accessError": "\r\n Détails de l'erreur : {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.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": "Unexpected error fetching resource groups for subscription {0}: {1}",
|
"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",
|
"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"
|
"passwordNotMatch": "{0} ne correspond pas au mot de passe de confirmation"
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLVMWizard/constants": {
|
"dist/ui/deployAzureSQLVMWizard/constants": {
|
||||||
"deployAzureSQLVM.NewSQLVMTitle": "Deploy Azure SQL VM",
|
"deployAzureSQLVM.NewSQLVMTitle": "Déployer Azure SQL VM",
|
||||||
"deployAzureSQLVM.ScriptToNotebook": "Script to Notebook",
|
"deployAzureSQLVM.ScriptToNotebook": "Exécuter un script sur un notebook",
|
||||||
"deployAzureSQLVM.MissingRequiredInfoError": "Please fill out the required fields marked with red asterisks.",
|
"deployAzureSQLVM.MissingRequiredInfoError": "Remplissez les champs obligatoires marqués d'un astérisque rouge.",
|
||||||
"deployAzureSQLVM.AzureSettingsPageTitle": "Azure settings",
|
"deployAzureSQLVM.AzureSettingsPageTitle": "Paramètres Azure",
|
||||||
"deployAzureSQLVM.AzureAccountDropdownLabel": "Azure Account",
|
"deployAzureSQLVM.AzureAccountDropdownLabel": "Compte Azure",
|
||||||
"deployAzureSQLVM.AzureSubscriptionDropdownLabel": "Subscription",
|
"deployAzureSQLVM.AzureSubscriptionDropdownLabel": "Abonnement",
|
||||||
"deployAzureSQLVM.ResourceGroup": "Resource Group",
|
"deployAzureSQLVM.ResourceGroup": "Groupe de ressources",
|
||||||
"deployAzureSQLVM.AzureRegionDropdownLabel": "Region",
|
"deployAzureSQLVM.AzureRegionDropdownLabel": "Région",
|
||||||
"deployeAzureSQLVM.VmSettingsPageTitle": "Virtual machine settings",
|
"deployeAzureSQLVM.VmSettingsPageTitle": "Paramètres de la machine virtuelle",
|
||||||
"deployAzureSQLVM.VmNameTextBoxLabel": "Virtual machine name",
|
"deployAzureSQLVM.VmNameTextBoxLabel": "Nom de la machine virtuelle",
|
||||||
"deployAzureSQLVM.VmAdminUsernameTextBoxLabel": "Administrator account username",
|
"deployAzureSQLVM.VmAdminUsernameTextBoxLabel": "Nom d'utilisateur du compte Administrateur",
|
||||||
"deployAzureSQLVM.VmAdminPasswordTextBoxLabel": "Administrator account password",
|
"deployAzureSQLVM.VmAdminPasswordTextBoxLabel": "Mot de passe du compte Administrateur",
|
||||||
"deployAzureSQLVM.VmAdminConfirmPasswordTextBoxLabel": "Confirm password",
|
"deployAzureSQLVM.VmAdminConfirmPasswordTextBoxLabel": "Confirmer le mot de passe",
|
||||||
"deployAzureSQLVM.VmImageDropdownLabel": "Image",
|
"deployAzureSQLVM.VmImageDropdownLabel": "Image",
|
||||||
"deployAzureSQLVM.VmSkuDropdownLabel": "Image SKU",
|
"deployAzureSQLVM.VmSkuDropdownLabel": "Référence SKU de l'image",
|
||||||
"deployAzureSQLVM.VmImageVersionDropdownLabel": "Image Version",
|
"deployAzureSQLVM.VmImageVersionDropdownLabel": "Version de l'image",
|
||||||
"deployAzureSQLVM.VmSizeDropdownLabel": "Size",
|
"deployAzureSQLVM.VmSizeDropdownLabel": "Taille",
|
||||||
"deployeAzureSQLVM.VmSizeLearnMoreLabel": "Click here to learn more about pricing and supported VM sizes",
|
"deployeAzureSQLVM.VmSizeLearnMoreLabel": "Cliquer ici pour en savoir plus sur les prix et les tailles de VM prises en charge",
|
||||||
"deployAzureSQLVM.NetworkSettingsPageTitle": "Networking",
|
"deployAzureSQLVM.NetworkSettingsPageTitle": "Réseau",
|
||||||
"deployAzureSQLVM.NetworkSettingsPageDescription": "Configure network settings",
|
"deployAzureSQLVM.NetworkSettingsPageDescription": "Configurer les paramètres réseau",
|
||||||
"deployAzureSQLVM.NetworkSettingsNewVirtualNetwork": "New virtual network",
|
"deployAzureSQLVM.NetworkSettingsNewVirtualNetwork": "Nouveau réseau virtuel",
|
||||||
"deployAzureSQLVM.VirtualNetworkDropdownLabel": "Virtual Network",
|
"deployAzureSQLVM.VirtualNetworkDropdownLabel": "Réseau virtuel",
|
||||||
"deployAzureSQLVM.NetworkSettingsNewSubnet": "New subnet",
|
"deployAzureSQLVM.NetworkSettingsNewSubnet": "Nouveau sous-réseau",
|
||||||
"deployAzureSQLVM.SubnetDropdownLabel": "Subnet",
|
"deployAzureSQLVM.SubnetDropdownLabel": "Sous-réseau",
|
||||||
"deployAzureSQLVM.PublicIPDropdownLabel": "Public IP",
|
"deployAzureSQLVM.PublicIPDropdownLabel": "IP publique",
|
||||||
"deployAzureSQLVM.NetworkSettingsUseExistingPublicIp": "New public ip",
|
"deployAzureSQLVM.NetworkSettingsUseExistingPublicIp": "Nouvelle IP publique",
|
||||||
"deployAzureSQLVM.VmRDPAllowCheckboxLabel": "Enable Remote Desktop (RDP) inbound port (3389)",
|
"deployAzureSQLVM.VmRDPAllowCheckboxLabel": "Activer le port d'entrée Bureau à distance (RDP) (3389)",
|
||||||
"deployAzureSQLVM.SqlServerSettingsPageTitle": "SQL Servers settings",
|
"deployAzureSQLVM.SqlServerSettingsPageTitle": "Paramètres des serveurs SQL",
|
||||||
"deployAzureSQLVM.SqlConnectivityTypeDropdownLabel": "SQL connectivity",
|
"deployAzureSQLVM.SqlConnectivityTypeDropdownLabel": "Connectivité SQL",
|
||||||
"deployAzureSQLVM.SqlPortLabel": "Port",
|
"deployAzureSQLVM.SqlPortLabel": "Port",
|
||||||
"deployAzureSQLVM.SqlEnableSQLAuthenticationLabel": "Enable SQL authentication",
|
"deployAzureSQLVM.SqlEnableSQLAuthenticationLabel": "Activer l'authentification SQL",
|
||||||
"deployAzureSQLVM.SqlAuthenticationUsernameLabel": "Username",
|
"deployAzureSQLVM.SqlAuthenticationUsernameLabel": "Nom d'utilisateur",
|
||||||
"deployAzureSQLVM.SqlAuthenticationPasswordLabel": "Password",
|
"deployAzureSQLVM.SqlAuthenticationPasswordLabel": "Mot de passe",
|
||||||
"deployAzureSQLVM.SqlAuthenticationConfirmPasswordLabel": "Confirm password"
|
"deployAzureSQLVM.SqlAuthenticationConfirmPasswordLabel": "Confirmer le mot de passe"
|
||||||
},
|
},
|
||||||
"dist/ui/deployClusterWizard/deployClusterWizardModel": {
|
"dist/ui/deployClusterWizard/deployClusterWizardModel": {
|
||||||
"deployCluster.SaveConfigFiles": "Save config files",
|
"deployCluster.SaveConfigFiles": "Enregistrer les fichiers config",
|
||||||
"deployCluster.ScriptToNotebook": "Script to Notebook",
|
"deployCluster.ScriptToNotebook": "Exécuter un script sur un notebook",
|
||||||
"deployCluster.SelectConfigFileFolder": "Save config files",
|
"deployCluster.SelectConfigFileFolder": "Enregistrer les fichiers config",
|
||||||
"deployCluster.SaveConfigFileSucceeded": "Config files saved to {0}",
|
"deployCluster.SaveConfigFileSucceeded": "Fichiers config enregistrés dans {0}",
|
||||||
"deployCluster.NewAKSWizardTitle": "Deploy SQL Server 2019 Big Data Cluster on a new AKS cluster",
|
"deployCluster.NewAKSWizardTitle": "Déployer le cluster Big Data SQL Server 2019 sur un nouveau cluster AKS",
|
||||||
"deployCluster.ExistingAKSWizardTitle": "Deploy SQL Server 2019 Big Data Cluster on an existing AKS cluster",
|
"deployCluster.ExistingAKSWizardTitle": "Déployer le cluster Big Data SQL Server 2019 sur un cluster AKS existant",
|
||||||
"deployCluster.ExistingKubeAdm": "Deploy SQL Server 2019 Big Data Cluster on an existing kubeadm cluster",
|
"deployCluster.ExistingKubeAdm": "Déployer le cluster Big Data SQL Server 2019 sur un cluster kubeadm existant",
|
||||||
"deployCluster.ExistingARO": "Deploy SQL Server 2019 Big Data Cluster on an existing Azure Red Hat OpenShift cluster",
|
"deployCluster.ExistingARO": "Déployer le cluster Big Data SQL Server 2019 sur un cluster Azure Red Hat OpenShift existant",
|
||||||
"deployCluster.ExistingOpenShift": "Deploy SQL Server 2019 Big Data Cluster on an existing OpenShift cluster"
|
"deployCluster.ExistingOpenShift": "Déployer le cluster Big Data SQL Server 2019 sur un cluster OpenShift existant"
|
||||||
},
|
},
|
||||||
"dist/services/tools/toolBase": {
|
"dist/services/tools/toolBase": {
|
||||||
"deploymentDialog.ToolStatus.NotInstalled": "Not Installed",
|
"deploymentDialog.ToolStatus.NotInstalled": "Non installé",
|
||||||
"deploymentDialog.ToolStatus.Installed": "Installed",
|
"deploymentDialog.ToolStatus.Installed": "Installé",
|
||||||
"deploymentDialog.ToolStatus.Installing": "Installing…",
|
"deploymentDialog.ToolStatus.Installing": "Installation…",
|
||||||
"deploymentDialog.ToolStatus.Error": "Error",
|
"deploymentDialog.ToolStatus.Error": "Erreur",
|
||||||
"deploymentDialog.ToolStatus.Failed": "Failed",
|
"deploymentDialog.ToolStatus.Failed": "Échec",
|
||||||
"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.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 is needed for installation and needs to be pre-installed before necessary tools can be deployed",
|
"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": " Could not find 'Location' in the output:",
|
"toolBase.getPip3InstallationLocation.LocationNotFound": " « Location » est introuvable dans la sortie :",
|
||||||
"toolBase.getPip3InstallationLocation.Output": " output:",
|
"toolBase.getPip3InstallationLocation.Output": " sortie :",
|
||||||
"toolBase.InstallError": "Error installing tool '{0}' [ {1} ].{2}Error: {3}{2}See output channel '{4}' for more details",
|
"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": "Error installing tool. See output channel '{0}' for more details",
|
"toolBase.InstallErrorInformation": "Erreur d'installation de l'outil. Voir le canal de sortie « {0} » pour plus de détails",
|
||||||
"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.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": "Failed to detect version post installation. See output channel '{0}' for more details",
|
"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": " A possibly way to uninstall is using this command:{0} >{1}",
|
"toolBase.ManualUninstallCommand": " Vous pouvez effectuer la désinstallation à l'aide de cette commande : {0} >{1}",
|
||||||
"toolBase.SeeOutputChannel": "{0}See output channel '{1}' for more details",
|
"toolBase.SeeOutputChannel": "{0}Voir le canal de sortie « {1} » pour plus de détails",
|
||||||
"toolBase.installCore.CannotInstallTool": "Cannot install tool:{0}::{1} as installation commands are unknown for your OS distribution, Please install {0} manually before proceeding",
|
"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": "Search Paths for tool '{0}': {1}",
|
"toolBase.addInstallationSearchPathsToSystemPath.SearchPaths": "Chemins de recherche de l'outil « {0} » : {1}",
|
||||||
"deployCluster.GetToolVersionErrorInformation": "Error retrieving version information. See output channel '{0}' for more details",
|
"deployCluster.GetToolVersionErrorInformation": "Erreur de récupération des informations de version. Voir le canal de sortie « {0} » pour plus de détails",
|
||||||
"deployCluster.GetToolVersionError": "Error retrieving version information.{0}Invalid output received, get version command output: '{1}' "
|
"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": {
|
"dist/ui/deployAzureSQLDBWizard/constants": {
|
||||||
"deployAzureSQLDB.NewSQLDBTitle": "Deploy Azure SQL DB",
|
"deployAzureSQLDB.NewSQLDBTitle": "Déployer Azure SQL DB",
|
||||||
"deployAzureSQLDB.ScriptToNotebook": "Script to Notebook",
|
"deployAzureSQLDB.ScriptToNotebook": "Exécuter un script sur un notebook",
|
||||||
"deployAzureSQLDB.MissingRequiredInfoError": "Please fill out the required fields marked with red asterisks.",
|
"deployAzureSQLDB.MissingRequiredInfoError": "Remplissez les champs obligatoires marqués d'un astérisque rouge.",
|
||||||
"deployAzureSQLDB.AzureSettingsPageTitle": "Azure SQL Database - Azure account settings",
|
"deployAzureSQLDB.AzureSettingsPageTitle": "Azure SQL Database - Paramètres de compte Azure",
|
||||||
"deployAzureSQLDB.AzureSettingsSummaryPageTitle": "Azure account settings",
|
"deployAzureSQLDB.AzureSettingsSummaryPageTitle": "Paramètres de compte Azure",
|
||||||
"deployAzureSQLDB.AzureAccountDropdownLabel": "Azure account",
|
"deployAzureSQLDB.AzureAccountDropdownLabel": "Compte Azure",
|
||||||
"deployAzureSQLDB.AzureSubscriptionDropdownLabel": "Subscription",
|
"deployAzureSQLDB.AzureSubscriptionDropdownLabel": "Abonnement",
|
||||||
"deployAzureSQLDB.AzureDatabaseServersDropdownLabel": "Server",
|
"deployAzureSQLDB.AzureDatabaseServersDropdownLabel": "Serveur",
|
||||||
"deployAzureSQLDB.ResourceGroup": "Resource group",
|
"deployAzureSQLDB.ResourceGroup": "Groupe de ressources",
|
||||||
"deployAzureSQLDB.DatabaseSettingsPageTitle": "Database settings",
|
"deployAzureSQLDB.DatabaseSettingsPageTitle": "Paramètres de base de données",
|
||||||
"deployAzureSQLDB.FirewallRuleNameLabel": "Firewall rule name",
|
"deployAzureSQLDB.FirewallRuleNameLabel": "Nom de la règle de pare-feu",
|
||||||
"deployAzureSQLDB.DatabaseNameLabel": "SQL database name",
|
"deployAzureSQLDB.DatabaseNameLabel": "Nom de la base de données SQL",
|
||||||
"deployAzureSQLDB.CollationNameLabel": "Database collation",
|
"deployAzureSQLDB.CollationNameLabel": "Classement de base de données",
|
||||||
"deployAzureSQLDB.CollationNameSummaryLabel": "Collation for database",
|
"deployAzureSQLDB.CollationNameSummaryLabel": "Classement de la base de données",
|
||||||
"deployAzureSQLDB.IpAddressInfoLabel": "Enter IP addresses in IPv4 format.",
|
"deployAzureSQLDB.IpAddressInfoLabel": "Entrez les adresses IP au format IPv4.",
|
||||||
"deployAzureSQLDB.StartIpAddressLabel": "Min IP address in firewall IP range",
|
"deployAzureSQLDB.StartIpAddressLabel": "Adresse IP min. dans la plage IP du pare-feu",
|
||||||
"deployAzureSQLDB.EndIpAddressLabel": "Max IP address in firewall IP range",
|
"deployAzureSQLDB.EndIpAddressLabel": "Adresse IP max. dans la plage IP du pare-feu",
|
||||||
"deployAzureSQLDB.StartIpAddressShortLabel": "Min IP address",
|
"deployAzureSQLDB.StartIpAddressShortLabel": "Adresse IP min.",
|
||||||
"deployAzureSQLDB.EndIpAddressShortLabel": "Max IP address",
|
"deployAzureSQLDB.EndIpAddressShortLabel": "Adresse IP max.",
|
||||||
"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.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": "Create a firewall rule"
|
"deployAzureSQLDB.FirewallToggleLabel": "Créer une règle de pare-feu"
|
||||||
},
|
},
|
||||||
"dist/services/tools/kubeCtlTool": {
|
"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.KubeCtlDisplayName": "kubectl",
|
||||||
"resourceDeployment.invalidKubectlVersionOutput": "Unable to parse the kubectl version command output: \"{0}\"",
|
"resourceDeployment.invalidKubectlVersionOutput": "Impossible d'analyser la sortie de la commande de version kubectl : « {0} »",
|
||||||
"resourceDeployment.Kubectl.UpdatingBrewRepository": "updating your brew repository for kubectl installation …",
|
"resourceDeployment.Kubectl.UpdatingBrewRepository": "mise à jour de votre dépôt brew pour l'installation de kubectl...",
|
||||||
"resourceDeployment.Kubectl.InstallingKubeCtl": "installing kubectl …",
|
"resourceDeployment.Kubectl.InstallingKubeCtl": "installation de kubectl...",
|
||||||
"resourceDeployment.Kubectl.AptGetUpdate": "updating repository information …",
|
"resourceDeployment.Kubectl.AptGetUpdate": "mise à jour des informations de dépôt...",
|
||||||
"resourceDeployment.Kubectl.AptGetPackages": "getting packages needed for kubectl installation …",
|
"resourceDeployment.Kubectl.AptGetPackages": "obtention des packages nécessaires à l'installation de kubectl...",
|
||||||
"resourceDeployment.Kubectl.DownloadAndInstallingSigningKey": "downloading and installing the signing key for kubectl …",
|
"resourceDeployment.Kubectl.DownloadAndInstallingSigningKey": "téléchargement et installation de la clé de signature pour kubectl...",
|
||||||
"resourceDeployment.Kubectl.AddingKubectlRepositoryInformation": "adding the kubectl repository information …",
|
"resourceDeployment.Kubectl.AddingKubectlRepositoryInformation": "ajout des informations du dépôt kubectl...",
|
||||||
"resourceDeployment.Kubectl.InstallingKubectl": "installing kubectl …",
|
"resourceDeployment.Kubectl.InstallingKubectl": "installation de kubectl...",
|
||||||
"resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl.exe": "deleting previously downloaded kubectl.exe if one exists …",
|
"resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl.exe": "suppression du fichier kubectl.exe précédemment téléchargé, le cas échéant...",
|
||||||
"resourceDeployment.Kubectl.DownloadingAndInstallingKubectl": "downloading and installing the latest kubectl.exe …",
|
"resourceDeployment.Kubectl.DownloadingAndInstallingKubectl": "téléchargement et installation du dernier fichier kubectl.exe...",
|
||||||
"resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl": "deleting previously downloaded kubectl if one exists …",
|
"resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl": "suppression du kubectl précédemment téléchargé, le cas échéant...",
|
||||||
"resourceDeployment.Kubectl.DownloadingKubectl": "downloading the latest kubectl release …",
|
"resourceDeployment.Kubectl.DownloadingKubectl": "téléchargement de la dernière mise en production de kubectl...",
|
||||||
"resourceDeployment.Kubectl.MakingExecutable": "making kubectl executable …",
|
"resourceDeployment.Kubectl.MakingExecutable": "création de l'exécutable kubectl...",
|
||||||
"resourceDeployment.Kubectl.CleaningUpOldBackups": "cleaning up any previously backed up version in the install location if they exist …",
|
"resourceDeployment.Kubectl.CleaningUpOldBackups": "nettoyage des versions précédemment sauvegardées dans l'emplacement d'installation, le cas échéant...",
|
||||||
"resourceDeployment.Kubectl.BackupCurrentBinary": "backing up any existing kubectl in the install location …",
|
"resourceDeployment.Kubectl.BackupCurrentBinary": "sauvegarde de tout kubectl existant dans l'emplacement d'installation...",
|
||||||
"resourceDeployment.Kubectl.MoveToSystemPath": "moving kubectl into the install location in the PATH …"
|
"resourceDeployment.Kubectl.MoveToSystemPath": "déplacement de kubectl dans l'emplacement d'installation dans PATH..."
|
||||||
},
|
},
|
||||||
"dist/ui/notebookWizard/notebookWizardPage": {
|
"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": {
|
"dist/ui/deploymentInputDialog": {
|
||||||
"deploymentDialog.OpenNotebook": "Open Notebook",
|
"deploymentDialog.OpenNotebook": "Ouvrir le notebook",
|
||||||
"deploymentDialog.OkButtonText": "OK",
|
"deploymentDialog.OkButtonText": "OK",
|
||||||
"notebookType": "Notebook type"
|
"notebookType": "Type de notebook"
|
||||||
},
|
},
|
||||||
"dist/main": {
|
"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"
|
"resourceDeployment.UnknownResourceType": "Le type de ressource {0} n'est pas défini"
|
||||||
},
|
},
|
||||||
"dist/services/notebookService": {
|
"dist/services/notebookService": {
|
||||||
"resourceDeployment.notebookNotFound": "Le notebook {0} n'existe pas"
|
"resourceDeployment.notebookNotFound": "Le notebook {0} n'existe pas"
|
||||||
},
|
},
|
||||||
"dist/services/platformService": {
|
"dist/services/platformService": {
|
||||||
"resourceDeployment.outputChannel": "Deployments",
|
"resourceDeployment.outputChannel": "Déploiements",
|
||||||
"platformService.RunCommand.ErroredOut": "\t>>> {0} … errored out: {1}",
|
"platformService.RunCommand.ErroredOut": "\t>>> {0} … a donné une erreur : {1}",
|
||||||
"platformService.RunCommand.IgnoringError": "\t>>> Ignoring error in execution and continuing tool deployment",
|
"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.stdout": " stdout : ",
|
||||||
"platformService.RunCommand.stderr": " stderr: ",
|
"platformService.RunCommand.stderr": " stderr : ",
|
||||||
"platformService.RunStreamedCommand.ExitedWithCode": " >>> {0} … exited with code: {1}",
|
"platformService.RunStreamedCommand.ExitedWithCode": " >>> {0} … a quitté avec le code : {1}",
|
||||||
"platformService.RunStreamedCommand.ExitedWithSignal": " >>> {0} … exited with signal: {1}"
|
"platformService.RunStreamedCommand.ExitedWithSignal": " >>> {0} … a quitté avec le signal : {1}"
|
||||||
},
|
},
|
||||||
"dist/services/resourceTypeService": {
|
"dist/services/resourceTypeService": {
|
||||||
"downloadError": "Le téléchargement a échoué, code d'état : {0}, message : {1}"
|
"downloadError": "Le téléchargement a échoué, code d'état : {0}, message : {1}"
|
||||||
},
|
},
|
||||||
"dist/ui/deployClusterWizard/pages/deploymentProfilePage": {
|
"dist/ui/deployClusterWizard/pages/deploymentProfilePage": {
|
||||||
"deployCluster.serviceScaleTableTitle": "Service scale settings (Instances)",
|
"deployCluster.serviceScaleTableTitle": "Paramètres de mise à l'échelle du service (instances)",
|
||||||
"deployCluster.storageTableTitle": "Service storage settings (GB per Instance)",
|
"deployCluster.storageTableTitle": "Paramètres de stockage du service (Go par instance)",
|
||||||
"deployCluster.featureTableTitle": "Features",
|
"deployCluster.featureTableTitle": "Fonctionnalités",
|
||||||
"deployCluster.yesText": "Yes",
|
"deployCluster.yesText": "Oui",
|
||||||
"deployCluster.noText": "No",
|
"deployCluster.noText": "Non",
|
||||||
"deployCluster.summaryPageTitle": "Deployment configuration profile",
|
"deployCluster.summaryPageTitle": "Profil de configuration de déploiement",
|
||||||
"deployCluster.summaryPageDescription": "Select the target configuration profile",
|
"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.ProfileHintText": "Remarque : Les paramètres du profil de déploiement peuvent être personnalisés dans les étapes ultérieures.",
|
||||||
"deployCluster.loadingProfiles": "Loading profiles",
|
"deployCluster.loadingProfiles": "Chargement des profils",
|
||||||
"deployCluster.loadingProfilesCompleted": "Loading profiles completed",
|
"deployCluster.loadingProfilesCompleted": "Profils chargés",
|
||||||
"deployCluster.profileRadioGroupLabel": "Deployment configuration profile",
|
"deployCluster.profileRadioGroupLabel": "Profil de configuration de déploiement",
|
||||||
"deployCluster.loadProfileFailed": "Le chargement des profils de déploiement a échoué : {0}",
|
"deployCluster.loadProfileFailed": "Le chargement des profils de déploiement a échoué : {0}",
|
||||||
"deployCluster.masterPoolLabel": "Instance maître SQL Server",
|
"deployCluster.masterPoolLabel": "Instance maître SQL Server",
|
||||||
"deployCluster.computePoolLable": "Calcul",
|
"deployCluster.computePoolLable": "Calcul",
|
||||||
"deployCluster.dataPoolLabel": "Données",
|
"deployCluster.dataPoolLabel": "Données",
|
||||||
"deployCluster.hdfsLabel": "HDFS + Spark",
|
"deployCluster.hdfsLabel": "HDFS + Spark",
|
||||||
"deployCluster.ServiceName": "Service",
|
"deployCluster.ServiceName": "Service",
|
||||||
"deployCluster.dataStorageType": "Data",
|
"deployCluster.dataStorageType": "Données",
|
||||||
"deployCluster.logsStorageType": "Logs",
|
"deployCluster.logsStorageType": "Journaux",
|
||||||
"deployCluster.StorageType": "Storage type",
|
"deployCluster.StorageType": "Type de stockage",
|
||||||
"deployCluster.basicAuthentication": "Authentification de base",
|
"deployCluster.basicAuthentication": "Authentification de base",
|
||||||
"deployCluster.activeDirectoryAuthentication": "Authentification Active Directory",
|
"deployCluster.activeDirectoryAuthentication": "Authentification Active Directory",
|
||||||
"deployCluster.hadr": "Haute disponibilité",
|
"deployCluster.hadr": "Haute disponibilité",
|
||||||
"deployCluster.featureText": "Feature",
|
"deployCluster.featureText": "Composant",
|
||||||
"deployCluster.ProfileNotSelectedError": "Sélectionnez un profil de déploiement."
|
"deployCluster.ProfileNotSelectedError": "Sélectionnez un profil de déploiement."
|
||||||
},
|
},
|
||||||
"dist/ui/deployClusterWizard/pages/azureSettingsPage": {
|
"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.AzureSettingsPageTitle": "Paramètres Azure",
|
||||||
"deployCluster.AzureSettingsPageDescription": "Configurer les paramètres pour créer un cluster Azure Kubernetes Service",
|
"deployCluster.AzureSettingsPageDescription": "Configurer les paramètres pour créer un cluster Azure Kubernetes Service",
|
||||||
"deployCluster.SubscriptionField": "ID d'abonnement",
|
"deployCluster.SubscriptionField": "ID d'abonnement",
|
||||||
@@ -326,7 +329,7 @@
|
|||||||
"deployCluster.VMSizeHelpLink": "Voir les tailles de machine virtuelle disponibles"
|
"deployCluster.VMSizeHelpLink": "Voir les tailles de machine virtuelle disponibles"
|
||||||
},
|
},
|
||||||
"dist/ui/deployClusterWizard/pages/clusterSettingsPage": {
|
"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.ClusterSettingsPageTitle": "Paramètres de cluster",
|
||||||
"deployCluster.ClusterSettingsPageDescription": "Configurer les paramètres du cluster Big Data SQL Server",
|
"deployCluster.ClusterSettingsPageDescription": "Configurer les paramètres du cluster Big Data SQL Server",
|
||||||
"deployCluster.ClusterName": "Nom de cluster",
|
"deployCluster.ClusterName": "Nom de cluster",
|
||||||
@@ -354,7 +357,7 @@
|
|||||||
"deployCluster.DomainDNSIPAddressesPlaceHolder": "Utilisez une virgule pour séparer les valeurs.",
|
"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.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.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.ClusterAdmins": "Groupe d'administration de cluster",
|
||||||
"deployCluster.ClusterAdminsDescription": "Groupe Active Directory de l'administrateur de cluster.",
|
"deployCluster.ClusterAdminsDescription": "Groupe Active Directory de l'administrateur de cluster.",
|
||||||
"deployCluster.ClusterUsers": "Utilisateurs du cluster",
|
"deployCluster.ClusterUsers": "Utilisateurs du cluster",
|
||||||
@@ -363,16 +366,16 @@
|
|||||||
"deployCluster.DomainServiceAccountUserName": "Nom d'utilisateur du compte de service",
|
"deployCluster.DomainServiceAccountUserName": "Nom d'utilisateur du compte de service",
|
||||||
"deployCluster.DomainServiceAccountUserNameDescription": "Compte de service de domaine pour le cluster Big Data",
|
"deployCluster.DomainServiceAccountUserNameDescription": "Compte de service de domaine pour le cluster Big Data",
|
||||||
"deployCluster.DomainServiceAccountPassword": "Mot de passe de compte de service",
|
"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.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.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.AppReaders": "Lecteurs d'application",
|
||||||
"deployCluster.AppReadersPlaceHolder": "Utilisez une virgule pour séparer les valeurs.",
|
"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.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.Subdomain": "Sous-domaine",
|
||||||
"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.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": "Account prefix",
|
"deployCluster.AccountPrefix": "Préfixe du compte",
|
||||||
"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.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.AdminPasswordField": "Mot de passe",
|
||||||
"deployCluster.ValidationError": "Cette page a des erreurs, cliquez sur 'Afficher les détails' pour les voir."
|
"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.EndpointSettings": "Paramètres de point de terminaison",
|
||||||
"deployCluster.storageFieldTooltip": "Utiliser les paramètres du contrôleur",
|
"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.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.controllerDataStorageClass": "Classe de stockage de données du contrôleur",
|
||||||
"deployCluster.controllerDataStorageClaimSize": "Controller's data storage claim size",
|
"deployCluster.controllerDataStorageClaimSize": "Taille de la revendication de stockage de données du contrôleur",
|
||||||
"deployCluster.controllerLogsStorageClass": "Controller's logs storage class",
|
"deployCluster.controllerLogsStorageClass": "Classe de stockage des journaux du contrôleur",
|
||||||
"deployCluster.controllerLogsStorageClaimSize": "Controller's logs storage claim size",
|
"deployCluster.controllerLogsStorageClaimSize": "Taille de la revendication de stockage des journaux du contrôleur",
|
||||||
"deployCluster.StoragePool": "Pool de stockage (HDFS)",
|
"deployCluster.StoragePool": "Pool de stockage (HDFS)",
|
||||||
"deployCluster.storagePoolDataStorageClass": "Storage pool's data storage class",
|
"deployCluster.storagePoolDataStorageClass": "Classe de stockage de données du pool de stockage",
|
||||||
"deployCluster.storagePoolDataStorageClaimSize": "Storage pool's data storage claim size",
|
"deployCluster.storagePoolDataStorageClaimSize": "Taille de la revendication de stockage de données du pool de stockage",
|
||||||
"deployCluster.storagePoolLogsStorageClass": "Storage pool's logs storage class",
|
"deployCluster.storagePoolLogsStorageClass": "Classe de stockage des journaux du pool de stockage",
|
||||||
"deployCluster.storagePoolLogsStorageClaimSize": "Storage pool's logs storage claim size",
|
"deployCluster.storagePoolLogsStorageClaimSize": "Taille de la revendication de stockage des journaux du pool de stockage",
|
||||||
"deployCluster.DataPool": "Pool de données",
|
"deployCluster.DataPool": "Pool de données",
|
||||||
"deployCluster.dataPoolDataStorageClass": "Data pool's data storage class",
|
"deployCluster.dataPoolDataStorageClass": "Classe de stockage de données du pool de données",
|
||||||
"deployCluster.dataPoolDataStorageClaimSize": "Data pool's data storage claim size",
|
"deployCluster.dataPoolDataStorageClaimSize": "Taille de la revendication de stockage de données du pool de données",
|
||||||
"deployCluster.dataPoolLogsStorageClass": "Data pool's logs storage class",
|
"deployCluster.dataPoolLogsStorageClass": "Classe de stockage des journaux du pool de données",
|
||||||
"deployCluster.dataPoolLogsStorageClaimSize": "Data pool's logs storage claim size",
|
"deployCluster.dataPoolLogsStorageClaimSize": "Taille de la revendication de stockage des journaux du pool de données",
|
||||||
"deployCluster.sqlServerMasterDataStorageClass": "SQL Server master's data storage class",
|
"deployCluster.sqlServerMasterDataStorageClass": "Classe de stockage de données de l'instance maître SQL Server",
|
||||||
"deployCluster.sqlServerMasterDataStorageClaimSize": "SQL Server master's data storage claim size",
|
"deployCluster.sqlServerMasterDataStorageClaimSize": "Taille de la revendication de stockage de données de l'instance maître SQL Server",
|
||||||
"deployCluster.sqlServerMasterLogsStorageClass": "SQL Server master's logs storage class",
|
"deployCluster.sqlServerMasterLogsStorageClass": "Classe de stockage des journaux de l'instance maître SQL Server",
|
||||||
"deployCluster.sqlServerMasterLogsStorageClaimSize": "SQL Server master's logs storage claim size",
|
"deployCluster.sqlServerMasterLogsStorageClaimSize": "Taille de la revendication de stockage des journaux de l'instance maître SQL Server",
|
||||||
"deployCluster.ServiceName": "Service name",
|
"deployCluster.ServiceName": "Nom du service",
|
||||||
"deployCluster.DataStorageClassName": "Classe de stockage pour les données",
|
"deployCluster.DataStorageClassName": "Classe de stockage pour les données",
|
||||||
"deployCluster.DataClaimSize": "Taille de réclamation pour les données (Go)",
|
"deployCluster.DataClaimSize": "Taille de réclamation pour les données (Go)",
|
||||||
"deployCluster.LogStorageClassName": "Classe de stockage pour les journaux",
|
"deployCluster.LogStorageClassName": "Classe de stockage pour les journaux",
|
||||||
"deployCluster.LogsClaimSize": "Taille de réclamation pour les journaux (Go)",
|
"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.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."
|
"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.DomainDNSName": "Nom du DNS de domaine",
|
||||||
"deployCluster.ClusterAdmins": "Groupe d'administration de cluster",
|
"deployCluster.ClusterAdmins": "Groupe d'administration de cluster",
|
||||||
"deployCluster.ClusterUsers": "Utilisateurs du cluster",
|
"deployCluster.ClusterUsers": "Utilisateurs du cluster",
|
||||||
"deployCluster.AppOwners": "App owners",
|
"deployCluster.AppOwners": "Propriétaires d'application",
|
||||||
"deployCluster.AppReaders": "Lecteurs d'application",
|
"deployCluster.AppReaders": "Lecteurs d'application",
|
||||||
"deployCluster.Subdomain": "Subdomain",
|
"deployCluster.Subdomain": "Sous-domaine",
|
||||||
"deployCluster.AccountPrefix": "Account prefix",
|
"deployCluster.AccountPrefix": "Préfixe du compte",
|
||||||
"deployCluster.DomainServiceAccountUserName": "Nom d'utilisateur du compte de service",
|
"deployCluster.DomainServiceAccountUserName": "Nom d'utilisateur du compte de service",
|
||||||
"deployCluster.AzureSettings": "Paramètres Azure",
|
"deployCluster.AzureSettings": "Paramètres Azure",
|
||||||
"deployCluster.SubscriptionId": "ID d'abonnement",
|
"deployCluster.SubscriptionId": "ID d'abonnement",
|
||||||
@@ -502,138 +505,129 @@
|
|||||||
"deployCluster.ConfigParseError": "Le chargement du fichier config a échoué"
|
"deployCluster.ConfigParseError": "Le chargement du fichier config a échoué"
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLVMWizard/deployAzureSQLVMWizardModel": {
|
"dist/ui/deployAzureSQLVMWizard/deployAzureSQLVMWizardModel": {
|
||||||
"sqlVMDeploymentWizard.PasswordLengthError": "Password must be between 12 and 123 characters long.",
|
"sqlVMDeploymentWizard.PasswordLengthError": "Le mot de passe doit avoir entre 12 et 123 caractères.",
|
||||||
"sqlVMDeploymentWizard.PasswordSpecialCharRequirementError": "Password must have 3 of the following: 1 lower case character, 1 upper case character, 1 number, and 1 special character."
|
"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": {
|
"dist/ui/deployAzureSQLVMWizard/pages/vmSettingsPage": {
|
||||||
"deployAzureSQLVM.VnameLengthError": "Virtual machine name must be between 1 and 15 characters long.",
|
"deployAzureSQLVM.VnameLengthError": "Le nom de machine virtuelle doit avoir entre 1 et 15 caractères.",
|
||||||
"deployAzureSQLVM.VNameOnlyNumericNameError": "Virtual machine name cannot contain only numbers.",
|
"deployAzureSQLVM.VNameOnlyNumericNameError": "Le nom de la machine virtuelle ne peut pas contenir uniquement des chiffres.",
|
||||||
"deployAzureSQLVM.VNamePrefixSuffixError": "Virtual machine name Can't start with underscore. Can't end with period or hyphen",
|
"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": "Virtual machine name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .",
|
"deployAzureSQLVM.VNameSpecialCharError": "Le nom de machine virtuelle ne peut pas contenir les caractères spéciaux \\/\"\"[]:|<>+=;,?*@&, .",
|
||||||
"deployAzureSQLVM.VNameExistsError": "Virtual machine name must be unique in the current resource group.",
|
"deployAzureSQLVM.VNameExistsError": "Le nom de la machine virtuelle doit être unique dans le groupe de ressources actuel.",
|
||||||
"deployAzureSQLVM.VMUsernameLengthError": "Username must be between 1 and 20 characters long.",
|
"deployAzureSQLVM.VMUsernameLengthError": "Le nom d'utilisateur doit avoir entre 1 et 20 caractères.",
|
||||||
"deployAzureSQLVM.VMUsernameSuffixError": "Username cannot end with period",
|
"deployAzureSQLVM.VMUsernameSuffixError": "Le nom d'utilisateur ne peut pas se terminer par un point",
|
||||||
"deployAzureSQLVM.VMUsernameSpecialCharError": "Username cannot contain special characters \\/\"\"[]:|<>+=;,?*@& .",
|
"deployAzureSQLVM.VMUsernameSpecialCharError": "Le nom d'utilisateur ne peut pas contenir les caractères spéciaux \\/\"\"[]:|<>+=;,?*@& .",
|
||||||
"deployAzureSQLVM.VMUsernameReservedWordsError": "Username must not include reserved words.",
|
"deployAzureSQLVM.VMUsernameReservedWordsError": "Les noms d'utilisateur ne doivent pas comprendre de mots réservés.",
|
||||||
"deployAzureSQLVM.VMConfirmPasswordError": "Password and confirm password must match.",
|
"deployAzureSQLVM.VMConfirmPasswordError": "Les champs de mot de passe et de confirmation du mot de passe doivent correspondre.",
|
||||||
"deployAzureSQLVM.vmDropdownSizeError": "Select a valid virtual machine size."
|
"deployAzureSQLVM.vmDropdownSizeError": "Sélectionnez une taille de machine virtuelle valide."
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLVMWizard/pages/networkSettingsPage": {
|
"dist/ui/deployAzureSQLVMWizard/pages/networkSettingsPage": {
|
||||||
"deployAzureSQLVM.NewVnetPlaceholder": "Enter name for new virtual network",
|
"deployAzureSQLVM.NewVnetPlaceholder": "Entrer un nom pour le nouveau réseau virtuel",
|
||||||
"deployAzureSQLVM.NewSubnetPlaceholder": "Enter name for new subnet",
|
"deployAzureSQLVM.NewSubnetPlaceholder": "Entrer un nom pour le nouveau sous-réseau",
|
||||||
"deployAzureSQLVM.NewPipPlaceholder": "Enter name for new public IP",
|
"deployAzureSQLVM.NewPipPlaceholder": "Entrer un nom pour la nouvelle IP publique",
|
||||||
"deployAzureSQLVM.VnetNameLengthError": "Virtual Network name must be between 2 and 64 characters long",
|
"deployAzureSQLVM.VnetNameLengthError": "Le nom de réseau virtuel doit avoir entre 2 et 64 caractères",
|
||||||
"deployAzureSQLVM.NewVnetError": "Create a new virtual network",
|
"deployAzureSQLVM.NewVnetError": "Créer un réseau virtuel",
|
||||||
"deployAzureSQLVM.SubnetNameLengthError": "Subnet name must be between 1 and 80 characters long",
|
"deployAzureSQLVM.SubnetNameLengthError": "Le nom de sous-réseau doit avoir entre 1 et 80 caractères",
|
||||||
"deployAzureSQLVM.NewSubnetError": "Create a new sub network",
|
"deployAzureSQLVM.NewSubnetError": "Créer un sous-réseau",
|
||||||
"deployAzureSQLVM.PipNameError": "Public IP name must be between 1 and 80 characters long",
|
"deployAzureSQLVM.PipNameError": "Le nom d'IP publique doit avoir entre 1 et 80 caractères",
|
||||||
"deployAzureSQLVM.NewPipError": "Create a new new public Ip"
|
"deployAzureSQLVM.NewPipError": "Créer une IP publique"
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLVMWizard/pages/sqlServerSettingsPage": {
|
"dist/ui/deployAzureSQLVMWizard/pages/sqlServerSettingsPage": {
|
||||||
"deployAzureSQLVM.PrivateConnectivityDropdownOptionDefault": "Private (within Virtual Network)",
|
"deployAzureSQLVM.PrivateConnectivityDropdownOptionDefault": "Privé (dans un réseau virtuel)",
|
||||||
"deployAzureSQLVM.LocalConnectivityDropdownOption": "Local (inside VM only)",
|
"deployAzureSQLVM.LocalConnectivityDropdownOption": "Local (sur la machine virtuelle uniquement)",
|
||||||
"deployAzureSQLVM.PublicConnectivityDropdownOption": "Public (Internet)",
|
"deployAzureSQLVM.PublicConnectivityDropdownOption": "Public (Internet)",
|
||||||
"deployAzureSQLVM.SqlUsernameLengthError": "Username must be between 2 and 128 characters long.",
|
"deployAzureSQLVM.SqlUsernameLengthError": "Le nom d'utilisateur doit avoir entre 2 et 128 caractères.",
|
||||||
"deployAzureSQLVM.SqlUsernameSpecialCharError": "Username cannot contain special characters \\/\"\"[]:|<>+=;,?* .",
|
"deployAzureSQLVM.SqlUsernameSpecialCharError": "Le nom d'utilisateur ne peut pas contenir les caractères spéciaux \\/\"\"[]:|<>+=;,?* .",
|
||||||
"deployAzureSQLVM.SqlConfirmPasswordError": "Password and confirm password must match."
|
"deployAzureSQLVM.SqlConfirmPasswordError": "Les champs de mot de passe et de confirmation du mot de passe doivent correspondre."
|
||||||
},
|
},
|
||||||
"dist/ui/notebookWizard/notebookWizardAutoSummaryPage": {
|
"dist/ui/notebookWizard/notebookWizardAutoSummaryPage": {
|
||||||
"notebookWizard.autoSummaryPageTitle": "Review your configuration"
|
"notebookWizard.autoSummaryPageTitle": "Vérifier votre configuration"
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLDBWizard/pages/databaseSettingsPage": {
|
"dist/ui/deployAzureSQLDBWizard/pages/databaseSettingsPage": {
|
||||||
"deployAzureSQLDB.DBMinIpInvalidError": "Min Ip address is invalid",
|
"deployAzureSQLDB.DBMinIpInvalidError": "L'adresse IP min. n'est pas valide",
|
||||||
"deployAzureSQLDB.DBMaxIpInvalidError": "Max Ip address is invalid",
|
"deployAzureSQLDB.DBMaxIpInvalidError": "L'adresse IP max. n'est pas valide",
|
||||||
"deployAzureSQLDB.DBFirewallOnlyNumericNameError": "Firewall name cannot contain only numbers.",
|
"deployAzureSQLDB.DBFirewallOnlyNumericNameError": "Le nom de pare-feu ne peut pas contenir seulement des nombres.",
|
||||||
"deployAzureSQLDB.DBFirewallLengthError": "Firewall name must be between 1 and 100 characters long.",
|
"deployAzureSQLDB.DBFirewallLengthError": "Le nom de pare-feu doit avoir entre 1 et 100 caractères.",
|
||||||
"deployAzureSQLDB.DBFirewallSpecialCharError": "Firewall name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .",
|
"deployAzureSQLDB.DBFirewallSpecialCharError": "Le nom de pare-feu ne peut pas contenir les caractères spéciaux \\/\"\"[]:|<>+=;,?*@&, .",
|
||||||
"deployAzureSQLDB.DBFirewallUpperCaseError": "Upper case letters are not allowed for firewall name",
|
"deployAzureSQLDB.DBFirewallUpperCaseError": "Les lettres majuscules ne sont pas autorisées dans le nom de pare-feu",
|
||||||
"deployAzureSQLDB.DBNameOnlyNumericNameError": "Database name cannot contain only numbers.",
|
"deployAzureSQLDB.DBNameOnlyNumericNameError": "Le nom de base de données ne peut pas contenir seulement des nombres.",
|
||||||
"deployAzureSQLDB.DBNameLengthError": "Database name must be between 1 and 100 characters long.",
|
"deployAzureSQLDB.DBNameLengthError": "Le nom de base de données doit avoir entre 1 et 100 caractères.",
|
||||||
"deployAzureSQLDB.DBNameSpecialCharError": "Database name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .",
|
"deployAzureSQLDB.DBNameSpecialCharError": "Le nom de base de données ne peut pas contenir les caractères spéciaux \\/\"\"[]:|<>+=;,?*@&, .",
|
||||||
"deployAzureSQLDB.DBNameExistsError": "Database name must be unique in the current server.",
|
"deployAzureSQLDB.DBNameExistsError": "Le nom de base de données doit être unique dans le serveur actuel.",
|
||||||
"deployAzureSQLDB.DBCollationOnlyNumericNameError": "Collation name cannot contain only numbers.",
|
"deployAzureSQLDB.DBCollationOnlyNumericNameError": "Le nom de classement ne peut pas contenir seulement des nombres.",
|
||||||
"deployAzureSQLDB.DBCollationLengthError": "Collation name must be between 1 and 100 characters long.",
|
"deployAzureSQLDB.DBCollationLengthError": "Le nom de classement doit avoir entre 1 et 100 caractères.",
|
||||||
"deployAzureSQLDB.DBCollationSpecialCharError": "Collation name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, ."
|
"deployAzureSQLDB.DBCollationSpecialCharError": "Le nom de classement ne peut pas contenir les caractères spéciaux \\/\"\"[]:|<>+=;,?*@&, ."
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLDBWizard/pages/azureSettingsPage": {
|
"dist/ui/deployAzureSQLDBWizard/pages/azureSettingsPage": {
|
||||||
"deployAzureSQLDB.azureSignInError": "Sign in to an Azure account first",
|
"deployAzureSQLDB.azureSignInError": "Se connecter d'abord à un compte Azure",
|
||||||
"deployAzureSQLDB.NoServerLabel": "No servers found",
|
"deployAzureSQLDB.NoServerLabel": "Aucun serveur",
|
||||||
"deployAzureSQLDB.NoServerError": "No servers found in current subscription.\r\nSelect a different subscription containing at least one server"
|
"deployAzureSQLDB.NoServerError": "Aucun serveur dans l'abonnement actuel.\r\nSélectionnez un autre abonnement contenant au moins un serveur"
|
||||||
},
|
},
|
||||||
"dist/ui/toolsAndEulaSettingsPage": {
|
"dist/ui/toolsAndEulaSettingsPage": {
|
||||||
"notebookWizard.toolsAndEulaPageTitle": "Deployment pre-requisites",
|
"notebookWizard.toolsAndEulaPageTitle": "Prérequis de déploiement",
|
||||||
"deploymentDialog.FailedEulaValidation": "To proceed, you must accept the terms of the End User License Agreement(EULA)",
|
"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.FailedToolsInstallation": "Some tools were still not discovered. Please make sure that they are installed, running and discoverable",
|
"deploymentDialog.FailedEulaValidation": "Pour continuer, vous devez accepter les conditions du contrat de licence utilisateur final (CLUF).",
|
||||||
"deploymentDialog.loadingRequiredToolsCompleted": "Loading required tools information completed",
|
"deploymentDialog.loadingRequiredToolsCompleted": "Les informations d'outils nécessaires ont été téléchargées",
|
||||||
"deploymentDialog.loadingRequiredTools": "Loading required tools information",
|
"deploymentDialog.loadingRequiredTools": "Chargement des informations d'outils nécessaires",
|
||||||
"resourceDeployment.AgreementTitle": "Accept terms of use",
|
"resourceDeployment.AgreementTitle": "Accepter les conditions d'utilisation",
|
||||||
"deploymentDialog.ToolDoesNotMeetVersionRequirement": "'{0}' [ {1} ] does not meet the minimum version requirement, please uninstall it and restart Azure Data Studio.",
|
"deploymentDialog.ToolDoesNotMeetVersionRequirement": "« {0} » [ {1} ] ne respecte pas la version minimale requise, désinstallez-le et redémarrez Azure Data Studio.",
|
||||||
"deploymentDialog.InstalledTools": "All required tools are installed now.",
|
"deploymentDialog.InstalledTools": "Tous les outils nécessaires sont maintenant installés.",
|
||||||
"deploymentDialog.PendingInstallation": "Following tools: {0} were still not discovered. Please make sure that they are installed, running and discoverable",
|
"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}' 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.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": "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.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": "Tool: {0} is not installed, you can click the \"{1}\" button to install it.",
|
"deploymentDialog.InstallToolsHintOne": "L'outil {0} n'est pas installé, vous pouvez cliquer sur le bouton « {1} » pour l'installer.",
|
||||||
"deploymentDialog.InstallToolsHintMany": "Tools: {0} are not installed, you can click the \"{1}\" button to install them.",
|
"deploymentDialog.InstallToolsHintMany": "Les outils {0} ne sont pas installés, vous pouvez cliquer sur le bouton « {1} » pour les installer.",
|
||||||
"deploymentDialog.NoRequiredTool": "No tools required"
|
"deploymentDialog.NoRequiredTool": "Aucun outil nécessaire"
|
||||||
},
|
},
|
||||||
"dist/ui/pageLessDeploymentModel": {
|
"dist/ui/pageLessDeploymentModel": {
|
||||||
"resourceDeployment.DownloadAndLaunchTaskName": "Download and launch installer, URL: {0}",
|
"resourceDeployment.DownloadAndLaunchTaskName": "Télécharger et lancer le programme d'installation, URL : {0}",
|
||||||
"resourceDeployment.DownloadingText": "Downloading from: {0}",
|
"resourceDeployment.DownloadingText": "Téléchargement à partir de : {0}",
|
||||||
"resourceDeployment.DownloadCompleteText": "Successfully downloaded: {0}",
|
"resourceDeployment.DownloadCompleteText": "{0} a été téléchargé",
|
||||||
"resourceDeployment.LaunchingProgramText": "Launching: {0}",
|
"resourceDeployment.LaunchingProgramText": "Lancement de {0}",
|
||||||
"resourceDeployment.ProgramLaunchedText": "Successfully launched: {0}"
|
"resourceDeployment.ProgramLaunchedText": "{0} a été lancé"
|
||||||
},
|
},
|
||||||
"dist/services/tools/dockerTool": {
|
"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"
|
"resourceDeployment.DockerDisplayName": "docker"
|
||||||
},
|
},
|
||||||
"dist/services/tools/azCliTool": {
|
"dist/services/tools/azCliTool": {
|
||||||
"resourceDeployment.AzCLIDescription": "Manages Azure resources",
|
"resourceDeployment.AzCLIDescription": "Gère les ressources Azure",
|
||||||
"resourceDeployment.AzCLIDisplayName": "Azure CLI",
|
"resourceDeployment.AzCLIDisplayName": "Azure CLI",
|
||||||
"resourceDeployment.AziCli.DeletingPreviousAzureCli.msi": "deleting previously downloaded azurecli.msi if one exists …",
|
"resourceDeployment.AziCli.DeletingPreviousAzureCli.msi": "suppression du fichier azurecli.msi précédemment téléchargé, le cas échéant...",
|
||||||
"resourceDeployment.AziCli.DownloadingAndInstallingAzureCli": "downloading azurecli.msi and installing azure-cli …",
|
"resourceDeployment.AziCli.DownloadingAndInstallingAzureCli": "téléchargement d'azurecli.msi et installation d'azure-cli...",
|
||||||
"resourceDeployment.AziCli.DisplayingInstallationLog": "displaying the installation log …",
|
"resourceDeployment.AziCli.DisplayingInstallationLog": "affichage du journal d'installation...",
|
||||||
"resourceDeployment.AziCli.UpdatingBrewRepository": "updating your brew repository for azure-cli installation …",
|
"resourceDeployment.AziCli.UpdatingBrewRepository": "mise à jour de votre dépôt brew pour l'installation d'azure-cli...",
|
||||||
"resourceDeployment.AziCli.InstallingAzureCli": "installing azure-cli …",
|
"resourceDeployment.AziCli.InstallingAzureCli": "installation d'azure-cli...",
|
||||||
"resourceDeployment.AziCli.AptGetUpdate": "updating repository information before installing azure-cli …",
|
"resourceDeployment.AziCli.AptGetUpdate": "mise à jour des informations de dépôt avant l'installation d'azure-cli...",
|
||||||
"resourceDeployment.AziCli.AptGetPackages": "getting packages needed for azure-cli installation …",
|
"resourceDeployment.AziCli.AptGetPackages": "obtention des packages nécessaires à l'installation d'azure-cli...",
|
||||||
"resourceDeployment.AziCli.DownloadAndInstallingSigningKey": "downloading and installing the signing key for azure-cli …",
|
"resourceDeployment.AziCli.DownloadAndInstallingSigningKey": "téléchargement et installation de la clé de signature pour azure-cli...",
|
||||||
"resourceDeployment.AziCli.AddingAzureCliRepositoryInformation": "adding the azure-cli repository information …",
|
"resourceDeployment.AziCli.AddingAzureCliRepositoryInformation": "ajout des informations du dépôt azure-cli...",
|
||||||
"resourceDeployment.AziCli.AptGetUpdateAgain": "updating repository information again for azure-cli …",
|
"resourceDeployment.AziCli.AptGetUpdateAgain": "remise à jour des informations de dépôt pour azure-cli...",
|
||||||
"resourceDeployment.AziCli.ScriptedInstall": "download and invoking script to install azure-cli …"
|
"resourceDeployment.AziCli.ScriptedInstall": "télécharger et appeler un script pour installer azure-cli..."
|
||||||
},
|
},
|
||||||
"dist/services/tools/azdataTool": {
|
"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",
|
"resourceDeployment.AzdataDisplayName": "Azure Data CLI",
|
||||||
"deployCluster.GetToolVersionErrorInformation": "Error retrieving version information. See output channel '{0}' for more details",
|
"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.GetToolVersionError": "Error retrieving version information.{0}Invalid output received, get version command output: '{1}' ",
|
"deployCluster.GetToolVersionErrorInformation": "Erreur de récupération des informations de version. Voir le canal de sortie « {0} » pour plus de détails",
|
||||||
"resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "deleting previously downloaded Azdata.msi if one exists …",
|
"deployCluster.GetToolVersionError": "Erreur de récupération des informations de version.{0}Sortie non valide reçue, sortie de la commande get version : « {1} » "
|
||||||
"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 …"
|
|
||||||
},
|
},
|
||||||
"dist/services/tools/azdataToolOld": {
|
"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.AzdataDisplayName": "Azure Data CLI",
|
||||||
"resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "deleting previously downloaded Azdata.msi if one exists …",
|
"resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "suppression du fichier Azdata.msi précédemment téléchargé, le cas échéant...",
|
||||||
"resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "downloading Azdata.msi and installing azdata-cli …",
|
"resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "téléchargement d'azdata.msi et installation d'azdata-cli...",
|
||||||
"resourceDeployment.Azdata.DisplayingInstallationLog": "displaying the installation log …",
|
"resourceDeployment.Azdata.DisplayingInstallationLog": "affichage du journal d'installation...",
|
||||||
"resourceDeployment.Azdata.TappingBrewRepository": "tapping into the brew repository for azdata-cli …",
|
"resourceDeployment.Azdata.TappingBrewRepository": "recherche dans le dépôt brew pour azdata-cli...",
|
||||||
"resourceDeployment.Azdata.UpdatingBrewRepository": "updating the brew repository for azdata-cli installation …",
|
"resourceDeployment.Azdata.UpdatingBrewRepository": "mise à jour du dépôt brew pour l'installation d'azdata-cli...",
|
||||||
"resourceDeployment.Azdata.InstallingAzdata": "installing azdata …",
|
"resourceDeployment.Azdata.InstallingAzdata": "installation d'azdata...",
|
||||||
"resourceDeployment.Azdata.AptGetUpdate": "updating repository information …",
|
"resourceDeployment.Azdata.AptGetUpdate": "mise à jour des informations de dépôt...",
|
||||||
"resourceDeployment.Azdata.AptGetPackages": "getting packages needed for azdata installation …",
|
"resourceDeployment.Azdata.AptGetPackages": "obtention des packages nécessaires à l'installation d'azdata...",
|
||||||
"resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "downloading and installing the signing key for azdata …",
|
"resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "téléchargement et installation de la clé de signature pour azdata...",
|
||||||
"resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "adding the azdata repository information …"
|
"resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "ajout des informations du dépôt azdata..."
|
||||||
},
|
},
|
||||||
"dist/ui/resourceTypePickerDialog": {
|
"dist/ui/resourceTypePickerDialog": {
|
||||||
"deploymentDialog.deploymentOptions": "Deployment options"
|
"deploymentDialog.deploymentOptions": "Options de déploiement"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -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.</",
|
||||||
|
"SchemaCompare.Description.DropPermissionsNotInSource": "Spécifie si les autorisations 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 des mises à jour sur une base de données.",
|
||||||
|
"SchemaCompare.Description.DropObjectsNotInSource": "Spécifie si les objets 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. Cette valeur est prioritaire sur DropExtendedProperties.",
|
||||||
|
"SchemaCompare.Description.IgnoreColumnOrder": "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.",
|
||||||
|
"schemaCompare.compareErrorMessage": "Comparer les schémas a échoué : {0}",
|
||||||
|
"schemaCompare.saveScmpErrorMessage": "L'enregistrement de scmp a échoué : '{0}'",
|
||||||
|
"schemaCompare.cancelErrorMessage": "L'annulation de Comparer les schémas a échoué : « {0} »",
|
||||||
|
"schemaCompare.generateScriptErrorMessage": "La génération de script a échoué : '{0}'",
|
||||||
|
"schemaCompare.updateErrorMessage": "Échec d'application de Comparer les schémas « {0} »",
|
||||||
|
"schemaCompare.openScmpErrorMessage": "L'ouverture de scmp a échoué : '{0}'"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
File diff suppressed because it is too large
Load Diff
@@ -2,7 +2,7 @@
|
|||||||
"name": "ads-language-pack-it",
|
"name": "ads-language-pack-it",
|
||||||
"displayName": "Italian Language Pack for Azure Data Studio",
|
"displayName": "Italian Language Pack for Azure Data Studio",
|
||||||
"description": "Language pack extension for Italian",
|
"description": "Language pack extension for Italian",
|
||||||
"version": "1.29.0",
|
"version": "1.31.0",
|
||||||
"publisher": "Microsoft",
|
"publisher": "Microsoft",
|
||||||
"repository": {
|
"repository": {
|
||||||
"type": "git",
|
"type": "git",
|
||||||
@@ -11,7 +11,7 @@
|
|||||||
"license": "SEE SOURCE EULA LICENSE IN LICENSE.txt",
|
"license": "SEE SOURCE EULA LICENSE IN LICENSE.txt",
|
||||||
"engines": {
|
"engines": {
|
||||||
"vscode": "*",
|
"vscode": "*",
|
||||||
"azdata": ">=1.29.0"
|
"azdata": "^0.0.0"
|
||||||
},
|
},
|
||||||
"icon": "languagepack.png",
|
"icon": "languagepack.png",
|
||||||
"categories": [
|
"categories": [
|
||||||
@@ -164,6 +164,14 @@
|
|||||||
"id": "vscode.yaml",
|
"id": "vscode.yaml",
|
||||||
"path": "./translations/extensions/yaml.i18n.json"
|
"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",
|
"id": "Microsoft.azurecore",
|
||||||
"path": "./translations/extensions/azurecore.i18n.json"
|
"path": "./translations/extensions/azurecore.i18n.json"
|
||||||
@@ -172,6 +180,18 @@
|
|||||||
"id": "Microsoft.big-data-cluster",
|
"id": "Microsoft.big-data-cluster",
|
||||||
"path": "./translations/extensions/big-data-cluster.i18n.json"
|
"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",
|
"id": "Microsoft.sqlservernotebook",
|
||||||
"path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json"
|
"path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json"
|
||||||
@@ -184,9 +204,17 @@
|
|||||||
"id": "Microsoft.notebook",
|
"id": "Microsoft.notebook",
|
||||||
"path": "./translations/extensions/notebook.i18n.json"
|
"path": "./translations/extensions/notebook.i18n.json"
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
"id": "Microsoft.profiler",
|
||||||
|
"path": "./translations/extensions/profiler.i18n.json"
|
||||||
|
},
|
||||||
{
|
{
|
||||||
"id": "Microsoft.resource-deployment",
|
"id": "Microsoft.resource-deployment",
|
||||||
"path": "./translations/extensions/resource-deployment.i18n.json"
|
"path": "./translations/extensions/resource-deployment.i18n.json"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"id": "Microsoft.schema-compare",
|
||||||
|
"path": "./translations/extensions/schema-compare.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}"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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": "<tutti i database>",
|
||||||
|
"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"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -41,6 +41,7 @@
|
|||||||
"dist/azureResource/utils": {
|
"dist/azureResource/utils": {
|
||||||
"azure.resource.error": "Errore: {0}",
|
"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.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.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.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}"
|
"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.azureArcsqlManagedInstance": "Istanza gestita di SQL- Azure Arc",
|
||||||
"azurecore.azureArcService": "Servizio dati - Azure Arc",
|
"azurecore.azureArcService": "Servizio dati - Azure Arc",
|
||||||
"azurecore.sqlServerArc": "SQL Server - 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.unableToOpenAzureLink": "Non è possibile aprire il collegamento, mancano i valori richiesti",
|
||||||
"azure.azureResourcesGridTitle": "Risorse di Azure (anteprima)",
|
"azure.azureResourcesGridTitle": "Risorse di Azure (anteprima)",
|
||||||
"azurecore.invalidAzureAccount": "Account non valido",
|
"azurecore.invalidAzureAccount": "Account non valido",
|
||||||
@@ -141,7 +142,9 @@
|
|||||||
"dist/azureResource/tree/flatAccountTreeNode": {
|
"dist/azureResource/tree/flatAccountTreeNode": {
|
||||||
"azure.resource.tree.accountTreeNode.titleLoading": "{0} - Caricamento...",
|
"azure.resource.tree.accountTreeNode.titleLoading": "{0} - Caricamento...",
|
||||||
"azure.resource.tree.accountTreeNode.title": "{0} ({1}/{2} sottoscrizioni)",
|
"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": {
|
"dist/azureResource/tree/accountNotSignedInTreeNode": {
|
||||||
"azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Accedi ad Azure..."
|
"azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Accedi ad Azure..."
|
||||||
@@ -203,6 +206,9 @@
|
|||||||
"dist/azureResource/providers/kusto/kustoTreeDataProvider": {
|
"dist/azureResource/providers/kusto/kustoTreeDataProvider": {
|
||||||
"azure.resource.providers.KustoContainerLabel": "Cluster di Esplora dati di Azure"
|
"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": {
|
"dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": {
|
||||||
"azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Server di Database di Azure per PostgreSQL"
|
"azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Server di Database di Azure per PostgreSQL"
|
||||||
},
|
},
|
||||||
|
|||||||
@@ -201,4 +201,4 @@
|
|||||||
"bdc.controllerTreeDataProvider.error": "Errore imprevisto durante il caricamento dei controller salvati: {0}"
|
"bdc.controllerTreeDataProvider.error": "Errore imprevisto durante il caricamento dei controller salvati: {0}"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
146
i18n/ads-language-pack-it/translations/extensions/cms.i18n.json
Normal file
146
i18n/ads-language-pack-it/translations/extensions/cms.i18n.json
Normal file
@@ -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"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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}'"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -14,6 +14,8 @@
|
|||||||
"notebook.configuration.title": "Configurazione di Notebook",
|
"notebook.configuration.title": "Configurazione di Notebook",
|
||||||
"notebook.pythonPath.description": "Percorso locale dell'installazione di Python usata da Notebooks.",
|
"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.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.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.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.",
|
"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.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.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.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.new": "Nuovo notebook",
|
||||||
"notebook.command.open": "Apri notebook",
|
"notebook.command.open": "Apri notebook",
|
||||||
"notebook.analyzeJupyterNotebook": "Analizza in Notebook",
|
"notebook.analyzeJupyterNotebook": "Analizza in Notebook",
|
||||||
@@ -43,18 +46,21 @@
|
|||||||
"title.managePackages": "Gestisci pacchetti",
|
"title.managePackages": "Gestisci pacchetti",
|
||||||
"title.SQL19PreviewBook": "Guida di SQL Server 2019",
|
"title.SQL19PreviewBook": "Guida di SQL Server 2019",
|
||||||
"books-preview-category": "Book di Jupyter",
|
"books-preview-category": "Book di Jupyter",
|
||||||
"title.saveJupyterBook": "Salva book",
|
"title.saveJupyterBook": "Salva il Jupyter Book",
|
||||||
"title.trustBook": "Considera attendibile il libro",
|
"title.trustBook": "Jupyter Book attendibile",
|
||||||
"title.searchJupyterBook": "Cerca nel book",
|
"title.searchJupyterBook": "Cerca nel Jupyter Book",
|
||||||
"title.SavedBooks": "Notebook",
|
"title.SavedBooks": "Notebook",
|
||||||
"title.ProvidedBooks": "Libri forniti",
|
"title.ProvidedBooks": "Jupyter Book disponibili",
|
||||||
"title.PinnedBooks": "Notebook aggiunti",
|
"title.PinnedBooks": "Notebook aggiunti",
|
||||||
"title.PreviewLocalizedBook": "Ottieni la Guida localizzata di SQL Server 2019",
|
"title.PreviewLocalizedBook": "Ottieni la Guida localizzata di SQL Server 2019",
|
||||||
"title.openJupyterBook": "Apri libro Jupyter",
|
"title.openJupyterBook": "Apri libro Jupyter",
|
||||||
"title.closeJupyterBook": "Chiudi 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.revealInBooksViewlet": "Visualizza nei libri",
|
||||||
"title.createJupyterBook": "Crea libro (anteprima)",
|
"title.createJupyterBook": "Crea Jupyter Book",
|
||||||
"title.openNotebookFolder": "Apri notebook nella cartella",
|
"title.openNotebookFolder": "Apri notebook nella cartella",
|
||||||
"title.openRemoteJupyterBook": "Aggiungi libro remoto Jupyter",
|
"title.openRemoteJupyterBook": "Aggiungi libro remoto Jupyter",
|
||||||
"title.pinNotebook": "Aggiungi notebook",
|
"title.pinNotebook": "Aggiungi notebook",
|
||||||
@@ -77,74 +83,84 @@
|
|||||||
"providerNotValidError": "I provider non MSSQL non sono supportati per i kernel Spark.",
|
"providerNotValidError": "I provider non MSSQL non sono supportati per i kernel Spark.",
|
||||||
"allFiles": "Tutti i file",
|
"allFiles": "Tutti i file",
|
||||||
"labelSelectFolder": "Seleziona cartella",
|
"labelSelectFolder": "Seleziona cartella",
|
||||||
"labelBookFolder": "Seleziona libro",
|
"labelBookFolder": "Seleziona Jupyter Book",
|
||||||
"confirmReplace": "La cartella esiste già. Eliminarla e sostituirla?",
|
"confirmReplace": "La cartella esiste già. Eliminarla e sostituirla?",
|
||||||
"openNotebookCommand": "Apri notebook",
|
"openNotebookCommand": "Apri notebook",
|
||||||
"openMarkdownCommand": "Apri Markdown",
|
"openMarkdownCommand": "Apri Markdown",
|
||||||
"openExternalLinkCommand": "Apri collegamento esterno",
|
"openExternalLinkCommand": "Apri collegamento esterno",
|
||||||
"msgBookTrusted": "Il libro è considerato attendibile nell'area di lavoro.",
|
"msgBookTrusted": "Jupyter Book è ora considerato attendibile nell'area di lavoro.",
|
||||||
"msgBookAlreadyTrusted": "Il libro è già considerato attendibile in questa area di lavoro.",
|
"msgBookAlreadyTrusted": "Il Book è già considerato attendibile in questa area di lavoro.",
|
||||||
"msgBookUntrusted": "Il libro non è più considerato attendibile in questa area di lavoro",
|
"msgBookUntrusted": "Il Book non è più considerato attendibile in questa area di lavoro",
|
||||||
"msgBookAlreadyUntrusted": "Il libro è già considerato non attendibile in questa area di lavoro.",
|
"msgBookAlreadyUntrusted": "Il Book è già considerato non attendibile in questa area di lavoro.",
|
||||||
"msgBookPinned": "Il libro {0} è stato aggiunto nell'area di lavoro.",
|
"msgBookPinned": "Il Book {0} è stato aggiunto nell'area di lavoro.",
|
||||||
"msgBookUnpinned": "Il libro {0} è stato rimosso da questa area di lavoro",
|
"msgBookUnpinned": "Il Book {0} è stato rimosso da questa area di lavoro",
|
||||||
"bookInitializeFailed": "Non è stato possibile trovare un file del sommario nel libro specificato.",
|
"bookInitializeFailed": "Non è stato possibile trovare un file del sommario nel Book specificato.",
|
||||||
"noBooksSelected": "Nessun libro è attualmente selezionato nel viewlet.",
|
"noBooksSelected": "Nessun Book è attualmente selezionato nel viewlet.",
|
||||||
"labelBookSection": "Seleziona sezione del libro",
|
"labelBookSection": "Seleziona la sezione Jupyter Book",
|
||||||
"labelAddToLevel": "Aggiungi a questo livello",
|
"labelAddToLevel": "Aggiungi a questo livello",
|
||||||
"missingFileError": "File mancante: {0} da {1}",
|
"missingFileError": "File mancante: {0} da {1}",
|
||||||
"InvalidError.tocFile": "File toc non valido",
|
"InvalidError.tocFile": "File toc non valido",
|
||||||
"Invalid toc.yml": "Errore: {0} include un file toc.yml non corretto",
|
"Invalid toc.yml": "Errore: {0} include un file toc.yml non corretto",
|
||||||
"configFileError": "File di configurazione mancante",
|
"configFileError": "File di configurazione mancante",
|
||||||
"openBookError": "L'apertura del book {0} non è riuscita: {1}",
|
"openBookError": "Apertura Jupyter Book {0} non riuscita: {1}",
|
||||||
"readBookError": "Non è stato possibile leggere il libro {0}: {1}",
|
"readBookError": "Non è possibile leggere Jupyter Book {0}: {1}",
|
||||||
"openNotebookError": "L'apertura del notebook {0} non è riuscita: {1}",
|
"openNotebookError": "L'apertura del notebook {0} non è riuscita: {1}",
|
||||||
"openMarkdownError": "L'apertura del markdown {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}",
|
"openUntitledNotebookError": "L'apertura del notebook senza titolo {0} come senza titolo non è riuscita: {1}",
|
||||||
"openExternalLinkError": "L'apertura del collegamento {0} 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.",
|
"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}",
|
"editBookError": "Errore durante la modifica del Book {0}: {1}",
|
||||||
"selectBookError": "Si è verificato un errore durante la selezione di un libro o di una sezione da modificare: {0}",
|
"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",
|
"url": "URL",
|
||||||
"repoUrl": "URL del repository",
|
"repoUrl": "URL del repository",
|
||||||
"location": "Posizione",
|
"location": "Posizione",
|
||||||
"addRemoteBook": "Aggiungi libro remoto",
|
"addRemoteBook": "Aggiungi libro remoto Jupyter",
|
||||||
"onGitHub": "GitHub",
|
"onGitHub": "GitHub",
|
||||||
"onsharedFile": "File condiviso",
|
"onsharedFile": "File condiviso",
|
||||||
"releases": "Versioni",
|
"releases": "Versioni",
|
||||||
"book": "Libro",
|
"book": "Jupyter Book",
|
||||||
"version": "Versione",
|
"version": "Versione",
|
||||||
"language": "Lingua",
|
"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",
|
"urlGithubError": "L'URL specificato non è un URL di una versione di GitHub",
|
||||||
"search": "Cerca",
|
"search": "Cerca",
|
||||||
"add": "Aggiungi",
|
"add": "Aggiungi",
|
||||||
"close": "Chiudi",
|
"close": "Chiudi",
|
||||||
"invalidTextPlaceholder": "-",
|
"invalidTextPlaceholder": "-",
|
||||||
"msgRemoteBookDownloadProgress": "Il download del libro remoto è in corso",
|
"msgRemoteBookDownloadProgress": "È in corso il download remoto del Jupyter Book",
|
||||||
"msgRemoteBookDownloadComplete": "Il download del libro remoto è stato completato",
|
"msgRemoteBookDownloadComplete": "Download remoto del Jupyter Book completato",
|
||||||
"msgRemoteBookDownloadError": "Si è verificato un errore durante il download del libro remoto",
|
"msgRemoteBookDownloadError": "Errore durante il download remoto di Jupyter Book",
|
||||||
"msgRemoteBookUnpackingError": "Si è verificato un errore durante la decompressione del libro remoto",
|
"msgRemoteBookUnpackingError": "Errore durante la decompressione del Jupyter Book remoto",
|
||||||
"msgRemoteBookDirectoryError": "Si è verificato un errore durante la creazione della directory del libro remoto",
|
"msgRemoteBookDirectoryError": "Si è verificato un errore durante la creazione della directory del Book remoto",
|
||||||
"msgTaskName": "Download del libro remoto",
|
"msgTaskName": "Download del Jupyter Book remoto",
|
||||||
"msgResourceNotFound": "Risorsa non trovata",
|
"msgResourceNotFound": "Risorsa non trovata",
|
||||||
"msgBookNotFound": "Libri non trovati",
|
"msgBookNotFound": "Jupyter Book non trovati",
|
||||||
"msgReleaseNotFound": "Versioni non trovate",
|
"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}",
|
"httpRequestError": "La richiesta HTTP non è riuscita con errore: {0} {1}",
|
||||||
"msgDownloadLocation": "Download di {0}",
|
"msgDownloadLocation": "Download di {0}",
|
||||||
"newGroup": "Nuovo gruppo",
|
"newBook": "Nuovo libro Jupyter (anteprima)",
|
||||||
"groupDescription": "I gruppi vengono usati per organizzare i notebook.",
|
"bookDescription": "I libri Jupyter vengono usati per organizzare i blocchi appunti.",
|
||||||
"locationBrowser": "Sfoglia posizioni...",
|
"learnMore": "Altre informazioni.",
|
||||||
"selectContentFolder": "Seleziona cartella del contenuto",
|
"contentFolder": "Cartella del contenuto",
|
||||||
"browse": "Sfoglia",
|
"browse": "Sfoglia",
|
||||||
"create": "Crea",
|
"create": "Crea",
|
||||||
"name": "Nome",
|
"name": "Nome",
|
||||||
"saveLocation": "Salva posizione",
|
"saveLocation": "Salva posizione",
|
||||||
"contentFolder": "Cartella del contenuto (facoltativo)",
|
"contentFolderOptional": "Cartella del contenuto (facoltativo)",
|
||||||
"msgContentFolderError": "Il percorso della cartella del contenuto non esiste",
|
"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": {
|
"dist/jupyter/jupyterServerInstallation": {
|
||||||
"msgInstallPkgProgress": "L'installazione delle dipendenze di Notebook è in corso",
|
"msgInstallPkgProgress": "L'installazione delle dipendenze di Notebook è in corso",
|
||||||
@@ -159,10 +175,16 @@
|
|||||||
"msgInstallPkgFinish": "L'installazione delle dipendenze di Notebook è stata completata",
|
"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.",
|
"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.",
|
"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}",
|
"msgDependenciesInstallationFailed": "L'installazione delle dipendenze di Notebook non è riuscita. Errore: {0}",
|
||||||
"msgDownloadPython": "Download della versione locale di Python per la piattaforma {0} in {1}",
|
"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}",
|
"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": {
|
"dist/dialog/configurePython/configurePythonWizard": {
|
||||||
"configurePython.okButtonText": "Installa",
|
"configurePython.okButtonText": "Installa",
|
||||||
@@ -270,7 +292,7 @@
|
|||||||
},
|
},
|
||||||
"dist/protocol/notebookUriHandler": {
|
"dist/protocol/notebookUriHandler": {
|
||||||
"notebook.unsupportedAction": "L'azione {0} non è supportata per questo gestore",
|
"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.confirmOpen": "Scaricare e aprire '{0}'?",
|
||||||
"notebook.fileNotFound": "Non è stato possibile trovare il file specificato",
|
"notebook.fileNotFound": "Non è stato possibile trovare il file specificato",
|
||||||
"notebook.fileDownloadError": "La richiesta di apertura file non è riuscita. Errore: {0} {1}"
|
"notebook.fileDownloadError": "La richiesta di apertura file non è riuscita. Errore: {0} {1}"
|
||||||
|
|||||||
@@ -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"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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.",
|
"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",
|
"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",
|
"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.title": "Seleziona le opzioni di distribuzione",
|
||||||
"resourceTypePickerDialog.resourceSearchPlaceholder": "Filtra risorse...",
|
"resourceTypePickerDialog.resourceSearchPlaceholder": "Filtra risorse...",
|
||||||
"resourceTypePickerDialog.tagsListViewTitle": "Categorie",
|
"resourceTypePickerDialog.tagsListViewTitle": "Categorie",
|
||||||
@@ -264,7 +268,6 @@
|
|||||||
"notebookType": "Tipo di notebook"
|
"notebookType": "Tipo di notebook"
|
||||||
},
|
},
|
||||||
"dist/main": {
|
"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"
|
"resourceDeployment.UnknownResourceType": "Il tipo di risorsa {0} non è definito"
|
||||||
},
|
},
|
||||||
"dist/services/notebookService": {
|
"dist/services/notebookService": {
|
||||||
@@ -562,8 +565,8 @@
|
|||||||
},
|
},
|
||||||
"dist/ui/toolsAndEulaSettingsPage": {
|
"dist/ui/toolsAndEulaSettingsPage": {
|
||||||
"notebookWizard.toolsAndEulaPageTitle": "Prerequisiti di distribuzione",
|
"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.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.loadingRequiredToolsCompleted": "Caricamento delle informazioni sugli strumenti necessari completato",
|
||||||
"deploymentDialog.loadingRequiredTools": "Caricamento delle informazioni sugli strumenti necessari",
|
"deploymentDialog.loadingRequiredTools": "Caricamento delle informazioni sugli strumenti necessari",
|
||||||
"resourceDeployment.AgreementTitle": "Accettare le condizioni per l'utilizzo",
|
"resourceDeployment.AgreementTitle": "Accettare le condizioni per l'utilizzo",
|
||||||
@@ -605,18 +608,9 @@
|
|||||||
"dist/services/tools/azdataTool": {
|
"dist/services/tools/azdataTool": {
|
||||||
"resourceDeployment.AzdataDescription": "Interfaccia della riga di comando di Azure Data",
|
"resourceDeployment.AzdataDescription": "Interfaccia della riga di comando di Azure Data",
|
||||||
"resourceDeployment.AzdataDisplayName": "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.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}' ",
|
"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…"
|
|
||||||
},
|
},
|
||||||
"dist/services/tools/azdataToolOld": {
|
"dist/services/tools/azdataToolOld": {
|
||||||
"resourceDeployment.AzdataDescription": "Interfaccia della riga di comando di Azure Data",
|
"resourceDeployment.AzdataDescription": "Interfaccia della riga di comando di Azure Data",
|
||||||
@@ -636,4 +630,4 @@
|
|||||||
"deploymentDialog.deploymentOptions": "Opzioni di distribuzione"
|
"deploymentDialog.deploymentOptions": "Opzioni di distribuzione"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -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.</",
|
||||||
|
"SchemaCompare.Description.DropPermissionsNotInSource": "Specifica se le autorizzazioni 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.DropObjectsNotInSource": "Specifica se oggetti 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. Questo valore ha precedenza su DropExtendedProperties.",
|
||||||
|
"SchemaCompare.Description.IgnoreColumnOrder": "Specifica se le differenze nell'ordine colonne della tabella devono essere ignorate o aggiornate durante la pubblicazione di un database.",
|
||||||
|
"schemaCompare.compareErrorMessage": "Il confronto schemi non è riuscito: {0}",
|
||||||
|
"schemaCompare.saveScmpErrorMessage": "Il salvataggio del file scmp non è riuscito: '{0}'",
|
||||||
|
"schemaCompare.cancelErrorMessage": "L'annullamento del confronto schemi non è riuscito: '{0}'",
|
||||||
|
"schemaCompare.generateScriptErrorMessage": "La generazione dello script non è riuscita: '{0}'",
|
||||||
|
"schemaCompare.updateErrorMessage": "L'applicazione del confronto schemi non è riuscita: '{0}'",
|
||||||
|
"schemaCompare.openScmpErrorMessage": "L'apertura del file scmp non è riuscita: '{0}'"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
File diff suppressed because it is too large
Load Diff
@@ -2,7 +2,7 @@
|
|||||||
"name": "ads-language-pack-ja",
|
"name": "ads-language-pack-ja",
|
||||||
"displayName": "Japanese Language Pack for Azure Data Studio",
|
"displayName": "Japanese Language Pack for Azure Data Studio",
|
||||||
"description": "Language pack extension for Japanese",
|
"description": "Language pack extension for Japanese",
|
||||||
"version": "1.29.0",
|
"version": "1.31.0",
|
||||||
"publisher": "Microsoft",
|
"publisher": "Microsoft",
|
||||||
"repository": {
|
"repository": {
|
||||||
"type": "git",
|
"type": "git",
|
||||||
@@ -11,7 +11,7 @@
|
|||||||
"license": "SEE SOURCE EULA LICENSE IN LICENSE.txt",
|
"license": "SEE SOURCE EULA LICENSE IN LICENSE.txt",
|
||||||
"engines": {
|
"engines": {
|
||||||
"vscode": "*",
|
"vscode": "*",
|
||||||
"azdata": ">=1.29.0"
|
"azdata": "^0.0.0"
|
||||||
},
|
},
|
||||||
"icon": "languagepack.png",
|
"icon": "languagepack.png",
|
||||||
"categories": [
|
"categories": [
|
||||||
@@ -164,6 +164,14 @@
|
|||||||
"id": "vscode.yaml",
|
"id": "vscode.yaml",
|
||||||
"path": "./translations/extensions/yaml.i18n.json"
|
"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",
|
"id": "Microsoft.azurecore",
|
||||||
"path": "./translations/extensions/azurecore.i18n.json"
|
"path": "./translations/extensions/azurecore.i18n.json"
|
||||||
@@ -172,6 +180,18 @@
|
|||||||
"id": "Microsoft.big-data-cluster",
|
"id": "Microsoft.big-data-cluster",
|
||||||
"path": "./translations/extensions/big-data-cluster.i18n.json"
|
"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",
|
"id": "Microsoft.sqlservernotebook",
|
||||||
"path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json"
|
"path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json"
|
||||||
@@ -184,9 +204,17 @@
|
|||||||
"id": "Microsoft.notebook",
|
"id": "Microsoft.notebook",
|
||||||
"path": "./translations/extensions/notebook.i18n.json"
|
"path": "./translations/extensions/notebook.i18n.json"
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
"id": "Microsoft.profiler",
|
||||||
|
"path": "./translations/extensions/profiler.i18n.json"
|
||||||
|
},
|
||||||
{
|
{
|
||||||
"id": "Microsoft.resource-deployment",
|
"id": "Microsoft.resource-deployment",
|
||||||
"path": "./translations/extensions/resource-deployment.i18n.json"
|
"path": "./translations/extensions/resource-deployment.i18n.json"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"id": "Microsoft.schema-compare",
|
||||||
|
"path": "./translations/extensions/schema-compare.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}"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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}' が正常に作成されました"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -41,6 +41,7 @@
|
|||||||
"dist/azureResource/utils": {
|
"dist/azureResource/utils": {
|
||||||
"azure.resource.error": "エラー: {0}",
|
"azure.resource.error": "エラー: {0}",
|
||||||
"azure.accounts.getResourceGroups.queryError": "アカウント {0} ({1}) サブスクリプション {2} ({3}) テナント {4} のリソース グループの取り込みでエラーが発生しました: {5}",
|
"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.runResourceQuery.errors.invalidQuery": "無効なクエリ",
|
||||||
"azure.accounts.getSubscriptions.queryError": "アカウント {0} テナント {1} のサブスクリプションの取り込みでエラーが発生しました: {2}",
|
"azure.accounts.getSubscriptions.queryError": "アカウント {0} テナント {1} のサブスクリプションの取り込みでエラーが発生しました: {2}",
|
||||||
"azure.accounts.getSelectedSubscriptions.queryError": "アカウント {0} のサブスクリプションの取り込みでエラーが発生しました: {1}"
|
"azure.accounts.getSelectedSubscriptions.queryError": "アカウント {0} のサブスクリプションの取り込みでエラーが発生しました: {1}"
|
||||||
@@ -141,7 +142,9 @@
|
|||||||
"dist/azureResource/tree/flatAccountTreeNode": {
|
"dist/azureResource/tree/flatAccountTreeNode": {
|
||||||
"azure.resource.tree.accountTreeNode.titleLoading": "{0} - 読み込んでいます...",
|
"azure.resource.tree.accountTreeNode.titleLoading": "{0} - 読み込んでいます...",
|
||||||
"azure.resource.tree.accountTreeNode.title": "{0} ({1}/{2} サブスクリプション)",
|
"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": {
|
"dist/azureResource/tree/accountNotSignedInTreeNode": {
|
||||||
"azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Azure にサインイン..."
|
"azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Azure にサインイン..."
|
||||||
@@ -203,6 +206,9 @@
|
|||||||
"dist/azureResource/providers/kusto/kustoTreeDataProvider": {
|
"dist/azureResource/providers/kusto/kustoTreeDataProvider": {
|
||||||
"azure.resource.providers.KustoContainerLabel": "Azure Data Explorer クラスター"
|
"azure.resource.providers.KustoContainerLabel": "Azure Data Explorer クラスター"
|
||||||
},
|
},
|
||||||
|
"dist/azureResource/providers/azuremonitor/azuremonitorTreeDataProvider": {
|
||||||
|
"azure.resource.providers.AzureMonitorContainerLabel": "Azure Monitor Workspace"
|
||||||
|
},
|
||||||
"dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": {
|
"dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": {
|
||||||
"azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Azure Database for PostgreSQL サーバー"
|
"azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Azure Database for PostgreSQL サーバー"
|
||||||
},
|
},
|
||||||
|
|||||||
@@ -50,7 +50,7 @@
|
|||||||
"bdc-data-size-field": "データの容量 (GB)",
|
"bdc-data-size-field": "データの容量 (GB)",
|
||||||
"bdc-log-size-field": "ログの容量 (GB)",
|
"bdc-log-size-field": "ログの容量 (GB)",
|
||||||
"bdc-agreement": "{0}、{1}、{2} に同意します。",
|
"bdc-agreement": "{0}、{1}、{2} に同意します。",
|
||||||
"microsoft-privacy-statement": "Microsoft のプライバシーに関する声明",
|
"microsoft-privacy-statement": "Microsoft プライバシー ステートメント",
|
||||||
"bdc-agreement-azdata-eula": "azdata ライセンス条項",
|
"bdc-agreement-azdata-eula": "azdata ライセンス条項",
|
||||||
"bdc-agreement-bdc-eula": "SQL Server ライセンス条項"
|
"bdc-agreement-bdc-eula": "SQL Server ライセンス条項"
|
||||||
},
|
},
|
||||||
@@ -201,4 +201,4 @@
|
|||||||
"bdc.controllerTreeDataProvider.error": "保存されたコントローラーの読み込み中に予期しないエラーが発生しました: {0}"
|
"bdc.controllerTreeDataProvider.error": "保存されたコントローラーの読み込み中に予期しないエラーが発生しました: {0}"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
146
i18n/ads-language-pack-ja/translations/extensions/cms.i18n.json
Normal file
146
i18n/ads-language-pack-ja/translations/extensions/cms.i18n.json
Normal file
@@ -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": "構成サーバーと同じ名前の共有登録サーバーを追加することはできません"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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}'"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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": "新しいファイルのインポート"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -14,6 +14,8 @@
|
|||||||
"notebook.configuration.title": "Notebook 構成",
|
"notebook.configuration.title": "Notebook 構成",
|
||||||
"notebook.pythonPath.description": "ノートブックで使用される Python インストールへのローカル パス。",
|
"notebook.pythonPath.description": "ノートブックで使用される Python インストールへのローカル パス。",
|
||||||
"notebook.useExistingPython.description": "ノートブックで使用される、以前から存在する Python インストールのローカル パス。",
|
"notebook.useExistingPython.description": "ノートブックで使用される、以前から存在する Python インストールのローカル パス。",
|
||||||
|
"notebook.dontPromptPythonUpdate.description": "Python の更新を確認するメッセージを表示しません。",
|
||||||
|
"notebook.jupyterServerShutdownTimeout.description": "すべてのノートブックが閉じられた後、サーバーをシャットダウンするまでの待機時間 (分)。(シャットダウンしない場合は ”0” を入力してください)",
|
||||||
"notebook.overrideEditorTheming.description": "Notebook エディターの既定の設定をオーバーライドします。設定には、背景色、現在の線の色、境界線が含まれます",
|
"notebook.overrideEditorTheming.description": "Notebook エディターの既定の設定をオーバーライドします。設定には、背景色、現在の線の色、境界線が含まれます",
|
||||||
"notebook.maxTableRows.description": "Notebook エディターでテーブルごとに返される行の最大数",
|
"notebook.maxTableRows.description": "Notebook エディターでテーブルごとに返される行の最大数",
|
||||||
"notebook.trustedBooks.description": "これらのブックに含まれるノートブックは、自動的に信頼されます。",
|
"notebook.trustedBooks.description": "これらのブックに含まれるノートブックは、自動的に信頼されます。",
|
||||||
@@ -21,6 +23,7 @@
|
|||||||
"notebook.collapseBookItems.description": "Notebooks ビューレットのルート レベルでブック項目を折りたたみます",
|
"notebook.collapseBookItems.description": "Notebooks ビューレットのルート レベルでブック項目を折りたたみます",
|
||||||
"notebook.remoteBookDownloadTimeout.description": "GitHub ブックのダウンロードのタイムアウト (ミリ秒)",
|
"notebook.remoteBookDownloadTimeout.description": "GitHub ブックのダウンロードのタイムアウト (ミリ秒)",
|
||||||
"notebook.pinnedNotebooks.description": "ユーザーによって現在のワークスペースにピン留めされているノートブック",
|
"notebook.pinnedNotebooks.description": "ユーザーによって現在のワークスペースにピン留めされているノートブック",
|
||||||
|
"notebook.allowRoot.description": "Allow Jupyter server to run as root user",
|
||||||
"notebook.command.new": "新しいノートブック",
|
"notebook.command.new": "新しいノートブック",
|
||||||
"notebook.command.open": "ノートブックを開く",
|
"notebook.command.open": "ノートブックを開く",
|
||||||
"notebook.analyzeJupyterNotebook": "ノートブックで分析",
|
"notebook.analyzeJupyterNotebook": "ノートブックで分析",
|
||||||
@@ -43,18 +46,21 @@
|
|||||||
"title.managePackages": "パッケージの管理",
|
"title.managePackages": "パッケージの管理",
|
||||||
"title.SQL19PreviewBook": "SQL Server 2019 ガイド",
|
"title.SQL19PreviewBook": "SQL Server 2019 ガイド",
|
||||||
"books-preview-category": "Jupyter ブック",
|
"books-preview-category": "Jupyter ブック",
|
||||||
"title.saveJupyterBook": "ブックの保存",
|
"title.saveJupyterBook": "Jupyter ブックの保存",
|
||||||
"title.trustBook": "信頼ブック",
|
"title.trustBook": "Jupyter ブックの信頼",
|
||||||
"title.searchJupyterBook": "ブックの検索",
|
"title.searchJupyterBook": "Jupyter ブックの検索",
|
||||||
"title.SavedBooks": "ノートブック",
|
"title.SavedBooks": "ノートブック",
|
||||||
"title.ProvidedBooks": "指定されたブック",
|
"title.ProvidedBooks": "提供されている Jupyter ブック",
|
||||||
"title.PinnedBooks": "ピン留めされたノートブック",
|
"title.PinnedBooks": "ピン留めされたノートブック",
|
||||||
"title.PreviewLocalizedBook": "ローカライズ版 SQL Server 2019 ガイドの入手",
|
"title.PreviewLocalizedBook": "ローカライズ版 SQL Server 2019 ガイドの入手",
|
||||||
"title.openJupyterBook": "Jupyter ブックを開く",
|
"title.openJupyterBook": "Jupyter ブックを開く",
|
||||||
"title.closeJupyterBook": "Jupyter ブックを閉じる",
|
"title.closeJupyterBook": "Jupyter ブックを閉じる",
|
||||||
"title.closeJupyterNotebook": "Jupyter Notebook を閉じる",
|
"title.closeNotebook": "ノートブックを閉じる",
|
||||||
|
"title.removeNotebook": "ノートブックの削除",
|
||||||
|
"title.addNotebook": "ノートブックの追加",
|
||||||
|
"title.addMarkdown": "マークダウン ファイルの追加",
|
||||||
"title.revealInBooksViewlet": "ブックで公開する",
|
"title.revealInBooksViewlet": "ブックで公開する",
|
||||||
"title.createJupyterBook": "ブックの作成 (プレビュー)",
|
"title.createJupyterBook": "Jupyter ブックの作成",
|
||||||
"title.openNotebookFolder": "フォルダー内のノートブックを開く",
|
"title.openNotebookFolder": "フォルダー内のノートブックを開く",
|
||||||
"title.openRemoteJupyterBook": "リモート Jupyter ブックの追加",
|
"title.openRemoteJupyterBook": "リモート Jupyter ブックの追加",
|
||||||
"title.pinNotebook": "ノートブックのピン留め",
|
"title.pinNotebook": "ノートブックのピン留め",
|
||||||
@@ -77,74 +83,84 @@
|
|||||||
"providerNotValidError": "MSSQL 以外のプロバイダーは、Spark カーネルでサポートされていません。",
|
"providerNotValidError": "MSSQL 以外のプロバイダーは、Spark カーネルでサポートされていません。",
|
||||||
"allFiles": "すべてのファイル",
|
"allFiles": "すべてのファイル",
|
||||||
"labelSelectFolder": "フォルダーの選択",
|
"labelSelectFolder": "フォルダーの選択",
|
||||||
"labelBookFolder": "ブックの選択",
|
"labelBookFolder": "Jupyter ブックの選択",
|
||||||
"confirmReplace": "フォルダーは既に存在します。このフォルダーを削除して置き換えますか?",
|
"confirmReplace": "フォルダーは既に存在します。このフォルダーを削除して置き換えますか?",
|
||||||
"openNotebookCommand": "ノートブックを開く",
|
"openNotebookCommand": "ノートブックを開く",
|
||||||
"openMarkdownCommand": "マークダウンを開く",
|
"openMarkdownCommand": "マークダウンを開く",
|
||||||
"openExternalLinkCommand": "外部リンクを開く",
|
"openExternalLinkCommand": "外部リンクを開く",
|
||||||
"msgBookTrusted": "ブックはワークスペースで信頼されるようになりました。",
|
"msgBookTrusted": "Jupyter ブックはワークスペースで信頼されるようになりました。",
|
||||||
"msgBookAlreadyTrusted": "ブックはこのワークスペースで既に信頼されています。",
|
"msgBookAlreadyTrusted": "Jupyter ブックはこのワークスペースで既に信頼されています。",
|
||||||
"msgBookUntrusted": "ブックはこのワークスペースで信頼されなくなりました",
|
"msgBookUntrusted": "Jupyter ブックはこのワークスペースで信頼されなくなりました",
|
||||||
"msgBookAlreadyUntrusted": "ブックは既にこのワークスペースで信頼されていません。",
|
"msgBookAlreadyUntrusted": "Jupyter ブックは既にこのワークスペースで信頼されていません。",
|
||||||
"msgBookPinned": "ブック {0} はワークスペースにピン留めされました。",
|
"msgBookPinned": "Jupyter ブック {0} はワークスペースにピン留めされました。",
|
||||||
"msgBookUnpinned": "ブック {0} はこのワークスペースにピン留めされなくなりました",
|
"msgBookUnpinned": "Jupyter ブック {0} はもうこのワークスペースにピン留めされていません",
|
||||||
"bookInitializeFailed": "指定されたブックに目次ファイルが見つかりませんでした。",
|
"bookInitializeFailed": "指定された Jupyter ブックに目次ファイルが見つかりませんでした。",
|
||||||
"noBooksSelected": "ビューレットに現在選択されているブックがありません。",
|
"noBooksSelected": "ビューレットに現在選択されている Jupyter ブックがありません。",
|
||||||
"labelBookSection": "ブック セクションの選択",
|
"labelBookSection": "Jupyter ブックのセクションを選択",
|
||||||
"labelAddToLevel": "このレベルに追加する",
|
"labelAddToLevel": "このレベルに追加する",
|
||||||
"missingFileError": "ファイル {0} が {1} から見つかりません ",
|
"missingFileError": "ファイル {0} が {1} から見つかりません ",
|
||||||
"InvalidError.tocFile": "無効な toc ファイル",
|
"InvalidError.tocFile": "無効な toc ファイル",
|
||||||
"Invalid toc.yml": "エラー: {0} に正しくない toc.yml ファイルがあります",
|
"Invalid toc.yml": "エラー: {0} に正しくない toc.yml ファイルがあります",
|
||||||
"configFileError": "構成ファイルが見つかりません",
|
"configFileError": "構成ファイルが見つかりません",
|
||||||
"openBookError": "ブック {0} を開けませんでした: {1}",
|
"openBookError": "Jupyter ブック {0} を開くことができませんでした: {1}",
|
||||||
"readBookError": "ブック {0} の読み取りに失敗しました: {1}",
|
"readBookError": "Jupyter ブック {0} を読み取ることができませんでした: {1}",
|
||||||
"openNotebookError": "ノートブック {0} を開けませんでした: {1}",
|
"openNotebookError": "ノートブック {0} を開けませんでした: {1}",
|
||||||
"openMarkdownError": "マークダウン {0} を開けませんでした: {1}",
|
"openMarkdownError": "マークダウン {0} を開けませんでした: {1}",
|
||||||
"openUntitledNotebookError": "無題のノートブック {0} を無題として開けませんでした: {1}",
|
"openUntitledNotebookError": "無題のノートブック {0} を無題として開けませんでした: {1}",
|
||||||
"openExternalLinkError": "リンク {0} を開けませんでした。{1}",
|
"openExternalLinkError": "リンク {0} を開けませんでした。{1}",
|
||||||
"closeBookError": "ブック {0} を閉じられませんでした: {1}",
|
"closeBookError": "Jupyter ブック {0} を閉じることができませんでした: {1}",
|
||||||
"duplicateFileError": "ファイル {0} は、ターゲット フォルダー {1} に既に存在しています \r\n データの損失を防ぐために、ファイルの名前が {2} に変更されました。",
|
"duplicateFileError": "ファイル {0} は、ターゲット フォルダー {1} に既に存在しています \r\n データの損失を防ぐために、ファイルの名前が {2} に変更されました。",
|
||||||
"editBookError": "ブック {0} の編集中にエラーが発生しました: {1}",
|
"editBookError": "Jupyter ブック {0} の編集中にエラーが発生しました: {1}",
|
||||||
"selectBookError": "編集するブックまたはセクションの選択中にエラーが発生しました: {0}",
|
"selectBookError": "編集する Jupyter ブックまたはセクションの選択中にエラーが発生しました: {0}",
|
||||||
|
"sectionNotFound": "{1} にセクション {0} が見つかりませんでした。",
|
||||||
"url": "URL",
|
"url": "URL",
|
||||||
"repoUrl": "リポジトリ URL",
|
"repoUrl": "リポジトリ URL",
|
||||||
"location": "場所",
|
"location": "場所",
|
||||||
"addRemoteBook": "リモート ブックの追加",
|
"addRemoteBook": "リモート Jupyter ブックの追加",
|
||||||
"onGitHub": "GitHub",
|
"onGitHub": "GitHub",
|
||||||
"onsharedFile": "共有ファイル",
|
"onsharedFile": "共有ファイル",
|
||||||
"releases": "リリース",
|
"releases": "リリース",
|
||||||
"book": "ブック",
|
"book": "Jupyter ブック",
|
||||||
"version": "バージョン",
|
"version": "バージョン",
|
||||||
"language": "言語",
|
"language": "言語",
|
||||||
"booksNotFound": "指定されたリンクで現在利用可能なブックがありません",
|
"booksNotFound": "指定されたリンクで現在利用可能な Jupyter ブックがありません",
|
||||||
"urlGithubError": "指定された URL は Github リリース URL ではありません",
|
"urlGithubError": "指定された URL は Github リリース URL ではありません",
|
||||||
"search": "検索",
|
"search": "検索",
|
||||||
"add": "追加",
|
"add": "追加",
|
||||||
"close": "閉じる",
|
"close": "閉じる",
|
||||||
"invalidTextPlaceholder": "-",
|
"invalidTextPlaceholder": "-",
|
||||||
"msgRemoteBookDownloadProgress": "リモート ブックのダウンロードが進行中です",
|
"msgRemoteBookDownloadProgress": "リモート Jupyter ブックのダウンロードが進行中です",
|
||||||
"msgRemoteBookDownloadComplete": "リモート ブックのダウンロードが完了しました",
|
"msgRemoteBookDownloadComplete": "リモート Jupyter ブックのダウンロードが完了しました",
|
||||||
"msgRemoteBookDownloadError": "リモート ブックのダウンロード中にエラーが発生しました",
|
"msgRemoteBookDownloadError": "リモート Jupyter ブックのダウンロード中にエラーが発生しました",
|
||||||
"msgRemoteBookUnpackingError": "リモート ブックの圧縮解除中にエラーが発生しました",
|
"msgRemoteBookUnpackingError": "リモート Jupyter ブックの圧縮解除中にエラーが発生しました",
|
||||||
"msgRemoteBookDirectoryError": "リモート ブック ディレクトリの作成中にエラーが発生しました",
|
"msgRemoteBookDirectoryError": "リモート Jupyter ブック ディレクトリの作成中にエラーが発生しました",
|
||||||
"msgTaskName": "リモート ブックをダウンロードしています",
|
"msgTaskName": "リモート Jupyter ブックのダウンロード",
|
||||||
"msgResourceNotFound": "リソースが見つかりません。",
|
"msgResourceNotFound": "リソースが見つかりません。",
|
||||||
"msgBookNotFound": "ブックが見つかりません",
|
"msgBookNotFound": "Jupyter ブックが見つかりません",
|
||||||
"msgReleaseNotFound": "リリースが見つかりません",
|
"msgReleaseNotFound": "リリースが見つかりません",
|
||||||
"msgUndefinedAssetError": "選択したブックは無効です",
|
"msgUndefinedAssetError": "選択した Jupyter ブックは無効です",
|
||||||
"httpRequestError": "HTTP 要求が失敗しました。エラー: {0} {1}",
|
"httpRequestError": "HTTP 要求が失敗しました。エラー: {0} {1}",
|
||||||
"msgDownloadLocation": "{0} にダウンロードしています",
|
"msgDownloadLocation": "{0} にダウンロードしています",
|
||||||
"newGroup": "新しいグループ",
|
"newBook": "新しい Jupyter ブック (プレビュー)",
|
||||||
"groupDescription": "グループは、ノートブックを整理するために使用されます。",
|
"bookDescription": "Jupyter ブックは、ノートブックを整理するために使用されます。",
|
||||||
"locationBrowser": "場所の参照...",
|
"learnMore": "詳細情報。",
|
||||||
"selectContentFolder": "コンテンツ フォルダーの選択",
|
"contentFolder": "コンテンツ フォルダー",
|
||||||
"browse": "参照",
|
"browse": "参照",
|
||||||
"create": "作成",
|
"create": "作成",
|
||||||
"name": "名前",
|
"name": "名前",
|
||||||
"saveLocation": "保存場所",
|
"saveLocation": "保存場所",
|
||||||
"contentFolder": "コンテンツ フォルダー (省略可能)",
|
"contentFolderOptional": "コンテンツ フォルダー (省略可能)",
|
||||||
"msgContentFolderError": "コンテンツ フォルダーのパスが存在しません",
|
"msgContentFolderError": "コンテンツ フォルダーのパスが存在しません",
|
||||||
"msgSaveFolderError": "保存場所のパスが存在しません"
|
"msgSaveFolderError": "保存場所のパスが存在しません。",
|
||||||
|
"msgCreateBookWarningMsg": "アクセスしようとしているときにエラーが発生しました: {0}",
|
||||||
|
"newNotebook": "新しいノートブック (プレビュー)",
|
||||||
|
"newMarkdown": "新しいマークダウン (プレビュー)",
|
||||||
|
"fileExtension": "ファイル拡張子",
|
||||||
|
"confirmOverwrite": "ファイルは既に存在します。このファイルを上書きしますか?",
|
||||||
|
"title": "タイトル",
|
||||||
|
"fileName": "ファイル名",
|
||||||
|
"msgInvalidSaveFolder": "保存場所のパスが無効です。",
|
||||||
|
"msgDuplicadFileName": "移動先のフォルダーにファイル {0} が既に存在します"
|
||||||
},
|
},
|
||||||
"dist/jupyter/jupyterServerInstallation": {
|
"dist/jupyter/jupyterServerInstallation": {
|
||||||
"msgInstallPkgProgress": "Notebook 依存関係のインストールが進行中です",
|
"msgInstallPkgProgress": "Notebook 依存関係のインストールが進行中です",
|
||||||
@@ -159,10 +175,16 @@
|
|||||||
"msgInstallPkgFinish": "Notebook 依存関係のインストールが完了しました",
|
"msgInstallPkgFinish": "Notebook 依存関係のインストールが完了しました",
|
||||||
"msgPythonRunningError": "Python の実行中は、既存の Python インストールを上書きできません。続行する前に、アクティブなノートブックを閉じてください。",
|
"msgPythonRunningError": "Python の実行中は、既存の Python インストールを上書きできません。続行する前に、アクティブなノートブックを閉じてください。",
|
||||||
"msgWaitingForInstall": "別の 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}",
|
"msgDependenciesInstallationFailed": "Notebook 依存関係のインストールに失敗しました。エラー: {0}",
|
||||||
"msgDownloadPython": "{0} から {1} にプラットフォーム用のローカル Python をダウンロードしています",
|
"msgDownloadPython": "{0} から {1} にプラットフォーム用のローカル Python をダウンロードしています",
|
||||||
"msgPackageRetrievalFailed": "インストールされているパッケージの一覧を取得しようとしてエラーが発生しました: {0}",
|
"msgPackageRetrievalFailed": "インストールされているパッケージの一覧を取得しようとしてエラーが発生しました: {0}",
|
||||||
"msgGetPythonUserDirFailed": "Python ユーザー パスの取得時にエラーが発生しました: {0}"
|
"msgGetPythonUserDirFailed": "Python ユーザー パスの取得時にエラーが発生しました: {0}",
|
||||||
|
"yes": "はい",
|
||||||
|
"no": "いいえ",
|
||||||
|
"dontAskAgain": "今後このメッセージを表示しない"
|
||||||
},
|
},
|
||||||
"dist/dialog/configurePython/configurePythonWizard": {
|
"dist/dialog/configurePython/configurePythonWizard": {
|
||||||
"configurePython.okButtonText": "インストール",
|
"configurePython.okButtonText": "インストール",
|
||||||
@@ -270,7 +292,7 @@
|
|||||||
},
|
},
|
||||||
"dist/protocol/notebookUriHandler": {
|
"dist/protocol/notebookUriHandler": {
|
||||||
"notebook.unsupportedAction": "このハンドラーではアクション {0} はサポートされていません",
|
"notebook.unsupportedAction": "このハンドラーではアクション {0} はサポートされていません",
|
||||||
"unsupportedScheme": "HTTP リンクと HTTPS リンクのみがサポートされているため、リンク {0} を開くことができません",
|
"unsupportedScheme": "HTTP、HTTPS、およびファイル リンクのみがサポートされているため、リンク {0} を開けません",
|
||||||
"notebook.confirmOpen": "'{0}' をダウンロードして開きますか?",
|
"notebook.confirmOpen": "'{0}' をダウンロードして開きますか?",
|
||||||
"notebook.fileNotFound": "指定されたファイルが見つかりませんでした",
|
"notebook.fileNotFound": "指定されたファイルが見つかりませんでした",
|
||||||
"notebook.fileDownloadError": "ファイルを開く要求に失敗しました。エラー: {0} {1}"
|
"notebook.fileDownloadError": "ファイルを開く要求に失敗しました。エラー: {0} {1}"
|
||||||
|
|||||||
@@ -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": "セッションを作成できませんでした"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -103,6 +103,10 @@
|
|||||||
"azdataEulaNotAccepted": "デプロイを続行できません。Azure Data CLI ライセンス条項にまだ同意していません。Azure Data CLI を必要とする機能を有効にするには、EULA に同意してください。",
|
"azdataEulaNotAccepted": "デプロイを続行できません。Azure Data CLI ライセンス条項にまだ同意していません。Azure Data CLI を必要とする機能を有効にするには、EULA に同意してください。",
|
||||||
"azdataEulaDeclined": "デプロイを続行できません。Azure Data CLI のライセンス条項が拒否されました。EULA に同意して続行するか、この操作を取り消すことができます",
|
"azdataEulaDeclined": "デプロイを続行できません。Azure Data CLI のライセンス条項が拒否されました。EULA に同意して続行するか、この操作を取り消すことができます",
|
||||||
"deploymentDialog.RecheckEulaButton": "EULA に同意して選択",
|
"deploymentDialog.RecheckEulaButton": "EULA に同意して選択",
|
||||||
|
"resourceDeployment.extensionRequiredPrompt": "このリソースを展開するには、'{0}' の拡張機能が必要です。今すぐインストールしますか?",
|
||||||
|
"resourceDeployment.install": "インストール",
|
||||||
|
"resourceDeployment.installingExtension": "拡張機能 '{0}' をインストールしています...",
|
||||||
|
"resourceDeployment.unknownExtension": "不明な拡張機能 '{0}'",
|
||||||
"resourceTypePickerDialog.title": "デプロイ オプションを選択します",
|
"resourceTypePickerDialog.title": "デプロイ オプションを選択します",
|
||||||
"resourceTypePickerDialog.resourceSearchPlaceholder": "リソースのフィルター...",
|
"resourceTypePickerDialog.resourceSearchPlaceholder": "リソースのフィルター...",
|
||||||
"resourceTypePickerDialog.tagsListViewTitle": "カテゴリ",
|
"resourceTypePickerDialog.tagsListViewTitle": "カテゴリ",
|
||||||
@@ -264,7 +268,6 @@
|
|||||||
"notebookType": "Notebook の種類"
|
"notebookType": "Notebook の種類"
|
||||||
},
|
},
|
||||||
"dist/main": {
|
"dist/main": {
|
||||||
"resourceDeployment.FailedToLoadExtension": "拡張機能を読み込めませんでした: {0}。package.json のリソースの種類の定義でエラーが検出されました。詳しくは、デバッグ コンソールを確認してください。",
|
|
||||||
"resourceDeployment.UnknownResourceType": "リソースの種類: {0} が定義されていません"
|
"resourceDeployment.UnknownResourceType": "リソースの種類: {0} が定義されていません"
|
||||||
},
|
},
|
||||||
"dist/services/notebookService": {
|
"dist/services/notebookService": {
|
||||||
@@ -562,8 +565,8 @@
|
|||||||
},
|
},
|
||||||
"dist/ui/toolsAndEulaSettingsPage": {
|
"dist/ui/toolsAndEulaSettingsPage": {
|
||||||
"notebookWizard.toolsAndEulaPageTitle": "デプロイの前提条件",
|
"notebookWizard.toolsAndEulaPageTitle": "デプロイの前提条件",
|
||||||
"deploymentDialog.FailedEulaValidation": "進めるには、エンド ユーザー使用許諾契約 (EULA) の条件に同意する必要があります。",
|
|
||||||
"deploymentDialog.FailedToolsInstallation": "一部のツールがまだ検出されていません。それらがインストールされており、実行中で検出可能であることを確認してください",
|
"deploymentDialog.FailedToolsInstallation": "一部のツールがまだ検出されていません。それらがインストールされており、実行中で検出可能であることを確認してください",
|
||||||
|
"deploymentDialog.FailedEulaValidation": "進めるには、エンド ユーザー使用許諾契約 (EULA) の条件に同意する必要があります。",
|
||||||
"deploymentDialog.loadingRequiredToolsCompleted": "必要なツール情報の読み込みが完了しました",
|
"deploymentDialog.loadingRequiredToolsCompleted": "必要なツール情報の読み込みが完了しました",
|
||||||
"deploymentDialog.loadingRequiredTools": "必要なツール情報を読み込んでいます",
|
"deploymentDialog.loadingRequiredTools": "必要なツール情報を読み込んでいます",
|
||||||
"resourceDeployment.AgreementTitle": "利用規約に同意する",
|
"resourceDeployment.AgreementTitle": "利用規約に同意する",
|
||||||
@@ -605,18 +608,9 @@
|
|||||||
"dist/services/tools/azdataTool": {
|
"dist/services/tools/azdataTool": {
|
||||||
"resourceDeployment.AzdataDescription": "Azure Data コマンド ライン インターフェイス",
|
"resourceDeployment.AzdataDescription": "Azure Data コマンド ライン インターフェイス",
|
||||||
"resourceDeployment.AzdataDisplayName": "Azure Data CLI",
|
"resourceDeployment.AzdataDisplayName": "Azure Data CLI",
|
||||||
|
"deploy.azdataExtMissing": "このリソースをデプロイするには、Azure Data CLI 拡張機能をインストールする必要があります。拡張機能ギャラリーを使用してインストールしてから、もう一度お試しください。",
|
||||||
"deployCluster.GetToolVersionErrorInformation": "バージョン情報の取得でエラーが発生しました。詳細については、出力チャネル '{0}' を参照してください",
|
"deployCluster.GetToolVersionErrorInformation": "バージョン情報の取得でエラーが発生しました。詳細については、出力チャネル '{0}' を参照してください",
|
||||||
"deployCluster.GetToolVersionError": "バージョン情報の取得でエラーが発生しました。{0}無効な出力を受け取りました。バージョン取得コマンドの出力: '{1}'",
|
"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 リポジトリ情報を追加しています..."
|
|
||||||
},
|
},
|
||||||
"dist/services/tools/azdataToolOld": {
|
"dist/services/tools/azdataToolOld": {
|
||||||
"resourceDeployment.AzdataDescription": "Azure Data コマンド ライン インターフェイス",
|
"resourceDeployment.AzdataDescription": "Azure Data コマンド ライン インターフェイス",
|
||||||
@@ -636,4 +630,4 @@
|
|||||||
"deploymentDialog.deploymentOptions": "デプロイ オプション"
|
"deploymentDialog.deploymentOptions": "デプロイ オプション"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -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) ファイルで定義されていないロール メンバーをターゲット データベースから削除するかを指定します。</",
|
||||||
|
"SchemaCompare.Description.DropPermissionsNotInSource": "データベースに更新を公開するとき、データベース スナップショット (.dacpac) ファイルに存在しない権限をターゲット データベースから削除するかを指定します。",
|
||||||
|
"SchemaCompare.Description.DropObjectsNotInSource": "データベースに公開するとき、データベース スナップショット (.dacpac) ファイルに存在しないオブジェクトをターゲット データベースから削除するかを指定します。この値は DropExtendedProperties よりも優先されます。",
|
||||||
|
"SchemaCompare.Description.IgnoreColumnOrder": "データベースに公開するときに、テーブルの列の順序の違いを無視するか、更新するかを指定します。",
|
||||||
|
"schemaCompare.compareErrorMessage": "Schema Compare に失敗しました: {0}",
|
||||||
|
"schemaCompare.saveScmpErrorMessage": "scmp を保存できませんでした: '{0}'",
|
||||||
|
"schemaCompare.cancelErrorMessage": "スキーマ比較を取り消すことができませんでした: '{0}'",
|
||||||
|
"schemaCompare.generateScriptErrorMessage": "スクリプトを生成できませんでした: '{0}'",
|
||||||
|
"schemaCompare.updateErrorMessage": "Schema Compare を適用できませんでした '{0}'",
|
||||||
|
"schemaCompare.openScmpErrorMessage": "scmp を開くことができませんでした: '{0}'"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
File diff suppressed because it is too large
Load Diff
@@ -2,7 +2,7 @@
|
|||||||
"name": "ads-language-pack-ko",
|
"name": "ads-language-pack-ko",
|
||||||
"displayName": "Korean Language Pack for Azure Data Studio",
|
"displayName": "Korean Language Pack for Azure Data Studio",
|
||||||
"description": "Language pack extension for Korean",
|
"description": "Language pack extension for Korean",
|
||||||
"version": "1.29.0",
|
"version": "1.31.0",
|
||||||
"publisher": "Microsoft",
|
"publisher": "Microsoft",
|
||||||
"repository": {
|
"repository": {
|
||||||
"type": "git",
|
"type": "git",
|
||||||
@@ -11,7 +11,7 @@
|
|||||||
"license": "SEE SOURCE EULA LICENSE IN LICENSE.txt",
|
"license": "SEE SOURCE EULA LICENSE IN LICENSE.txt",
|
||||||
"engines": {
|
"engines": {
|
||||||
"vscode": "*",
|
"vscode": "*",
|
||||||
"azdata": ">=1.29.0"
|
"azdata": "^0.0.0"
|
||||||
},
|
},
|
||||||
"icon": "languagepack.png",
|
"icon": "languagepack.png",
|
||||||
"categories": [
|
"categories": [
|
||||||
@@ -164,6 +164,14 @@
|
|||||||
"id": "vscode.yaml",
|
"id": "vscode.yaml",
|
||||||
"path": "./translations/extensions/yaml.i18n.json"
|
"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",
|
"id": "Microsoft.azurecore",
|
||||||
"path": "./translations/extensions/azurecore.i18n.json"
|
"path": "./translations/extensions/azurecore.i18n.json"
|
||||||
@@ -172,6 +180,18 @@
|
|||||||
"id": "Microsoft.big-data-cluster",
|
"id": "Microsoft.big-data-cluster",
|
||||||
"path": "./translations/extensions/big-data-cluster.i18n.json"
|
"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",
|
"id": "Microsoft.sqlservernotebook",
|
||||||
"path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json"
|
"path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json"
|
||||||
@@ -184,9 +204,17 @@
|
|||||||
"id": "Microsoft.notebook",
|
"id": "Microsoft.notebook",
|
||||||
"path": "./translations/extensions/notebook.i18n.json"
|
"path": "./translations/extensions/notebook.i18n.json"
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
"id": "Microsoft.profiler",
|
||||||
|
"path": "./translations/extensions/profiler.i18n.json"
|
||||||
|
},
|
||||||
{
|
{
|
||||||
"id": "Microsoft.resource-deployment",
|
"id": "Microsoft.resource-deployment",
|
||||||
"path": "./translations/extensions/resource-deployment.i18n.json"
|
"path": "./translations/extensions/resource-deployment.i18n.json"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"id": "Microsoft.schema-compare",
|
||||||
|
"path": "./translations/extensions/schema-compare.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}"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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}'이(가) 생성됨"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -41,6 +41,7 @@
|
|||||||
"dist/azureResource/utils": {
|
"dist/azureResource/utils": {
|
||||||
"azure.resource.error": "오류: {0}",
|
"azure.resource.error": "오류: {0}",
|
||||||
"azure.accounts.getResourceGroups.queryError": "계정 {0}({1}) 구독 {2}({3}) 테넌트 {4}의 리소스 그룹을 가져오는 동안 오류 발생: {5}",
|
"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.runResourceQuery.errors.invalidQuery": "잘못된 쿼리",
|
||||||
"azure.accounts.getSubscriptions.queryError": "계정 {0} 테넌트 {1}의 구독을 가져오는 동안 오류 발생: {2}",
|
"azure.accounts.getSubscriptions.queryError": "계정 {0} 테넌트 {1}의 구독을 가져오는 동안 오류 발생: {2}",
|
||||||
"azure.accounts.getSelectedSubscriptions.queryError": "{0} 계정의 구독을 가져오는 동안 오류 발생: {1}"
|
"azure.accounts.getSelectedSubscriptions.queryError": "{0} 계정의 구독을 가져오는 동안 오류 발생: {1}"
|
||||||
@@ -105,7 +106,7 @@
|
|||||||
"azurecore.azureArcsqlManagedInstance": "SQL 관리형 인스턴스 - Azure Arc",
|
"azurecore.azureArcsqlManagedInstance": "SQL 관리형 인스턴스 - Azure Arc",
|
||||||
"azurecore.azureArcService": "Data Service - Azure Arc",
|
"azurecore.azureArcService": "Data Service - Azure Arc",
|
||||||
"azurecore.sqlServerArc": "SQL Server - Azure Arc",
|
"azurecore.sqlServerArc": "SQL Server - Azure Arc",
|
||||||
"azurecore.azureArcPostgres": "Azure Arc 사용 PostgreSQL 하이퍼스케일",
|
"azurecore.azureArcPostgres": "Azure Arc가 지원되는 PostgreSQL 하이퍼스케일",
|
||||||
"azure.unableToOpenAzureLink": "링크를 열 수 없음, 필요한 값이 없음",
|
"azure.unableToOpenAzureLink": "링크를 열 수 없음, 필요한 값이 없음",
|
||||||
"azure.azureResourcesGridTitle": "Azure 리소스(미리 보기)",
|
"azure.azureResourcesGridTitle": "Azure 리소스(미리 보기)",
|
||||||
"azurecore.invalidAzureAccount": "잘못된 계정",
|
"azurecore.invalidAzureAccount": "잘못된 계정",
|
||||||
@@ -116,7 +117,7 @@
|
|||||||
"azureAuth.unidentifiedError": "Azure 인증에서 식별되지 않은 오류 발생",
|
"azureAuth.unidentifiedError": "Azure 인증에서 식별되지 않은 오류 발생",
|
||||||
"azure.tenantNotFound": "ID가 '{0}'인 지정된 테넌트를 찾을 수 없습니다.",
|
"azure.tenantNotFound": "ID가 '{0}'인 지정된 테넌트를 찾을 수 없습니다.",
|
||||||
"azure.noBaseToken": "인증 관련 오류가 발생했거나 토큰이 시스템에서 삭제되었습니다. 계정을 다시 Azure Data Studio에 추가해 보세요.",
|
"azure.noBaseToken": "인증 관련 오류가 발생했거나 토큰이 시스템에서 삭제되었습니다. 계정을 다시 Azure Data Studio에 추가해 보세요.",
|
||||||
"azure.responseError": "오류로 인해 토큰 검색에 실패했습니다. 개발자 도구를 열어 오류를 확인합니다.",
|
"azure.responseError": "오류로 인해 토큰 검색에 실패했습니다. 개발자 도구를 열어 오류 확인",
|
||||||
"azure.accessTokenEmpty": "Microsoft OAuth에서 반환된 액세스 토큰 없음",
|
"azure.accessTokenEmpty": "Microsoft OAuth에서 반환된 액세스 토큰 없음",
|
||||||
"azure.noUniqueIdentifier": "해당 사용자는 AAD 내에 고유 식별자가 없습니다.",
|
"azure.noUniqueIdentifier": "해당 사용자는 AAD 내에 고유 식별자가 없습니다.",
|
||||||
"azureWorkAccountDisplayName": "회사 또는 학교 계정",
|
"azureWorkAccountDisplayName": "회사 또는 학교 계정",
|
||||||
@@ -141,7 +142,9 @@
|
|||||||
"dist/azureResource/tree/flatAccountTreeNode": {
|
"dist/azureResource/tree/flatAccountTreeNode": {
|
||||||
"azure.resource.tree.accountTreeNode.titleLoading": "{0} - 로드 중...",
|
"azure.resource.tree.accountTreeNode.titleLoading": "{0} - 로드 중...",
|
||||||
"azure.resource.tree.accountTreeNode.title": "{0}({1}/{2}개 구독)",
|
"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": {
|
"dist/azureResource/tree/accountNotSignedInTreeNode": {
|
||||||
"azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Azure에 로그인..."
|
"azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Azure에 로그인..."
|
||||||
@@ -203,6 +206,9 @@
|
|||||||
"dist/azureResource/providers/kusto/kustoTreeDataProvider": {
|
"dist/azureResource/providers/kusto/kustoTreeDataProvider": {
|
||||||
"azure.resource.providers.KustoContainerLabel": "Azure 데이터 탐색기 클러스터"
|
"azure.resource.providers.KustoContainerLabel": "Azure 데이터 탐색기 클러스터"
|
||||||
},
|
},
|
||||||
|
"dist/azureResource/providers/azuremonitor/azuremonitorTreeDataProvider": {
|
||||||
|
"azure.resource.providers.AzureMonitorContainerLabel": "Azure Monitor Workspace"
|
||||||
|
},
|
||||||
"dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": {
|
"dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": {
|
||||||
"azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Azure Database for PostgreSQL 서버"
|
"azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Azure Database for PostgreSQL 서버"
|
||||||
},
|
},
|
||||||
|
|||||||
@@ -11,17 +11,17 @@
|
|||||||
"package": {
|
"package": {
|
||||||
"description": "SQL Server 빅 데이터 클러스터 관리 지원",
|
"description": "SQL Server 빅 데이터 클러스터 관리 지원",
|
||||||
"text.sqlServerBigDataClusters": "SQL Server 빅 데이터 클러스터",
|
"text.sqlServerBigDataClusters": "SQL Server 빅 데이터 클러스터",
|
||||||
"command.connectController.title": "Connect to Existing Controller",
|
"command.connectController.title": "기존 컨트롤러에 연결",
|
||||||
"command.createController.title": "Create New Controller",
|
"command.createController.title": "새 컨트롤러 만들기",
|
||||||
"command.removeController.title": "Remove Controller",
|
"command.removeController.title": "컨트롤러 제거",
|
||||||
"command.refreshController.title": "새로 고침",
|
"command.refreshController.title": "새로 고침",
|
||||||
"command.manageController.title": "관리",
|
"command.manageController.title": "관리",
|
||||||
"command.mount.title": "HDFS 탑재",
|
"command.mount.title": "HDFS 탑재",
|
||||||
"command.refreshmount.title": "탑재 새로 고침",
|
"command.refreshmount.title": "탑재 새로 고침",
|
||||||
"command.deletemount.title": "탑재 삭제",
|
"command.deletemount.title": "탑재 삭제",
|
||||||
"bdc.configuration.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.connect": "등록된 SQL 빅 데이터 클러스터 컨트롤러가 없습니다. [자세한 정보](https://docs.microsoft.com/sql/big-data-cluster/big-data-cluster-overview)\r\n[컨트롤러 연결](command:bigDataClusters.command.connectController)",
|
||||||
"bdc.view.welcome.loading": "Loading controllers...",
|
"bdc.view.welcome.loading": "컨트롤러를 로드하는 중...",
|
||||||
"bdc.ignoreSslVerification.desc": "True인 경우 HDFS, Spark 및 Controller와 같은 SQL Server 빅 데이터 클러스터 엔드포인트를 대상으로 SSL 확인 오류 무시",
|
"bdc.ignoreSslVerification.desc": "True인 경우 HDFS, Spark 및 Controller와 같은 SQL Server 빅 데이터 클러스터 엔드포인트를 대상으로 SSL 확인 오류 무시",
|
||||||
"resource-type-sql-bdc-display-name": "SQL Server 빅 데이터 클러스터",
|
"resource-type-sql-bdc-display-name": "SQL Server 빅 데이터 클러스터",
|
||||||
"resource-type-sql-bdc-description": "SQL Server 빅 데이터 클러스터를 사용하면 Kubernetes에서 실행되는 SQL Server, Spark 및 HDFS 컨테이너의 확장 가능한 클러스터를 배포할 수 있습니다.",
|
"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-new-aks": "새 Azure Kubernetes Service 클러스터",
|
||||||
"bdc-deployment-target-existing-aks": "기존 Azure Kubernetes Service 클러스터",
|
"bdc-deployment-target-existing-aks": "기존 Azure Kubernetes Service 클러스터",
|
||||||
"bdc-deployment-target-existing-kubeadm": "기존 Kubernetes 클러스터(kubeadm)",
|
"bdc-deployment-target-existing-kubeadm": "기존 Kubernetes 클러스터(kubeadm)",
|
||||||
"bdc-deployment-target-existing-aro": "Existing Azure Red Hat OpenShift cluster",
|
"bdc-deployment-target-existing-aro": "기존 Azure Red Hat OpenShift 클러스터",
|
||||||
"bdc-deployment-target-existing-openshift": "Existing OpenShift cluster",
|
"bdc-deployment-target-existing-openshift": "기존 OpenShift 클러스터",
|
||||||
"bdc-cluster-settings-section-title": "SQL Server 빅 데이터 클러스터 설정",
|
"bdc-cluster-settings-section-title": "SQL Server 빅 데이터 클러스터 설정",
|
||||||
"bdc-cluster-name-field": "클러스터 이름",
|
"bdc-cluster-name-field": "클러스터 이름",
|
||||||
"bdc-controller-username-field": "컨트롤러 사용자 이름",
|
"bdc-controller-username-field": "컨트롤러 사용자 이름",
|
||||||
@@ -50,7 +50,7 @@
|
|||||||
"bdc-data-size-field": "데이터 용량(GB)",
|
"bdc-data-size-field": "데이터 용량(GB)",
|
||||||
"bdc-log-size-field": "로그 용량(GB)",
|
"bdc-log-size-field": "로그 용량(GB)",
|
||||||
"bdc-agreement": "{0}, {1} 및 {2}에 동의합니다.",
|
"bdc-agreement": "{0}, {1} 및 {2}에 동의합니다.",
|
||||||
"microsoft-privacy-statement": "Microsoft Privacy Statement",
|
"microsoft-privacy-statement": "Microsoft 개인정보처리방침",
|
||||||
"bdc-agreement-azdata-eula": "azdata 사용 조건",
|
"bdc-agreement-azdata-eula": "azdata 사용 조건",
|
||||||
"bdc-agreement-bdc-eula": "SQL Server 사용 조건"
|
"bdc-agreement-bdc-eula": "SQL Server 사용 조건"
|
||||||
},
|
},
|
||||||
@@ -103,102 +103,102 @@
|
|||||||
"endpointsError": "BDC 엔드포인트를 검색하는 동안 예기치 않은 오류 발생: {0}"
|
"endpointsError": "BDC 엔드포인트를 검색하는 동안 예기치 않은 오류 발생: {0}"
|
||||||
},
|
},
|
||||||
"dist/bigDataCluster/localizedConstants": {
|
"dist/bigDataCluster/localizedConstants": {
|
||||||
"bdc.dashboard.status": "Status Icon",
|
"bdc.dashboard.status": "상태 아이콘",
|
||||||
"bdc.dashboard.instance": "Instance",
|
"bdc.dashboard.instance": "인스턴스",
|
||||||
"bdc.dashboard.state": "State",
|
"bdc.dashboard.state": "상태",
|
||||||
"bdc.dashboard.view": "View",
|
"bdc.dashboard.view": "보기",
|
||||||
"bdc.dashboard.notAvailable": "N/A",
|
"bdc.dashboard.notAvailable": "해당 없음",
|
||||||
"bdc.dashboard.healthStatusDetails": "Health Status Details",
|
"bdc.dashboard.healthStatusDetails": "상태 세부 정보",
|
||||||
"bdc.dashboard.metricsAndLogs": "Metrics and Logs",
|
"bdc.dashboard.metricsAndLogs": "메트릭 및 로그",
|
||||||
"bdc.dashboard.healthStatus": "Health Status",
|
"bdc.dashboard.healthStatus": "상태",
|
||||||
"bdc.dashboard.nodeMetrics": "Node Metrics",
|
"bdc.dashboard.nodeMetrics": "노드 메트릭",
|
||||||
"bdc.dashboard.sqlMetrics": "SQL Metrics",
|
"bdc.dashboard.sqlMetrics": "SQL 메트릭",
|
||||||
"bdc.dashboard.logs": "Logs",
|
"bdc.dashboard.logs": "로그",
|
||||||
"bdc.dashboard.viewNodeMetrics": "View Node Metrics {0}",
|
"bdc.dashboard.viewNodeMetrics": "노드 메트릭 {0} 보기",
|
||||||
"bdc.dashboard.viewSqlMetrics": "View SQL Metrics {0}",
|
"bdc.dashboard.viewSqlMetrics": "SQL 메트릭 {0} 보기",
|
||||||
"bdc.dashboard.viewLogs": "View Kibana Logs {0}",
|
"bdc.dashboard.viewLogs": "Kibana 로그 {0} 보기",
|
||||||
"bdc.dashboard.lastUpdated": "Last Updated : {0}",
|
"bdc.dashboard.lastUpdated": "마지막으로 업데이트한 날짜: {0}",
|
||||||
"basicAuthName": "Basic",
|
"basicAuthName": "기본",
|
||||||
"integratedAuthName": "Windows Authentication",
|
"integratedAuthName": "Windows 인증",
|
||||||
"addNewController": "Add New Controller",
|
"addNewController": "새 컨트롤러 추가",
|
||||||
"url": "URL",
|
"url": "URL",
|
||||||
"username": "Username",
|
"username": "사용자 이름",
|
||||||
"password": "Password",
|
"password": "암호",
|
||||||
"rememberPassword": "Remember Password",
|
"rememberPassword": "암호 저장",
|
||||||
"clusterManagementUrl": "Cluster Management URL",
|
"clusterManagementUrl": "클러스터 관리 URL",
|
||||||
"textAuthCapital": "Authentication type",
|
"textAuthCapital": "인증 유형",
|
||||||
"hdsf.dialog.connection.section": "Cluster Connection",
|
"hdsf.dialog.connection.section": "클러스터 연결",
|
||||||
"add": "Add",
|
"add": "추가",
|
||||||
"cancel": "Cancel",
|
"cancel": "취소",
|
||||||
"ok": "OK",
|
"ok": "확인",
|
||||||
"bdc.dashboard.refresh": "Refresh",
|
"bdc.dashboard.refresh": "새로 고침",
|
||||||
"bdc.dashboard.troubleshoot": "Troubleshoot",
|
"bdc.dashboard.troubleshoot": "문제 해결",
|
||||||
"bdc.dashboard.bdcOverview": "Big Data Cluster overview",
|
"bdc.dashboard.bdcOverview": "빅 데이터 클러스터 개요",
|
||||||
"bdc.dashboard.clusterDetails": "Cluster Details",
|
"bdc.dashboard.clusterDetails": "클러스터 세부 정보",
|
||||||
"bdc.dashboard.clusterOverview": "Cluster Overview",
|
"bdc.dashboard.clusterOverview": "클러스터 개요",
|
||||||
"bdc.dashboard.serviceEndpoints": "Service Endpoints",
|
"bdc.dashboard.serviceEndpoints": "서비스 엔드포인트",
|
||||||
"bdc.dashboard.clusterProperties": "Cluster Properties",
|
"bdc.dashboard.clusterProperties": "클러스터 속성",
|
||||||
"bdc.dashboard.clusterState": "Cluster State",
|
"bdc.dashboard.clusterState": "클러스터 상태",
|
||||||
"bdc.dashboard.serviceName": "Service Name",
|
"bdc.dashboard.serviceName": "서비스 이름",
|
||||||
"bdc.dashboard.service": "Service",
|
"bdc.dashboard.service": "서비스",
|
||||||
"bdc.dashboard.endpoint": "Endpoint",
|
"bdc.dashboard.endpoint": "엔드포인트",
|
||||||
"copiedEndpoint": "Endpoint '{0}' copied to clipboard",
|
"copiedEndpoint": "엔드포인트 '{0}'이(가) 클립보드에 복사됨",
|
||||||
"bdc.dashboard.copy": "Copy",
|
"bdc.dashboard.copy": "복사",
|
||||||
"bdc.dashboard.viewDetails": "View Details",
|
"bdc.dashboard.viewDetails": "세부 정보 보기",
|
||||||
"bdc.dashboard.viewErrorDetails": "View Error Details",
|
"bdc.dashboard.viewErrorDetails": "오류 세부 정보 보기",
|
||||||
"connectController.dialog.title": "Connect to Controller",
|
"connectController.dialog.title": "컨트롤러에 연결",
|
||||||
"mount.main.section": "Mount Configuration",
|
"mount.main.section": "탑재 구성",
|
||||||
"mount.task.name": "Mounting HDFS folder on path {0}",
|
"mount.task.name": "경로 {0}에 HDFS 폴더를 탑재하는 중",
|
||||||
"refreshmount.task.name": "Refreshing HDFS Mount on path {0}",
|
"refreshmount.task.name": "경로 {0}에서 HDFS 탑재를 새로 고치는 중",
|
||||||
"deletemount.task.name": "Deleting HDFS Mount on path {0}",
|
"deletemount.task.name": "경로 {0}에서 HDFS 탑재를 삭제하는 중",
|
||||||
"mount.task.submitted": "Mount creation has started",
|
"mount.task.submitted": "탑재 만들기를 시작했습니다.",
|
||||||
"refreshmount.task.submitted": "Refresh mount request submitted",
|
"refreshmount.task.submitted": "탑재 새로 고침 요청이 제출됨",
|
||||||
"deletemount.task.submitted": "Delete mount request submitted",
|
"deletemount.task.submitted": "탑재 삭제 요청이 제출됨",
|
||||||
"mount.task.complete": "Mounting HDFS folder is complete",
|
"mount.task.complete": "HDFS 폴더 탑재가 완료되었습니다.",
|
||||||
"mount.task.inprogress": "Mounting is likely to complete, check back later to verify",
|
"mount.task.inprogress": "탑재가 완료될 수 있습니다. 나중에 다시 확인하세요.",
|
||||||
"mount.dialog.title": "Mount HDFS Folder",
|
"mount.dialog.title": "HDFS 폴더 탑재",
|
||||||
"mount.hdfsPath.title": "HDFS Path",
|
"mount.hdfsPath.title": "HDFS 경로",
|
||||||
"mount.hdfsPath.info": "Path to a new (non-existing) directory which you want to associate with the mount",
|
"mount.hdfsPath.info": "탑재와 연결하려는 새(기존 항목 아님) 디렉터리의 경로",
|
||||||
"mount.remoteUri.title": "Remote URI",
|
"mount.remoteUri.title": "원격 URI",
|
||||||
"mount.remoteUri.info": "The URI to the remote data source. Example for ADLS: abfs://fs@saccount.dfs.core.windows.net/",
|
"mount.remoteUri.info": "원격 데이터 원본에 대한 URI입니다. ADLS의 예: abfs://fs@saccount.dfs.core.windows.net/",
|
||||||
"mount.credentials.title": "Credentials",
|
"mount.credentials.title": "자격 증명",
|
||||||
"mount.credentials.info": "Mount credentials for authentication to remote data source for reads",
|
"mount.credentials.info": "읽기 위해 원격 데이터 원본에 인증용 자격 증명 탑재",
|
||||||
"refreshmount.dialog.title": "Refresh Mount",
|
"refreshmount.dialog.title": "탑재 새로 고침",
|
||||||
"deleteMount.dialog.title": "Delete Mount",
|
"deleteMount.dialog.title": "탑재 삭제",
|
||||||
"bdc.dashboard.loadingClusterStateCompleted": "Loading cluster state completed",
|
"bdc.dashboard.loadingClusterStateCompleted": "클러스터 상태 로드 완료",
|
||||||
"bdc.dashboard.loadingHealthStatusCompleted": "Loading health status completed",
|
"bdc.dashboard.loadingHealthStatusCompleted": "상태 로드 완료",
|
||||||
"err.controller.username.required": "Username is required",
|
"err.controller.username.required": "사용자 이름이 필요합니다.",
|
||||||
"err.controller.password.required": "Password is required",
|
"err.controller.password.required": "암호는 필수입니다.",
|
||||||
"endpointsError": "Unexpected error retrieving BDC Endpoints: {0}",
|
"endpointsError": "BDC 엔드포인트를 검색하는 동안 예기치 않은 오류 발생: {0}",
|
||||||
"bdc.dashboard.noConnection": "The dashboard requires a connection. Please click retry to enter your credentials.",
|
"bdc.dashboard.noConnection": "대시보드에 연결이 필요합니다. 자격 증명을 입력하려면 다시 시도를 클릭하세요.",
|
||||||
"bdc.dashboard.unexpectedError": "Unexpected error occurred: {0}",
|
"bdc.dashboard.unexpectedError": "예기치 않은 오류가 발생했습니다. {0}",
|
||||||
"mount.hdfs.loginerror1": "Login to controller failed",
|
"mount.hdfs.loginerror1": "컨트롤러에 로그인하지 못함",
|
||||||
"mount.hdfs.loginerror2": "Login to controller failed: {0}",
|
"mount.hdfs.loginerror2": "컨트롤러에 로그인하지 못함: {0}",
|
||||||
"mount.err.formatting": "Bad formatting of credentials at {0}",
|
"mount.err.formatting": "{0}에 있는 자격 증명 형식이 잘못됨",
|
||||||
"mount.task.error": "Error mounting folder: {0}",
|
"mount.task.error": "폴더 탑재 오류: {0}",
|
||||||
"mount.error.unknown": "Unknown error occurred during the mount process"
|
"mount.error.unknown": "탑재 프로세스 중에 알 수 없는 오류가 발생했습니다."
|
||||||
},
|
},
|
||||||
"dist/bigDataCluster/controller/clusterControllerApi": {
|
"dist/bigDataCluster/controller/clusterControllerApi": {
|
||||||
"error.no.activedirectory": "이 클러스터는 Windows 인증을 지원하지 않습니다.",
|
"error.no.activedirectory": "이 클러스터는 Windows 인증을 지원하지 않습니다.",
|
||||||
"bdc.error.tokenPost": "인증 오류",
|
"bdc.error.tokenPost": "인증 오류",
|
||||||
"bdc.error.unauthorized": "Windows 인증을 사용하여 이 클러스터에 로그인할 수 있는 권한이 없습니다.",
|
"bdc.error.unauthorized": "Windows 인증을 사용하여 이 클러스터에 로그인할 수 있는 권한이 없습니다.",
|
||||||
"bdc.error.getClusterConfig": "Error retrieving cluster config from {0}",
|
"bdc.error.getClusterConfig": "{0}에서 클러스터 구성을 검색하는 동안 오류 발생",
|
||||||
"bdc.error.getEndPoints": "{0}에서 엔드포인트 검색 중 오류 발생",
|
"bdc.error.getEndPoints": "{0}에서 엔드포인트 검색 중 오류 발생",
|
||||||
"bdc.error.getBdcStatus": "{0}에서 BDC 상태 검색 중 오류 발생",
|
"bdc.error.getBdcStatus": "{0}에서 BDC 상태 검색 중 오류 발생",
|
||||||
"bdc.error.mountHdfs": "탑재를 만드는 중 오류 발생",
|
"bdc.error.mountHdfs": "탑재를 만드는 중 오류 발생",
|
||||||
"bdc.error.statusHdfs": "Error getting mount status",
|
"bdc.error.statusHdfs": "탑재 상태를 가져오는 동안 오류 발생",
|
||||||
"bdc.error.refreshHdfs": "탑재를 새로 고치는 중 오류 발생",
|
"bdc.error.refreshHdfs": "탑재를 새로 고치는 중 오류 발생",
|
||||||
"bdc.error.deleteHdfs": "탑재를 삭제하는 중 오류 발생"
|
"bdc.error.deleteHdfs": "탑재를 삭제하는 중 오류 발생"
|
||||||
},
|
},
|
||||||
"dist/extension": {
|
"dist/extension": {
|
||||||
"mount.error.endpointNotFound": "컨트롤러 엔드포인트 정보를 찾을 수 없음",
|
"mount.error.endpointNotFound": "컨트롤러 엔드포인트 정보를 찾을 수 없음",
|
||||||
"bdc.dashboard.title": "Big Data Cluster Dashboard -",
|
"bdc.dashboard.title": "빅 데이터 클러스터 대시보드 -",
|
||||||
"textYes": "예",
|
"textYes": "예",
|
||||||
"textNo": "아니요",
|
"textNo": "아니요",
|
||||||
"textConfirmRemoveController": "Are you sure you want to remove '{0}'?"
|
"textConfirmRemoveController": "'{0}'을(를) 제거하시겠습니까?"
|
||||||
},
|
},
|
||||||
"dist/bigDataCluster/tree/controllerTreeDataProvider": {
|
"dist/bigDataCluster/tree/controllerTreeDataProvider": {
|
||||||
"bdc.controllerTreeDataProvider.error": "Unexpected error loading saved controllers: {0}"
|
"bdc.controllerTreeDataProvider.error": "저장된 컨트롤러를 로드하는 동안 예기치 않은 오류 발생: {0}"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
146
i18n/ads-language-pack-ko/translations/extensions/cms.i18n.json
Normal file
146
i18n/ads-language-pack-ko/translations/extensions/cms.i18n.json
Normal file
@@ -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": "구성 서버와 이름이 같은 등록된 공유 서버를 추가할 수 없습니다."
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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}'"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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": "새 파일 가져오기"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -14,13 +14,16 @@
|
|||||||
"notebook.configuration.title": "Notebook 구성",
|
"notebook.configuration.title": "Notebook 구성",
|
||||||
"notebook.pythonPath.description": "Notebook에서 사용하는 python 설치의 로컬 경로입니다.",
|
"notebook.pythonPath.description": "Notebook에서 사용하는 python 설치의 로컬 경로입니다.",
|
||||||
"notebook.useExistingPython.description": "Notebook에서 사용하는 기존 python 설치의 로컬 경로입니다.",
|
"notebook.useExistingPython.description": "Notebook에서 사용하는 기존 python 설치의 로컬 경로입니다.",
|
||||||
|
"notebook.dontPromptPythonUpdate.description": "Python을 업데이트하라는 메시지가 표시되지 않습니다.",
|
||||||
|
"notebook.jupyterServerShutdownTimeout.description": "모든 전자 필기장이 닫힌 후 서버를 종료하기 전에 대기해야 할 시간(분)입니다(종료하지 않으려면 0을 입력하세요).",
|
||||||
"notebook.overrideEditorTheming.description": "Notebook 편집기에서 편집기 기본 설정을 재정의합니다. 설정에는 배경색, 현재 선 색 및 테두리가 포함됩니다.",
|
"notebook.overrideEditorTheming.description": "Notebook 편집기에서 편집기 기본 설정을 재정의합니다. 설정에는 배경색, 현재 선 색 및 테두리가 포함됩니다.",
|
||||||
"notebook.maxTableRows.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.maxBookSearchDepth.description": "책을 검색할 하위 디렉터리의 최대 깊이(무한의 경우 0 입력)",
|
||||||
"notebook.collapseBookItems.description": "Collapse Book items at root level in the Notebooks Viewlet",
|
"notebook.collapseBookItems.description": "Notebook 뷰렛에서 루트 수준의 Book 항목 축소",
|
||||||
"notebook.remoteBookDownloadTimeout.description": "Download timeout in milliseconds for GitHub books",
|
"notebook.remoteBookDownloadTimeout.description": "GitHub 문서의 다운로드 시간 제한(밀리초)",
|
||||||
"notebook.pinnedNotebooks.description": "Notebooks that are pinned by the user for the current workspace",
|
"notebook.pinnedNotebooks.description": "사용자가 현재 작업 영역에 고정한 Notebook",
|
||||||
|
"notebook.allowRoot.description": "Allow Jupyter server to run as root user",
|
||||||
"notebook.command.new": "새 Notebook",
|
"notebook.command.new": "새 Notebook",
|
||||||
"notebook.command.open": "Notebook 열기",
|
"notebook.command.open": "Notebook 열기",
|
||||||
"notebook.analyzeJupyterNotebook": "Notebook에서 분석",
|
"notebook.analyzeJupyterNotebook": "Notebook에서 분석",
|
||||||
@@ -43,108 +46,121 @@
|
|||||||
"title.managePackages": "패키지 관리",
|
"title.managePackages": "패키지 관리",
|
||||||
"title.SQL19PreviewBook": "SQL Server 2019 가이드",
|
"title.SQL19PreviewBook": "SQL Server 2019 가이드",
|
||||||
"books-preview-category": "Jupyter Book",
|
"books-preview-category": "Jupyter Book",
|
||||||
"title.saveJupyterBook": "책 저장",
|
"title.saveJupyterBook": "Jupyter Book 저장",
|
||||||
"title.trustBook": "Trust Book",
|
"title.trustBook": "Jupyter Book 신뢰",
|
||||||
"title.searchJupyterBook": "책 검색",
|
"title.searchJupyterBook": "Jupyter Book 검색",
|
||||||
"title.SavedBooks": "Notebooks",
|
"title.SavedBooks": "Notebook",
|
||||||
"title.ProvidedBooks": "Provided Books",
|
"title.ProvidedBooks": "Jupyter Book 제공",
|
||||||
"title.PinnedBooks": "Pinned notebooks",
|
"title.PinnedBooks": "고정된 Notebook",
|
||||||
"title.PreviewLocalizedBook": "Get localized SQL Server 2019 guide",
|
"title.PreviewLocalizedBook": "지역화된 SQL Server 2019 가이드 가져오기",
|
||||||
"title.openJupyterBook": "Open Jupyter Book",
|
"title.openJupyterBook": "Jupyter Book 열기",
|
||||||
"title.closeJupyterBook": "Close Jupyter Book",
|
"title.closeJupyterBook": "Jupyter Book 닫기",
|
||||||
"title.closeJupyterNotebook": "Close Jupyter Notebook",
|
"title.closeNotebook": "Notebook 닫기",
|
||||||
"title.revealInBooksViewlet": "Reveal in Books",
|
"title.removeNotebook": "Notebook 제거",
|
||||||
"title.createJupyterBook": "Create Book (Preview)",
|
"title.addNotebook": "Notebook 추가",
|
||||||
"title.openNotebookFolder": "Open Notebooks in Folder",
|
"title.addMarkdown": "Markdown 파일 추가",
|
||||||
"title.openRemoteJupyterBook": "Add Remote Jupyter Book",
|
"title.revealInBooksViewlet": "Book에 표시",
|
||||||
"title.pinNotebook": "Pin Notebook",
|
"title.createJupyterBook": "Jupyter Book 만들기",
|
||||||
"title.unpinNotebook": "Unpin Notebook",
|
"title.openNotebookFolder": "폴더에서 Notebook 열기",
|
||||||
"title.moveTo": "Move to ..."
|
"title.openRemoteJupyterBook": "원격 Jupyter Book 추가",
|
||||||
|
"title.pinNotebook": "Notebook 고정",
|
||||||
|
"title.unpinNotebook": "Notebook 고정 해제",
|
||||||
|
"title.moveTo": "이동 대상..."
|
||||||
},
|
},
|
||||||
"dist/common/utils": {
|
"dist/common/utils": {
|
||||||
"ensureDirOutputMsg": "... Ensuring {0} exists",
|
"ensureDirOutputMsg": "... {0}이(가) 있는지 확인",
|
||||||
"executeCommandProcessExited": "Process exited with error code: {0}. StdErr Output: {1}"
|
"executeCommandProcessExited": "프로세스가 종료되었습니다(오류 코드: {0}). StdErr 출력: {1}"
|
||||||
},
|
},
|
||||||
"dist/common/constants": {
|
"dist/common/constants": {
|
||||||
"managePackages.localhost": "localhost",
|
"managePackages.localhost": "localhost",
|
||||||
"managePackages.packageNotFound": "Could not find the specified package"
|
"managePackages.packageNotFound": "지정된 패키지를 찾을 수 없습니다."
|
||||||
},
|
},
|
||||||
"dist/common/localizedConstants": {
|
"dist/common/localizedConstants": {
|
||||||
"msgYes": "예",
|
"msgYes": "예",
|
||||||
"msgNo": "아니요",
|
"msgNo": "아니요",
|
||||||
"msgSampleCodeDataFrame": "이 샘플 코드는 파일을 데이터 프레임에 로드하고 처음 10개의 결과를 표시합니다.",
|
"msgSampleCodeDataFrame": "이 샘플 코드는 파일을 데이터 프레임에 로드하고 처음 10개의 결과를 표시합니다.",
|
||||||
"noBDCConnectionError": "Spark kernels require a connection to a SQL Server Big Data Cluster master instance.",
|
"noBDCConnectionError": "Spark 커널을 SQL Server 빅 데이터 클러스터 마스터 인스턴스에 연결해야 합니다.",
|
||||||
"providerNotValidError": "Non-MSSQL providers are not supported for spark kernels.",
|
"providerNotValidError": "비 MSSQL 공급자는 Spark 커널에서 지원되지 않습니다.",
|
||||||
"allFiles": "All Files",
|
"allFiles": "모든 파일",
|
||||||
"labelSelectFolder": "Select Folder",
|
"labelSelectFolder": "폴더 선택",
|
||||||
"labelBookFolder": "Select Book",
|
"labelBookFolder": "Jupyter Book 선택",
|
||||||
"confirmReplace": "Folder already exists. Are you sure you want to delete and replace this folder?",
|
"confirmReplace": "폴더가 이미 있습니다. 이 폴더를 삭제하고 바꾸시겠습니까?",
|
||||||
"openNotebookCommand": "Open Notebook",
|
"openNotebookCommand": "Notebook 열기",
|
||||||
"openMarkdownCommand": "Open Markdown",
|
"openMarkdownCommand": "Markdown 열기",
|
||||||
"openExternalLinkCommand": "Open External Link",
|
"openExternalLinkCommand": "외부 링크 열기",
|
||||||
"msgBookTrusted": "Book is now trusted in the workspace.",
|
"msgBookTrusted": "이제 Jupyter Book은 작업 영역에서 신뢰할 수 있습니다.",
|
||||||
"msgBookAlreadyTrusted": "Book is already trusted in this workspace.",
|
"msgBookAlreadyTrusted": "Jupyter Book은 이미 이 작업 영역에서 신뢰할 수 있습니다.",
|
||||||
"msgBookUntrusted": "Book is no longer trusted in this workspace",
|
"msgBookUntrusted": "Jupyter Book은 더 이상 이 작업 영역에서 신뢰할 수 없습니다.",
|
||||||
"msgBookAlreadyUntrusted": "Book is already untrusted in this workspace.",
|
"msgBookAlreadyUntrusted": "Jupyter Book은 이미 이 작업 영역에서 신뢰할 수 없습니다.",
|
||||||
"msgBookPinned": "Book {0} is now pinned in the workspace.",
|
"msgBookPinned": "Jupyter Book {0}는 이제 작업 영역에 고정됩니다.",
|
||||||
"msgBookUnpinned": "Book {0} is no longer pinned in this workspace",
|
"msgBookUnpinned": "Jupyter Book {0}은(는) 더 이상 이 작업 영역에 고정되지 않습니다.",
|
||||||
"bookInitializeFailed": "Failed to find a Table of Contents file in the specified book.",
|
"bookInitializeFailed": "지정된 Jupyter Book에서 목차 파일을 찾지 못했습니다.",
|
||||||
"noBooksSelected": "No books are currently selected in the viewlet.",
|
"noBooksSelected": "뷰렛에 현재 선택된 Jupyter Book이 없습니다.",
|
||||||
"labelBookSection": "Select Book Section",
|
"labelBookSection": "Jupyter Book 섹션 선택",
|
||||||
"labelAddToLevel": "Add to this level",
|
"labelAddToLevel": "이 수준에 추가",
|
||||||
"missingFileError": "Missing file : {0} from {1}",
|
"missingFileError": "누락된 파일: {1}의 {0}",
|
||||||
"InvalidError.tocFile": "Invalid toc file",
|
"InvalidError.tocFile": "잘못된 toc 파일",
|
||||||
"Invalid toc.yml": "Error: {0} has an incorrect toc.yml file",
|
"Invalid toc.yml": "오류: {0}에 잘못된 toc.yml 파일이 있음",
|
||||||
"configFileError": "Configuration file missing",
|
"configFileError": "구성 파일 없음",
|
||||||
"openBookError": "Open book {0} failed: {1}",
|
"openBookError": "Jupyter Book {0} 열기 실패: {1}",
|
||||||
"readBookError": "Failed to read book {0}: {1}",
|
"readBookError": "Jupyter Book {0}을(를) 읽지 못했습니다. {1}",
|
||||||
"openNotebookError": "Open notebook {0} failed: {1}",
|
"openNotebookError": "{0} Notebook을 열지 못함: {1}",
|
||||||
"openMarkdownError": "Open markdown {0} failed: {1}",
|
"openMarkdownError": "{0} Markdown을 열지 못함: {1}",
|
||||||
"openUntitledNotebookError": "Open untitled notebook {0} as untitled failed: {1}",
|
"openUntitledNotebookError": "제목 없는 Notebook {0}을(를) 제목 없음으로 열지 못함: {1}",
|
||||||
"openExternalLinkError": "Open link {0} failed: {1}",
|
"openExternalLinkError": "링크 {0} 열기 실패: {1}",
|
||||||
"closeBookError": "Close book {0} failed: {1}",
|
"closeBookError": "Jupyter Book {0} 닫기 실패: {1}",
|
||||||
"duplicateFileError": "File {0} already exists in the destination folder {1} \r\n The file has been renamed to {2} to prevent data loss.",
|
"duplicateFileError": "대상 폴더 {1}에 {0} 파일이 이미 있습니다. \r\n 데이터 손실을 방지하기 위해 파일 이름이 {2}(으)로 바뀌었습니다.",
|
||||||
"editBookError": "Error while editing book {0}: {1}",
|
"editBookError": "Jupyter Book {0}을(를) 편집하는 동안 오류 발생: {1}",
|
||||||
"selectBookError": "Error while selecting a book or a section to edit: {0}",
|
"selectBookError": "Jupyter Book 또는 편집할 섹션을 선택하는 동안 오류 발생: {0}",
|
||||||
|
"sectionNotFound": "{1}에서 {0} 섹션을 찾지 못했습니다.",
|
||||||
"url": "URL",
|
"url": "URL",
|
||||||
"repoUrl": "Repository URL",
|
"repoUrl": "리포지토리 URL",
|
||||||
"location": "Location",
|
"location": "위치",
|
||||||
"addRemoteBook": "Add Remote Book",
|
"addRemoteBook": "원격 Jupyter Book 추가",
|
||||||
"onGitHub": "GitHub",
|
"onGitHub": "GitHub",
|
||||||
"onsharedFile": "Shared File",
|
"onsharedFile": "공유 파일",
|
||||||
"releases": "Releases",
|
"releases": "릴리스",
|
||||||
"book": "Book",
|
"book": "Jupyter Book",
|
||||||
"version": "Version",
|
"version": "버전",
|
||||||
"language": "Language",
|
"language": "언어",
|
||||||
"booksNotFound": "No books are currently available on the provided link",
|
"booksNotFound": "제공된 링크에 현재 사용 가능한 Jupyter Book이 없습니다.",
|
||||||
"urlGithubError": "The url provided is not a Github release url",
|
"urlGithubError": "제공된 URL은 GitHub 릴리스 URL이 아닙니다.",
|
||||||
"search": "Search",
|
"search": "검색",
|
||||||
"add": "Add",
|
"add": "추가",
|
||||||
"close": "Close",
|
"close": "닫기",
|
||||||
"invalidTextPlaceholder": "-",
|
"invalidTextPlaceholder": "-",
|
||||||
"msgRemoteBookDownloadProgress": "Remote Book download is in progress",
|
"msgRemoteBookDownloadProgress": "원격 Jupyter Book 다운로드가 진행 중입니다.",
|
||||||
"msgRemoteBookDownloadComplete": "Remote Book download is complete",
|
"msgRemoteBookDownloadComplete": "원격 Jupyter Book 다운로드가 완료되었습니다.",
|
||||||
"msgRemoteBookDownloadError": "Error while downloading remote Book",
|
"msgRemoteBookDownloadError": "원격 Jupyter Book을 다운로드하는 동안 오류 발생",
|
||||||
"msgRemoteBookUnpackingError": "Error while decompressing remote Book",
|
"msgRemoteBookUnpackingError": "원격 Jupyter Book의 압축을 푸는 동안 오류 발생",
|
||||||
"msgRemoteBookDirectoryError": "Error while creating remote Book directory",
|
"msgRemoteBookDirectoryError": "원격 Jupyter Book 디렉터리를 만드는 동안 오류 발생",
|
||||||
"msgTaskName": "Downloading Remote Book",
|
"msgTaskName": "원격 Jupyter Book 다운로드",
|
||||||
"msgResourceNotFound": "Resource not Found",
|
"msgResourceNotFound": "리소스를 찾을 수 없음",
|
||||||
"msgBookNotFound": "Books not Found",
|
"msgBookNotFound": "Jupyter Book을 찾을 수 없음",
|
||||||
"msgReleaseNotFound": "Releases not Found",
|
"msgReleaseNotFound": "릴리스를 찾을 수 없음",
|
||||||
"msgUndefinedAssetError": "The selected book is not valid",
|
"msgUndefinedAssetError": "선택한 Jupyter Book이 유효하지 않습니다.",
|
||||||
"httpRequestError": "Http Request failed with error: {0} {1}",
|
"httpRequestError": "오류로 인해 Http 요청 실패: {0} {1}",
|
||||||
"msgDownloadLocation": "Downloading to {0}",
|
"msgDownloadLocation": "{0}에 다운로드",
|
||||||
"newGroup": "New Group",
|
"newBook": "새 Jupyter Book(미리 보기)",
|
||||||
"groupDescription": "Groups are used to organize Notebooks.",
|
"bookDescription": "Jupyter Book은 Notebook을 구성하는 데 사용됩니다.",
|
||||||
"locationBrowser": "Browse locations...",
|
"learnMore": "자세히 알아보세요.",
|
||||||
"selectContentFolder": "Select content folder",
|
"contentFolder": "콘텐츠 폴더",
|
||||||
"browse": "Browse",
|
"browse": "찾아보기",
|
||||||
"create": "Create",
|
"create": "만들기",
|
||||||
"name": "Name",
|
"name": "이름",
|
||||||
"saveLocation": "Save location",
|
"saveLocation": "저장 위치",
|
||||||
"contentFolder": "Content folder (Optional)",
|
"contentFolderOptional": "콘텐츠 폴더(선택 사항)",
|
||||||
"msgContentFolderError": "Content folder path does not exist",
|
"msgContentFolderError": "콘텐츠 폴더 경로가 없습니다.",
|
||||||
"msgSaveFolderError": "Save location path does not exist"
|
"msgSaveFolderError": "저장 위치 경로가 없습니다.",
|
||||||
|
"msgCreateBookWarningMsg": "{0}에 액세스하는 동안 오류가 발생했습니다.",
|
||||||
|
"newNotebook": "새 Notebook(미리 보기)",
|
||||||
|
"newMarkdown": "새 Markdown(미리 보기)",
|
||||||
|
"fileExtension": "파일 확장명",
|
||||||
|
"confirmOverwrite": "파일이 이미 있습니다. 이 파일을 덮어쓰시겠습니까?",
|
||||||
|
"title": "제목",
|
||||||
|
"fileName": "파일 이름",
|
||||||
|
"msgInvalidSaveFolder": "저장 위치 경로가 유효하지 않습니다.",
|
||||||
|
"msgDuplicadFileName": "{0} 파일이 대상 폴더에 이미 있습니다."
|
||||||
},
|
},
|
||||||
"dist/jupyter/jupyterServerInstallation": {
|
"dist/jupyter/jupyterServerInstallation": {
|
||||||
"msgInstallPkgProgress": "Notebook 종속성 설치가 진행 중입니다.",
|
"msgInstallPkgProgress": "Notebook 종속성 설치가 진행 중입니다.",
|
||||||
@@ -159,20 +175,26 @@
|
|||||||
"msgInstallPkgFinish": "Notebook 종속성 설치를 완료했습니다.",
|
"msgInstallPkgFinish": "Notebook 종속성 설치를 완료했습니다.",
|
||||||
"msgPythonRunningError": "Python이 실행되는 동안 기존 Python 설치를 덮어쓸 수 없습니다. 계속하기 전에 활성 Notebook을 닫으세요.",
|
"msgPythonRunningError": "Python이 실행되는 동안 기존 Python 설치를 덮어쓸 수 없습니다. 계속하기 전에 활성 Notebook을 닫으세요.",
|
||||||
"msgWaitingForInstall": "현재 다른 Python 설치를 진행 중입니다. 완료될 때까지 기다립니다.",
|
"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 종속성 설치에 실패했습니다.",
|
"msgDependenciesInstallationFailed": "오류: {0}(을) 나타내며 Notebook 종속성 설치에 실패했습니다.",
|
||||||
"msgDownloadPython": "{0} 플랫폼용 로컬 python을 {1}(으)로 다운로드하는 중",
|
"msgDownloadPython": "{0} 플랫폼용 로컬 python을 {1}(으)로 다운로드하는 중",
|
||||||
"msgPackageRetrievalFailed": "Encountered an error when trying to retrieve list of installed packages: {0}",
|
"msgPackageRetrievalFailed": "설치된 패키지 목록을 검색하는 동안 오류가 발생했습니다. {0}",
|
||||||
"msgGetPythonUserDirFailed": "Encountered an error when getting Python user path: {0}"
|
"msgGetPythonUserDirFailed": "Python 사용자 경로를 가져올 때 오류가 발생했습니다. {0}",
|
||||||
|
"yes": "예",
|
||||||
|
"no": "아니요",
|
||||||
|
"dontAskAgain": "다시 묻지 않음"
|
||||||
},
|
},
|
||||||
"dist/dialog/configurePython/configurePythonWizard": {
|
"dist/dialog/configurePython/configurePythonWizard": {
|
||||||
"configurePython.okButtonText": "Install",
|
"configurePython.okButtonText": "설치",
|
||||||
"configurePython.invalidLocationMsg": "The specified install location is invalid.",
|
"configurePython.invalidLocationMsg": "지정된 설치 위치가 잘못되었습니다.",
|
||||||
"configurePython.pythonNotFoundMsg": "No Python installation was found at the specified location.",
|
"configurePython.pythonNotFoundMsg": "지정된 위치에서 Python 설치를 찾을 수 없습니다.",
|
||||||
"configurePython.wizardNameWithKernel": "Configure Python to run {0} kernel",
|
"configurePython.wizardNameWithKernel": "{0} 커널을 실행하도록 Python 구성",
|
||||||
"configurePython.wizardNameWithoutKernel": "Configure Python to run kernels",
|
"configurePython.wizardNameWithoutKernel": "커널을 실행하도록 Python 구성",
|
||||||
"configurePython.page0Name": "Configure Python Runtime",
|
"configurePython.page0Name": "Python 런타임 구성",
|
||||||
"configurePython.page1Name": "Install Dependencies",
|
"configurePython.page1Name": "종속성 설치",
|
||||||
"configurePython.pythonInstallDeclined": "Python installation was declined."
|
"configurePython.pythonInstallDeclined": "Python 설치가 거부되었습니다."
|
||||||
},
|
},
|
||||||
"dist/extension": {
|
"dist/extension": {
|
||||||
"codeCellName": "코드",
|
"codeCellName": "코드",
|
||||||
@@ -185,34 +207,34 @@
|
|||||||
"confirmReinstall": "다시 설치하시겠습니까?"
|
"confirmReinstall": "다시 설치하시겠습니까?"
|
||||||
},
|
},
|
||||||
"dist/dialog/configurePython/configurePathPage": {
|
"dist/dialog/configurePython/configurePathPage": {
|
||||||
"configurePython.browseButtonText": "Browse",
|
"configurePython.browseButtonText": "찾아보기",
|
||||||
"configurePython.selectFileLabel": "Select",
|
"configurePython.selectFileLabel": "선택",
|
||||||
"configurePython.descriptionWithKernel": "The {0} kernel requires a Python runtime to be configured and dependencies to be installed.",
|
"configurePython.descriptionWithKernel": "{0} 커널을 사용하려면 Python 런타임을 구성하고 종속성을 설치해야 합니다.",
|
||||||
"configurePython.descriptionWithoutKernel": "Notebook kernels require a Python runtime to be configured and dependencies to be installed.",
|
"configurePython.descriptionWithoutKernel": "Notebook 커널에서는 Python 런타임을 구성하고 종속성을 설치해야 합니다.",
|
||||||
"configurePython.installationType": "Installation Type",
|
"configurePython.installationType": "설치 유형",
|
||||||
"configurePython.locationTextBoxText": "Python Install Location",
|
"configurePython.locationTextBoxText": "Python 설치 위치",
|
||||||
"configurePython.pythonConfigured": "Python runtime configured!",
|
"configurePython.pythonConfigured": "Python 런타임이 구성되었습니다.",
|
||||||
"configurePythyon.dropdownPathLabel": "{0} (Python {1})",
|
"configurePythyon.dropdownPathLabel": "{0}(Python {1})",
|
||||||
"configurePythyon.noVersionsFound": "No supported Python versions found.",
|
"configurePythyon.noVersionsFound": "지원되는 Python 버전을 찾을 수 없습니다.",
|
||||||
"configurePythyon.defaultPathLabel": "{0} (Default)",
|
"configurePythyon.defaultPathLabel": "{0}(기본값)",
|
||||||
"configurePython.newInstall": "New Python installation",
|
"configurePython.newInstall": "새 Python 설치",
|
||||||
"configurePython.existingInstall": "Use existing Python installation",
|
"configurePython.existingInstall": "기존 Python 설치 사용",
|
||||||
"configurePythyon.customPathLabel": "{0} (Custom)"
|
"configurePythyon.customPathLabel": "{0}(사용자 지정)"
|
||||||
},
|
},
|
||||||
"dist/dialog/configurePython/pickPackagesPage": {
|
"dist/dialog/configurePython/pickPackagesPage": {
|
||||||
"configurePython.pkgNameColumn": "Name",
|
"configurePython.pkgNameColumn": "이름",
|
||||||
"configurePython.existingVersionColumn": "Existing Version",
|
"configurePython.existingVersionColumn": "기존 버전",
|
||||||
"configurePython.requiredVersionColumn": "Required Version",
|
"configurePython.requiredVersionColumn": "필요한 버전",
|
||||||
"configurePython.kernelLabel": "Kernel",
|
"configurePython.kernelLabel": "커널",
|
||||||
"configurePython.requiredDependencies": "Install required kernel dependencies",
|
"configurePython.requiredDependencies": "필요한 커널 종속성 설치",
|
||||||
"msgUnsupportedKernel": "Could not retrieve packages for kernel {0}"
|
"msgUnsupportedKernel": "{0} 커널의 패키지를 검색할 수 없음"
|
||||||
},
|
},
|
||||||
"dist/jupyter/jupyterServerManager": {
|
"dist/jupyter/jupyterServerManager": {
|
||||||
"shutdownError": "Notebook 서버 종료 실패: {0}"
|
"shutdownError": "Notebook 서버 종료 실패: {0}"
|
||||||
},
|
},
|
||||||
"dist/jupyter/serverInstance": {
|
"dist/jupyter/serverInstance": {
|
||||||
"serverStopError": "Notebook 서버 중지 오류: {0}",
|
"serverStopError": "Notebook 서버 중지 오류: {0}",
|
||||||
"notebookStartProcessExitPremature": "Notebook process exited prematurely with error code: {0}. StdErr Output: {1}",
|
"notebookStartProcessExitPremature": "Notebook 프로세스가 조기에 종료되었습니다(오류 코드: {0}). StdErr 출력: {1}",
|
||||||
"jupyterError": "Jupyter에서 보낸 오류: {0}",
|
"jupyterError": "Jupyter에서 보낸 오류: {0}",
|
||||||
"jupyterOutputMsgStartSuccessful": "... Jupyter가 {0}에서 실행되고 있습니다.",
|
"jupyterOutputMsgStartSuccessful": "... Jupyter가 {0}에서 실행되고 있습니다.",
|
||||||
"jupyterOutputMsgStart": "... Notebook 서버 시작 중"
|
"jupyterOutputMsgStart": "... Notebook 서버 시작 중"
|
||||||
@@ -222,11 +244,11 @@
|
|||||||
},
|
},
|
||||||
"dist/jupyter/jupyterSessionManager": {
|
"dist/jupyter/jupyterSessionManager": {
|
||||||
"errorStartBeforeReady": "세션을 시작할 수 없습니다. 관리자가 아직 초기화되지 않았습니다.",
|
"errorStartBeforeReady": "세션을 시작할 수 없습니다. 관리자가 아직 초기화되지 않았습니다.",
|
||||||
"notebook.couldNotFindKnoxGateway": "Could not find Knox gateway endpoint",
|
"notebook.couldNotFindKnoxGateway": "Knox 게이트웨이 엔드포인트를 찾을 수 없음",
|
||||||
"promptBDCUsername": "{0}Please provide the username to connect to the BDC Controller:",
|
"promptBDCUsername": "{0}BDC 컨트롤러에 연결하려면 사용자 이름을 제공하세요.",
|
||||||
"promptBDCPassword": "Please provide the password to connect to the BDC Controller",
|
"promptBDCPassword": "BDC 컨트롤러에 연결하려면 암호를 제공하세요.",
|
||||||
"bdcConnectError": "Error: {0}. ",
|
"bdcConnectError": "오류: {0}. ",
|
||||||
"clusterControllerConnectionRequired": "A connection to the cluster controller is required to run Spark jobs"
|
"clusterControllerConnectionRequired": "Spark 작업을 실행하려면 클러스터 컨트롤러에 대한 연결이 필요합니다."
|
||||||
},
|
},
|
||||||
"dist/dialog/managePackages/managePackagesDialog": {
|
"dist/dialog/managePackages/managePackagesDialog": {
|
||||||
"managePackages.dialogName": "패키지 관리",
|
"managePackages.dialogName": "패키지 관리",
|
||||||
@@ -236,10 +258,10 @@
|
|||||||
"managePackages.installedTabTitle": "설치됨",
|
"managePackages.installedTabTitle": "설치됨",
|
||||||
"managePackages.pkgNameColumn": "이름",
|
"managePackages.pkgNameColumn": "이름",
|
||||||
"managePackages.newPkgVersionColumn": "버전",
|
"managePackages.newPkgVersionColumn": "버전",
|
||||||
"managePackages.deleteColumn": "Delete",
|
"managePackages.deleteColumn": "삭제",
|
||||||
"managePackages.uninstallButtonText": "선택한 패키지 제거",
|
"managePackages.uninstallButtonText": "선택한 패키지 제거",
|
||||||
"managePackages.packageType": "패키지 유형",
|
"managePackages.packageType": "패키지 유형",
|
||||||
"managePackages.location": "Location",
|
"managePackages.location": "위치",
|
||||||
"managePackages.packageCount": "{0} {1}개의 패키지 찾음",
|
"managePackages.packageCount": "{0} {1}개의 패키지 찾음",
|
||||||
"managePackages.confirmUninstall": "지정된 패키지를 제거하시겠습니까?",
|
"managePackages.confirmUninstall": "지정된 패키지를 제거하시겠습니까?",
|
||||||
"managePackages.backgroundUninstallStarted": "{0} 제거 중",
|
"managePackages.backgroundUninstallStarted": "{0} 제거 중",
|
||||||
@@ -261,16 +283,16 @@
|
|||||||
"managePackages.backgroundInstallFailed": "{0} {1}을(를) 설치하지 못했습니다. 오류: {2}"
|
"managePackages.backgroundInstallFailed": "{0} {1}을(를) 설치하지 못했습니다. 오류: {2}"
|
||||||
},
|
},
|
||||||
"dist/jupyter/pypiClient": {
|
"dist/jupyter/pypiClient": {
|
||||||
"managePackages.packageRequestError": "Package info request failed with error: {0} {1}"
|
"managePackages.packageRequestError": "{0} {1} 오류를 나타내며 패키지 정보 요청 실패"
|
||||||
},
|
},
|
||||||
"dist/common/notebookUtils": {
|
"dist/common/notebookUtils": {
|
||||||
"msgSampleCodeDataFrame": "This sample code loads the file into a data frame and shows the first 10 results.",
|
"msgSampleCodeDataFrame": "이 샘플 코드는 파일을 데이터 프레임에 로드하고 처음 10개의 결과를 표시합니다.",
|
||||||
"noNotebookVisible": "No notebook editor is active",
|
"noNotebookVisible": "Notebook 편집기가 활성 상태가 아님",
|
||||||
"notebookFiles": "Notebooks"
|
"notebookFiles": "Notebook"
|
||||||
},
|
},
|
||||||
"dist/protocol/notebookUriHandler": {
|
"dist/protocol/notebookUriHandler": {
|
||||||
"notebook.unsupportedAction": "이 처리기에는 {0} 작업이 지원되지 않습니다.",
|
"notebook.unsupportedAction": "이 처리기에는 {0} 작업이 지원되지 않습니다.",
|
||||||
"unsupportedScheme": "HTTP 및 HTTPS 링크만 지원되기 때문에 {0} 링크를 열 수 없습니다.",
|
"unsupportedScheme": "HTTP, HTTPS 및 파일 링크만 지원되므로 링크 {0}을(를) 열 수 없음",
|
||||||
"notebook.confirmOpen": "'{0}'을(를) 다운로드하고 여시겠습니까?",
|
"notebook.confirmOpen": "'{0}'을(를) 다운로드하고 여시겠습니까?",
|
||||||
"notebook.fileNotFound": "지정한 파일을 찾을 수 없습니다.",
|
"notebook.fileNotFound": "지정한 파일을 찾을 수 없습니다.",
|
||||||
"notebook.fileDownloadError": "{0} {1} 오류를 나타내며 파일 열기 요청 실패"
|
"notebook.fileDownloadError": "{0} {1} 오류를 나타내며 파일 열기 요청 실패"
|
||||||
|
|||||||
@@ -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": "세션을 만들지 못함"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -11,306 +11,309 @@
|
|||||||
"package": {
|
"package": {
|
||||||
"extension-displayName": "Azure Data Studio용 SQL Server 배포 확장",
|
"extension-displayName": "Azure Data Studio용 SQL Server 배포 확장",
|
||||||
"extension-description": "Microsoft SQL Server 배포를 위한 Notebook 기반 환경을 제공합니다.",
|
"extension-description": "Microsoft SQL Server 배포를 위한 Notebook 기반 환경을 제공합니다.",
|
||||||
"deploy-resource-command-name": "New Deployment…",
|
"deploy-resource-command-name": "새 배포...",
|
||||||
"deploy-resource-command-category": "배포",
|
"deploy-resource-command-category": "배포",
|
||||||
"resource-type-sql-image-display-name": "SQL Server 컨테이너 이미지",
|
"resource-type-sql-image-display-name": "SQL Server 컨테이너 이미지",
|
||||||
"resource-type-sql-image-description": "Docker를 사용하여 SQL Server 컨테이너 이미지 실행",
|
"resource-type-sql-image-description": "Docker를 사용하여 SQL Server 컨테이너 이미지 실행",
|
||||||
"version-display-name": "버전",
|
"version-display-name": "버전",
|
||||||
"sql-2017-display-name": "SQL Server 2017",
|
"sql-2017-display-name": "SQL Server 2017",
|
||||||
"sql-2019-display-name": "SQL Server 2019",
|
"sql-2019-display-name": "SQL Server 2019",
|
||||||
"docker-sql-2017-title": "Deploy SQL Server 2017 container images",
|
"docker-sql-2017-title": "SQL Server 2017 컨테이너 이미지 배포",
|
||||||
"docker-sql-2019-title": "Deploy SQL Server 2019 container images",
|
"docker-sql-2019-title": "SQL Server 2019 컨테이너 이미지 배포",
|
||||||
"docker-container-name-field": "컨테이너 이름",
|
"docker-container-name-field": "컨테이너 이름",
|
||||||
"docker-sql-password-field": "SQL Server 암호",
|
"docker-sql-password-field": "SQL Server 암호",
|
||||||
"docker-confirm-sql-password-field": "암호 확인",
|
"docker-confirm-sql-password-field": "암호 확인",
|
||||||
"docker-sql-port-field": "포트",
|
"docker-sql-port-field": "포트",
|
||||||
"resource-type-sql-windows-setup-display-name": "Windows의 SQL Server",
|
"resource-type-sql-windows-setup-display-name": "Windows의 SQL Server",
|
||||||
"resource-type-sql-windows-setup-description": "Windows에서 SQL Server를 실행하고 시작할 버전을 선택합니다.",
|
"resource-type-sql-windows-setup-description": "Windows에서 SQL Server를 실행하고 시작할 버전을 선택합니다.",
|
||||||
"microsoft-privacy-statement": "Microsoft Privacy Statement",
|
"microsoft-privacy-statement": "Microsoft 개인정보처리방침",
|
||||||
"deployment.configuration.title": "Deployment configuration",
|
"deployment.configuration.title": "배포 구성",
|
||||||
"azdata-install-location-description": "Location of the azdata package used for the install command",
|
"azdata-install-location-description": "설치 명령에 사용되는 azdata 패키지의 위치",
|
||||||
"azure-sqlvm-display-name": "SQL Server on Azure Virtual Machine",
|
"azure-sqlvm-display-name": "Azure 가상 머신의 SQL Server",
|
||||||
"azure-sqlvm-description": "Create SQL virtual machines on Azure. Best for migrations and applications requiring OS-level access.",
|
"azure-sqlvm-description": "Azure에서 SQL 가상 머신을 만듭니다. OS 수준 액세스가 필요한 마이그레이션 및 애플리케이션에 가장 적합합니다.",
|
||||||
"azure-sqlvm-deploy-dialog-title": "Deploy Azure SQL virtual machine",
|
"azure-sqlvm-deploy-dialog-title": "Azure SQL 가상 머신 배포",
|
||||||
"azure-sqlvm-deploy-dialog-action-text": "Script to notebook",
|
"azure-sqlvm-deploy-dialog-action-text": "Notebook으로 스크립트",
|
||||||
"azure-sqlvm-agreement": "I accept {0}, {1} and {2}.",
|
"azure-sqlvm-agreement": "{0}, {1} 및 {2}에 동의합니다.",
|
||||||
"azure-sqlvm-agreement-sqlvm-eula": "Azure SQL VM License Terms",
|
"azure-sqlvm-agreement-sqlvm-eula": "Azure SQL VM 사용 조건",
|
||||||
"azure-sqlvm-agreement-azdata-eula": "azdata License Terms",
|
"azure-sqlvm-agreement-azdata-eula": "azdata 사용 조건",
|
||||||
"azure-sqlvm-azure-account-page-label": "Azure information",
|
"azure-sqlvm-azure-account-page-label": "Azure 정보",
|
||||||
"azure-sqlvm-azure-location-label": "Azure locations",
|
"azure-sqlvm-azure-location-label": "Azure 위치",
|
||||||
"azure-sqlvm-vm-information-page-label": "VM information",
|
"azure-sqlvm-vm-information-page-label": "VM 정보",
|
||||||
"azure-sqlvm-image-label": "Image",
|
"azure-sqlvm-image-label": "이미지",
|
||||||
"azure-sqlvm-image-sku-label": "VM image SKU",
|
"azure-sqlvm-image-sku-label": "VM 이미지 SKU",
|
||||||
"azure-sqlvm-publisher-label": "Publisher",
|
"azure-sqlvm-publisher-label": "게시자",
|
||||||
"azure-sqlvm-vmname-label": "Virtual machine name",
|
"azure-sqlvm-vmname-label": "가상 머신 이름",
|
||||||
"azure-sqlvm-vmsize-label": "Size",
|
"azure-sqlvm-vmsize-label": "크기",
|
||||||
"azure-sqlvm-storage-page-lable": "Storage account",
|
"azure-sqlvm-storage-page-lable": "스토리지 계정",
|
||||||
"azure-sqlvm-storage-accountname-label": "Storage account name",
|
"azure-sqlvm-storage-accountname-label": "스토리지 계정 이름",
|
||||||
"azure-sqlvm-storage-sku-label": "Storage account SKU type",
|
"azure-sqlvm-storage-sku-label": "스토리지 계정 SKU 유형",
|
||||||
"azure-sqlvm-vm-administrator-account-page-label": "Administrator account",
|
"azure-sqlvm-vm-administrator-account-page-label": "관리자 계정",
|
||||||
"azure-sqlvm-username-label": "Username",
|
"azure-sqlvm-username-label": "사용자 이름",
|
||||||
"azure-sqlvm-password-label": "Password",
|
"azure-sqlvm-password-label": "암호",
|
||||||
"azure-sqlvm-password-confirm-label": "Confirm password",
|
"azure-sqlvm-password-confirm-label": "암호 확인",
|
||||||
"azure-sqlvm-vm-summary-page-label": "Summary",
|
"azure-sqlvm-vm-summary-page-label": "요약",
|
||||||
"azure-sqldb-display-name": "Azure SQL Database",
|
"azure-sqldb-display-name": "Azure SQL Database",
|
||||||
"azure-sqldb-description": "Create a SQL database, database server, or elastic pool in Azure.",
|
"azure-sqldb-description": "Azure에서 SQL 데이터베이스, 데이터베이스 서버 또는 탄력적 풀을 만듭니다.",
|
||||||
"azure-sqldb-portal-ok-button-text": "Create in Azure portal",
|
"azure-sqldb-portal-ok-button-text": "Azure Portal에서 만들기",
|
||||||
"azure-sqldb-notebook-ok-button-text": "Select",
|
"azure-sqldb-notebook-ok-button-text": "선택",
|
||||||
"resource-type-display-name": "Resource Type",
|
"resource-type-display-name": "리소스 종류",
|
||||||
"sql-azure-single-database-display-name": "Single Database",
|
"sql-azure-single-database-display-name": "단일 데이터베이스",
|
||||||
"sql-azure-elastic-pool-display-name": "Elastic Pool",
|
"sql-azure-elastic-pool-display-name": "탄력적 풀",
|
||||||
"sql-azure-database-server-display-name": "Database Server",
|
"sql-azure-database-server-display-name": "데이터베이스 서버",
|
||||||
"azure-sqldb-agreement": "I accept {0}, {1} and {2}.",
|
"azure-sqldb-agreement": "{0}, {1} 및 {2}에 동의합니다.",
|
||||||
"azure-sqldb-agreement-sqldb-eula": "Azure SQL DB License Terms",
|
"azure-sqldb-agreement-sqldb-eula": "Azure SQL DB 사용 조건",
|
||||||
"azure-sqldb-agreement-azdata-eula": "azdata License Terms",
|
"azure-sqldb-agreement-azdata-eula": "azdata 사용 조건",
|
||||||
"azure-sql-mi-display-name": "Azure SQL managed instance",
|
"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-display-description": "Azure 또는 고객 관리형 환경에서 SQL Managed Instance 만들기",
|
||||||
"azure-sql-mi-okButton-text": "Open in Portal",
|
"azure-sql-mi-okButton-text": "Portal에서 열기",
|
||||||
"azure-sql-mi-resource-type-option-label": "Resource Type",
|
"azure-sql-mi-resource-type-option-label": "리소스 종류",
|
||||||
"azure-sql-mi-agreement": "I accept {0} and {1}.",
|
"azure-sql-mi-agreement": "{0} 및 {1}에 동의합니다.",
|
||||||
"azure-sql-mi-agreement-eula": "Azure SQL MI License Terms",
|
"azure-sql-mi-agreement-eula": "Azure SQL MI 사용 조건",
|
||||||
"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": "Azure SQL Managed Instance는 SQL Server를 Azure로 마이그레이션하거나 새 애플리케이션을 개발하는 데 필요한 전체 SQL Server 액세스 및 기능 호환성을 제공합니다. {0}.",
|
||||||
"azure-sql-mi-help-text-learn-more": "Learn More"
|
"azure-sql-mi-help-text-learn-more": "자세한 정보"
|
||||||
},
|
},
|
||||||
"dist/localizedConstants": {
|
"dist/localizedConstants": {
|
||||||
"azure.account": "Azure Account",
|
"azure.account": "Azure 계정",
|
||||||
"azure.account.subscription": "Subscription (selected subset)",
|
"azure.account.subscription": "구독(선택한 하위 집합)",
|
||||||
"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.subscriptionDescription": "'연결' 뷰렛의 'Azure' 트리 뷰에 나열된 계정의 '구독 선택' 작업을 통해 현재 선택된 구독 변경",
|
||||||
"azure.account.resourceGroup": "Resource Group",
|
"azure.account.resourceGroup": "리소스 그룹",
|
||||||
"azure.account.location": "Azure Location",
|
"azure.account.location": "Azure 위치",
|
||||||
"filePicker.browse": "Browse",
|
"filePicker.browse": "찾아보기",
|
||||||
"button.label": "Select",
|
"button.label": "선택",
|
||||||
"kubeConfigClusterPicker.kubeConfigFilePath": "Kube config file path",
|
"kubeConfigClusterPicker.kubeConfigFilePath": "Kube 구성 파일 경로",
|
||||||
"kubeConfigClusterPicker.clusterContextNotFound": "No cluster context information found",
|
"kubeConfigClusterPicker.clusterContextNotFound": "클러스터 컨텍스트 정보를 찾을 수 없음",
|
||||||
"azure.signin": "Sign in…",
|
"azure.signin": "로그인…",
|
||||||
"azure.refresh": "Refresh",
|
"azure.refresh": "새로 고침",
|
||||||
"azure.yes": "Yes",
|
"azure.yes": "예",
|
||||||
"azure.no": "No",
|
"azure.no": "아니요",
|
||||||
"azure.resourceGroup.createNewResourceGroup": "Create a new resource group",
|
"azure.resourceGroup.createNewResourceGroup": "새 리소스 그룹 만들기",
|
||||||
"azure.resourceGroup.NewResourceGroupAriaLabel": "New resource group name",
|
"azure.resourceGroup.NewResourceGroupAriaLabel": "새 리소스 그룹 이름",
|
||||||
"deployCluster.Realm": "Realm",
|
"deployCluster.Realm": "영역",
|
||||||
"UnknownFieldTypeError": "Unknown field type: \"{0}\"",
|
"UnknownFieldTypeError": "알 수 없는 필드 형식: \"{0}\"",
|
||||||
"optionsSource.alreadyDefined": "Options Source with id:{0} is already defined",
|
"optionsSource.alreadyDefined": "ID가 {0}인 옵션 원본이 이미 정의되어 있습니다.",
|
||||||
"valueProvider.alreadyDefined": "Value Provider with id:{0} is already defined",
|
"valueProvider.alreadyDefined": "ID가 {0}인 값 공급자가 이미 정의되어 있습니다.",
|
||||||
"optionsSource.notDefined": "No Options Source defined for id: {0}",
|
"optionsSource.notDefined": "{0} ID에 대해 정의된 옵션 원본 없음",
|
||||||
"valueProvider.notDefined": "No Value Provider defined for id: {0}",
|
"valueProvider.notDefined": "{0} ID에 대해 정의된 값 공급자 없음",
|
||||||
"getVariableValue.unknownVariableName": "Attempt to get variable value for unknown variable:{0}",
|
"getVariableValue.unknownVariableName": "알 수 없는 변수 {0}의 변수 값을 가져오려고 시도합니다.",
|
||||||
"getIsPassword.unknownVariableName": "Attempt to get isPassword for unknown variable:{0}",
|
"getIsPassword.unknownVariableName": "알 수 없는 변수 {0}의 isPassword를 가져오려고 시도합니다.",
|
||||||
"optionsNotDefined": "FieldInfo.options was not defined for field type: {0}",
|
"optionsNotDefined": "FieldInfo.options가 필드 형식 {0}에 대해 정의되지 않았습니다.",
|
||||||
"optionsNotObjectOrArray": "FieldInfo.options must be an object if it is not an array",
|
"optionsNotObjectOrArray": "FieldInfo.options는 배열이 아닌 경우 개체여야 합니다.",
|
||||||
"optionsTypeNotFound": "When FieldInfo.options is an object it must have 'optionsType' property",
|
"optionsTypeNotFound": "FieldInfo.options가 개체인 경우 'optionsType' 속성을 포함해야 합니다.",
|
||||||
"optionsTypeRadioOrDropdown": "When optionsType is not {0} then it must be {1}",
|
"optionsTypeRadioOrDropdown": "optionsType이 {0}이(가) 아니면 {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.",
|
"azdataEulaNotAccepted": "배포를 계속할 수 없습니다. Azure Data CLI 사용 조건에 아직 동의하지 않았습니다. Azure Data CLI가 필요한 기능을 사용하려면 EULA에 동의하세요.",
|
||||||
"azdataEulaDeclined": "Deployment cannot continue. Azure Data CLI license terms were declined.You can either Accept EULA to continue or Cancel this operation",
|
"azdataEulaDeclined": "배포를 계속할 수 없습니다. Azure Data CLI 사용 조건이 거부되었습니다. EULA에 동의하여 계속하거나 이 작업을 취소할 수 있습니다.",
|
||||||
"deploymentDialog.RecheckEulaButton": "Accept EULA & Select",
|
"deploymentDialog.RecheckEulaButton": "EULA에 동의 및 선택",
|
||||||
"resourceTypePickerDialog.title": "Select the deployment options",
|
"resourceDeployment.extensionRequiredPrompt": "이 리소스를 배포하려면 '{0}' 확장이 필요합니다. 지금 설치하시겠습니까?",
|
||||||
"resourceTypePickerDialog.resourceSearchPlaceholder": "Filter resources...",
|
"resourceDeployment.install": "설치",
|
||||||
"resourceTypePickerDialog.tagsListViewTitle": "Categories",
|
"resourceDeployment.installingExtension": "'{0}' 확장을 설치하는 중...",
|
||||||
"validation.multipleValidationErrors": "There are some errors on this page, click 'Show Details' to view the errors.",
|
"resourceDeployment.unknownExtension": "'{0}'은(는) 알 수 없는 확장입니다.",
|
||||||
"ui.ScriptToNotebookButton": "Script",
|
"resourceTypePickerDialog.title": "배포 옵션 선택",
|
||||||
"ui.DeployButton": "Run",
|
"resourceTypePickerDialog.resourceSearchPlaceholder": "리소스 필터링...",
|
||||||
"resourceDeployment.ViewErrorDetail": "View error detail",
|
"resourceTypePickerDialog.tagsListViewTitle": "범주",
|
||||||
"resourceDeployment.FailedToOpenNotebook": "An error occurred opening the output notebook. {1}{2}.",
|
"validation.multipleValidationErrors": "이 페이지에 오류가 있습니다. 오류를 보려면 '세부 정보 표시'를 클릭합니다.",
|
||||||
"resourceDeployment.BackgroundExecutionFailed": "The task \"{0}\" has failed.",
|
"ui.ScriptToNotebookButton": "스크립트",
|
||||||
"resourceDeployment.TaskFailedWithNoOutputNotebook": "The task \"{0}\" failed and no output Notebook was generated.",
|
"ui.DeployButton": "실행",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoryAll": "All",
|
"resourceDeployment.ViewErrorDetail": "오류 세부 정보 보기",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoryOnPrem": "On-premises",
|
"resourceDeployment.FailedToOpenNotebook": "출력 Notebook을 여는 동안 오류가 발생했습니다. {1}{2}.",
|
||||||
|
"resourceDeployment.BackgroundExecutionFailed": "\"{0}\" 작업이 실패했습니다.",
|
||||||
|
"resourceDeployment.TaskFailedWithNoOutputNotebook": "\"{0}\" 작업이 실패했으며 출력 Notebook이 생성되지 않았습니다.",
|
||||||
|
"resourceTypePickerDialog.resourceTypeCategoryAll": "모두",
|
||||||
|
"resourceTypePickerDialog.resourceTypeCategoryOnPrem": "온-프레미스",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoriesSqlServer": "SQL Server",
|
"resourceTypePickerDialog.resourceTypeCategoriesSqlServer": "SQL Server",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoryOnHybrid": "Hybrid",
|
"resourceTypePickerDialog.resourceTypeCategoryOnHybrid": "하이브리드",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoryOnPostgreSql": "PostgreSQL",
|
"resourceTypePickerDialog.resourceTypeCategoryOnPostgreSql": "PostgreSQL",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoryOnCloud": "Cloud",
|
"resourceTypePickerDialog.resourceTypeCategoryOnCloud": "클라우드",
|
||||||
"resourceDeployment.Description": "Description",
|
"resourceDeployment.Description": "설명",
|
||||||
"resourceDeployment.Tool": "Tool",
|
"resourceDeployment.Tool": "도구",
|
||||||
"resourceDeployment.Status": "Status",
|
"resourceDeployment.Status": "상태",
|
||||||
"resourceDeployment.Version": "Version",
|
"resourceDeployment.Version": "버전",
|
||||||
"resourceDeployment.RequiredVersion": "Required Version",
|
"resourceDeployment.RequiredVersion": "필요한 버전",
|
||||||
"resourceDeployment.discoverPathOrAdditionalInformation": "Discovered Path or Additional Information",
|
"resourceDeployment.discoverPathOrAdditionalInformation": "검색된 경로 또는 추가 정보",
|
||||||
"resourceDeployment.requiredTools": "Required tools",
|
"resourceDeployment.requiredTools": "필요한 도구",
|
||||||
"resourceDeployment.InstallTools": "Install tools",
|
"resourceDeployment.InstallTools": "도구 설치",
|
||||||
"resourceDeployment.Options": "Options",
|
"resourceDeployment.Options": "옵션",
|
||||||
"deploymentDialog.InstallingTool": "Required tool '{0}' [ {1} ] is being installed now."
|
"deploymentDialog.InstallingTool": "지금 필요한 도구 '{0}'[{1}]을(를) 설치하는 중입니다."
|
||||||
},
|
},
|
||||||
"dist/ui/modelViewUtils": {
|
"dist/ui/modelViewUtils": {
|
||||||
"getClusterContexts.errorFetchingClusters": "An error ocurred while loading or parsing the config file:{0}, error is:{1}",
|
"getClusterContexts.errorFetchingClusters": "{0} 구성 파일을 로드하거나 구문 분석하는 동안 오류가 발생했습니다. 오류: {1}",
|
||||||
"fileChecker.NotFile": "Path: {0} is not a file, please select a valid kube config file.",
|
"fileChecker.NotFile": "{0} 경로가 파일이 아닙니다. 유효한 kube 구성 파일을 선택하세요.",
|
||||||
"fileChecker.FileNotFound": "File: {0} not found. Please select a kube config file.",
|
"fileChecker.FileNotFound": "{0} 파일을 찾을 수 없습니다. kube 구성 파일을 선택하세요.",
|
||||||
"azure.accounts.unexpectedAccountsError": "Unexpected error fetching accounts: {0}",
|
"azure.accounts.unexpectedAccountsError": "계정을 가져오는 동안 예기치 않은 오류 발생: {0}",
|
||||||
"resourceDeployment.errorFetchingStorageClasses": "Unexpected error fetching available kubectl storage classes : {0}",
|
"resourceDeployment.errorFetchingStorageClasses": "사용 가능한 kubectl 스토리지 클래스를 가져오는 동안 예기치 않은 오류 발생: {0}",
|
||||||
"azure.accounts.unexpectedSubscriptionsError": "Unexpected error fetching subscriptions for account {0}: {1}",
|
"azure.accounts.unexpectedSubscriptionsError": "{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.accounts.accountNotFoundError": "선택한 계정 '{0}'은(는) 더 이상 사용할 수 없습니다. [로그인]을 클릭하여 다시 추가하거나 다른 계정을 선택합니다.",
|
||||||
"azure.accessError": "\r\n Error Details: {0}.",
|
"azure.accessError": "\r\n 오류 세부 정보: {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.accountStaleError": "선택한 계정 '{0}'의 액세스 토큰이 더 이상 유효하지 않습니다. [로그인] 단추를 클릭하고 계정을 새로 고치거나, 다른 계정을 선택하세요.",
|
||||||
"azure.accounts.unexpectedResourceGroupsError": "Unexpected error fetching resource groups for subscription {0}: {1}",
|
"azure.accounts.unexpectedResourceGroupsError": "{0} 구독의 리소스 그룹을 가져오는 동안 예기치 않은 오류 발생: {1}",
|
||||||
"invalidSQLPassword": "{0}이(가) 암호 복잡성 요구 사항을 충족하지 않습니다. 자세한 정보: https://docs.microsoft.com/sql/relational-databases/security/password-policy",
|
"invalidSQLPassword": "{0}이(가) 암호 복잡성 요구 사항을 충족하지 않습니다. 자세한 정보: https://docs.microsoft.com/sql/relational-databases/security/password-policy",
|
||||||
"passwordNotMatch": "{0}이(가) 확인 암호와 일치하지 않습니다."
|
"passwordNotMatch": "{0}이(가) 확인 암호와 일치하지 않습니다."
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLVMWizard/constants": {
|
"dist/ui/deployAzureSQLVMWizard/constants": {
|
||||||
"deployAzureSQLVM.NewSQLVMTitle": "Deploy Azure SQL VM",
|
"deployAzureSQLVM.NewSQLVMTitle": "Azure SQL VM 배포",
|
||||||
"deployAzureSQLVM.ScriptToNotebook": "Script to Notebook",
|
"deployAzureSQLVM.ScriptToNotebook": "Notebook으로 스크립트",
|
||||||
"deployAzureSQLVM.MissingRequiredInfoError": "Please fill out the required fields marked with red asterisks.",
|
"deployAzureSQLVM.MissingRequiredInfoError": "빨간색 별표가 표시된 필수 필드를 입력하세요.",
|
||||||
"deployAzureSQLVM.AzureSettingsPageTitle": "Azure settings",
|
"deployAzureSQLVM.AzureSettingsPageTitle": "Azure 설정",
|
||||||
"deployAzureSQLVM.AzureAccountDropdownLabel": "Azure Account",
|
"deployAzureSQLVM.AzureAccountDropdownLabel": "Azure 계정",
|
||||||
"deployAzureSQLVM.AzureSubscriptionDropdownLabel": "Subscription",
|
"deployAzureSQLVM.AzureSubscriptionDropdownLabel": "구독",
|
||||||
"deployAzureSQLVM.ResourceGroup": "Resource Group",
|
"deployAzureSQLVM.ResourceGroup": "리소스 그룹",
|
||||||
"deployAzureSQLVM.AzureRegionDropdownLabel": "Region",
|
"deployAzureSQLVM.AzureRegionDropdownLabel": "지역",
|
||||||
"deployeAzureSQLVM.VmSettingsPageTitle": "Virtual machine settings",
|
"deployeAzureSQLVM.VmSettingsPageTitle": "가상 머신 설정",
|
||||||
"deployAzureSQLVM.VmNameTextBoxLabel": "Virtual machine name",
|
"deployAzureSQLVM.VmNameTextBoxLabel": "가상 머신 이름",
|
||||||
"deployAzureSQLVM.VmAdminUsernameTextBoxLabel": "Administrator account username",
|
"deployAzureSQLVM.VmAdminUsernameTextBoxLabel": "관리자 계정 사용자 이름",
|
||||||
"deployAzureSQLVM.VmAdminPasswordTextBoxLabel": "Administrator account password",
|
"deployAzureSQLVM.VmAdminPasswordTextBoxLabel": "관리자 계정 암호",
|
||||||
"deployAzureSQLVM.VmAdminConfirmPasswordTextBoxLabel": "Confirm password",
|
"deployAzureSQLVM.VmAdminConfirmPasswordTextBoxLabel": "암호 확인",
|
||||||
"deployAzureSQLVM.VmImageDropdownLabel": "Image",
|
"deployAzureSQLVM.VmImageDropdownLabel": "이미지",
|
||||||
"deployAzureSQLVM.VmSkuDropdownLabel": "Image SKU",
|
"deployAzureSQLVM.VmSkuDropdownLabel": "이미지 SKU",
|
||||||
"deployAzureSQLVM.VmImageVersionDropdownLabel": "Image Version",
|
"deployAzureSQLVM.VmImageVersionDropdownLabel": "이미지 버전",
|
||||||
"deployAzureSQLVM.VmSizeDropdownLabel": "Size",
|
"deployAzureSQLVM.VmSizeDropdownLabel": "크기",
|
||||||
"deployeAzureSQLVM.VmSizeLearnMoreLabel": "Click here to learn more about pricing and supported VM sizes",
|
"deployeAzureSQLVM.VmSizeLearnMoreLabel": "가격 책정 및 지원되는 VM 크기를 자세히 알아보려면 여기를 클릭합니다.",
|
||||||
"deployAzureSQLVM.NetworkSettingsPageTitle": "Networking",
|
"deployAzureSQLVM.NetworkSettingsPageTitle": "네트워킹",
|
||||||
"deployAzureSQLVM.NetworkSettingsPageDescription": "Configure network settings",
|
"deployAzureSQLVM.NetworkSettingsPageDescription": "네트워크 설정 구성",
|
||||||
"deployAzureSQLVM.NetworkSettingsNewVirtualNetwork": "New virtual network",
|
"deployAzureSQLVM.NetworkSettingsNewVirtualNetwork": "새 가상 네트워크",
|
||||||
"deployAzureSQLVM.VirtualNetworkDropdownLabel": "Virtual Network",
|
"deployAzureSQLVM.VirtualNetworkDropdownLabel": "Virtual Network",
|
||||||
"deployAzureSQLVM.NetworkSettingsNewSubnet": "New subnet",
|
"deployAzureSQLVM.NetworkSettingsNewSubnet": "새 서브넷",
|
||||||
"deployAzureSQLVM.SubnetDropdownLabel": "Subnet",
|
"deployAzureSQLVM.SubnetDropdownLabel": "서브넷",
|
||||||
"deployAzureSQLVM.PublicIPDropdownLabel": "Public IP",
|
"deployAzureSQLVM.PublicIPDropdownLabel": "공용 IP",
|
||||||
"deployAzureSQLVM.NetworkSettingsUseExistingPublicIp": "New public ip",
|
"deployAzureSQLVM.NetworkSettingsUseExistingPublicIp": "새 공용 IP",
|
||||||
"deployAzureSQLVM.VmRDPAllowCheckboxLabel": "Enable Remote Desktop (RDP) inbound port (3389)",
|
"deployAzureSQLVM.VmRDPAllowCheckboxLabel": "RDP(원격 데스크톱) 인바운드 포트(3389) 사용",
|
||||||
"deployAzureSQLVM.SqlServerSettingsPageTitle": "SQL Servers settings",
|
"deployAzureSQLVM.SqlServerSettingsPageTitle": "SQL Server 설정",
|
||||||
"deployAzureSQLVM.SqlConnectivityTypeDropdownLabel": "SQL connectivity",
|
"deployAzureSQLVM.SqlConnectivityTypeDropdownLabel": "SQL 연결",
|
||||||
"deployAzureSQLVM.SqlPortLabel": "Port",
|
"deployAzureSQLVM.SqlPortLabel": "포트",
|
||||||
"deployAzureSQLVM.SqlEnableSQLAuthenticationLabel": "Enable SQL authentication",
|
"deployAzureSQLVM.SqlEnableSQLAuthenticationLabel": "SQL 인증 사용",
|
||||||
"deployAzureSQLVM.SqlAuthenticationUsernameLabel": "Username",
|
"deployAzureSQLVM.SqlAuthenticationUsernameLabel": "사용자 이름",
|
||||||
"deployAzureSQLVM.SqlAuthenticationPasswordLabel": "Password",
|
"deployAzureSQLVM.SqlAuthenticationPasswordLabel": "암호",
|
||||||
"deployAzureSQLVM.SqlAuthenticationConfirmPasswordLabel": "Confirm password"
|
"deployAzureSQLVM.SqlAuthenticationConfirmPasswordLabel": "암호 확인"
|
||||||
},
|
},
|
||||||
"dist/ui/deployClusterWizard/deployClusterWizardModel": {
|
"dist/ui/deployClusterWizard/deployClusterWizardModel": {
|
||||||
"deployCluster.SaveConfigFiles": "Save config files",
|
"deployCluster.SaveConfigFiles": "구성 파일 저장",
|
||||||
"deployCluster.ScriptToNotebook": "Script to Notebook",
|
"deployCluster.ScriptToNotebook": "Notebook으로 스크립트",
|
||||||
"deployCluster.SelectConfigFileFolder": "Save config files",
|
"deployCluster.SelectConfigFileFolder": "구성 파일 저장",
|
||||||
"deployCluster.SaveConfigFileSucceeded": "Config files saved to {0}",
|
"deployCluster.SaveConfigFileSucceeded": "구성 파일이 {0}에 저장됨",
|
||||||
"deployCluster.NewAKSWizardTitle": "Deploy SQL Server 2019 Big Data Cluster on a new AKS cluster",
|
"deployCluster.NewAKSWizardTitle": "새 AKS 클러스터에 SQL Server 2019 빅 데이터 클러스터 배포",
|
||||||
"deployCluster.ExistingAKSWizardTitle": "Deploy SQL Server 2019 Big Data Cluster on an existing AKS cluster",
|
"deployCluster.ExistingAKSWizardTitle": "기존 AKS 클러스터에 SQL Server 2019 빅 데이터 클러스터 배포",
|
||||||
"deployCluster.ExistingKubeAdm": "Deploy SQL Server 2019 Big Data Cluster on an existing kubeadm cluster",
|
"deployCluster.ExistingKubeAdm": "기존 kubeadm 클러스터에 SQL Server 2019 빅 데이터 클러스터 배포",
|
||||||
"deployCluster.ExistingARO": "Deploy SQL Server 2019 Big Data Cluster on an existing Azure Red Hat OpenShift cluster",
|
"deployCluster.ExistingARO": "기존 Azure Red Hat OpenShift 클러스터에 SQL Server 2019 빅 데이터 클러스터 배포",
|
||||||
"deployCluster.ExistingOpenShift": "Deploy SQL Server 2019 Big Data Cluster on an existing OpenShift cluster"
|
"deployCluster.ExistingOpenShift": "기존 OpenShift 클러스터에 SQL Server 2019 빅 데이터 클러스터 배포"
|
||||||
},
|
},
|
||||||
"dist/services/tools/toolBase": {
|
"dist/services/tools/toolBase": {
|
||||||
"deploymentDialog.ToolStatus.NotInstalled": "Not Installed",
|
"deploymentDialog.ToolStatus.NotInstalled": "설치되지 않음",
|
||||||
"deploymentDialog.ToolStatus.Installed": "Installed",
|
"deploymentDialog.ToolStatus.Installed": "설치됨",
|
||||||
"deploymentDialog.ToolStatus.Installing": "Installing…",
|
"deploymentDialog.ToolStatus.Installing": "설치하는 중...",
|
||||||
"deploymentDialog.ToolStatus.Error": "Error",
|
"deploymentDialog.ToolStatus.Error": "오류",
|
||||||
"deploymentDialog.ToolStatus.Failed": "Failed",
|
"deploymentDialog.ToolStatus.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.Brew": "•\tbrew는 도구를 배포하는 데 필요하며 필요한 도구를 배포하기 전에 미리 설치해야 합니다.",
|
||||||
"deploymentDialog.ToolInformationalMessage.Curl": "•\tcurl is needed for installation and needs to be pre-installed before necessary tools can be deployed",
|
"deploymentDialog.ToolInformationalMessage.Curl": "•\tcurl은 설치에 필요하며 필요한 도구를 배포하기 전에 미리 설치해야 합니다.",
|
||||||
"toolBase.getPip3InstallationLocation.LocationNotFound": " Could not find 'Location' in the output:",
|
"toolBase.getPip3InstallationLocation.LocationNotFound": " 출력에서 'Location'을 찾을 수 없습니다.",
|
||||||
"toolBase.getPip3InstallationLocation.Output": " output:",
|
"toolBase.getPip3InstallationLocation.Output": " 출력:",
|
||||||
"toolBase.InstallError": "Error installing tool '{0}' [ {1} ].{2}Error: {3}{2}See output channel '{4}' for more details",
|
"toolBase.InstallError": "'{0}'[{1}] 도구를 설치하는 동안 오류가 발생했습니다. {2}오류: {3}{2}자세한 내용은 출력 채널 '{4}'을(를) 참조하세요.",
|
||||||
"toolBase.InstallErrorInformation": "Error installing tool. See output channel '{0}' for more details",
|
"toolBase.InstallErrorInformation": "도구를 설치하는 동안 오류가 발생했습니다. 자세한 내용은 출력 채널 '{0}'을(를) 참조하세요.",
|
||||||
"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.InstallFailed": "설치 명령이 완료되었지만 '{0}' 도구의 버전을 검색할 수 없어서 설치하지 못했습니다. 검색 오류: {1}{2}이전 설치를 정리하는 것이 도움이 됩니다.",
|
||||||
"toolBase.InstallFailInformation": "Failed to detect version post installation. See output channel '{0}' for more details",
|
"toolBase.InstallFailInformation": "설치 후 버전을 검색하지 못했습니다. 자세한 내용은 출력 채널 '{0}'을(를) 참조하세요.",
|
||||||
"toolBase.ManualUninstallCommand": " A possibly way to uninstall is using this command:{0} >{1}",
|
"toolBase.ManualUninstallCommand": " 제거할 수 있는 방법은 {0} >{1} 명령을 사용하는 것입니다.",
|
||||||
"toolBase.SeeOutputChannel": "{0}See output channel '{1}' for more details",
|
"toolBase.SeeOutputChannel": "{0}자세한 내용은 출력 채널 '{1}' 참조",
|
||||||
"toolBase.installCore.CannotInstallTool": "Cannot install tool:{0}::{1} as installation commands are unknown for your OS distribution, Please install {0} manually before proceeding",
|
"toolBase.installCore.CannotInstallTool": "OS 배포를 위한 설치 명령을 알 수 없으므로 {0}::{1} 도구를 설치할 수 없습니다. 계속하기 전에 {0}을(를) 수동으로 설치하세요.",
|
||||||
"toolBase.addInstallationSearchPathsToSystemPath.SearchPaths": "Search Paths for tool '{0}': {1}",
|
"toolBase.addInstallationSearchPathsToSystemPath.SearchPaths": "'{0}' 도구의 검색 경로: {1}",
|
||||||
"deployCluster.GetToolVersionErrorInformation": "Error retrieving version information. See output channel '{0}' for more details",
|
"deployCluster.GetToolVersionErrorInformation": "버전 정보를 검색하는 동안 오류가 발생했습니다. 자세한 내용은 출력 채널 '{0}'을(를) 참조하세요.",
|
||||||
"deployCluster.GetToolVersionError": "Error retrieving version information.{0}Invalid output received, get version command output: '{1}' "
|
"deployCluster.GetToolVersionError": "버전 정보를 검색하는 동안 오류가 발생했습니다. {0}잘못된 출력이 수신되었습니다. 버전 명령 출력 '{1}'을(를) 가져옵니다. "
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLDBWizard/constants": {
|
"dist/ui/deployAzureSQLDBWizard/constants": {
|
||||||
"deployAzureSQLDB.NewSQLDBTitle": "Deploy Azure SQL DB",
|
"deployAzureSQLDB.NewSQLDBTitle": "Azure SQL DB 배포",
|
||||||
"deployAzureSQLDB.ScriptToNotebook": "Script to Notebook",
|
"deployAzureSQLDB.ScriptToNotebook": "Notebook으로 스크립트",
|
||||||
"deployAzureSQLDB.MissingRequiredInfoError": "Please fill out the required fields marked with red asterisks.",
|
"deployAzureSQLDB.MissingRequiredInfoError": "빨간색 별표가 표시된 필수 필드를 입력하세요.",
|
||||||
"deployAzureSQLDB.AzureSettingsPageTitle": "Azure SQL Database - Azure account settings",
|
"deployAzureSQLDB.AzureSettingsPageTitle": "Azure SQL Database - Azure 계정 설정",
|
||||||
"deployAzureSQLDB.AzureSettingsSummaryPageTitle": "Azure account settings",
|
"deployAzureSQLDB.AzureSettingsSummaryPageTitle": "Azure 계정 설정",
|
||||||
"deployAzureSQLDB.AzureAccountDropdownLabel": "Azure account",
|
"deployAzureSQLDB.AzureAccountDropdownLabel": "Azure 계정",
|
||||||
"deployAzureSQLDB.AzureSubscriptionDropdownLabel": "Subscription",
|
"deployAzureSQLDB.AzureSubscriptionDropdownLabel": "구독",
|
||||||
"deployAzureSQLDB.AzureDatabaseServersDropdownLabel": "Server",
|
"deployAzureSQLDB.AzureDatabaseServersDropdownLabel": "서버",
|
||||||
"deployAzureSQLDB.ResourceGroup": "Resource group",
|
"deployAzureSQLDB.ResourceGroup": "리소스 그룹",
|
||||||
"deployAzureSQLDB.DatabaseSettingsPageTitle": "Database settings",
|
"deployAzureSQLDB.DatabaseSettingsPageTitle": "데이터베이스 설정",
|
||||||
"deployAzureSQLDB.FirewallRuleNameLabel": "Firewall rule name",
|
"deployAzureSQLDB.FirewallRuleNameLabel": "방화벽 규칙 이름",
|
||||||
"deployAzureSQLDB.DatabaseNameLabel": "SQL database name",
|
"deployAzureSQLDB.DatabaseNameLabel": "SQL 데이터베이스 이름",
|
||||||
"deployAzureSQLDB.CollationNameLabel": "Database collation",
|
"deployAzureSQLDB.CollationNameLabel": "데이터베이스 데이터 정렬",
|
||||||
"deployAzureSQLDB.CollationNameSummaryLabel": "Collation for database",
|
"deployAzureSQLDB.CollationNameSummaryLabel": "데이터베이스 데이터 정렬",
|
||||||
"deployAzureSQLDB.IpAddressInfoLabel": "Enter IP addresses in IPv4 format.",
|
"deployAzureSQLDB.IpAddressInfoLabel": "IPv4 형식으로 IP 주소를 입력합니다.",
|
||||||
"deployAzureSQLDB.StartIpAddressLabel": "Min IP address in firewall IP range",
|
"deployAzureSQLDB.StartIpAddressLabel": "방화벽 IP 범위의 최소 IP 주소",
|
||||||
"deployAzureSQLDB.EndIpAddressLabel": "Max IP address in firewall IP range",
|
"deployAzureSQLDB.EndIpAddressLabel": "방화벽 IP 범위의 최대 IP 주소",
|
||||||
"deployAzureSQLDB.StartIpAddressShortLabel": "Min IP address",
|
"deployAzureSQLDB.StartIpAddressShortLabel": "최소 IP 주소",
|
||||||
"deployAzureSQLDB.EndIpAddressShortLabel": "Max IP address",
|
"deployAzureSQLDB.EndIpAddressShortLabel": "최대 IP 주소",
|
||||||
"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.FirewallRuleDescription": "만들기가 완료된 후 Azure Data Studio를 통해 데이터베이스에 연결하려면 로컬 클라이언트 IP의 방화벽 규칙을 만듭니다.",
|
||||||
"deployAzureSQLDB.FirewallToggleLabel": "Create a firewall rule"
|
"deployAzureSQLDB.FirewallToggleLabel": "방화벽 규칙 만들기"
|
||||||
},
|
},
|
||||||
"dist/services/tools/kubeCtlTool": {
|
"dist/services/tools/kubeCtlTool": {
|
||||||
"resourceDeployment.KubeCtlDescription": "Runs commands against Kubernetes clusters",
|
"resourceDeployment.KubeCtlDescription": "Kubernetes 클러스터에 대해 명령 실행",
|
||||||
"resourceDeployment.KubeCtlDisplayName": "kubectl",
|
"resourceDeployment.KubeCtlDisplayName": "kubectl",
|
||||||
"resourceDeployment.invalidKubectlVersionOutput": "Unable to parse the kubectl version command output: \"{0}\"",
|
"resourceDeployment.invalidKubectlVersionOutput": "Kubectl 버전 명령 출력을 구문 분석할 수 없음: \"{0}\"",
|
||||||
"resourceDeployment.Kubectl.UpdatingBrewRepository": "updating your brew repository for kubectl installation …",
|
"resourceDeployment.Kubectl.UpdatingBrewRepository": "kubectl 설치를 위해 brew 리포지토리를 업데이트하는 중...",
|
||||||
"resourceDeployment.Kubectl.InstallingKubeCtl": "installing kubectl …",
|
"resourceDeployment.Kubectl.InstallingKubeCtl": "kubectl을 설치하는 중...",
|
||||||
"resourceDeployment.Kubectl.AptGetUpdate": "updating repository information …",
|
"resourceDeployment.Kubectl.AptGetUpdate": "리포지토리 정보를 업데이트하는 중...",
|
||||||
"resourceDeployment.Kubectl.AptGetPackages": "getting packages needed for kubectl installation …",
|
"resourceDeployment.Kubectl.AptGetPackages": "kubectl 설치에 필요한 패키지를 가져오는 중...",
|
||||||
"resourceDeployment.Kubectl.DownloadAndInstallingSigningKey": "downloading and installing the signing key for kubectl …",
|
"resourceDeployment.Kubectl.DownloadAndInstallingSigningKey": "kubectl의 서명 키를 다운로드하고 설치하는 중...",
|
||||||
"resourceDeployment.Kubectl.AddingKubectlRepositoryInformation": "adding the kubectl repository information …",
|
"resourceDeployment.Kubectl.AddingKubectlRepositoryInformation": "kubectl 리포지토리 정보를 추가하는 중...",
|
||||||
"resourceDeployment.Kubectl.InstallingKubectl": "installing kubectl …",
|
"resourceDeployment.Kubectl.InstallingKubectl": "kubectl을 설치하는 중...",
|
||||||
"resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl.exe": "deleting previously downloaded kubectl.exe if one exists …",
|
"resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl.exe": "이전에 다운로드한 kubectl.exe 삭제 중(있는 경우)...",
|
||||||
"resourceDeployment.Kubectl.DownloadingAndInstallingKubectl": "downloading and installing the latest kubectl.exe …",
|
"resourceDeployment.Kubectl.DownloadingAndInstallingKubectl": "최신 kubectl.exe를 다운로드하고 설치하는 중...",
|
||||||
"resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl": "deleting previously downloaded kubectl if one exists …",
|
"resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl": "이전에 다운로드한 kubectl 삭제 중(있는 경우)...",
|
||||||
"resourceDeployment.Kubectl.DownloadingKubectl": "downloading the latest kubectl release …",
|
"resourceDeployment.Kubectl.DownloadingKubectl": "최신 kubectl 릴리스를 다운로드하는 중...",
|
||||||
"resourceDeployment.Kubectl.MakingExecutable": "making kubectl executable …",
|
"resourceDeployment.Kubectl.MakingExecutable": "kubectl 실행 파일을 만드는 중...",
|
||||||
"resourceDeployment.Kubectl.CleaningUpOldBackups": "cleaning up any previously backed up version in the install location if they exist …",
|
"resourceDeployment.Kubectl.CleaningUpOldBackups": "설치 위치에서 이전에 백업된 버전을 정리하는 중(있는 경우)...",
|
||||||
"resourceDeployment.Kubectl.BackupCurrentBinary": "backing up any existing kubectl in the install location …",
|
"resourceDeployment.Kubectl.BackupCurrentBinary": "설치 위치의 기존 kubectl을 백업하는 중...",
|
||||||
"resourceDeployment.Kubectl.MoveToSystemPath": "moving kubectl into the install location in the PATH …"
|
"resourceDeployment.Kubectl.MoveToSystemPath": "PATH에서 설치 위치로 kubectl을 이동하는 중..."
|
||||||
},
|
},
|
||||||
"dist/ui/notebookWizard/notebookWizardPage": {
|
"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": {
|
"dist/ui/deploymentInputDialog": {
|
||||||
"deploymentDialog.OpenNotebook": "Open Notebook",
|
"deploymentDialog.OpenNotebook": "Notebook 열기",
|
||||||
"deploymentDialog.OkButtonText": "OK",
|
"deploymentDialog.OkButtonText": "확인",
|
||||||
"notebookType": "Notebook type"
|
"notebookType": "Notebook 유형"
|
||||||
},
|
},
|
||||||
"dist/main": {
|
"dist/main": {
|
||||||
"resourceDeployment.FailedToLoadExtension": "{0} 확장을 로드하지 못했습니다. package.json의 리소스 종류 정의에서 오류가 감지되었습니다. 자세한 내용은 디버그 콘솔을 참조하세요.",
|
|
||||||
"resourceDeployment.UnknownResourceType": "리소스 종류 {0}이(가) 정의되지 않았습니다."
|
"resourceDeployment.UnknownResourceType": "리소스 종류 {0}이(가) 정의되지 않았습니다."
|
||||||
},
|
},
|
||||||
"dist/services/notebookService": {
|
"dist/services/notebookService": {
|
||||||
"resourceDeployment.notebookNotFound": "{0} Notebook이 없습니다."
|
"resourceDeployment.notebookNotFound": "{0} Notebook이 없습니다."
|
||||||
},
|
},
|
||||||
"dist/services/platformService": {
|
"dist/services/platformService": {
|
||||||
"resourceDeployment.outputChannel": "Deployments",
|
"resourceDeployment.outputChannel": "배포",
|
||||||
"platformService.RunCommand.ErroredOut": "\t>>> {0} … errored out: {1}",
|
"platformService.RunCommand.ErroredOut": "\t>>> {0} ... 오류가 발생했습니다. {1}",
|
||||||
"platformService.RunCommand.IgnoringError": "\t>>> Ignoring error in execution and continuing tool deployment",
|
"platformService.RunCommand.IgnoringError": "\t>>> 실행 시 오류 무시 및 도구 배포 계속",
|
||||||
"platformService.RunCommand.stdout": " stdout: ",
|
"platformService.RunCommand.stdout": " stdout: ",
|
||||||
"platformService.RunCommand.stderr": " stderr: ",
|
"platformService.RunCommand.stderr": " stderr: ",
|
||||||
"platformService.RunStreamedCommand.ExitedWithCode": " >>> {0} … exited with code: {1}",
|
"platformService.RunStreamedCommand.ExitedWithCode": " >>> {0} … 종료됨(코드: {1})",
|
||||||
"platformService.RunStreamedCommand.ExitedWithSignal": " >>> {0} … exited with signal: {1}"
|
"platformService.RunStreamedCommand.ExitedWithSignal": " >>> {0} … 종료됨(신호: {1})"
|
||||||
},
|
},
|
||||||
"dist/services/resourceTypeService": {
|
"dist/services/resourceTypeService": {
|
||||||
"downloadError": "다운로드 실패, 상태 코드: {0}, 메시지: {1}"
|
"downloadError": "다운로드 실패, 상태 코드: {0}, 메시지: {1}"
|
||||||
},
|
},
|
||||||
"dist/ui/deployClusterWizard/pages/deploymentProfilePage": {
|
"dist/ui/deployClusterWizard/pages/deploymentProfilePage": {
|
||||||
"deployCluster.serviceScaleTableTitle": "Service scale settings (Instances)",
|
"deployCluster.serviceScaleTableTitle": "서비스 스케일링 설정(인스턴스)",
|
||||||
"deployCluster.storageTableTitle": "Service storage settings (GB per Instance)",
|
"deployCluster.storageTableTitle": "서비스 스토리지 설정(인스턴스당 GB)",
|
||||||
"deployCluster.featureTableTitle": "Features",
|
"deployCluster.featureTableTitle": "기능",
|
||||||
"deployCluster.yesText": "Yes",
|
"deployCluster.yesText": "예",
|
||||||
"deployCluster.noText": "No",
|
"deployCluster.noText": "아니요",
|
||||||
"deployCluster.summaryPageTitle": "Deployment configuration profile",
|
"deployCluster.summaryPageTitle": "배포 구성 프로필",
|
||||||
"deployCluster.summaryPageDescription": "Select the target configuration profile",
|
"deployCluster.summaryPageDescription": "대상 구성 프로필 선택",
|
||||||
"deployCluster.ProfileHintText": "참고: 배포 프로필의 설정은 이후 단계에서 사용자 지정할 수 있습니다.",
|
"deployCluster.ProfileHintText": "참고: 배포 프로필의 설정은 이후 단계에서 사용자 지정할 수 있습니다.",
|
||||||
"deployCluster.loadingProfiles": "Loading profiles",
|
"deployCluster.loadingProfiles": "프로필 로드",
|
||||||
"deployCluster.loadingProfilesCompleted": "Loading profiles completed",
|
"deployCluster.loadingProfilesCompleted": "프로필 로드 완료",
|
||||||
"deployCluster.profileRadioGroupLabel": "Deployment configuration profile",
|
"deployCluster.profileRadioGroupLabel": "배포 구성 프로필",
|
||||||
"deployCluster.loadProfileFailed": "배포 프로필 {0}을(를) 로드하지 못했습니다.",
|
"deployCluster.loadProfileFailed": "배포 프로필 {0}을(를) 로드하지 못했습니다.",
|
||||||
"deployCluster.masterPoolLabel": "SQL Server 마스터",
|
"deployCluster.masterPoolLabel": "SQL Server 마스터",
|
||||||
"deployCluster.computePoolLable": "컴퓨팅",
|
"deployCluster.computePoolLable": "컴퓨팅",
|
||||||
"deployCluster.dataPoolLabel": "데이터",
|
"deployCluster.dataPoolLabel": "데이터",
|
||||||
"deployCluster.hdfsLabel": "HDFS + Spark",
|
"deployCluster.hdfsLabel": "HDFS + Spark",
|
||||||
"deployCluster.ServiceName": "Service",
|
"deployCluster.ServiceName": "서비스",
|
||||||
"deployCluster.dataStorageType": "Data",
|
"deployCluster.dataStorageType": "데이터",
|
||||||
"deployCluster.logsStorageType": "Logs",
|
"deployCluster.logsStorageType": "로그",
|
||||||
"deployCluster.StorageType": "Storage type",
|
"deployCluster.StorageType": "스토리지 유형",
|
||||||
"deployCluster.basicAuthentication": "기본 인증",
|
"deployCluster.basicAuthentication": "기본 인증",
|
||||||
"deployCluster.activeDirectoryAuthentication": "Active Directory 인증",
|
"deployCluster.activeDirectoryAuthentication": "Active Directory 인증",
|
||||||
"deployCluster.hadr": "고가용성",
|
"deployCluster.hadr": "고가용성",
|
||||||
"deployCluster.featureText": "Feature",
|
"deployCluster.featureText": "기능",
|
||||||
"deployCluster.ProfileNotSelectedError": "배포 프로필을 선택하세요."
|
"deployCluster.ProfileNotSelectedError": "배포 프로필을 선택하세요."
|
||||||
},
|
},
|
||||||
"dist/ui/deployClusterWizard/pages/azureSettingsPage": {
|
"dist/ui/deployClusterWizard/pages/azureSettingsPage": {
|
||||||
"deployCluster.MissingRequiredInfoError": "Please fill out the required fields marked with red asterisks.",
|
"deployCluster.MissingRequiredInfoError": "빨간색 별표가 표시된 필수 필드를 입력하세요.",
|
||||||
"deployCluster.AzureSettingsPageTitle": "Azure 설정",
|
"deployCluster.AzureSettingsPageTitle": "Azure 설정",
|
||||||
"deployCluster.AzureSettingsPageDescription": "Azure Kubernetes Service 클러스터를 만들기 위한 설정 구성",
|
"deployCluster.AzureSettingsPageDescription": "Azure Kubernetes Service 클러스터를 만들기 위한 설정 구성",
|
||||||
"deployCluster.SubscriptionField": "구독 ID",
|
"deployCluster.SubscriptionField": "구독 ID",
|
||||||
@@ -326,7 +329,7 @@
|
|||||||
"deployCluster.VMSizeHelpLink": "사용 가능한 VM 크기 보기"
|
"deployCluster.VMSizeHelpLink": "사용 가능한 VM 크기 보기"
|
||||||
},
|
},
|
||||||
"dist/ui/deployClusterWizard/pages/clusterSettingsPage": {
|
"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.ClusterSettingsPageTitle": "클러스터 설정",
|
||||||
"deployCluster.ClusterSettingsPageDescription": "SQL Server 빅 데이터 클러스터 설정 구성",
|
"deployCluster.ClusterSettingsPageDescription": "SQL Server 빅 데이터 클러스터 설정 구성",
|
||||||
"deployCluster.ClusterName": "클러스터 이름",
|
"deployCluster.ClusterName": "클러스터 이름",
|
||||||
@@ -354,7 +357,7 @@
|
|||||||
"deployCluster.DomainDNSIPAddressesPlaceHolder": "쉼표를 사용하여 값을 구분합니다.",
|
"deployCluster.DomainDNSIPAddressesPlaceHolder": "쉼표를 사용하여 값을 구분합니다.",
|
||||||
"deployCluster.DomainDNSIPAddressesDescription": "도메인 DNS 서버의 IP 주소입니다. 쉼표를 사용하여 여러 IP 주소를 구분합니다.",
|
"deployCluster.DomainDNSIPAddressesDescription": "도메인 DNS 서버의 IP 주소입니다. 쉼표를 사용하여 여러 IP 주소를 구분합니다.",
|
||||||
"deployCluster.DomainDNSName": "도메인 DNS 이름",
|
"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.ClusterAdmins": "클러스터 관리자 그룹",
|
||||||
"deployCluster.ClusterAdminsDescription": "클러스터 관리자의 Active Directory 그룹입니다.",
|
"deployCluster.ClusterAdminsDescription": "클러스터 관리자의 Active Directory 그룹입니다.",
|
||||||
"deployCluster.ClusterUsers": "클러스터 사용자",
|
"deployCluster.ClusterUsers": "클러스터 사용자",
|
||||||
@@ -363,16 +366,16 @@
|
|||||||
"deployCluster.DomainServiceAccountUserName": "서비스 계정 사용자 이름",
|
"deployCluster.DomainServiceAccountUserName": "서비스 계정 사용자 이름",
|
||||||
"deployCluster.DomainServiceAccountUserNameDescription": "빅 데이터 클러스터의 도메인 서비스 계정",
|
"deployCluster.DomainServiceAccountUserNameDescription": "빅 데이터 클러스터의 도메인 서비스 계정",
|
||||||
"deployCluster.DomainServiceAccountPassword": "서비스 계정 암호",
|
"deployCluster.DomainServiceAccountPassword": "서비스 계정 암호",
|
||||||
"deployCluster.AppOwners": "App owners",
|
"deployCluster.AppOwners": "앱 소유자",
|
||||||
"deployCluster.AppOwnersPlaceHolder": "쉼표를 사용하여 값을 구분합니다.",
|
"deployCluster.AppOwnersPlaceHolder": "쉼표를 사용하여 값을 구분합니다.",
|
||||||
"deployCluster.AppOwnersDescription": "앱 소유자 역할이 있는 Active Directory 사용자 또는 그룹입니다. 쉼표를 사용하여 여러 사용자/그룹을 구분합니다.",
|
"deployCluster.AppOwnersDescription": "앱 소유자 역할이 있는 Active Directory 사용자 또는 그룹입니다. 쉼표를 사용하여 여러 사용자/그룹을 구분합니다.",
|
||||||
"deployCluster.AppReaders": "앱 읽기 권한자",
|
"deployCluster.AppReaders": "앱 읽기 권한자",
|
||||||
"deployCluster.AppReadersPlaceHolder": "쉼표를 사용하여 값을 구분합니다.",
|
"deployCluster.AppReadersPlaceHolder": "쉼표를 사용하여 값을 구분합니다.",
|
||||||
"deployCluster.AppReadersDescription": "앱 읽기 권한자의 Active Directory 사용자 또는 그룹입니다. 여러 사용자/그룹이 있는 경우 쉼표를 구분 기호로 사용합니다.",
|
"deployCluster.AppReadersDescription": "앱 읽기 권한자의 Active Directory 사용자 또는 그룹입니다. 여러 사용자/그룹이 있는 경우 쉼표를 구분 기호로 사용합니다.",
|
||||||
"deployCluster.Subdomain": "Subdomain",
|
"deployCluster.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.SubdomainDescription": "이 SQL Server 빅 데이터 클러스터에 사용할 고유한 DNS 하위 도메인입니다. 제공되지 않으면 클러스터 이름이 기본값으로 사용됩니다.",
|
||||||
"deployCluster.AccountPrefix": "Account prefix",
|
"deployCluster.AccountPrefix": "계정 접두사",
|
||||||
"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.AccountPrefixDescription": "AD 계정 SQL Server 빅 데이터 클러스터의 고유한 접두사가 생성됩니다. 제공되지 않으면 하위 도메인 이름이 기본값으로 사용됩니다. 하위 도메인이 제공되지 않으면 클러스터 이름이 기본값으로 사용됩니다.",
|
||||||
"deployCluster.AdminPasswordField": "암호",
|
"deployCluster.AdminPasswordField": "암호",
|
||||||
"deployCluster.ValidationError": "이 페이지에 오류가 있습니다. 오류를 보려면 '세부 정보 표시'를 클릭합니다."
|
"deployCluster.ValidationError": "이 페이지에 오류가 있습니다. 오류를 보려면 '세부 정보 표시'를 클릭합니다."
|
||||||
},
|
},
|
||||||
@@ -408,30 +411,30 @@
|
|||||||
"deployCluster.EndpointSettings": "엔드포인트 설정",
|
"deployCluster.EndpointSettings": "엔드포인트 설정",
|
||||||
"deployCluster.storageFieldTooltip": "컨트롤러 설정 사용",
|
"deployCluster.storageFieldTooltip": "컨트롤러 설정 사용",
|
||||||
"deployCluster.AdvancedStorageDescription": "기본적으로 컨트롤러 스토리지 설정은 다른 서비스에도 적용되며 고급 스토리지 설정을 확장하여 다른 서비스용으로 스토리지를 구성할 수 있습니다.",
|
"deployCluster.AdvancedStorageDescription": "기본적으로 컨트롤러 스토리지 설정은 다른 서비스에도 적용되며 고급 스토리지 설정을 확장하여 다른 서비스용으로 스토리지를 구성할 수 있습니다.",
|
||||||
"deployCluster.controllerDataStorageClass": "Controller's data storage class",
|
"deployCluster.controllerDataStorageClass": "컨트롤러의 데이터 스토리지 클래스",
|
||||||
"deployCluster.controllerDataStorageClaimSize": "Controller's data storage claim size",
|
"deployCluster.controllerDataStorageClaimSize": "컨트롤러의 데이터 스토리지 클레임 크기",
|
||||||
"deployCluster.controllerLogsStorageClass": "Controller's logs storage class",
|
"deployCluster.controllerLogsStorageClass": "컨트롤러의 로그 스토리지 클래스",
|
||||||
"deployCluster.controllerLogsStorageClaimSize": "Controller's logs storage claim size",
|
"deployCluster.controllerLogsStorageClaimSize": "컨트롤러의 로그 스토리지 클레임 크기",
|
||||||
"deployCluster.StoragePool": "스토리지 풀(HDFS)",
|
"deployCluster.StoragePool": "스토리지 풀(HDFS)",
|
||||||
"deployCluster.storagePoolDataStorageClass": "Storage pool's data storage class",
|
"deployCluster.storagePoolDataStorageClass": "스토리지 풀의 데이터 스토리지 클래스",
|
||||||
"deployCluster.storagePoolDataStorageClaimSize": "Storage pool's data storage claim size",
|
"deployCluster.storagePoolDataStorageClaimSize": "스토리지 풀의 데이터 스토리지 클레임 크기",
|
||||||
"deployCluster.storagePoolLogsStorageClass": "Storage pool's logs storage class",
|
"deployCluster.storagePoolLogsStorageClass": "스토리지 풀의 로그 스토리지 클래스",
|
||||||
"deployCluster.storagePoolLogsStorageClaimSize": "Storage pool's logs storage claim size",
|
"deployCluster.storagePoolLogsStorageClaimSize": "스토리지 풀의 로그 스토리지 클레임 크기",
|
||||||
"deployCluster.DataPool": "데이터 풀",
|
"deployCluster.DataPool": "데이터 풀",
|
||||||
"deployCluster.dataPoolDataStorageClass": "Data pool's data storage class",
|
"deployCluster.dataPoolDataStorageClass": "데이터 풀의 데이터 스토리지 클래스",
|
||||||
"deployCluster.dataPoolDataStorageClaimSize": "Data pool's data storage claim size",
|
"deployCluster.dataPoolDataStorageClaimSize": "데이터 풀의 데이터 스토리지 클레임 크기",
|
||||||
"deployCluster.dataPoolLogsStorageClass": "Data pool's logs storage class",
|
"deployCluster.dataPoolLogsStorageClass": "데이터 풀의 로그 스토리지 클래스",
|
||||||
"deployCluster.dataPoolLogsStorageClaimSize": "Data pool's logs storage claim size",
|
"deployCluster.dataPoolLogsStorageClaimSize": "데이터 풀의 로그 스토리지 클레임 크기",
|
||||||
"deployCluster.sqlServerMasterDataStorageClass": "SQL Server master's data storage class",
|
"deployCluster.sqlServerMasterDataStorageClass": "SQL Server 마스터의 데이터 스토리지 클래스",
|
||||||
"deployCluster.sqlServerMasterDataStorageClaimSize": "SQL Server master's data storage claim size",
|
"deployCluster.sqlServerMasterDataStorageClaimSize": "SQL Server 마스터의 데이터 스토리지 클레임 크기",
|
||||||
"deployCluster.sqlServerMasterLogsStorageClass": "SQL Server master's logs storage class",
|
"deployCluster.sqlServerMasterLogsStorageClass": "SQL Server 마스터의 로그 스토리지 클래스",
|
||||||
"deployCluster.sqlServerMasterLogsStorageClaimSize": "SQL Server master's logs storage claim size",
|
"deployCluster.sqlServerMasterLogsStorageClaimSize": "SQL Server 마스터의 로그 스토리지 클레임 크기",
|
||||||
"deployCluster.ServiceName": "Service name",
|
"deployCluster.ServiceName": "서비스 이름",
|
||||||
"deployCluster.DataStorageClassName": "데이터용 스토리지 클래스",
|
"deployCluster.DataStorageClassName": "데이터용 스토리지 클래스",
|
||||||
"deployCluster.DataClaimSize": "데이터의 클레임 크기(GB)",
|
"deployCluster.DataClaimSize": "데이터의 클레임 크기(GB)",
|
||||||
"deployCluster.LogStorageClassName": "로그용 스토리지 클래스",
|
"deployCluster.LogStorageClassName": "로그용 스토리지 클래스",
|
||||||
"deployCluster.LogsClaimSize": "로그의 클레임 크기(GB)",
|
"deployCluster.LogsClaimSize": "로그의 클레임 크기(GB)",
|
||||||
"deployCluster.StorageSettings": "Storage settings",
|
"deployCluster.StorageSettings": "스토리지 설정",
|
||||||
"deployCluster.StorageSectionTitle": "스토리지 설정",
|
"deployCluster.StorageSectionTitle": "스토리지 설정",
|
||||||
"deployCluster.SparkMustBeIncluded": "잘못된 Spark 구성입니다. 'Spark 포함' 확인란을 선택하거나 'Spark 풀 인스턴스'를 1 이상으로 설정해야 합니다."
|
"deployCluster.SparkMustBeIncluded": "잘못된 Spark 구성입니다. 'Spark 포함' 확인란을 선택하거나 'Spark 풀 인스턴스'를 1 이상으로 설정해야 합니다."
|
||||||
},
|
},
|
||||||
@@ -453,10 +456,10 @@
|
|||||||
"deployCluster.DomainDNSName": "도메인 DNS 이름",
|
"deployCluster.DomainDNSName": "도메인 DNS 이름",
|
||||||
"deployCluster.ClusterAdmins": "클러스터 관리자 그룹",
|
"deployCluster.ClusterAdmins": "클러스터 관리자 그룹",
|
||||||
"deployCluster.ClusterUsers": "클러스터 사용자",
|
"deployCluster.ClusterUsers": "클러스터 사용자",
|
||||||
"deployCluster.AppOwners": "App owners",
|
"deployCluster.AppOwners": "앱 소유자",
|
||||||
"deployCluster.AppReaders": "앱 읽기 권한자",
|
"deployCluster.AppReaders": "앱 읽기 권한자",
|
||||||
"deployCluster.Subdomain": "Subdomain",
|
"deployCluster.Subdomain": "하위 도메인",
|
||||||
"deployCluster.AccountPrefix": "Account prefix",
|
"deployCluster.AccountPrefix": "계정 접두사",
|
||||||
"deployCluster.DomainServiceAccountUserName": "서비스 계정 사용자 이름",
|
"deployCluster.DomainServiceAccountUserName": "서비스 계정 사용자 이름",
|
||||||
"deployCluster.AzureSettings": "Azure 설정",
|
"deployCluster.AzureSettings": "Azure 설정",
|
||||||
"deployCluster.SubscriptionId": "구독 ID",
|
"deployCluster.SubscriptionId": "구독 ID",
|
||||||
@@ -473,7 +476,7 @@
|
|||||||
"deployCluster.SparkPoolInstances": "Spark 풀 인스턴스",
|
"deployCluster.SparkPoolInstances": "Spark 풀 인스턴스",
|
||||||
"deployCluster.StoragePoolInstances": "스토리지 풀(HDFS) 인스턴스",
|
"deployCluster.StoragePoolInstances": "스토리지 풀(HDFS) 인스턴스",
|
||||||
"deployCluster.WithSpark": "(Spark 포함)",
|
"deployCluster.WithSpark": "(Spark 포함)",
|
||||||
"deployCluster.ServiceName": "Service",
|
"deployCluster.ServiceName": "서비스",
|
||||||
"deployCluster.DataStorageClassName": "데이터용 스토리지 클래스",
|
"deployCluster.DataStorageClassName": "데이터용 스토리지 클래스",
|
||||||
"deployCluster.DataClaimSize": "데이터의 클레임 크기(GB)",
|
"deployCluster.DataClaimSize": "데이터의 클레임 크기(GB)",
|
||||||
"deployCluster.LogStorageClassName": "로그용 스토리지 클래스",
|
"deployCluster.LogStorageClassName": "로그용 스토리지 클래스",
|
||||||
@@ -502,138 +505,129 @@
|
|||||||
"deployCluster.ConfigParseError": "구성 파일을 로드하지 못함"
|
"deployCluster.ConfigParseError": "구성 파일을 로드하지 못함"
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLVMWizard/deployAzureSQLVMWizardModel": {
|
"dist/ui/deployAzureSQLVMWizard/deployAzureSQLVMWizardModel": {
|
||||||
"sqlVMDeploymentWizard.PasswordLengthError": "Password must be between 12 and 123 characters long.",
|
"sqlVMDeploymentWizard.PasswordLengthError": "암호는 12~123자여야 합니다.",
|
||||||
"sqlVMDeploymentWizard.PasswordSpecialCharRequirementError": "Password must have 3 of the following: 1 lower case character, 1 upper case character, 1 number, and 1 special character."
|
"sqlVMDeploymentWizard.PasswordSpecialCharRequirementError": "암호는 소문자 1자, 대문자 1자, 숫자 1자 및 특수 문자 1자 중 3가지를 포함해야 합니다."
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLVMWizard/pages/vmSettingsPage": {
|
"dist/ui/deployAzureSQLVMWizard/pages/vmSettingsPage": {
|
||||||
"deployAzureSQLVM.VnameLengthError": "Virtual machine name must be between 1 and 15 characters long.",
|
"deployAzureSQLVM.VnameLengthError": "가상 머신 이름은 1~15자여야 합니다.",
|
||||||
"deployAzureSQLVM.VNameOnlyNumericNameError": "Virtual machine name cannot contain only numbers.",
|
"deployAzureSQLVM.VNameOnlyNumericNameError": "가상 머신 이름을 숫자로만 설정할 수는 없습니다.",
|
||||||
"deployAzureSQLVM.VNamePrefixSuffixError": "Virtual machine name Can't start with underscore. Can't end with period or hyphen",
|
"deployAzureSQLVM.VNamePrefixSuffixError": "가상 머신 이름은 밑줄로 시작할 수 없습니다. 마침표 또는 하이픈으로 끝날 수 없습니다.",
|
||||||
"deployAzureSQLVM.VNameSpecialCharError": "Virtual machine name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .",
|
"deployAzureSQLVM.VNameSpecialCharError": "가상 머신 이름에는 특수 문자 \\/\"\"[]:|<>+=;,?*@&,가 포함될 수 없습니다.",
|
||||||
"deployAzureSQLVM.VNameExistsError": "Virtual machine name must be unique in the current resource group.",
|
"deployAzureSQLVM.VNameExistsError": "가상 머신 이름은 현재 리소스 그룹에서 고유해야 합니다.",
|
||||||
"deployAzureSQLVM.VMUsernameLengthError": "Username must be between 1 and 20 characters long.",
|
"deployAzureSQLVM.VMUsernameLengthError": "사용자 이름은 1~20자여야 합니다.",
|
||||||
"deployAzureSQLVM.VMUsernameSuffixError": "Username cannot end with period",
|
"deployAzureSQLVM.VMUsernameSuffixError": "사용자 이름은 마침표로 끝날 수 없습니다.",
|
||||||
"deployAzureSQLVM.VMUsernameSpecialCharError": "Username cannot contain special characters \\/\"\"[]:|<>+=;,?*@& .",
|
"deployAzureSQLVM.VMUsernameSpecialCharError": "사용자 이름에는 특수 문자 \\/\"\"[]:|<>+=;,?*@&를 사용할 수 없습니다.",
|
||||||
"deployAzureSQLVM.VMUsernameReservedWordsError": "Username must not include reserved words.",
|
"deployAzureSQLVM.VMUsernameReservedWordsError": "사용자 이름은 예약어를 포함하지 않아야 합니다.",
|
||||||
"deployAzureSQLVM.VMConfirmPasswordError": "Password and confirm password must match.",
|
"deployAzureSQLVM.VMConfirmPasswordError": "암호와 확인 암호가 일치해야 합니다.",
|
||||||
"deployAzureSQLVM.vmDropdownSizeError": "Select a valid virtual machine size."
|
"deployAzureSQLVM.vmDropdownSizeError": "유효한 가상 머신 크기를 선택합니다."
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLVMWizard/pages/networkSettingsPage": {
|
"dist/ui/deployAzureSQLVMWizard/pages/networkSettingsPage": {
|
||||||
"deployAzureSQLVM.NewVnetPlaceholder": "Enter name for new virtual network",
|
"deployAzureSQLVM.NewVnetPlaceholder": "새 가상 네트워크의 이름 입력",
|
||||||
"deployAzureSQLVM.NewSubnetPlaceholder": "Enter name for new subnet",
|
"deployAzureSQLVM.NewSubnetPlaceholder": "새 서브넷의 이름 입력",
|
||||||
"deployAzureSQLVM.NewPipPlaceholder": "Enter name for new public IP",
|
"deployAzureSQLVM.NewPipPlaceholder": "새 공용 IP의 이름 입력",
|
||||||
"deployAzureSQLVM.VnetNameLengthError": "Virtual Network name must be between 2 and 64 characters long",
|
"deployAzureSQLVM.VnetNameLengthError": "Virtual Network 이름은 2~64자여야 합니다.",
|
||||||
"deployAzureSQLVM.NewVnetError": "Create a new virtual network",
|
"deployAzureSQLVM.NewVnetError": "새 가상 네트워크 만들기",
|
||||||
"deployAzureSQLVM.SubnetNameLengthError": "Subnet name must be between 1 and 80 characters long",
|
"deployAzureSQLVM.SubnetNameLengthError": "서브넷 이름은 1~80자여야 합니다.",
|
||||||
"deployAzureSQLVM.NewSubnetError": "Create a new sub network",
|
"deployAzureSQLVM.NewSubnetError": "새 하위 네트워크 만들기",
|
||||||
"deployAzureSQLVM.PipNameError": "Public IP name must be between 1 and 80 characters long",
|
"deployAzureSQLVM.PipNameError": "공용 IP 이름은 1~80자여야 합니다.",
|
||||||
"deployAzureSQLVM.NewPipError": "Create a new new public Ip"
|
"deployAzureSQLVM.NewPipError": "새 공용 IP 만들기"
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLVMWizard/pages/sqlServerSettingsPage": {
|
"dist/ui/deployAzureSQLVMWizard/pages/sqlServerSettingsPage": {
|
||||||
"deployAzureSQLVM.PrivateConnectivityDropdownOptionDefault": "Private (within Virtual Network)",
|
"deployAzureSQLVM.PrivateConnectivityDropdownOptionDefault": "프라이빗(가상 네트워크 내)",
|
||||||
"deployAzureSQLVM.LocalConnectivityDropdownOption": "Local (inside VM only)",
|
"deployAzureSQLVM.LocalConnectivityDropdownOption": "로컬(VM 내부 전용)",
|
||||||
"deployAzureSQLVM.PublicConnectivityDropdownOption": "Public (Internet)",
|
"deployAzureSQLVM.PublicConnectivityDropdownOption": "퍼블릭(인터넷)",
|
||||||
"deployAzureSQLVM.SqlUsernameLengthError": "Username must be between 2 and 128 characters long.",
|
"deployAzureSQLVM.SqlUsernameLengthError": "암호는 2~128자여야 합니다.",
|
||||||
"deployAzureSQLVM.SqlUsernameSpecialCharError": "Username cannot contain special characters \\/\"\"[]:|<>+=;,?* .",
|
"deployAzureSQLVM.SqlUsernameSpecialCharError": "사용자 이름에는 특수 문자(\\/\"\"[]:|<>+=;,?*)를 사용할 수 없습니다.",
|
||||||
"deployAzureSQLVM.SqlConfirmPasswordError": "Password and confirm password must match."
|
"deployAzureSQLVM.SqlConfirmPasswordError": "암호와 확인 암호가 일치해야 합니다."
|
||||||
},
|
},
|
||||||
"dist/ui/notebookWizard/notebookWizardAutoSummaryPage": {
|
"dist/ui/notebookWizard/notebookWizardAutoSummaryPage": {
|
||||||
"notebookWizard.autoSummaryPageTitle": "Review your configuration"
|
"notebookWizard.autoSummaryPageTitle": "구성 검토"
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLDBWizard/pages/databaseSettingsPage": {
|
"dist/ui/deployAzureSQLDBWizard/pages/databaseSettingsPage": {
|
||||||
"deployAzureSQLDB.DBMinIpInvalidError": "Min Ip address is invalid",
|
"deployAzureSQLDB.DBMinIpInvalidError": "최소 IP 주소가 잘못되었습니다.",
|
||||||
"deployAzureSQLDB.DBMaxIpInvalidError": "Max Ip address is invalid",
|
"deployAzureSQLDB.DBMaxIpInvalidError": "최대 IP 주소가 잘못되었습니다.",
|
||||||
"deployAzureSQLDB.DBFirewallOnlyNumericNameError": "Firewall name cannot contain only numbers.",
|
"deployAzureSQLDB.DBFirewallOnlyNumericNameError": "방화벽 이름에 숫자만 사용할 수는 없습니다.",
|
||||||
"deployAzureSQLDB.DBFirewallLengthError": "Firewall name must be between 1 and 100 characters long.",
|
"deployAzureSQLDB.DBFirewallLengthError": "방화벽 이름은 1~100자여야 합니다.",
|
||||||
"deployAzureSQLDB.DBFirewallSpecialCharError": "Firewall name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .",
|
"deployAzureSQLDB.DBFirewallSpecialCharError": "방화벽 이름에는 특수 문자 \\/\"\"[]:|<>+=;,?*@&,를 사용할 수 없습니다.",
|
||||||
"deployAzureSQLDB.DBFirewallUpperCaseError": "Upper case letters are not allowed for firewall name",
|
"deployAzureSQLDB.DBFirewallUpperCaseError": "방화벽 이름에는 대문자를 사용할 수 없습니다.",
|
||||||
"deployAzureSQLDB.DBNameOnlyNumericNameError": "Database name cannot contain only numbers.",
|
"deployAzureSQLDB.DBNameOnlyNumericNameError": "데이터베이스 이름은 숫자만 포함할 수 없습니다.",
|
||||||
"deployAzureSQLDB.DBNameLengthError": "Database name must be between 1 and 100 characters long.",
|
"deployAzureSQLDB.DBNameLengthError": "데이터베이스 이름은 1~100자여야 합니다.",
|
||||||
"deployAzureSQLDB.DBNameSpecialCharError": "Database name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .",
|
"deployAzureSQLDB.DBNameSpecialCharError": "데이터베이스 이름에는 특수 문자 \\/\"\"[]:|<>+=;,?*@&,를 사용할 수 없습니다.",
|
||||||
"deployAzureSQLDB.DBNameExistsError": "Database name must be unique in the current server.",
|
"deployAzureSQLDB.DBNameExistsError": "데이터베이스 이름은 현재 서버에서 고유해야 합니다.",
|
||||||
"deployAzureSQLDB.DBCollationOnlyNumericNameError": "Collation name cannot contain only numbers.",
|
"deployAzureSQLDB.DBCollationOnlyNumericNameError": "데이터 정렬 이름은 숫자만 포함할 수 없습니다.",
|
||||||
"deployAzureSQLDB.DBCollationLengthError": "Collation name must be between 1 and 100 characters long.",
|
"deployAzureSQLDB.DBCollationLengthError": "데이터 정렬 이름은 1~100자여야 합니다.",
|
||||||
"deployAzureSQLDB.DBCollationSpecialCharError": "Collation name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, ."
|
"deployAzureSQLDB.DBCollationSpecialCharError": "데이터 정렬 이름에는 특수 문자 \\/\"\"[]:|<>+=;,?*@&,를 사용할 수 없습니다."
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLDBWizard/pages/azureSettingsPage": {
|
"dist/ui/deployAzureSQLDBWizard/pages/azureSettingsPage": {
|
||||||
"deployAzureSQLDB.azureSignInError": "Sign in to an Azure account first",
|
"deployAzureSQLDB.azureSignInError": "먼저 Azure 계정에 로그인",
|
||||||
"deployAzureSQLDB.NoServerLabel": "No servers found",
|
"deployAzureSQLDB.NoServerLabel": "서버를 찾을 수 없음",
|
||||||
"deployAzureSQLDB.NoServerError": "No servers found in current subscription.\r\nSelect a different subscription containing at least one server"
|
"deployAzureSQLDB.NoServerError": "현재 구독에서 서버를 찾을 수 없습니다.\r\n하나 이상의 서버를 포함하는 다른 구독을 선택합니다."
|
||||||
},
|
},
|
||||||
"dist/ui/toolsAndEulaSettingsPage": {
|
"dist/ui/toolsAndEulaSettingsPage": {
|
||||||
"notebookWizard.toolsAndEulaPageTitle": "Deployment pre-requisites",
|
"notebookWizard.toolsAndEulaPageTitle": "배포 필수 구성 요소",
|
||||||
"deploymentDialog.FailedEulaValidation": "To proceed, you must accept the terms of the End User License Agreement(EULA)",
|
"deploymentDialog.FailedToolsInstallation": "일부 도구가 아직 검색되지 않았습니다. 해당 도구가 설치되고, 실행 중이며, 검색 가능한지 확인하세요.",
|
||||||
"deploymentDialog.FailedToolsInstallation": "Some tools were still not discovered. Please make sure that they are installed, running and discoverable",
|
"deploymentDialog.FailedEulaValidation": "계속 진행하려면 EULA(최종 사용자 사용권 계약) 약관에 동의해야 합니다.",
|
||||||
"deploymentDialog.loadingRequiredToolsCompleted": "Loading required tools information completed",
|
"deploymentDialog.loadingRequiredToolsCompleted": "필요한 도구 정보 로드 완료",
|
||||||
"deploymentDialog.loadingRequiredTools": "Loading required tools information",
|
"deploymentDialog.loadingRequiredTools": "필요한 도구 정보 로드",
|
||||||
"resourceDeployment.AgreementTitle": "Accept terms of use",
|
"resourceDeployment.AgreementTitle": "사용 약관에 동의",
|
||||||
"deploymentDialog.ToolDoesNotMeetVersionRequirement": "'{0}' [ {1} ] does not meet the minimum version requirement, please uninstall it and restart Azure Data Studio.",
|
"deploymentDialog.ToolDoesNotMeetVersionRequirement": "'{0}'[{1}]이(가) 최소 버전 요구 사항을 충족하지 않습니다. 해당 도구를 제거하고 Azure Data Studio를 다시 시작하세요.",
|
||||||
"deploymentDialog.InstalledTools": "All required tools are installed now.",
|
"deploymentDialog.InstalledTools": "이제 모든 필수 도구가 설치되었습니다.",
|
||||||
"deploymentDialog.PendingInstallation": "Following tools: {0} were still not discovered. Please make sure that they are installed, running and discoverable",
|
"deploymentDialog.PendingInstallation": "{0} 도구가 아직 검색되지 않았습니다. 해당 도구가 설치되고, 실행 중이며, 검색 가능한지 확인하세요.",
|
||||||
"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.ToolInformation": "'{0}'이(가) 검색되지 않았고 현재 자동화된 설치가 지원되지 않습니다. '{0}'을(를) 수동으로 설치하거나 해당 항목이 시작되고 검색 가능한지 확인합니다. 완료되면 Azure Data Studio를 다시 시작하세요. [{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.VersionInformationDebugHint": "변경 내용을 선택하기 위해 도구를 수동으로 설치한 경우에는 Azure Data Studio를 다시 시작해야 합니다. '배포' 및 'Azure Data CLI' 출력 채널에서 추가적인 세부 정보를 찾을 수 있습니다.",
|
||||||
"deploymentDialog.InstallToolsHintOne": "Tool: {0} is not installed, you can click the \"{1}\" button to install it.",
|
"deploymentDialog.InstallToolsHintOne": "{0} 도구가 설치되지 않았습니다. \"{1}\" 단추를 클릭하여 설치할 수 있습니다.",
|
||||||
"deploymentDialog.InstallToolsHintMany": "Tools: {0} are not installed, you can click the \"{1}\" button to install them.",
|
"deploymentDialog.InstallToolsHintMany": "{0} 도구가 설치되지 않았습니다. \"{1}\" 단추를 클릭하여 설치할 수 있습니다.",
|
||||||
"deploymentDialog.NoRequiredTool": "No tools required"
|
"deploymentDialog.NoRequiredTool": "도구가 필요하지 않음"
|
||||||
},
|
},
|
||||||
"dist/ui/pageLessDeploymentModel": {
|
"dist/ui/pageLessDeploymentModel": {
|
||||||
"resourceDeployment.DownloadAndLaunchTaskName": "Download and launch installer, URL: {0}",
|
"resourceDeployment.DownloadAndLaunchTaskName": "설치 관리자 다운로드 및 시작, URL: {0}",
|
||||||
"resourceDeployment.DownloadingText": "Downloading from: {0}",
|
"resourceDeployment.DownloadingText": "{0}에서 다운로드",
|
||||||
"resourceDeployment.DownloadCompleteText": "Successfully downloaded: {0}",
|
"resourceDeployment.DownloadCompleteText": "다운로드함: {0}",
|
||||||
"resourceDeployment.LaunchingProgramText": "Launching: {0}",
|
"resourceDeployment.LaunchingProgramText": "{0} 시작 중",
|
||||||
"resourceDeployment.ProgramLaunchedText": "Successfully launched: {0}"
|
"resourceDeployment.ProgramLaunchedText": "시작함: {0}"
|
||||||
},
|
},
|
||||||
"dist/services/tools/dockerTool": {
|
"dist/services/tools/dockerTool": {
|
||||||
"resourceDeployment.DockerDescription": "Packages and runs applications in isolated containers",
|
"resourceDeployment.DockerDescription": "격리된 컨테이너에서 애플리케이션 패키지 및 실행",
|
||||||
"resourceDeployment.DockerDisplayName": "Docker"
|
"resourceDeployment.DockerDisplayName": "Docker"
|
||||||
},
|
},
|
||||||
"dist/services/tools/azCliTool": {
|
"dist/services/tools/azCliTool": {
|
||||||
"resourceDeployment.AzCLIDescription": "Manages Azure resources",
|
"resourceDeployment.AzCLIDescription": "Azure 리소스 관리",
|
||||||
"resourceDeployment.AzCLIDisplayName": "Azure CLI",
|
"resourceDeployment.AzCLIDisplayName": "Azure CLI",
|
||||||
"resourceDeployment.AziCli.DeletingPreviousAzureCli.msi": "deleting previously downloaded azurecli.msi if one exists …",
|
"resourceDeployment.AziCli.DeletingPreviousAzureCli.msi": "이전에 다운로드한 azurecli.msi 삭제 중(있는 경우)...",
|
||||||
"resourceDeployment.AziCli.DownloadingAndInstallingAzureCli": "downloading azurecli.msi and installing azure-cli …",
|
"resourceDeployment.AziCli.DownloadingAndInstallingAzureCli": "azurecli.msi를 다운로드하고 azure-cli를 설치하는 중…",
|
||||||
"resourceDeployment.AziCli.DisplayingInstallationLog": "displaying the installation log …",
|
"resourceDeployment.AziCli.DisplayingInstallationLog": "설치 로그를 표시하는 중...",
|
||||||
"resourceDeployment.AziCli.UpdatingBrewRepository": "updating your brew repository for azure-cli installation …",
|
"resourceDeployment.AziCli.UpdatingBrewRepository": "azure-cli 설치를 위해 brew 리포지토리를 업데이트하는 중...",
|
||||||
"resourceDeployment.AziCli.InstallingAzureCli": "installing azure-cli …",
|
"resourceDeployment.AziCli.InstallingAzureCli": "azure-cli를 설치하는 중...",
|
||||||
"resourceDeployment.AziCli.AptGetUpdate": "updating repository information before installing azure-cli …",
|
"resourceDeployment.AziCli.AptGetUpdate": "azure-cli를 설치하기 전에 리포지토리 정보를 업데이트하는 중...",
|
||||||
"resourceDeployment.AziCli.AptGetPackages": "getting packages needed for azure-cli installation …",
|
"resourceDeployment.AziCli.AptGetPackages": "azure-cli 설치에 필요한 패키지를 가져오는 중...",
|
||||||
"resourceDeployment.AziCli.DownloadAndInstallingSigningKey": "downloading and installing the signing key for azure-cli …",
|
"resourceDeployment.AziCli.DownloadAndInstallingSigningKey": "azure-cli의 서명 키를 다운로드하고 설치하는 중...",
|
||||||
"resourceDeployment.AziCli.AddingAzureCliRepositoryInformation": "adding the azure-cli repository information …",
|
"resourceDeployment.AziCli.AddingAzureCliRepositoryInformation": "azure-cli 리포지토리 정보를 추가하는 중...",
|
||||||
"resourceDeployment.AziCli.AptGetUpdateAgain": "updating repository information again for azure-cli …",
|
"resourceDeployment.AziCli.AptGetUpdateAgain": "azure-cli의 리포지토리 정보를 다시 업데이트하는 중...",
|
||||||
"resourceDeployment.AziCli.ScriptedInstall": "download and invoking script to install azure-cli …"
|
"resourceDeployment.AziCli.ScriptedInstall": "azure-cli를 설치하는 스크립트 다운로드 및 호출 중..."
|
||||||
},
|
},
|
||||||
"dist/services/tools/azdataTool": {
|
"dist/services/tools/azdataTool": {
|
||||||
"resourceDeployment.AzdataDescription": "Azure Data command line interface",
|
"resourceDeployment.AzdataDescription": "Azure 데이터 명령줄 인터페이스",
|
||||||
"resourceDeployment.AzdataDisplayName": "Azure Data CLI",
|
"resourceDeployment.AzdataDisplayName": "Azure Data CLI",
|
||||||
"deployCluster.GetToolVersionErrorInformation": "Error retrieving version information. See output channel '{0}' for more details",
|
"deploy.azdataExtMissing": "이 리소스를 배포하려면 Azure Data CLI 확장을 설치해야 합니다. 확장 갤러리를 통해 설치한 후 다시 시도하세요.",
|
||||||
"deployCluster.GetToolVersionError": "Error retrieving version information.{0}Invalid output received, get version command output: '{1}' ",
|
"deployCluster.GetToolVersionErrorInformation": "버전 정보를 검색하는 동안 오류가 발생했습니다. 자세한 내용은 출력 채널 '{0}'을(를) 참조하세요.",
|
||||||
"resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "deleting previously downloaded Azdata.msi if one exists …",
|
"deployCluster.GetToolVersionError": "버전 정보를 검색하는 동안 오류가 발생했습니다. {0}잘못된 출력이 수신되었습니다. 버전 명령 출력 '{1}'을(를) 가져옵니다. "
|
||||||
"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 …"
|
|
||||||
},
|
},
|
||||||
"dist/services/tools/azdataToolOld": {
|
"dist/services/tools/azdataToolOld": {
|
||||||
"resourceDeployment.AzdataDescription": "Azure Data command line interface",
|
"resourceDeployment.AzdataDescription": "Azure 데이터 명령줄 인터페이스",
|
||||||
"resourceDeployment.AzdataDisplayName": "Azure Data CLI",
|
"resourceDeployment.AzdataDisplayName": "Azure Data CLI",
|
||||||
"resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "deleting previously downloaded Azdata.msi if one exists …",
|
"resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "이전에 다운로드한 Azdata.msi를 삭제하는 중(있는 경우)...",
|
||||||
"resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "downloading Azdata.msi and installing azdata-cli …",
|
"resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "Azdata.msi를 다운로드하고 azdata-cli를 설치하는 중...",
|
||||||
"resourceDeployment.Azdata.DisplayingInstallationLog": "displaying the installation log …",
|
"resourceDeployment.Azdata.DisplayingInstallationLog": "설치 로그를 표시하는 중...",
|
||||||
"resourceDeployment.Azdata.TappingBrewRepository": "tapping into the brew repository for azdata-cli …",
|
"resourceDeployment.Azdata.TappingBrewRepository": "azdata-cli의 brew 리포지토리를 활용하는 중...",
|
||||||
"resourceDeployment.Azdata.UpdatingBrewRepository": "updating the brew repository for azdata-cli installation …",
|
"resourceDeployment.Azdata.UpdatingBrewRepository": "azdata-cli 설치를 위해 brew 리포지토리를 업데이트하는 중...",
|
||||||
"resourceDeployment.Azdata.InstallingAzdata": "installing azdata …",
|
"resourceDeployment.Azdata.InstallingAzdata": "azdata를 설치하는 중...",
|
||||||
"resourceDeployment.Azdata.AptGetUpdate": "updating repository information …",
|
"resourceDeployment.Azdata.AptGetUpdate": "리포지토리 정보를 업데이트하는 중...",
|
||||||
"resourceDeployment.Azdata.AptGetPackages": "getting packages needed for azdata installation …",
|
"resourceDeployment.Azdata.AptGetPackages": "azdata 설치에 필요한 패키지를 가져오는 중...",
|
||||||
"resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "downloading and installing the signing key for azdata …",
|
"resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "azdata의 서명 키를 다운로드하고 설치하는 중...",
|
||||||
"resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "adding the azdata repository information …"
|
"resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "azdata 리포지토리 정보를 추가하는 중..."
|
||||||
},
|
},
|
||||||
"dist/ui/resourceTypePickerDialog": {
|
"dist/ui/resourceTypePickerDialog": {
|
||||||
"deploymentDialog.deploymentOptions": "Deployment options"
|
"deploymentDialog.deploymentOptions": "배포 옵션"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -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) 파일에 정의되지 않은 역할 멤버가 대상 데이터베이스에서 삭제되는지 여부를 지정합니다.</",
|
||||||
|
"SchemaCompare.Description.DropPermissionsNotInSource": "데이터베이스에 업데이트를 게시할 때 데이터베이스 스냅샷(.dacpac) 파일에 없는 사용 권한을 대상 데이터베이스에서 삭제할지 여부를 지정합니다.",
|
||||||
|
"SchemaCompare.Description.DropObjectsNotInSource": "데이터베이스에 게시할 때 데이터베이스 스냅샷 파일(.dacpac)에 없는 개체를 대상 데이터베이스에서 삭제할지 여부를 지정합니다. 이 값이 DropExtendedProperties보다 우선합니다.",
|
||||||
|
"SchemaCompare.Description.IgnoreColumnOrder": "데이터베이스에 게시할 때 테이블 열 순서의 차이를 무시할지 또는 업데이트할지를 지정합니다.",
|
||||||
|
"schemaCompare.compareErrorMessage": "스키마 비교 실패: {0}",
|
||||||
|
"schemaCompare.saveScmpErrorMessage": "scmp 저장 실패: '{0}'",
|
||||||
|
"schemaCompare.cancelErrorMessage": "스키마 비교 취소 실패: '{0}'",
|
||||||
|
"schemaCompare.generateScriptErrorMessage": "스크립트 생성 실패: '{0}'",
|
||||||
|
"schemaCompare.updateErrorMessage": "스키마 비교 적용 실패 '{0}'",
|
||||||
|
"schemaCompare.openScmpErrorMessage": "scmp 열기 실패: '{0}'"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
File diff suppressed because it is too large
Load Diff
@@ -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",
|
"displayName": "Portuguese (Brazil) Language Pack for Azure Data Studio",
|
||||||
"description": "Language pack extension for Portuguese (Brazil)",
|
"description": "Language pack extension for Portuguese (Brazil)",
|
||||||
"version": "1.29.0",
|
"version": "1.31.0",
|
||||||
"publisher": "Microsoft",
|
"publisher": "Microsoft",
|
||||||
"repository": {
|
"repository": {
|
||||||
"type": "git",
|
"type": "git",
|
||||||
@@ -11,7 +11,7 @@
|
|||||||
"license": "SEE SOURCE EULA LICENSE IN LICENSE.txt",
|
"license": "SEE SOURCE EULA LICENSE IN LICENSE.txt",
|
||||||
"engines": {
|
"engines": {
|
||||||
"vscode": "*",
|
"vscode": "*",
|
||||||
"azdata": ">=1.29.0"
|
"azdata": "^0.0.0"
|
||||||
},
|
},
|
||||||
"icon": "languagepack.png",
|
"icon": "languagepack.png",
|
||||||
"categories": [
|
"categories": [
|
||||||
@@ -164,6 +164,14 @@
|
|||||||
"id": "vscode.yaml",
|
"id": "vscode.yaml",
|
||||||
"path": "./translations/extensions/yaml.i18n.json"
|
"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",
|
"id": "Microsoft.azurecore",
|
||||||
"path": "./translations/extensions/azurecore.i18n.json"
|
"path": "./translations/extensions/azurecore.i18n.json"
|
||||||
@@ -172,6 +180,18 @@
|
|||||||
"id": "Microsoft.big-data-cluster",
|
"id": "Microsoft.big-data-cluster",
|
||||||
"path": "./translations/extensions/big-data-cluster.i18n.json"
|
"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",
|
"id": "Microsoft.sqlservernotebook",
|
||||||
"path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json"
|
"path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json"
|
||||||
@@ -184,9 +204,17 @@
|
|||||||
"id": "Microsoft.notebook",
|
"id": "Microsoft.notebook",
|
||||||
"path": "./translations/extensions/notebook.i18n.json"
|
"path": "./translations/extensions/notebook.i18n.json"
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
"id": "Microsoft.profiler",
|
||||||
|
"path": "./translations/extensions/profiler.i18n.json"
|
||||||
|
},
|
||||||
{
|
{
|
||||||
"id": "Microsoft.resource-deployment",
|
"id": "Microsoft.resource-deployment",
|
||||||
"path": "./translations/extensions/resource-deployment.i18n.json"
|
"path": "./translations/extensions/resource-deployment.i18n.json"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"id": "Microsoft.schema-compare",
|
||||||
|
"path": "./translations/extensions/schema-compare.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}"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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": "<todos os bancos de dados>",
|
||||||
|
"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"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -41,6 +41,7 @@
|
|||||||
"dist/azureResource/utils": {
|
"dist/azureResource/utils": {
|
||||||
"azure.resource.error": "Erro: {0}",
|
"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.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.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.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}"
|
"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.azureArcsqlManagedInstance": "Instância gerenciada do SQL – Azure Arc",
|
||||||
"azurecore.azureArcService": "Serviço de Dados – Azure Arc",
|
"azurecore.azureArcService": "Serviço de Dados – Azure Arc",
|
||||||
"azurecore.sqlServerArc": "SQL Server – 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.unableToOpenAzureLink": "Não é possível abrir o link, os valores necessários estão ausentes",
|
||||||
"azure.azureResourcesGridTitle": "Recursos do Azure (Versão Prévia)",
|
"azure.azureResourcesGridTitle": "Recursos do Azure (Versão Prévia)",
|
||||||
"azurecore.invalidAzureAccount": "Conta inválida",
|
"azurecore.invalidAzureAccount": "Conta inválida",
|
||||||
@@ -114,9 +115,9 @@
|
|||||||
},
|
},
|
||||||
"dist/account-provider/auths/azureAuth": {
|
"dist/account-provider/auths/azureAuth": {
|
||||||
"azureAuth.unidentifiedError": "Erro não identificado com a autenticação do Azure",
|
"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.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.accessTokenEmpty": "Nenhum token de acesso retornado do Microsoft OAuth",
|
||||||
"azure.noUniqueIdentifier": "O usuário não tinha um identificador exclusivo no AAD",
|
"azure.noUniqueIdentifier": "O usuário não tinha um identificador exclusivo no AAD",
|
||||||
"azureWorkAccountDisplayName": "Conta corporativa ou de estudante",
|
"azureWorkAccountDisplayName": "Conta corporativa ou de estudante",
|
||||||
@@ -141,7 +142,9 @@
|
|||||||
"dist/azureResource/tree/flatAccountTreeNode": {
|
"dist/azureResource/tree/flatAccountTreeNode": {
|
||||||
"azure.resource.tree.accountTreeNode.titleLoading": "{0} – Carregando...",
|
"azure.resource.tree.accountTreeNode.titleLoading": "{0} – Carregando...",
|
||||||
"azure.resource.tree.accountTreeNode.title": "{0} ({1}/{2} assinaturas)",
|
"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": {
|
"dist/azureResource/tree/accountNotSignedInTreeNode": {
|
||||||
"azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Entrar no Azure..."
|
"azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Entrar no Azure..."
|
||||||
@@ -203,6 +206,9 @@
|
|||||||
"dist/azureResource/providers/kusto/kustoTreeDataProvider": {
|
"dist/azureResource/providers/kusto/kustoTreeDataProvider": {
|
||||||
"azure.resource.providers.KustoContainerLabel": "Cluster do Azure Data Explorer"
|
"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": {
|
"dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": {
|
||||||
"azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Servidor do Banco de Dados do Azure para PostgreSQL"
|
"azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Servidor do Banco de Dados do Azure para PostgreSQL"
|
||||||
},
|
},
|
||||||
|
|||||||
@@ -11,17 +11,17 @@
|
|||||||
"package": {
|
"package": {
|
||||||
"description": "Suporte para gerenciar clusters de Big Data do SQL Server",
|
"description": "Suporte para gerenciar clusters de Big Data do SQL Server",
|
||||||
"text.sqlServerBigDataClusters": "Clusters de Big Data do SQL Server",
|
"text.sqlServerBigDataClusters": "Clusters de Big Data do SQL Server",
|
||||||
"command.connectController.title": "Connect to Existing Controller",
|
"command.connectController.title": "Conectar-se ao Controlador Existente",
|
||||||
"command.createController.title": "Create New Controller",
|
"command.createController.title": "Criar Controlador",
|
||||||
"command.removeController.title": "Remove Controller",
|
"command.removeController.title": "Remover Controlador",
|
||||||
"command.refreshController.title": "Atualizar",
|
"command.refreshController.title": "Atualizar",
|
||||||
"command.manageController.title": "Gerenciar",
|
"command.manageController.title": "Gerenciar",
|
||||||
"command.mount.title": "Montar o HDFS",
|
"command.mount.title": "Montar o HDFS",
|
||||||
"command.refreshmount.title": "Atualizar Montagem",
|
"command.refreshmount.title": "Atualizar Montagem",
|
||||||
"command.deletemount.title": "Excluir Montagem",
|
"command.deletemount.title": "Excluir Montagem",
|
||||||
"bdc.configuration.title": "Cluster de Big Data",
|
"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.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": "Loading controllers...",
|
"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",
|
"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-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",
|
"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-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-aks": "Cluster do Serviço de Kubernetes do Azure existente",
|
||||||
"bdc-deployment-target-existing-kubeadm": "Cluster do Kubernetes existente (kubeadm)",
|
"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-aro": "Cluster do Red Hat OpenShift no Azure existente",
|
||||||
"bdc-deployment-target-existing-openshift": "Existing OpenShift cluster",
|
"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-settings-section-title": "Configurações do cluster de Big Data do SQL Server",
|
||||||
"bdc-cluster-name-field": "Nome do cluster",
|
"bdc-cluster-name-field": "Nome do cluster",
|
||||||
"bdc-controller-username-field": "Nome de usuário do controlador",
|
"bdc-controller-username-field": "Nome de usuário do controlador",
|
||||||
@@ -50,7 +50,7 @@
|
|||||||
"bdc-data-size-field": "Capacidade de dados (GB)",
|
"bdc-data-size-field": "Capacidade de dados (GB)",
|
||||||
"bdc-log-size-field": "Capacidade de logs (GB)",
|
"bdc-log-size-field": "Capacidade de logs (GB)",
|
||||||
"bdc-agreement": "Aceito {0}, {1} e {2}.",
|
"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-azdata-eula": "Termos de Licença do azdata",
|
||||||
"bdc-agreement-bdc-eula": "Termos de Licença do SQL Server"
|
"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}"
|
"endpointsError": "Erro inesperado ao recuperar os pontos de Extremidade do BDC: {0}"
|
||||||
},
|
},
|
||||||
"dist/bigDataCluster/localizedConstants": {
|
"dist/bigDataCluster/localizedConstants": {
|
||||||
"bdc.dashboard.status": "Status Icon",
|
"bdc.dashboard.status": "Ícone de Status",
|
||||||
"bdc.dashboard.instance": "Instance",
|
"bdc.dashboard.instance": "Instância",
|
||||||
"bdc.dashboard.state": "State",
|
"bdc.dashboard.state": "Estado",
|
||||||
"bdc.dashboard.view": "View",
|
"bdc.dashboard.view": "Exibir",
|
||||||
"bdc.dashboard.notAvailable": "N/A",
|
"bdc.dashboard.notAvailable": "N/D",
|
||||||
"bdc.dashboard.healthStatusDetails": "Health Status Details",
|
"bdc.dashboard.healthStatusDetails": "Detalhes do Status da Integridade",
|
||||||
"bdc.dashboard.metricsAndLogs": "Metrics and Logs",
|
"bdc.dashboard.metricsAndLogs": "Métricas e Logs",
|
||||||
"bdc.dashboard.healthStatus": "Health Status",
|
"bdc.dashboard.healthStatus": "Status da Integridade",
|
||||||
"bdc.dashboard.nodeMetrics": "Node Metrics",
|
"bdc.dashboard.nodeMetrics": "Métricas do Node",
|
||||||
"bdc.dashboard.sqlMetrics": "SQL Metrics",
|
"bdc.dashboard.sqlMetrics": "Métricas do SQL",
|
||||||
"bdc.dashboard.logs": "Logs",
|
"bdc.dashboard.logs": "Logs",
|
||||||
"bdc.dashboard.viewNodeMetrics": "View Node Metrics {0}",
|
"bdc.dashboard.viewNodeMetrics": "Exibir Métricas do Node {0}",
|
||||||
"bdc.dashboard.viewSqlMetrics": "View SQL Metrics {0}",
|
"bdc.dashboard.viewSqlMetrics": "Exibir Métricas do SQL {0}",
|
||||||
"bdc.dashboard.viewLogs": "View Kibana Logs {0}",
|
"bdc.dashboard.viewLogs": "Exibir os Logs do Kibana {0}",
|
||||||
"bdc.dashboard.lastUpdated": "Last Updated : {0}",
|
"bdc.dashboard.lastUpdated": "Última Atualização: {0}",
|
||||||
"basicAuthName": "Basic",
|
"basicAuthName": "Básico",
|
||||||
"integratedAuthName": "Windows Authentication",
|
"integratedAuthName": "Autenticação do Windows",
|
||||||
"addNewController": "Add New Controller",
|
"addNewController": "Adicionar Novo Controlador",
|
||||||
"url": "URL",
|
"url": "URL",
|
||||||
"username": "Username",
|
"username": "Nome de usuário",
|
||||||
"password": "Password",
|
"password": "Senha",
|
||||||
"rememberPassword": "Remember Password",
|
"rememberPassword": "Lembrar Senha",
|
||||||
"clusterManagementUrl": "Cluster Management URL",
|
"clusterManagementUrl": "URL de Gerenciamento de Cluster",
|
||||||
"textAuthCapital": "Authentication type",
|
"textAuthCapital": "Tipo de autenticação",
|
||||||
"hdsf.dialog.connection.section": "Cluster Connection",
|
"hdsf.dialog.connection.section": "Conexão de Cluster",
|
||||||
"add": "Add",
|
"add": "Adicionar",
|
||||||
"cancel": "Cancel",
|
"cancel": "Cancelar",
|
||||||
"ok": "OK",
|
"ok": "OK",
|
||||||
"bdc.dashboard.refresh": "Refresh",
|
"bdc.dashboard.refresh": "Atualizar",
|
||||||
"bdc.dashboard.troubleshoot": "Troubleshoot",
|
"bdc.dashboard.troubleshoot": "Solucionar problemas",
|
||||||
"bdc.dashboard.bdcOverview": "Big Data Cluster overview",
|
"bdc.dashboard.bdcOverview": "Visão geral do cluster de Big Data",
|
||||||
"bdc.dashboard.clusterDetails": "Cluster Details",
|
"bdc.dashboard.clusterDetails": "Detalhes do Cluster",
|
||||||
"bdc.dashboard.clusterOverview": "Cluster Overview",
|
"bdc.dashboard.clusterOverview": "Visão Geral do Cluster",
|
||||||
"bdc.dashboard.serviceEndpoints": "Service Endpoints",
|
"bdc.dashboard.serviceEndpoints": "Pontos de Extremidade de Serviço",
|
||||||
"bdc.dashboard.clusterProperties": "Cluster Properties",
|
"bdc.dashboard.clusterProperties": "Propriedades do Cluster",
|
||||||
"bdc.dashboard.clusterState": "Cluster State",
|
"bdc.dashboard.clusterState": "Estado do Cluster",
|
||||||
"bdc.dashboard.serviceName": "Service Name",
|
"bdc.dashboard.serviceName": "Nome do Serviço",
|
||||||
"bdc.dashboard.service": "Service",
|
"bdc.dashboard.service": "Serviço",
|
||||||
"bdc.dashboard.endpoint": "Endpoint",
|
"bdc.dashboard.endpoint": "Ponto de Extremidade",
|
||||||
"copiedEndpoint": "Endpoint '{0}' copied to clipboard",
|
"copiedEndpoint": "Ponto de extremidade '{0}' copiado para a área de transferência",
|
||||||
"bdc.dashboard.copy": "Copy",
|
"bdc.dashboard.copy": "Copiar",
|
||||||
"bdc.dashboard.viewDetails": "View Details",
|
"bdc.dashboard.viewDetails": "Exibir Detalhes",
|
||||||
"bdc.dashboard.viewErrorDetails": "View Error Details",
|
"bdc.dashboard.viewErrorDetails": "Exibir Detalhes do Erro",
|
||||||
"connectController.dialog.title": "Connect to Controller",
|
"connectController.dialog.title": "Conectar ao Controlador",
|
||||||
"mount.main.section": "Mount Configuration",
|
"mount.main.section": "Configuração da Montagem",
|
||||||
"mount.task.name": "Mounting HDFS folder on path {0}",
|
"mount.task.name": "Montando a pasta do HDFS no caminho {0}",
|
||||||
"refreshmount.task.name": "Refreshing HDFS Mount on path {0}",
|
"refreshmount.task.name": "Atualizando a Montagem do HDFS no caminho {0}",
|
||||||
"deletemount.task.name": "Deleting HDFS Mount on path {0}",
|
"deletemount.task.name": "Excluindo a Montagem do HDFS no caminho {0}",
|
||||||
"mount.task.submitted": "Mount creation has started",
|
"mount.task.submitted": "A criação da montagem foi iniciada",
|
||||||
"refreshmount.task.submitted": "Refresh mount request submitted",
|
"refreshmount.task.submitted": "Solicitação de atualização de montagem enviada",
|
||||||
"deletemount.task.submitted": "Delete mount request submitted",
|
"deletemount.task.submitted": "Solicitação de exclusão de montagem enviada",
|
||||||
"mount.task.complete": "Mounting HDFS folder is complete",
|
"mount.task.complete": "A montagem da pasta do HDFS está concluída",
|
||||||
"mount.task.inprogress": "Mounting is likely to complete, check back later to verify",
|
"mount.task.inprogress": "A montagem provavelmente será concluída. Volte mais tarde para verificar",
|
||||||
"mount.dialog.title": "Mount HDFS Folder",
|
"mount.dialog.title": "Montar a Pasta do HDFS",
|
||||||
"mount.hdfsPath.title": "HDFS Path",
|
"mount.hdfsPath.title": "Caminho do HDFS",
|
||||||
"mount.hdfsPath.info": "Path to a new (non-existing) directory which you want to associate with the mount",
|
"mount.hdfsPath.info": "Caminho para um novo diretório (não existente) que você deseja associar com a montagem",
|
||||||
"mount.remoteUri.title": "Remote URI",
|
"mount.remoteUri.title": "URI remoto",
|
||||||
"mount.remoteUri.info": "The URI to the remote data source. Example for ADLS: abfs://fs@saccount.dfs.core.windows.net/",
|
"mount.remoteUri.info": "O URI da fonte de dados remota. Exemplo para o ADLS: abfs://fs@saccount.dfs.core.windows.net/",
|
||||||
"mount.credentials.title": "Credentials",
|
"mount.credentials.title": "Credenciais",
|
||||||
"mount.credentials.info": "Mount credentials for authentication to remote data source for reads",
|
"mount.credentials.info": "Montar as credenciais para autenticação na fonte de dados remota para leituras",
|
||||||
"refreshmount.dialog.title": "Refresh Mount",
|
"refreshmount.dialog.title": "Atualizar Montagem",
|
||||||
"deleteMount.dialog.title": "Delete Mount",
|
"deleteMount.dialog.title": "Excluir Montagem",
|
||||||
"bdc.dashboard.loadingClusterStateCompleted": "Loading cluster state completed",
|
"bdc.dashboard.loadingClusterStateCompleted": "Carregamento do estado do cluster concluído",
|
||||||
"bdc.dashboard.loadingHealthStatusCompleted": "Loading health status completed",
|
"bdc.dashboard.loadingHealthStatusCompleted": "Carregamento do status da integridade concluído",
|
||||||
"err.controller.username.required": "Username is required",
|
"err.controller.username.required": "O nome de usuário é obrigatório",
|
||||||
"err.controller.password.required": "Password is required",
|
"err.controller.password.required": "A senha é obrigatória",
|
||||||
"endpointsError": "Unexpected error retrieving BDC Endpoints: {0}",
|
"endpointsError": "Erro inesperado ao recuperar os pontos de Extremidade do BDC: {0}",
|
||||||
"bdc.dashboard.noConnection": "The dashboard requires a connection. Please click retry to enter your credentials.",
|
"bdc.dashboard.noConnection": "O painel requer uma conexão. Clique em tentar novamente para inserir suas credenciais.",
|
||||||
"bdc.dashboard.unexpectedError": "Unexpected error occurred: {0}",
|
"bdc.dashboard.unexpectedError": "Erro inesperado: {0}",
|
||||||
"mount.hdfs.loginerror1": "Login to controller failed",
|
"mount.hdfs.loginerror1": "Falha ao entrar no controlador",
|
||||||
"mount.hdfs.loginerror2": "Login to controller failed: {0}",
|
"mount.hdfs.loginerror2": "Falha ao entrar no controlador: {0}",
|
||||||
"mount.err.formatting": "Bad formatting of credentials at {0}",
|
"mount.err.formatting": "Formatação incorreta de credenciais em {0}",
|
||||||
"mount.task.error": "Error mounting folder: {0}",
|
"mount.task.error": "Erro na montagem da pasta: {0}",
|
||||||
"mount.error.unknown": "Unknown error occurred during the mount process"
|
"mount.error.unknown": "Erro desconhecido durante o processo de montagem"
|
||||||
},
|
},
|
||||||
"dist/bigDataCluster/controller/clusterControllerApi": {
|
"dist/bigDataCluster/controller/clusterControllerApi": {
|
||||||
"error.no.activedirectory": "Este cluster não dá suporte à autenticação do Windows",
|
"error.no.activedirectory": "Este cluster não dá suporte à autenticação do Windows",
|
||||||
"bdc.error.tokenPost": "Erro durante a autenticação",
|
"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.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.getEndPoints": "Erro ao recuperar os pontos de extremidade de {0}",
|
||||||
"bdc.error.getBdcStatus": "Erro ao recuperar o status do BDC de {0}",
|
"bdc.error.getBdcStatus": "Erro ao recuperar o status do BDC de {0}",
|
||||||
"bdc.error.mountHdfs": "Erro ao criar a montagem",
|
"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.refreshHdfs": "Erro ao atualizar a montagem",
|
||||||
"bdc.error.deleteHdfs": "Erro ao excluir a montagem"
|
"bdc.error.deleteHdfs": "Erro ao excluir a montagem"
|
||||||
},
|
},
|
||||||
"dist/extension": {
|
"dist/extension": {
|
||||||
"mount.error.endpointNotFound": "As informações do ponto de extremidade do controlador não foram encontradas",
|
"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",
|
"textYes": "Sim",
|
||||||
"textNo": "Não",
|
"textNo": "Não",
|
||||||
"textConfirmRemoveController": "Are you sure you want to remove '{0}'?"
|
"textConfirmRemoveController": "Tem certeza de que deseja remover '{0}'?"
|
||||||
},
|
},
|
||||||
"dist/bigDataCluster/tree/controllerTreeDataProvider": {
|
"dist/bigDataCluster/tree/controllerTreeDataProvider": {
|
||||||
"bdc.controllerTreeDataProvider.error": "Unexpected error loading saved controllers: {0}"
|
"bdc.controllerTreeDataProvider.error": "Erro inesperado ao carregar os controladores salvos: {0}"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -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"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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}'"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -14,13 +14,16 @@
|
|||||||
"notebook.configuration.title": "Configuração do Notebook",
|
"notebook.configuration.title": "Configuração do Notebook",
|
||||||
"notebook.pythonPath.description": "Caminho local para a instalação do Python usada por Notebooks.",
|
"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.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.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.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.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.collapseBookItems.description": "Recolher itens do Livro no nível raiz no Viewlet dos Notebooks",
|
||||||
"notebook.remoteBookDownloadTimeout.description": "Download timeout in milliseconds for GitHub books",
|
"notebook.remoteBookDownloadTimeout.description": "Baixar o tempo limite em milissegundos para os livros do GitHub",
|
||||||
"notebook.pinnedNotebooks.description": "Notebooks that are pinned by the user for the current workspace",
|
"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.new": "Novo Notebook",
|
||||||
"notebook.command.open": "Abrir o Notebook",
|
"notebook.command.open": "Abrir o Notebook",
|
||||||
"notebook.analyzeJupyterNotebook": "Analisar no Notebook",
|
"notebook.analyzeJupyterNotebook": "Analisar no Notebook",
|
||||||
@@ -43,108 +46,121 @@
|
|||||||
"title.managePackages": "Gerenciar Pacotes",
|
"title.managePackages": "Gerenciar Pacotes",
|
||||||
"title.SQL19PreviewBook": "Guia do SQL Server 2019",
|
"title.SQL19PreviewBook": "Guia do SQL Server 2019",
|
||||||
"books-preview-category": "Jupyter Books",
|
"books-preview-category": "Jupyter Books",
|
||||||
"title.saveJupyterBook": "Salvar Book",
|
"title.saveJupyterBook": "Salvar Livro Jupyter",
|
||||||
"title.trustBook": "Trust Book",
|
"title.trustBook": "Confiar Livro Jupyter",
|
||||||
"title.searchJupyterBook": "Pesquisar Book",
|
"title.searchJupyterBook": "Pesquisar no Livro Jupyter",
|
||||||
"title.SavedBooks": "Notebooks",
|
"title.SavedBooks": "Notebooks",
|
||||||
"title.ProvidedBooks": "Provided Books",
|
"title.ProvidedBooks": "Livros Jupyter fornecidos",
|
||||||
"title.PinnedBooks": "Pinned notebooks",
|
"title.PinnedBooks": "Notebooks fixados",
|
||||||
"title.PreviewLocalizedBook": "Get localized SQL Server 2019 guide",
|
"title.PreviewLocalizedBook": "Obtenha o guia do SQL Server 2019 localizado",
|
||||||
"title.openJupyterBook": "Open Jupyter Book",
|
"title.openJupyterBook": "Abrir Livro do Jupyter",
|
||||||
"title.closeJupyterBook": "Close Jupyter Book",
|
"title.closeJupyterBook": "Fechar o Livro do Jupyter",
|
||||||
"title.closeJupyterNotebook": "Close Jupyter Notebook",
|
"title.closeNotebook": "Fechar Bloco de Anotações",
|
||||||
"title.revealInBooksViewlet": "Reveal in Books",
|
"title.removeNotebook": "Remover Bloco de Anotações",
|
||||||
"title.createJupyterBook": "Create Book (Preview)",
|
"title.addNotebook": "Adicionar Bloco de Anotações",
|
||||||
"title.openNotebookFolder": "Open Notebooks in Folder",
|
"title.addMarkdown": "Adicionar Arquivo de Marcação",
|
||||||
"title.openRemoteJupyterBook": "Add Remote Jupyter Book",
|
"title.revealInBooksViewlet": "Revelar nos Livros",
|
||||||
"title.pinNotebook": "Pin Notebook",
|
"title.createJupyterBook": "Criar Livro Jupyter",
|
||||||
"title.unpinNotebook": "Unpin Notebook",
|
"title.openNotebookFolder": "Abrir Notebooks na Pasta",
|
||||||
"title.moveTo": "Move to ..."
|
"title.openRemoteJupyterBook": "Adicionar Livro do Jupyter Remoto",
|
||||||
|
"title.pinNotebook": "Fixar Notebook",
|
||||||
|
"title.unpinNotebook": "Desafixar Notebook",
|
||||||
|
"title.moveTo": "Mover para..."
|
||||||
},
|
},
|
||||||
"dist/common/utils": {
|
"dist/common/utils": {
|
||||||
"ensureDirOutputMsg": "... Ensuring {0} exists",
|
"ensureDirOutputMsg": "... Verificando se {0} existe",
|
||||||
"executeCommandProcessExited": "Process exited with error code: {0}. StdErr Output: {1}"
|
"executeCommandProcessExited": "O processo foi encerrado com o código de erro: {0}. Saída de StdErr: {1}"
|
||||||
},
|
},
|
||||||
"dist/common/constants": {
|
"dist/common/constants": {
|
||||||
"managePackages.localhost": "localhost",
|
"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": {
|
"dist/common/localizedConstants": {
|
||||||
"msgYes": "Sim",
|
"msgYes": "Sim",
|
||||||
"msgNo": "Não",
|
"msgNo": "Não",
|
||||||
"msgSampleCodeDataFrame": "Este código de exemplo carrega o arquivo em um quadro de dados e mostra os 10 primeiros resultados.",
|
"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.",
|
"noBDCConnectionError": "Os kernels do Spark exigem uma conexão com uma instância mestra do cluster de Big Data do SQL Server.",
|
||||||
"providerNotValidError": "Non-MSSQL providers are not supported for spark kernels.",
|
"providerNotValidError": "Não há suporte para provedores não MSSQL em kernels do Spark.",
|
||||||
"allFiles": "All Files",
|
"allFiles": "Todos os Arquivos",
|
||||||
"labelSelectFolder": "Select Folder",
|
"labelSelectFolder": "Selecionar Pasta",
|
||||||
"labelBookFolder": "Select Book",
|
"labelBookFolder": "Selecionar Livro Jupyter",
|
||||||
"confirmReplace": "Folder already exists. Are you sure you want to delete and replace this folder?",
|
"confirmReplace": "A pasta já existe. Tem certeza de que deseja excluir e substituir essa pasta?",
|
||||||
"openNotebookCommand": "Open Notebook",
|
"openNotebookCommand": "Abrir Notebook",
|
||||||
"openMarkdownCommand": "Open Markdown",
|
"openMarkdownCommand": "Abrir Markdown",
|
||||||
"openExternalLinkCommand": "Open External Link",
|
"openExternalLinkCommand": "Abrir Link Externo",
|
||||||
"msgBookTrusted": "Book is now trusted in the workspace.",
|
"msgBookTrusted": "O Livro Jupyter agora é confiável no espaço de trabalho.",
|
||||||
"msgBookAlreadyTrusted": "Book is already trusted in this workspace.",
|
"msgBookAlreadyTrusted": "O Livro Jupyter já é confiável neste espaço de trabalho.",
|
||||||
"msgBookUntrusted": "Book is no longer trusted in this workspace",
|
"msgBookUntrusted": "O Livro Jupyter não é mais confiável neste espaço de trabalho",
|
||||||
"msgBookAlreadyUntrusted": "Book is already untrusted in this workspace.",
|
"msgBookAlreadyUntrusted": "O Livro Jupyter já não é confiável neste espaço de trabalho.",
|
||||||
"msgBookPinned": "Book {0} is now pinned in the workspace.",
|
"msgBookPinned": "O Livro Jupyter {0} agora está fixado no espaço de trabalho.",
|
||||||
"msgBookUnpinned": "Book {0} is no longer pinned in this workspace",
|
"msgBookUnpinned": "O Livro Jupyter {0} agora não está mais fixado neste espaço de trabalho",
|
||||||
"bookInitializeFailed": "Failed to find a Table of Contents file in the specified book.",
|
"bookInitializeFailed": "Falha ao encontrar um arquivo de Índice no Livro Jupyter especificado.",
|
||||||
"noBooksSelected": "No books are currently selected in the viewlet.",
|
"noBooksSelected": "Nenhum Livro Jupyter está selecionado no momento no viewlet.",
|
||||||
"labelBookSection": "Select Book Section",
|
"labelBookSection": "Selecione a Seção do Livro Jupyter",
|
||||||
"labelAddToLevel": "Add to this level",
|
"labelAddToLevel": "Adicionar a este nível",
|
||||||
"missingFileError": "Missing file : {0} from {1}",
|
"missingFileError": "Arquivo ausente: {0} de {1}",
|
||||||
"InvalidError.tocFile": "Invalid toc file",
|
"InvalidError.tocFile": "Arquivo de sumário inválido",
|
||||||
"Invalid toc.yml": "Error: {0} has an incorrect toc.yml file",
|
"Invalid toc.yml": "Erro: {0} tem um arquivo toc.yml incorreto",
|
||||||
"configFileError": "Configuration file missing",
|
"configFileError": "Arquivo de configuração ausente",
|
||||||
"openBookError": "Open book {0} failed: {1}",
|
"openBookError": "Falha ao abrir o Livro Jupyter {0}: {1}",
|
||||||
"readBookError": "Failed to read book {0}: {1}",
|
"readBookError": "Falha ao ler o Livro Jupyter {0}: {1}",
|
||||||
"openNotebookError": "Open notebook {0} failed: {1}",
|
"openNotebookError": "Falha ao abrir o notebook {0}: {1}",
|
||||||
"openMarkdownError": "Open markdown {0} failed: {1}",
|
"openMarkdownError": "Falha ao abrir o markdown {0}: {1}",
|
||||||
"openUntitledNotebookError": "Open untitled notebook {0} as untitled failed: {1}",
|
"openUntitledNotebookError": "Abrir o notebook sem título {0} porque o sem título falhou: {1}",
|
||||||
"openExternalLinkError": "Open link {0} failed: {1}",
|
"openExternalLinkError": "Falha ao abrir o link {0}: {1}",
|
||||||
"closeBookError": "Close book {0} failed: {1}",
|
"closeBookError": "Falha ao Fechar Livro Jupyter {0}: {1}",
|
||||||
"duplicateFileError": "File {0} already exists in the destination folder {1} \r\n The file has been renamed to {2} to prevent data loss.",
|
"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": "Error while editing book {0}: {1}",
|
"editBookError": "Erro ao editar o Livro Jupyter {0}: {1}",
|
||||||
"selectBookError": "Error while selecting a book or a section to edit: {0}",
|
"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",
|
"url": "URL",
|
||||||
"repoUrl": "Repository URL",
|
"repoUrl": "URL do repositório",
|
||||||
"location": "Location",
|
"location": "Localização",
|
||||||
"addRemoteBook": "Add Remote Book",
|
"addRemoteBook": "Adicionar Livro do Jupyter Remoto",
|
||||||
"onGitHub": "GitHub",
|
"onGitHub": "GitHub",
|
||||||
"onsharedFile": "Shared File",
|
"onsharedFile": "Arquivo Compartilhado",
|
||||||
"releases": "Releases",
|
"releases": "Versões",
|
||||||
"book": "Book",
|
"book": "Livro Jupyter",
|
||||||
"version": "Version",
|
"version": "Versão",
|
||||||
"language": "Language",
|
"language": "Linguagem",
|
||||||
"booksNotFound": "No books are currently available on the provided link",
|
"booksNotFound": "Nenhum Livro Jupyter está disponível no momento no link fornecido",
|
||||||
"urlGithubError": "The url provided is not a Github release url",
|
"urlGithubError": "A URL fornecida não é uma URL de versão do Github",
|
||||||
"search": "Search",
|
"search": "Pesquisar",
|
||||||
"add": "Add",
|
"add": "Adicionar",
|
||||||
"close": "Close",
|
"close": "Fechar",
|
||||||
"invalidTextPlaceholder": "-",
|
"invalidTextPlaceholder": "–",
|
||||||
"msgRemoteBookDownloadProgress": "Remote Book download is in progress",
|
"msgRemoteBookDownloadProgress": "O download do Livro Jupyter Remoto está em andamento",
|
||||||
"msgRemoteBookDownloadComplete": "Remote Book download is complete",
|
"msgRemoteBookDownloadComplete": "O download do Livro Jupyter Remoto está concluído",
|
||||||
"msgRemoteBookDownloadError": "Error while downloading remote Book",
|
"msgRemoteBookDownloadError": "Erro ao baixar o Livro Jupyter remoto",
|
||||||
"msgRemoteBookUnpackingError": "Error while decompressing remote Book",
|
"msgRemoteBookUnpackingError": "Erro ao descompactar o Livro Jupyter remoto",
|
||||||
"msgRemoteBookDirectoryError": "Error while creating remote Book directory",
|
"msgRemoteBookDirectoryError": "Erro ao criar diretório remoto do Livro Jupyter",
|
||||||
"msgTaskName": "Downloading Remote Book",
|
"msgTaskName": "Baixando o Livro Jupyter Remoto",
|
||||||
"msgResourceNotFound": "Resource not Found",
|
"msgResourceNotFound": "Recurso Não Encontrado",
|
||||||
"msgBookNotFound": "Books not Found",
|
"msgBookNotFound": "Livros Jupyter não encontrados",
|
||||||
"msgReleaseNotFound": "Releases not Found",
|
"msgReleaseNotFound": "Versões Não Encontradas",
|
||||||
"msgUndefinedAssetError": "The selected book is not valid",
|
"msgUndefinedAssetError": "O Livro Jupyter selecionado não é válido",
|
||||||
"httpRequestError": "Http Request failed with error: {0} {1}",
|
"httpRequestError": "Houve uma falha na solicitação HTTP com o erro: {0} {1}",
|
||||||
"msgDownloadLocation": "Downloading to {0}",
|
"msgDownloadLocation": "Baixando para {0}",
|
||||||
"newGroup": "New Group",
|
"newBook": "Novo Livro Jupyter (Visualização)",
|
||||||
"groupDescription": "Groups are used to organize Notebooks.",
|
"bookDescription": "Os Livros Jupyter são usados para organizar Blocos de Anotações.",
|
||||||
"locationBrowser": "Browse locations...",
|
"learnMore": "Saiba mais.",
|
||||||
"selectContentFolder": "Select content folder",
|
"contentFolder": "Pasta de conteúdo",
|
||||||
"browse": "Browse",
|
"browse": "Procurar",
|
||||||
"create": "Create",
|
"create": "Criar",
|
||||||
"name": "Name",
|
"name": "Nome",
|
||||||
"saveLocation": "Save location",
|
"saveLocation": "Salvar localização",
|
||||||
"contentFolder": "Content folder (Optional)",
|
"contentFolderOptional": "Pasta de conteúdo (Opcional)",
|
||||||
"msgContentFolderError": "Content folder path does not exist",
|
"msgContentFolderError": "O caminho da pasta de conteúdo não existe",
|
||||||
"msgSaveFolderError": "Save location path does not exist"
|
"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": {
|
"dist/jupyter/jupyterServerInstallation": {
|
||||||
"msgInstallPkgProgress": "A instalação de dependências do Notebook está em andamento",
|
"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",
|
"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.",
|
"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.",
|
"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}",
|
"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}",
|
"msgDownloadPython": "Baixando o Python local para a plataforma: {0} a {1}",
|
||||||
"msgPackageRetrievalFailed": "Encountered an error when trying to retrieve list of installed packages: {0}",
|
"msgPackageRetrievalFailed": "Foi encontrado um erro ao tentar recuperar a lista de pacotes instalados: {0}",
|
||||||
"msgGetPythonUserDirFailed": "Encountered an error when getting Python user path: {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": {
|
"dist/dialog/configurePython/configurePythonWizard": {
|
||||||
"configurePython.okButtonText": "Install",
|
"configurePython.okButtonText": "Instalar",
|
||||||
"configurePython.invalidLocationMsg": "The specified install location is invalid.",
|
"configurePython.invalidLocationMsg": "O local de instalação especificado é inválido.",
|
||||||
"configurePython.pythonNotFoundMsg": "No Python installation was found at the specified location.",
|
"configurePython.pythonNotFoundMsg": "Não foi encontrada nenhuma instalação do Python na localização especificada.",
|
||||||
"configurePython.wizardNameWithKernel": "Configure Python to run {0} kernel",
|
"configurePython.wizardNameWithKernel": "Configurar o Python para executar o kernel {0}",
|
||||||
"configurePython.wizardNameWithoutKernel": "Configure Python to run kernels",
|
"configurePython.wizardNameWithoutKernel": "Configurar o Python para executar kernels",
|
||||||
"configurePython.page0Name": "Configure Python Runtime",
|
"configurePython.page0Name": "Configurar Runtime do Python",
|
||||||
"configurePython.page1Name": "Install Dependencies",
|
"configurePython.page1Name": "Instalar Dependências",
|
||||||
"configurePython.pythonInstallDeclined": "Python installation was declined."
|
"configurePython.pythonInstallDeclined": "A instalação do Python foi recusada."
|
||||||
},
|
},
|
||||||
"dist/extension": {
|
"dist/extension": {
|
||||||
"codeCellName": "Código",
|
"codeCellName": "Código",
|
||||||
@@ -185,34 +207,34 @@
|
|||||||
"confirmReinstall": "Tem certeza de que deseja reinstalar?"
|
"confirmReinstall": "Tem certeza de que deseja reinstalar?"
|
||||||
},
|
},
|
||||||
"dist/dialog/configurePython/configurePathPage": {
|
"dist/dialog/configurePython/configurePathPage": {
|
||||||
"configurePython.browseButtonText": "Browse",
|
"configurePython.browseButtonText": "Procurar",
|
||||||
"configurePython.selectFileLabel": "Select",
|
"configurePython.selectFileLabel": "Selecionar",
|
||||||
"configurePython.descriptionWithKernel": "The {0} kernel requires a Python runtime to be configured and dependencies to be installed.",
|
"configurePython.descriptionWithKernel": "O kernel {0} exige que um runtime do Python seja configurado e que as dependências sejam instaladas.",
|
||||||
"configurePython.descriptionWithoutKernel": "Notebook kernels require a Python runtime to be configured and dependencies to be installed.",
|
"configurePython.descriptionWithoutKernel": "Os kernels do Notebook exigem que o runtime do Python seja configurado e as dependências sejam instaladas.",
|
||||||
"configurePython.installationType": "Installation Type",
|
"configurePython.installationType": "Tipo de Instalação",
|
||||||
"configurePython.locationTextBoxText": "Python Install Location",
|
"configurePython.locationTextBoxText": "Localização da Instalação do Python",
|
||||||
"configurePython.pythonConfigured": "Python runtime configured!",
|
"configurePython.pythonConfigured": "Runtime do Python configurado.",
|
||||||
"configurePythyon.dropdownPathLabel": "{0} (Python {1})",
|
"configurePythyon.dropdownPathLabel": "{0} (Python {1})",
|
||||||
"configurePythyon.noVersionsFound": "No supported Python versions found.",
|
"configurePythyon.noVersionsFound": "Não foram encontradas versões do Python com suporte.",
|
||||||
"configurePythyon.defaultPathLabel": "{0} (Default)",
|
"configurePythyon.defaultPathLabel": "{0} (Padrão)",
|
||||||
"configurePython.newInstall": "New Python installation",
|
"configurePython.newInstall": "Nova instalação do Python",
|
||||||
"configurePython.existingInstall": "Use existing Python installation",
|
"configurePython.existingInstall": "Usar a instalação existente do Python",
|
||||||
"configurePythyon.customPathLabel": "{0} (Custom)"
|
"configurePythyon.customPathLabel": "{0} (Personalizado)"
|
||||||
},
|
},
|
||||||
"dist/dialog/configurePython/pickPackagesPage": {
|
"dist/dialog/configurePython/pickPackagesPage": {
|
||||||
"configurePython.pkgNameColumn": "Name",
|
"configurePython.pkgNameColumn": "Nome",
|
||||||
"configurePython.existingVersionColumn": "Existing Version",
|
"configurePython.existingVersionColumn": "Versão Existente",
|
||||||
"configurePython.requiredVersionColumn": "Required Version",
|
"configurePython.requiredVersionColumn": "Versão Obrigatória",
|
||||||
"configurePython.kernelLabel": "Kernel",
|
"configurePython.kernelLabel": "Kernel",
|
||||||
"configurePython.requiredDependencies": "Install required kernel dependencies",
|
"configurePython.requiredDependencies": "Instalar dependências do kernel obrigatórias",
|
||||||
"msgUnsupportedKernel": "Could not retrieve packages for kernel {0}"
|
"msgUnsupportedKernel": "Não foi possível recuperar pacotes para o kernel {0}"
|
||||||
},
|
},
|
||||||
"dist/jupyter/jupyterServerManager": {
|
"dist/jupyter/jupyterServerManager": {
|
||||||
"shutdownError": "Falha no desligamento do servidor do Notebook: {0}"
|
"shutdownError": "Falha no desligamento do servidor do Notebook: {0}"
|
||||||
},
|
},
|
||||||
"dist/jupyter/serverInstance": {
|
"dist/jupyter/serverInstance": {
|
||||||
"serverStopError": "Erro ao parar o Servidor do Notebook: {0}",
|
"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}",
|
"jupyterError": "Erro enviado do Jupyter: {0}",
|
||||||
"jupyterOutputMsgStartSuccessful": "... O Jupyter está sendo executado em {0}",
|
"jupyterOutputMsgStartSuccessful": "... O Jupyter está sendo executado em {0}",
|
||||||
"jupyterOutputMsgStart": "... Iniciando o servidor do Notebook"
|
"jupyterOutputMsgStart": "... Iniciando o servidor do Notebook"
|
||||||
@@ -222,11 +244,11 @@
|
|||||||
},
|
},
|
||||||
"dist/jupyter/jupyterSessionManager": {
|
"dist/jupyter/jupyterSessionManager": {
|
||||||
"errorStartBeforeReady": "Não é possível iniciar uma sessão. O gerente ainda não foi inicializado",
|
"errorStartBeforeReady": "Não é possível iniciar uma sessão. O gerente ainda não foi inicializado",
|
||||||
"notebook.couldNotFindKnoxGateway": "Could not find Knox gateway endpoint",
|
"notebook.couldNotFindKnoxGateway": "Não foi possível localizar o ponto de extremidade do gateway do Knox",
|
||||||
"promptBDCUsername": "{0}Please provide the username to connect to the BDC Controller:",
|
"promptBDCUsername": "{0}Forneça o nome de usuário para se conectar ao Controlador do BDC:",
|
||||||
"promptBDCPassword": "Please provide the password to connect to the BDC Controller",
|
"promptBDCPassword": "Forneça a senha para se conectar ao Controlador do BDC",
|
||||||
"bdcConnectError": "Error: {0}. ",
|
"bdcConnectError": "Erro: {0}. ",
|
||||||
"clusterControllerConnectionRequired": "A connection to the cluster controller is required to run Spark jobs"
|
"clusterControllerConnectionRequired": "Uma conexão com o controlador de cluster é necessária para executar trabalhos do Spark"
|
||||||
},
|
},
|
||||||
"dist/dialog/managePackages/managePackagesDialog": {
|
"dist/dialog/managePackages/managePackagesDialog": {
|
||||||
"managePackages.dialogName": "Gerenciar Pacotes",
|
"managePackages.dialogName": "Gerenciar Pacotes",
|
||||||
@@ -236,10 +258,10 @@
|
|||||||
"managePackages.installedTabTitle": "Instalado",
|
"managePackages.installedTabTitle": "Instalado",
|
||||||
"managePackages.pkgNameColumn": "Nome",
|
"managePackages.pkgNameColumn": "Nome",
|
||||||
"managePackages.newPkgVersionColumn": "Versão",
|
"managePackages.newPkgVersionColumn": "Versão",
|
||||||
"managePackages.deleteColumn": "Delete",
|
"managePackages.deleteColumn": "Excluir",
|
||||||
"managePackages.uninstallButtonText": "Desinstalar os pacotes selecionados",
|
"managePackages.uninstallButtonText": "Desinstalar os pacotes selecionados",
|
||||||
"managePackages.packageType": "Tipo de Pacote",
|
"managePackages.packageType": "Tipo de Pacote",
|
||||||
"managePackages.location": "Location",
|
"managePackages.location": "Localização",
|
||||||
"managePackages.packageCount": "{0} {1} pacotes encontrados",
|
"managePackages.packageCount": "{0} {1} pacotes encontrados",
|
||||||
"managePackages.confirmUninstall": "Tem certeza de que deseja desinstalar os pacotes especificados?",
|
"managePackages.confirmUninstall": "Tem certeza de que deseja desinstalar os pacotes especificados?",
|
||||||
"managePackages.backgroundUninstallStarted": "Desinstalando {0}",
|
"managePackages.backgroundUninstallStarted": "Desinstalando {0}",
|
||||||
@@ -261,16 +283,16 @@
|
|||||||
"managePackages.backgroundInstallFailed": "Falha ao instalar {0} {1}. Erro: {2}"
|
"managePackages.backgroundInstallFailed": "Falha ao instalar {0} {1}. Erro: {2}"
|
||||||
},
|
},
|
||||||
"dist/jupyter/pypiClient": {
|
"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": {
|
"dist/common/notebookUtils": {
|
||||||
"msgSampleCodeDataFrame": "This sample code loads the file into a data frame and shows the first 10 results.",
|
"msgSampleCodeDataFrame": "Este código de exemplo carrega o arquivo em um quadro de dados e mostra os 10 primeiros resultados.",
|
||||||
"noNotebookVisible": "No notebook editor is active",
|
"noNotebookVisible": "Não há nenhum editor de notebook ativo",
|
||||||
"notebookFiles": "Notebooks"
|
"notebookFiles": "Notebooks"
|
||||||
},
|
},
|
||||||
"dist/protocol/notebookUriHandler": {
|
"dist/protocol/notebookUriHandler": {
|
||||||
"notebook.unsupportedAction": "Não há suporte para a ação {0} para esse manipulador",
|
"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.confirmOpen": "Baixar e abrir '{0}'?",
|
||||||
"notebook.fileNotFound": "Não foi possível localizar o arquivo especificado",
|
"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}"
|
"notebook.fileDownloadError": "Falha na solicitação de abertura de arquivo com o erro: {0} {1}"
|
||||||
|
|||||||
@@ -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"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -11,306 +11,309 @@
|
|||||||
"package": {
|
"package": {
|
||||||
"extension-displayName": "Extensão de Implantação do SQL Server para o Azure Data Studio",
|
"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",
|
"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",
|
"deploy-resource-command-category": "Implantação",
|
||||||
"resource-type-sql-image-display-name": "Imagem de contêiner do SQL Server",
|
"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",
|
"resource-type-sql-image-description": "Executar a imagem de contêiner do SQL Server com o Docker",
|
||||||
"version-display-name": "Versão",
|
"version-display-name": "Versão",
|
||||||
"sql-2017-display-name": "SQL Server 2017",
|
"sql-2017-display-name": "SQL Server 2017",
|
||||||
"sql-2019-display-name": "SQL Server 2019",
|
"sql-2019-display-name": "SQL Server 2019",
|
||||||
"docker-sql-2017-title": "Deploy SQL Server 2017 container images",
|
"docker-sql-2017-title": "Implantar imagens de contêiner do SQL Server 2017",
|
||||||
"docker-sql-2019-title": "Deploy SQL Server 2019 container images",
|
"docker-sql-2019-title": "Implantar imagens de contêiner do SQL Server 2019",
|
||||||
"docker-container-name-field": "Nome do contêiner",
|
"docker-container-name-field": "Nome do contêiner",
|
||||||
"docker-sql-password-field": "Senha do SQL Server",
|
"docker-sql-password-field": "Senha do SQL Server",
|
||||||
"docker-confirm-sql-password-field": "Confirmar a senha",
|
"docker-confirm-sql-password-field": "Confirmar a senha",
|
||||||
"docker-sql-port-field": "Porta",
|
"docker-sql-port-field": "Porta",
|
||||||
"resource-type-sql-windows-setup-display-name": "SQL Server no Windows",
|
"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.",
|
"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",
|
"microsoft-privacy-statement": "Política de Privacidade da Microsoft",
|
||||||
"deployment.configuration.title": "Deployment configuration",
|
"deployment.configuration.title": "Configuração de implantação",
|
||||||
"azdata-install-location-description": "Location of the azdata package used for the install command",
|
"azdata-install-location-description": "Localização do pacote azdata usado para o comando de instalação",
|
||||||
"azure-sqlvm-display-name": "SQL Server on Azure Virtual Machine",
|
"azure-sqlvm-display-name": "SQL Server na Máquina Virtual do Azure",
|
||||||
"azure-sqlvm-description": "Create SQL virtual machines on Azure. Best for migrations and applications requiring OS-level access.",
|
"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": "Deploy Azure SQL virtual machine",
|
"azure-sqlvm-deploy-dialog-title": "Implantar a máquina virtual do SQL do Azure",
|
||||||
"azure-sqlvm-deploy-dialog-action-text": "Script to notebook",
|
"azure-sqlvm-deploy-dialog-action-text": "Script para o notebook",
|
||||||
"azure-sqlvm-agreement": "I accept {0}, {1} and {2}.",
|
"azure-sqlvm-agreement": "Aceito {0}, {1} e {2}.",
|
||||||
"azure-sqlvm-agreement-sqlvm-eula": "Azure SQL VM License Terms",
|
"azure-sqlvm-agreement-sqlvm-eula": "Termos de Licença da VM do SQL do Azure",
|
||||||
"azure-sqlvm-agreement-azdata-eula": "azdata License Terms",
|
"azure-sqlvm-agreement-azdata-eula": "Termos de Licença do azdata",
|
||||||
"azure-sqlvm-azure-account-page-label": "Azure information",
|
"azure-sqlvm-azure-account-page-label": "Informações do Azure",
|
||||||
"azure-sqlvm-azure-location-label": "Azure locations",
|
"azure-sqlvm-azure-location-label": "Locais do Azure",
|
||||||
"azure-sqlvm-vm-information-page-label": "VM information",
|
"azure-sqlvm-vm-information-page-label": "Informações da VM",
|
||||||
"azure-sqlvm-image-label": "Image",
|
"azure-sqlvm-image-label": "Imagem",
|
||||||
"azure-sqlvm-image-sku-label": "VM image SKU",
|
"azure-sqlvm-image-sku-label": "SKU da imagem de VM",
|
||||||
"azure-sqlvm-publisher-label": "Publisher",
|
"azure-sqlvm-publisher-label": "Editor",
|
||||||
"azure-sqlvm-vmname-label": "Virtual machine name",
|
"azure-sqlvm-vmname-label": "Nome da máquina virtual",
|
||||||
"azure-sqlvm-vmsize-label": "Size",
|
"azure-sqlvm-vmsize-label": "Tamanho",
|
||||||
"azure-sqlvm-storage-page-lable": "Storage account",
|
"azure-sqlvm-storage-page-lable": "Conta de armazenamento",
|
||||||
"azure-sqlvm-storage-accountname-label": "Storage account name",
|
"azure-sqlvm-storage-accountname-label": "Nome da conta de armazenamento",
|
||||||
"azure-sqlvm-storage-sku-label": "Storage account SKU type",
|
"azure-sqlvm-storage-sku-label": "Tipo de SKU da conta de armazenamento",
|
||||||
"azure-sqlvm-vm-administrator-account-page-label": "Administrator account",
|
"azure-sqlvm-vm-administrator-account-page-label": "Conta de administrador",
|
||||||
"azure-sqlvm-username-label": "Username",
|
"azure-sqlvm-username-label": "Nome de usuário",
|
||||||
"azure-sqlvm-password-label": "Password",
|
"azure-sqlvm-password-label": "Senha",
|
||||||
"azure-sqlvm-password-confirm-label": "Confirm password",
|
"azure-sqlvm-password-confirm-label": "Confirmar a senha",
|
||||||
"azure-sqlvm-vm-summary-page-label": "Summary",
|
"azure-sqlvm-vm-summary-page-label": "Resumo",
|
||||||
"azure-sqldb-display-name": "Azure SQL Database",
|
"azure-sqldb-display-name": "Banco de Dados SQL do Azure",
|
||||||
"azure-sqldb-description": "Create a SQL database, database server, or elastic pool in 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": "Create in Azure portal",
|
"azure-sqldb-portal-ok-button-text": "Criar no portal do Azure",
|
||||||
"azure-sqldb-notebook-ok-button-text": "Select",
|
"azure-sqldb-notebook-ok-button-text": "Selecionar",
|
||||||
"resource-type-display-name": "Resource Type",
|
"resource-type-display-name": "Tipo de Recurso",
|
||||||
"sql-azure-single-database-display-name": "Single Database",
|
"sql-azure-single-database-display-name": "Banco de Dados Individual",
|
||||||
"sql-azure-elastic-pool-display-name": "Elastic Pool",
|
"sql-azure-elastic-pool-display-name": "Pool Elástico",
|
||||||
"sql-azure-database-server-display-name": "Database Server",
|
"sql-azure-database-server-display-name": "Servidor de Banco de Dados",
|
||||||
"azure-sqldb-agreement": "I accept {0}, {1} and {2}.",
|
"azure-sqldb-agreement": "Aceito {0}, {1} e {2}.",
|
||||||
"azure-sqldb-agreement-sqldb-eula": "Azure SQL DB License Terms",
|
"azure-sqldb-agreement-sqldb-eula": "Termos de Licença do BD SQL do Azure",
|
||||||
"azure-sqldb-agreement-azdata-eula": "azdata License Terms",
|
"azure-sqldb-agreement-azdata-eula": "Termos de Licença do azdata",
|
||||||
"azure-sql-mi-display-name": "Azure SQL managed instance",
|
"azure-sql-mi-display-name": "Instância gerenciada de SQL do Azure",
|
||||||
"azure-sql-mi-display-description": "Create a SQL Managed Instance in either Azure or a customer-managed environment",
|
"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": "Open in Portal",
|
"azure-sql-mi-okButton-text": "Abrir no Portal",
|
||||||
"azure-sql-mi-resource-type-option-label": "Resource Type",
|
"azure-sql-mi-resource-type-option-label": "Tipo de Recurso",
|
||||||
"azure-sql-mi-agreement": "I accept {0} and {1}.",
|
"azure-sql-mi-agreement": "Aceito {0} e {1}.",
|
||||||
"azure-sql-mi-agreement-eula": "Azure SQL MI License Terms",
|
"azure-sql-mi-agreement-eula": "Termos de Licença da MI do SQL do Azure",
|
||||||
"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": "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": "Learn More"
|
"azure-sql-mi-help-text-learn-more": "Saiba Mais"
|
||||||
},
|
},
|
||||||
"dist/localizedConstants": {
|
"dist/localizedConstants": {
|
||||||
"azure.account": "Azure Account",
|
"azure.account": "Conta do Azure",
|
||||||
"azure.account.subscription": "Subscription (selected subset)",
|
"azure.account.subscription": "Assinatura (subconjunto selecionado)",
|
||||||
"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.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": "Resource Group",
|
"azure.account.resourceGroup": "Grupo de Recursos",
|
||||||
"azure.account.location": "Azure Location",
|
"azure.account.location": "Localização do Azure",
|
||||||
"filePicker.browse": "Browse",
|
"filePicker.browse": "Procurar",
|
||||||
"button.label": "Select",
|
"button.label": "Selecionar",
|
||||||
"kubeConfigClusterPicker.kubeConfigFilePath": "Kube config file path",
|
"kubeConfigClusterPicker.kubeConfigFilePath": "Caminho do arquivo de configuração de Kube",
|
||||||
"kubeConfigClusterPicker.clusterContextNotFound": "No cluster context information found",
|
"kubeConfigClusterPicker.clusterContextNotFound": "Nenhuma informação de contexto de cluster encontrada",
|
||||||
"azure.signin": "Sign in…",
|
"azure.signin": "Entrar…",
|
||||||
"azure.refresh": "Refresh",
|
"azure.refresh": "Atualizar",
|
||||||
"azure.yes": "Yes",
|
"azure.yes": "Sim",
|
||||||
"azure.no": "No",
|
"azure.no": "Não",
|
||||||
"azure.resourceGroup.createNewResourceGroup": "Create a new resource group",
|
"azure.resourceGroup.createNewResourceGroup": "Criar um novo grupo de recurso",
|
||||||
"azure.resourceGroup.NewResourceGroupAriaLabel": "New resource group name",
|
"azure.resourceGroup.NewResourceGroupAriaLabel": "Nome do novo grupo de recursos",
|
||||||
"deployCluster.Realm": "Realm",
|
"deployCluster.Realm": "Realm",
|
||||||
"UnknownFieldTypeError": "Unknown field type: \"{0}\"",
|
"UnknownFieldTypeError": "Tipo de campo desconhecido: \"{0}\"",
|
||||||
"optionsSource.alreadyDefined": "Options Source with id:{0} is already defined",
|
"optionsSource.alreadyDefined": "A Fonte de Opções com a ID {0} já está definida",
|
||||||
"valueProvider.alreadyDefined": "Value Provider with id:{0} is already defined",
|
"valueProvider.alreadyDefined": "O Provedor de Valor com a ID {0} já está definido",
|
||||||
"optionsSource.notDefined": "No Options Source defined for id: {0}",
|
"optionsSource.notDefined": "Nenhuma Fonte de Opções definida para a ID: {0}",
|
||||||
"valueProvider.notDefined": "No Value Provider defined for id: {0}",
|
"valueProvider.notDefined": "Nenhum Provedor de Valor foi definido para a ID: {0}",
|
||||||
"getVariableValue.unknownVariableName": "Attempt to get variable value for unknown variable:{0}",
|
"getVariableValue.unknownVariableName": "Tentativa de obter o valor de variável para a variável desconhecida: {0}",
|
||||||
"getIsPassword.unknownVariableName": "Attempt to get isPassword for unknown variable:{0}",
|
"getIsPassword.unknownVariableName": "Tentativa de obter isPassword para uma variável desconhecida: {0}",
|
||||||
"optionsNotDefined": "FieldInfo.options was not defined for field type: {0}",
|
"optionsNotDefined": "FieldInfo.options não foi definido para o tipo de campo: {0}",
|
||||||
"optionsNotObjectOrArray": "FieldInfo.options must be an object if it is not an array",
|
"optionsNotObjectOrArray": "FieldInfo.options precisa ser um objeto se não for uma matriz",
|
||||||
"optionsTypeNotFound": "When FieldInfo.options is an object it must have 'optionsType' property",
|
"optionsTypeNotFound": "Quando FieldInfo.options for um objeto, ele precisará ter a propriedade 'optionsType'",
|
||||||
"optionsTypeRadioOrDropdown": "When optionsType is not {0} then it must be {1}",
|
"optionsTypeRadioOrDropdown": "Quando optionsType não for {0}, ele precisará ser {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.",
|
"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": "Deployment cannot continue. Azure Data CLI license terms were declined.You can either Accept EULA to continue or Cancel this operation",
|
"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": "Accept EULA & Select",
|
"deploymentDialog.RecheckEulaButton": "Aceitar os Termos de Licença para Software Microsoft e Selecionar",
|
||||||
"resourceTypePickerDialog.title": "Select the deployment options",
|
"resourceDeployment.extensionRequiredPrompt": "A extensão '{0}' é necessária para implantar esse recurso, deseja instalá-lo agora?",
|
||||||
"resourceTypePickerDialog.resourceSearchPlaceholder": "Filter resources...",
|
"resourceDeployment.install": "Instalar",
|
||||||
"resourceTypePickerDialog.tagsListViewTitle": "Categories",
|
"resourceDeployment.installingExtension": "Instalando a Extensão '{0}'...",
|
||||||
"validation.multipleValidationErrors": "There are some errors on this page, click 'Show Details' to view the errors.",
|
"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.ScriptToNotebookButton": "Script",
|
||||||
"ui.DeployButton": "Run",
|
"ui.DeployButton": "Executar",
|
||||||
"resourceDeployment.ViewErrorDetail": "View error detail",
|
"resourceDeployment.ViewErrorDetail": "Exibir detalhe do erro",
|
||||||
"resourceDeployment.FailedToOpenNotebook": "An error occurred opening the output notebook. {1}{2}.",
|
"resourceDeployment.FailedToOpenNotebook": "Ocorreu um erro ao abrir o notebook de saída. {1}{2}.",
|
||||||
"resourceDeployment.BackgroundExecutionFailed": "The task \"{0}\" has failed.",
|
"resourceDeployment.BackgroundExecutionFailed": "Falha na tarefa \"{0}\".",
|
||||||
"resourceDeployment.TaskFailedWithNoOutputNotebook": "The task \"{0}\" failed and no output Notebook was generated.",
|
"resourceDeployment.TaskFailedWithNoOutputNotebook": "Houve uma falha na tarefa \"{0}\" e nenhum Notebook de saída foi gerado.",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoryAll": "All",
|
"resourceTypePickerDialog.resourceTypeCategoryAll": "Tudo",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoryOnPrem": "On-premises",
|
"resourceTypePickerDialog.resourceTypeCategoryOnPrem": "Local",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoriesSqlServer": "SQL Server",
|
"resourceTypePickerDialog.resourceTypeCategoriesSqlServer": "SQL Server",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoryOnHybrid": "Hybrid",
|
"resourceTypePickerDialog.resourceTypeCategoryOnHybrid": "Híbrido",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoryOnPostgreSql": "PostgreSQL",
|
"resourceTypePickerDialog.resourceTypeCategoryOnPostgreSql": "PostgreSQL",
|
||||||
"resourceTypePickerDialog.resourceTypeCategoryOnCloud": "Cloud",
|
"resourceTypePickerDialog.resourceTypeCategoryOnCloud": "Nuvem",
|
||||||
"resourceDeployment.Description": "Description",
|
"resourceDeployment.Description": "Descrição",
|
||||||
"resourceDeployment.Tool": "Tool",
|
"resourceDeployment.Tool": "Ferramenta",
|
||||||
"resourceDeployment.Status": "Status",
|
"resourceDeployment.Status": "Status",
|
||||||
"resourceDeployment.Version": "Version",
|
"resourceDeployment.Version": "Versão",
|
||||||
"resourceDeployment.RequiredVersion": "Required Version",
|
"resourceDeployment.RequiredVersion": "Versão Obrigatória",
|
||||||
"resourceDeployment.discoverPathOrAdditionalInformation": "Discovered Path or Additional Information",
|
"resourceDeployment.discoverPathOrAdditionalInformation": "Caminho Descoberto ou Informações Adicionais",
|
||||||
"resourceDeployment.requiredTools": "Required tools",
|
"resourceDeployment.requiredTools": "Ferramentas necessárias",
|
||||||
"resourceDeployment.InstallTools": "Install tools",
|
"resourceDeployment.InstallTools": "Ferramentas de instalação",
|
||||||
"resourceDeployment.Options": "Options",
|
"resourceDeployment.Options": "Opções",
|
||||||
"deploymentDialog.InstallingTool": "Required tool '{0}' [ {1} ] is being installed now."
|
"deploymentDialog.InstallingTool": "A ferramenta obrigatória '{0}' [ {1} ] está sendo instalada agora."
|
||||||
},
|
},
|
||||||
"dist/ui/modelViewUtils": {
|
"dist/ui/modelViewUtils": {
|
||||||
"getClusterContexts.errorFetchingClusters": "An error ocurred while loading or parsing the config file:{0}, error is:{1}",
|
"getClusterContexts.errorFetchingClusters": "Ocorreu um erro ao carregar ou analisar o arquivo de configuração: {0}. O erro é: {1}",
|
||||||
"fileChecker.NotFile": "Path: {0} is not a file, please select a valid kube config file.",
|
"fileChecker.NotFile": "Caminho: {0} não é um arquivo, selecione um arquivo de configuração de kube válido.",
|
||||||
"fileChecker.FileNotFound": "File: {0} not found. Please select a kube config file.",
|
"fileChecker.FileNotFound": "Arquivo: {0} não encontrado. Selecione um arquivo de configuração de kube.",
|
||||||
"azure.accounts.unexpectedAccountsError": "Unexpected error fetching accounts: {0}",
|
"azure.accounts.unexpectedAccountsError": "Erro inesperado ao buscar contas: {0}",
|
||||||
"resourceDeployment.errorFetchingStorageClasses": "Unexpected error fetching available kubectl storage classes : {0}",
|
"resourceDeployment.errorFetchingStorageClasses": "Erro inesperado ao buscar classes de armazenamento kubectl disponíveis: {0}",
|
||||||
"azure.accounts.unexpectedSubscriptionsError": "Unexpected error fetching subscriptions for account {0}: {1}",
|
"azure.accounts.unexpectedSubscriptionsError": "Erro inesperado ao buscar assinaturas para a conta {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.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 Error Details: {0}.",
|
"azure.accessError": "\r\n Detalhes do Erro: {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.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": "Unexpected error fetching resource groups for subscription {0}: {1}",
|
"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",
|
"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"
|
"passwordNotMatch": "{0} não corresponde à senha de confirmação"
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLVMWizard/constants": {
|
"dist/ui/deployAzureSQLVMWizard/constants": {
|
||||||
"deployAzureSQLVM.NewSQLVMTitle": "Deploy Azure SQL VM",
|
"deployAzureSQLVM.NewSQLVMTitle": "Implantar a VM do SQL do Azure",
|
||||||
"deployAzureSQLVM.ScriptToNotebook": "Script to Notebook",
|
"deployAzureSQLVM.ScriptToNotebook": "Script para o Notebook",
|
||||||
"deployAzureSQLVM.MissingRequiredInfoError": "Please fill out the required fields marked with red asterisks.",
|
"deployAzureSQLVM.MissingRequiredInfoError": "Preencha os campos obrigatórios marcados com asteriscos vermelhos.",
|
||||||
"deployAzureSQLVM.AzureSettingsPageTitle": "Azure settings",
|
"deployAzureSQLVM.AzureSettingsPageTitle": "Configurações do Azure",
|
||||||
"deployAzureSQLVM.AzureAccountDropdownLabel": "Azure Account",
|
"deployAzureSQLVM.AzureAccountDropdownLabel": "Conta do Azure",
|
||||||
"deployAzureSQLVM.AzureSubscriptionDropdownLabel": "Subscription",
|
"deployAzureSQLVM.AzureSubscriptionDropdownLabel": "Assinatura",
|
||||||
"deployAzureSQLVM.ResourceGroup": "Resource Group",
|
"deployAzureSQLVM.ResourceGroup": "Grupo de Recursos",
|
||||||
"deployAzureSQLVM.AzureRegionDropdownLabel": "Region",
|
"deployAzureSQLVM.AzureRegionDropdownLabel": "Região",
|
||||||
"deployeAzureSQLVM.VmSettingsPageTitle": "Virtual machine settings",
|
"deployeAzureSQLVM.VmSettingsPageTitle": "Configurações de máquina virtual",
|
||||||
"deployAzureSQLVM.VmNameTextBoxLabel": "Virtual machine name",
|
"deployAzureSQLVM.VmNameTextBoxLabel": "Nome da máquina virtual",
|
||||||
"deployAzureSQLVM.VmAdminUsernameTextBoxLabel": "Administrator account username",
|
"deployAzureSQLVM.VmAdminUsernameTextBoxLabel": "Nome de usuário da conta de administrador",
|
||||||
"deployAzureSQLVM.VmAdminPasswordTextBoxLabel": "Administrator account password",
|
"deployAzureSQLVM.VmAdminPasswordTextBoxLabel": "Senha da conta de administrador",
|
||||||
"deployAzureSQLVM.VmAdminConfirmPasswordTextBoxLabel": "Confirm password",
|
"deployAzureSQLVM.VmAdminConfirmPasswordTextBoxLabel": "Confirmar a senha",
|
||||||
"deployAzureSQLVM.VmImageDropdownLabel": "Image",
|
"deployAzureSQLVM.VmImageDropdownLabel": "Imagem",
|
||||||
"deployAzureSQLVM.VmSkuDropdownLabel": "Image SKU",
|
"deployAzureSQLVM.VmSkuDropdownLabel": "SKU da Imagem",
|
||||||
"deployAzureSQLVM.VmImageVersionDropdownLabel": "Image Version",
|
"deployAzureSQLVM.VmImageVersionDropdownLabel": "Versão da Imagem",
|
||||||
"deployAzureSQLVM.VmSizeDropdownLabel": "Size",
|
"deployAzureSQLVM.VmSizeDropdownLabel": "Tamanho",
|
||||||
"deployeAzureSQLVM.VmSizeLearnMoreLabel": "Click here to learn more about pricing and supported VM sizes",
|
"deployeAzureSQLVM.VmSizeLearnMoreLabel": "Clique aqui para saber mais sobre o preço e os tamanhos de VM com suporte",
|
||||||
"deployAzureSQLVM.NetworkSettingsPageTitle": "Networking",
|
"deployAzureSQLVM.NetworkSettingsPageTitle": "Rede",
|
||||||
"deployAzureSQLVM.NetworkSettingsPageDescription": "Configure network settings",
|
"deployAzureSQLVM.NetworkSettingsPageDescription": "Definir configurações de rede",
|
||||||
"deployAzureSQLVM.NetworkSettingsNewVirtualNetwork": "New virtual network",
|
"deployAzureSQLVM.NetworkSettingsNewVirtualNetwork": "Nova rede virtual",
|
||||||
"deployAzureSQLVM.VirtualNetworkDropdownLabel": "Virtual Network",
|
"deployAzureSQLVM.VirtualNetworkDropdownLabel": "Rede Virtual",
|
||||||
"deployAzureSQLVM.NetworkSettingsNewSubnet": "New subnet",
|
"deployAzureSQLVM.NetworkSettingsNewSubnet": "Nova sub-rede",
|
||||||
"deployAzureSQLVM.SubnetDropdownLabel": "Subnet",
|
"deployAzureSQLVM.SubnetDropdownLabel": "Sub-rede",
|
||||||
"deployAzureSQLVM.PublicIPDropdownLabel": "Public IP",
|
"deployAzureSQLVM.PublicIPDropdownLabel": "IP",
|
||||||
"deployAzureSQLVM.NetworkSettingsUseExistingPublicIp": "New public ip",
|
"deployAzureSQLVM.NetworkSettingsUseExistingPublicIp": "Novo IP",
|
||||||
"deployAzureSQLVM.VmRDPAllowCheckboxLabel": "Enable Remote Desktop (RDP) inbound port (3389)",
|
"deployAzureSQLVM.VmRDPAllowCheckboxLabel": "Habilitar a porta de entrada da RDP (Área de Trabalho Remota) (3389)",
|
||||||
"deployAzureSQLVM.SqlServerSettingsPageTitle": "SQL Servers settings",
|
"deployAzureSQLVM.SqlServerSettingsPageTitle": "Configurações de SQL Servers",
|
||||||
"deployAzureSQLVM.SqlConnectivityTypeDropdownLabel": "SQL connectivity",
|
"deployAzureSQLVM.SqlConnectivityTypeDropdownLabel": "Conectividade do SQL",
|
||||||
"deployAzureSQLVM.SqlPortLabel": "Port",
|
"deployAzureSQLVM.SqlPortLabel": "Porta",
|
||||||
"deployAzureSQLVM.SqlEnableSQLAuthenticationLabel": "Enable SQL authentication",
|
"deployAzureSQLVM.SqlEnableSQLAuthenticationLabel": "Habilitar autenticação do SQL",
|
||||||
"deployAzureSQLVM.SqlAuthenticationUsernameLabel": "Username",
|
"deployAzureSQLVM.SqlAuthenticationUsernameLabel": "Nome de usuário",
|
||||||
"deployAzureSQLVM.SqlAuthenticationPasswordLabel": "Password",
|
"deployAzureSQLVM.SqlAuthenticationPasswordLabel": "Senha",
|
||||||
"deployAzureSQLVM.SqlAuthenticationConfirmPasswordLabel": "Confirm password"
|
"deployAzureSQLVM.SqlAuthenticationConfirmPasswordLabel": "Confirmar a senha"
|
||||||
},
|
},
|
||||||
"dist/ui/deployClusterWizard/deployClusterWizardModel": {
|
"dist/ui/deployClusterWizard/deployClusterWizardModel": {
|
||||||
"deployCluster.SaveConfigFiles": "Save config files",
|
"deployCluster.SaveConfigFiles": "Salvar arquivos de configuração",
|
||||||
"deployCluster.ScriptToNotebook": "Script to Notebook",
|
"deployCluster.ScriptToNotebook": "Script para o Notebook",
|
||||||
"deployCluster.SelectConfigFileFolder": "Save config files",
|
"deployCluster.SelectConfigFileFolder": "Salvar arquivos de configuração",
|
||||||
"deployCluster.SaveConfigFileSucceeded": "Config files saved to {0}",
|
"deployCluster.SaveConfigFileSucceeded": "Arquivos de configuração salvos em {0}",
|
||||||
"deployCluster.NewAKSWizardTitle": "Deploy SQL Server 2019 Big Data Cluster on a new AKS cluster",
|
"deployCluster.NewAKSWizardTitle": "Implantar o Cluster de Big Data do SQL Server 2019 em um novo cluster do AKS",
|
||||||
"deployCluster.ExistingAKSWizardTitle": "Deploy SQL Server 2019 Big Data Cluster on an existing AKS cluster",
|
"deployCluster.ExistingAKSWizardTitle": "Implantar o Cluster de Big Data do SQL Server 2019 em um cluster do AKS existente",
|
||||||
"deployCluster.ExistingKubeAdm": "Deploy SQL Server 2019 Big Data Cluster on an existing kubeadm cluster",
|
"deployCluster.ExistingKubeAdm": "Implantar o Cluster de Big Data do SQL Server 2019 em um cluster de kubeadm existente",
|
||||||
"deployCluster.ExistingARO": "Deploy SQL Server 2019 Big Data Cluster on an existing Azure Red Hat OpenShift cluster",
|
"deployCluster.ExistingARO": "Implante o Cluster de Big Data do SQL Server 2019 em um cluster do Red Hat OpenShift no Azure existente",
|
||||||
"deployCluster.ExistingOpenShift": "Deploy SQL Server 2019 Big Data Cluster on an existing OpenShift cluster"
|
"deployCluster.ExistingOpenShift": "Implante o Cluster de Big Data do SQL Server 2019 em um cluster do OpenShift existente"
|
||||||
},
|
},
|
||||||
"dist/services/tools/toolBase": {
|
"dist/services/tools/toolBase": {
|
||||||
"deploymentDialog.ToolStatus.NotInstalled": "Not Installed",
|
"deploymentDialog.ToolStatus.NotInstalled": "Não Instalado",
|
||||||
"deploymentDialog.ToolStatus.Installed": "Installed",
|
"deploymentDialog.ToolStatus.Installed": "Instalado",
|
||||||
"deploymentDialog.ToolStatus.Installing": "Installing…",
|
"deploymentDialog.ToolStatus.Installing": "Instalando…",
|
||||||
"deploymentDialog.ToolStatus.Error": "Error",
|
"deploymentDialog.ToolStatus.Error": "Erro",
|
||||||
"deploymentDialog.ToolStatus.Failed": "Failed",
|
"deploymentDialog.ToolStatus.Failed": "Com falha",
|
||||||
"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.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": "•\tcurl is needed for installation and needs to be pre-installed before necessary tools can be deployed",
|
"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": " Could not find 'Location' in the output:",
|
"toolBase.getPip3InstallationLocation.LocationNotFound": " Não foi possível encontrar 'Localização' na saída:",
|
||||||
"toolBase.getPip3InstallationLocation.Output": " output:",
|
"toolBase.getPip3InstallationLocation.Output": " saída:",
|
||||||
"toolBase.InstallError": "Error installing tool '{0}' [ {1} ].{2}Error: {3}{2}See output channel '{4}' for more details",
|
"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": "Error installing tool. See output channel '{0}' for more details",
|
"toolBase.InstallErrorInformation": "Erro ao instalar a ferramenta. Confira o canal de saída '{0}' para obter mais detalhes",
|
||||||
"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.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": "Failed to detect version post installation. See output channel '{0}' for more details",
|
"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": " A possibly way to uninstall is using this command:{0} >{1}",
|
"toolBase.ManualUninstallCommand": " Um modo possível de desinstalar é usando este comando:{0} >{1}",
|
||||||
"toolBase.SeeOutputChannel": "{0}See output channel '{1}' for more details",
|
"toolBase.SeeOutputChannel": "{0}Confira o canal de saída '{1}' para obter mais detalhes",
|
||||||
"toolBase.installCore.CannotInstallTool": "Cannot install tool:{0}::{1} as installation commands are unknown for your OS distribution, Please install {0} manually before proceeding",
|
"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": "Search Paths for tool '{0}': {1}",
|
"toolBase.addInstallationSearchPathsToSystemPath.SearchPaths": "Caminhos de pesquisa para a ferramenta '{0}': {1}",
|
||||||
"deployCluster.GetToolVersionErrorInformation": "Error retrieving version information. See output channel '{0}' for more details",
|
"deployCluster.GetToolVersionErrorInformation": "Erro ao recuperar as informações da versão. Confira o canal de saída '{0}' para obter mais detalhes",
|
||||||
"deployCluster.GetToolVersionError": "Error retrieving version information.{0}Invalid output received, get version command output: '{1}' "
|
"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": {
|
"dist/ui/deployAzureSQLDBWizard/constants": {
|
||||||
"deployAzureSQLDB.NewSQLDBTitle": "Deploy Azure SQL DB",
|
"deployAzureSQLDB.NewSQLDBTitle": "Implantar o BD SQL do Azure",
|
||||||
"deployAzureSQLDB.ScriptToNotebook": "Script to Notebook",
|
"deployAzureSQLDB.ScriptToNotebook": "Script para o Notebook",
|
||||||
"deployAzureSQLDB.MissingRequiredInfoError": "Please fill out the required fields marked with red asterisks.",
|
"deployAzureSQLDB.MissingRequiredInfoError": "Preencha os campos obrigatórios marcados com asteriscos vermelhos.",
|
||||||
"deployAzureSQLDB.AzureSettingsPageTitle": "Azure SQL Database - Azure account settings",
|
"deployAzureSQLDB.AzureSettingsPageTitle": "Banco de Dados SQL do Azure – Configurações da conta do Azure",
|
||||||
"deployAzureSQLDB.AzureSettingsSummaryPageTitle": "Azure account settings",
|
"deployAzureSQLDB.AzureSettingsSummaryPageTitle": "Configurações de conta do Azure",
|
||||||
"deployAzureSQLDB.AzureAccountDropdownLabel": "Azure account",
|
"deployAzureSQLDB.AzureAccountDropdownLabel": "Conta do Azure",
|
||||||
"deployAzureSQLDB.AzureSubscriptionDropdownLabel": "Subscription",
|
"deployAzureSQLDB.AzureSubscriptionDropdownLabel": "Assinatura",
|
||||||
"deployAzureSQLDB.AzureDatabaseServersDropdownLabel": "Server",
|
"deployAzureSQLDB.AzureDatabaseServersDropdownLabel": "Servidor",
|
||||||
"deployAzureSQLDB.ResourceGroup": "Resource group",
|
"deployAzureSQLDB.ResourceGroup": "Grupo de recursos",
|
||||||
"deployAzureSQLDB.DatabaseSettingsPageTitle": "Database settings",
|
"deployAzureSQLDB.DatabaseSettingsPageTitle": "Configurações do banco de dados",
|
||||||
"deployAzureSQLDB.FirewallRuleNameLabel": "Firewall rule name",
|
"deployAzureSQLDB.FirewallRuleNameLabel": "Nome da regra de firewall",
|
||||||
"deployAzureSQLDB.DatabaseNameLabel": "SQL database name",
|
"deployAzureSQLDB.DatabaseNameLabel": "Nome do banco de dados SQL",
|
||||||
"deployAzureSQLDB.CollationNameLabel": "Database collation",
|
"deployAzureSQLDB.CollationNameLabel": "Ordenação de banco de dados",
|
||||||
"deployAzureSQLDB.CollationNameSummaryLabel": "Collation for database",
|
"deployAzureSQLDB.CollationNameSummaryLabel": "Ordenação para banco de dados",
|
||||||
"deployAzureSQLDB.IpAddressInfoLabel": "Enter IP addresses in IPv4 format.",
|
"deployAzureSQLDB.IpAddressInfoLabel": "Insira os endereços IP no formato IPv4.",
|
||||||
"deployAzureSQLDB.StartIpAddressLabel": "Min IP address in firewall IP range",
|
"deployAzureSQLDB.StartIpAddressLabel": "Endereço IP mínimo no intervalo de IP do firewall",
|
||||||
"deployAzureSQLDB.EndIpAddressLabel": "Max IP address in firewall IP range",
|
"deployAzureSQLDB.EndIpAddressLabel": "Endereço IP máximo no intervalo de IP do firewall",
|
||||||
"deployAzureSQLDB.StartIpAddressShortLabel": "Min IP address",
|
"deployAzureSQLDB.StartIpAddressShortLabel": "Endereço IP mínimo",
|
||||||
"deployAzureSQLDB.EndIpAddressShortLabel": "Max IP address",
|
"deployAzureSQLDB.EndIpAddressShortLabel": "Endereço IP máximo",
|
||||||
"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.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": "Create a firewall rule"
|
"deployAzureSQLDB.FirewallToggleLabel": "Criar uma regra de firewall"
|
||||||
},
|
},
|
||||||
"dist/services/tools/kubeCtlTool": {
|
"dist/services/tools/kubeCtlTool": {
|
||||||
"resourceDeployment.KubeCtlDescription": "Runs commands against Kubernetes clusters",
|
"resourceDeployment.KubeCtlDescription": "Executa comandos em clusters do Kubernetes",
|
||||||
"resourceDeployment.KubeCtlDisplayName": "kubectl",
|
"resourceDeployment.KubeCtlDisplayName": "kubectl",
|
||||||
"resourceDeployment.invalidKubectlVersionOutput": "Unable to parse the kubectl version command output: \"{0}\"",
|
"resourceDeployment.invalidKubectlVersionOutput": "Não é possível analisar a saída do comando da versão do kubectl: \"{0}\"",
|
||||||
"resourceDeployment.Kubectl.UpdatingBrewRepository": "updating your brew repository for kubectl installation …",
|
"resourceDeployment.Kubectl.UpdatingBrewRepository": "atualizando o seu repositório brew para a instalação do kubectl…",
|
||||||
"resourceDeployment.Kubectl.InstallingKubeCtl": "installing kubectl …",
|
"resourceDeployment.Kubectl.InstallingKubeCtl": "instalando o kubectl…",
|
||||||
"resourceDeployment.Kubectl.AptGetUpdate": "updating repository information …",
|
"resourceDeployment.Kubectl.AptGetUpdate": "atualizando informações do repositório…",
|
||||||
"resourceDeployment.Kubectl.AptGetPackages": "getting packages needed for kubectl installation …",
|
"resourceDeployment.Kubectl.AptGetPackages": "obtendo pacotes necessários para a instalação do kubectl…",
|
||||||
"resourceDeployment.Kubectl.DownloadAndInstallingSigningKey": "downloading and installing the signing key for kubectl …",
|
"resourceDeployment.Kubectl.DownloadAndInstallingSigningKey": "baixando e instalando a chave de assinatura para kubectl…",
|
||||||
"resourceDeployment.Kubectl.AddingKubectlRepositoryInformation": "adding the kubectl repository information …",
|
"resourceDeployment.Kubectl.AddingKubectlRepositoryInformation": "adicionando informações do repositório kubectl…",
|
||||||
"resourceDeployment.Kubectl.InstallingKubectl": "installing kubectl …",
|
"resourceDeployment.Kubectl.InstallingKubectl": "instalando o kubectl…",
|
||||||
"resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl.exe": "deleting previously downloaded kubectl.exe if one exists …",
|
"resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl.exe": "excluindo o kubectl.exe baixado anteriormente, se houver…",
|
||||||
"resourceDeployment.Kubectl.DownloadingAndInstallingKubectl": "downloading and installing the latest kubectl.exe …",
|
"resourceDeployment.Kubectl.DownloadingAndInstallingKubectl": "baixando e instalando o kubectl.exe mais recente…",
|
||||||
"resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl": "deleting previously downloaded kubectl if one exists …",
|
"resourceDeployment.Kubectl.DeletePreviousDownloadedKubectl": "excluindo o kubectl baixado anteriormente, se houver…",
|
||||||
"resourceDeployment.Kubectl.DownloadingKubectl": "downloading the latest kubectl release …",
|
"resourceDeployment.Kubectl.DownloadingKubectl": "baixando a versão mais recente do kubectl…",
|
||||||
"resourceDeployment.Kubectl.MakingExecutable": "making kubectl executable …",
|
"resourceDeployment.Kubectl.MakingExecutable": "tornando o kubectl executável…",
|
||||||
"resourceDeployment.Kubectl.CleaningUpOldBackups": "cleaning up any previously backed up version in the install location if they exist …",
|
"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": "backing up any existing kubectl in the install location …",
|
"resourceDeployment.Kubectl.BackupCurrentBinary": "fazendo backup de qualquer kubectl existente na localização de instalação…",
|
||||||
"resourceDeployment.Kubectl.MoveToSystemPath": "moving kubectl into the install location in the PATH …"
|
"resourceDeployment.Kubectl.MoveToSystemPath": "movendo o kubectl para a localização de instalação em PATH…"
|
||||||
},
|
},
|
||||||
"dist/ui/notebookWizard/notebookWizardPage": {
|
"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": {
|
"dist/ui/deploymentInputDialog": {
|
||||||
"deploymentDialog.OpenNotebook": "Open Notebook",
|
"deploymentDialog.OpenNotebook": "Abrir Notebook",
|
||||||
"deploymentDialog.OkButtonText": "OK",
|
"deploymentDialog.OkButtonText": "OK",
|
||||||
"notebookType": "Notebook type"
|
"notebookType": "Tipo de notebook"
|
||||||
},
|
},
|
||||||
"dist/main": {
|
"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"
|
"resourceDeployment.UnknownResourceType": "O tipo de recurso: {0} não está definido"
|
||||||
},
|
},
|
||||||
"dist/services/notebookService": {
|
"dist/services/notebookService": {
|
||||||
"resourceDeployment.notebookNotFound": "O notebook {0} não existe"
|
"resourceDeployment.notebookNotFound": "O notebook {0} não existe"
|
||||||
},
|
},
|
||||||
"dist/services/platformService": {
|
"dist/services/platformService": {
|
||||||
"resourceDeployment.outputChannel": "Deployments",
|
"resourceDeployment.outputChannel": "Implantações",
|
||||||
"platformService.RunCommand.ErroredOut": "\t>>> {0} … errored out: {1}",
|
"platformService.RunCommand.ErroredOut": "\t>>> {0} … com o erro: {1}",
|
||||||
"platformService.RunCommand.IgnoringError": "\t>>> Ignoring error in execution and continuing tool deployment",
|
"platformService.RunCommand.IgnoringError": "\t>>> Ignorando erro na execução e continuando a implantação da ferramenta",
|
||||||
"platformService.RunCommand.stdout": " stdout: ",
|
"platformService.RunCommand.stdout": " stdout: ",
|
||||||
"platformService.RunCommand.stderr": " stderr: ",
|
"platformService.RunCommand.stderr": " stderr: ",
|
||||||
"platformService.RunStreamedCommand.ExitedWithCode": " >>> {0} … exited with code: {1}",
|
"platformService.RunStreamedCommand.ExitedWithCode": " >>> {0} … foi encerrado com o código: {1}",
|
||||||
"platformService.RunStreamedCommand.ExitedWithSignal": " >>> {0} … exited with signal: {1}"
|
"platformService.RunStreamedCommand.ExitedWithSignal": " >>> {0} … foi encerrado com o sinal: {1}"
|
||||||
},
|
},
|
||||||
"dist/services/resourceTypeService": {
|
"dist/services/resourceTypeService": {
|
||||||
"downloadError": "Falha ao baixar, código de status: {0}, mensagem: {1}"
|
"downloadError": "Falha ao baixar, código de status: {0}, mensagem: {1}"
|
||||||
},
|
},
|
||||||
"dist/ui/deployClusterWizard/pages/deploymentProfilePage": {
|
"dist/ui/deployClusterWizard/pages/deploymentProfilePage": {
|
||||||
"deployCluster.serviceScaleTableTitle": "Service scale settings (Instances)",
|
"deployCluster.serviceScaleTableTitle": "Configurações de escala de serviço (Instâncias)",
|
||||||
"deployCluster.storageTableTitle": "Service storage settings (GB per Instance)",
|
"deployCluster.storageTableTitle": "Configurações de armazenamento de serviço (GB por Instância)",
|
||||||
"deployCluster.featureTableTitle": "Features",
|
"deployCluster.featureTableTitle": "Recursos",
|
||||||
"deployCluster.yesText": "Yes",
|
"deployCluster.yesText": "Sim",
|
||||||
"deployCluster.noText": "No",
|
"deployCluster.noText": "Não",
|
||||||
"deployCluster.summaryPageTitle": "Deployment configuration profile",
|
"deployCluster.summaryPageTitle": "Perfil de configuração de implantação",
|
||||||
"deployCluster.summaryPageDescription": "Select the target configuration profile",
|
"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.ProfileHintText": "Observação: as configurações do perfil de implantação podem ser personalizadas nas etapas posteriores.",
|
||||||
"deployCluster.loadingProfiles": "Loading profiles",
|
"deployCluster.loadingProfiles": "Carregando perfis",
|
||||||
"deployCluster.loadingProfilesCompleted": "Loading profiles completed",
|
"deployCluster.loadingProfilesCompleted": "Carregamento de perfis concluído",
|
||||||
"deployCluster.profileRadioGroupLabel": "Deployment configuration profile",
|
"deployCluster.profileRadioGroupLabel": "Perfil de configuração de implantação",
|
||||||
"deployCluster.loadProfileFailed": "Falha ao carregar os perfis de implantação: {0}",
|
"deployCluster.loadProfileFailed": "Falha ao carregar os perfis de implantação: {0}",
|
||||||
"deployCluster.masterPoolLabel": "SQL Server Mestre",
|
"deployCluster.masterPoolLabel": "SQL Server Mestre",
|
||||||
"deployCluster.computePoolLable": "Computação",
|
"deployCluster.computePoolLable": "Computação",
|
||||||
"deployCluster.dataPoolLabel": "Dados",
|
"deployCluster.dataPoolLabel": "Dados",
|
||||||
"deployCluster.hdfsLabel": "HDFS + Spark",
|
"deployCluster.hdfsLabel": "HDFS + Spark",
|
||||||
"deployCluster.ServiceName": "Service",
|
"deployCluster.ServiceName": "Serviço",
|
||||||
"deployCluster.dataStorageType": "Data",
|
"deployCluster.dataStorageType": "Dados",
|
||||||
"deployCluster.logsStorageType": "Logs",
|
"deployCluster.logsStorageType": "Logs",
|
||||||
"deployCluster.StorageType": "Storage type",
|
"deployCluster.StorageType": "Tipo de armazenamento",
|
||||||
"deployCluster.basicAuthentication": "Autenticação básica",
|
"deployCluster.basicAuthentication": "Autenticação básica",
|
||||||
"deployCluster.activeDirectoryAuthentication": "Autenticação do Active Directory",
|
"deployCluster.activeDirectoryAuthentication": "Autenticação do Active Directory",
|
||||||
"deployCluster.hadr": "Alta disponibilidade",
|
"deployCluster.hadr": "Alta disponibilidade",
|
||||||
"deployCluster.featureText": "Feature",
|
"deployCluster.featureText": "Recurso",
|
||||||
"deployCluster.ProfileNotSelectedError": "Selecione um perfil de implantação."
|
"deployCluster.ProfileNotSelectedError": "Selecione um perfil de implantação."
|
||||||
},
|
},
|
||||||
"dist/ui/deployClusterWizard/pages/azureSettingsPage": {
|
"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.AzureSettingsPageTitle": "Configurações do Azure",
|
||||||
"deployCluster.AzureSettingsPageDescription": "Definir as configurações para criar um cluster do Serviço de Kubernetes do Azure",
|
"deployCluster.AzureSettingsPageDescription": "Definir as configurações para criar um cluster do Serviço de Kubernetes do Azure",
|
||||||
"deployCluster.SubscriptionField": "ID da assinatura",
|
"deployCluster.SubscriptionField": "ID da assinatura",
|
||||||
@@ -326,7 +329,7 @@
|
|||||||
"deployCluster.VMSizeHelpLink": "Exibir os tamanhos de VM disponíveis"
|
"deployCluster.VMSizeHelpLink": "Exibir os tamanhos de VM disponíveis"
|
||||||
},
|
},
|
||||||
"dist/ui/deployClusterWizard/pages/clusterSettingsPage": {
|
"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.ClusterSettingsPageTitle": "Configurações de cluster",
|
||||||
"deployCluster.ClusterSettingsPageDescription": "Definir as configurações do Cluster de Big Data do SQL Server",
|
"deployCluster.ClusterSettingsPageDescription": "Definir as configurações do Cluster de Big Data do SQL Server",
|
||||||
"deployCluster.ClusterName": "Nome do cluster",
|
"deployCluster.ClusterName": "Nome do cluster",
|
||||||
@@ -354,7 +357,7 @@
|
|||||||
"deployCluster.DomainDNSIPAddressesPlaceHolder": "Use vírgula para separar os valores.",
|
"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.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.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.ClusterAdmins": "Grupo de administração do cluster",
|
||||||
"deployCluster.ClusterAdminsDescription": "O grupo do Active Directory para administrador de clusters.",
|
"deployCluster.ClusterAdminsDescription": "O grupo do Active Directory para administrador de clusters.",
|
||||||
"deployCluster.ClusterUsers": "Usuários do cluster",
|
"deployCluster.ClusterUsers": "Usuários do cluster",
|
||||||
@@ -363,16 +366,16 @@
|
|||||||
"deployCluster.DomainServiceAccountUserName": "Nome de usuário da conta de serviço",
|
"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.DomainServiceAccountUserNameDescription": "Conta de serviço de domínio do Cluster de Big Data",
|
||||||
"deployCluster.DomainServiceAccountPassword": "Senha da conta de serviço",
|
"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.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.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.AppReaders": "Leitores de aplicativos",
|
||||||
"deployCluster.AppReadersPlaceHolder": "Use vírgula para separar os valores.",
|
"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.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.Subdomain": "Subdomínio",
|
||||||
"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.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": "Account prefix",
|
"deployCluster.AccountPrefix": "Prefixo da conta",
|
||||||
"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.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.AdminPasswordField": "Senha",
|
||||||
"deployCluster.ValidationError": "Há alguns erros nesta página. Clique em 'Mostrar Detalhes' para exibir os erros."
|
"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.EndpointSettings": "Configurações de ponto de extremidade",
|
||||||
"deployCluster.storageFieldTooltip": "Usar as configurações do controlador",
|
"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.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.controllerDataStorageClass": "Classe de armazenamento de dados do controlador",
|
||||||
"deployCluster.controllerDataStorageClaimSize": "Controller's data storage claim size",
|
"deployCluster.controllerDataStorageClaimSize": "Tamanho da declaração de armazenamento de dados do controlador",
|
||||||
"deployCluster.controllerLogsStorageClass": "Controller's logs storage class",
|
"deployCluster.controllerLogsStorageClass": "Classe de armazenamento de logs do controlador",
|
||||||
"deployCluster.controllerLogsStorageClaimSize": "Controller's logs storage claim size",
|
"deployCluster.controllerLogsStorageClaimSize": "Tamanho da declaração de armazenamento de logs do controlador",
|
||||||
"deployCluster.StoragePool": "Pool de armazenamento (HDFS)",
|
"deployCluster.StoragePool": "Pool de armazenamento (HDFS)",
|
||||||
"deployCluster.storagePoolDataStorageClass": "Storage pool's data storage class",
|
"deployCluster.storagePoolDataStorageClass": "Classe de armazenamento de dados do pool de armazenamento",
|
||||||
"deployCluster.storagePoolDataStorageClaimSize": "Storage pool's data storage claim size",
|
"deployCluster.storagePoolDataStorageClaimSize": "Tamanho da declaração de armazenamento de dados do pool de armazenamento",
|
||||||
"deployCluster.storagePoolLogsStorageClass": "Storage pool's logs storage class",
|
"deployCluster.storagePoolLogsStorageClass": "Classe de armazenamento de logs do pool de armazenamento",
|
||||||
"deployCluster.storagePoolLogsStorageClaimSize": "Storage pool's logs storage claim size",
|
"deployCluster.storagePoolLogsStorageClaimSize": "Tamanho da declaração de armazenamento de logs do pool de armazenamento",
|
||||||
"deployCluster.DataPool": "Pool de dados",
|
"deployCluster.DataPool": "Pool de dados",
|
||||||
"deployCluster.dataPoolDataStorageClass": "Data pool's data storage class",
|
"deployCluster.dataPoolDataStorageClass": "Classe de armazenamento de dados do pool de dados",
|
||||||
"deployCluster.dataPoolDataStorageClaimSize": "Data pool's data storage claim size",
|
"deployCluster.dataPoolDataStorageClaimSize": "Tamanho da declaração de armazenamento de dados do pool de dados",
|
||||||
"deployCluster.dataPoolLogsStorageClass": "Data pool's logs storage class",
|
"deployCluster.dataPoolLogsStorageClass": "Classe de armazenamento de logs do pool de dados",
|
||||||
"deployCluster.dataPoolLogsStorageClaimSize": "Data pool's logs storage claim size",
|
"deployCluster.dataPoolLogsStorageClaimSize": "Tamanho da declaração de armazenamento de logs do pool de dados",
|
||||||
"deployCluster.sqlServerMasterDataStorageClass": "SQL Server master's data storage class",
|
"deployCluster.sqlServerMasterDataStorageClass": "Classe de armazenamento de dados do SQL Server mestre",
|
||||||
"deployCluster.sqlServerMasterDataStorageClaimSize": "SQL Server master's data storage claim size",
|
"deployCluster.sqlServerMasterDataStorageClaimSize": "Tamanho da declaração de armazenamento de dados do SQL Server mestre",
|
||||||
"deployCluster.sqlServerMasterLogsStorageClass": "SQL Server master's logs storage class",
|
"deployCluster.sqlServerMasterLogsStorageClass": "Classe de armazenamento de logs do SQL Server mestre",
|
||||||
"deployCluster.sqlServerMasterLogsStorageClaimSize": "SQL Server master's logs storage claim size",
|
"deployCluster.sqlServerMasterLogsStorageClaimSize": "Tamanho da declaração de armazenamento de logs do SQL Server mestre",
|
||||||
"deployCluster.ServiceName": "Service name",
|
"deployCluster.ServiceName": "Nome do serviço",
|
||||||
"deployCluster.DataStorageClassName": "Classe de armazenamento para dados",
|
"deployCluster.DataStorageClassName": "Classe de armazenamento para dados",
|
||||||
"deployCluster.DataClaimSize": "Tamanho da declaração de dados (GB)",
|
"deployCluster.DataClaimSize": "Tamanho da declaração de dados (GB)",
|
||||||
"deployCluster.LogStorageClassName": "Classe de armazenamento de logs",
|
"deployCluster.LogStorageClassName": "Classe de armazenamento de logs",
|
||||||
"deployCluster.LogsClaimSize": "Tamanho da declaração de logs (GB)",
|
"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.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."
|
"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.DomainDNSName": "Nome do DNS do domínio",
|
||||||
"deployCluster.ClusterAdmins": "Grupo de administração do cluster",
|
"deployCluster.ClusterAdmins": "Grupo de administração do cluster",
|
||||||
"deployCluster.ClusterUsers": "Usuários do cluster",
|
"deployCluster.ClusterUsers": "Usuários do cluster",
|
||||||
"deployCluster.AppOwners": "App owners",
|
"deployCluster.AppOwners": "Proprietários de aplicativos",
|
||||||
"deployCluster.AppReaders": "Leitores de aplicativos",
|
"deployCluster.AppReaders": "Leitores de aplicativos",
|
||||||
"deployCluster.Subdomain": "Subdomain",
|
"deployCluster.Subdomain": "Subdomínio",
|
||||||
"deployCluster.AccountPrefix": "Account prefix",
|
"deployCluster.AccountPrefix": "Prefixo da conta",
|
||||||
"deployCluster.DomainServiceAccountUserName": "Nome de usuário da conta de serviço",
|
"deployCluster.DomainServiceAccountUserName": "Nome de usuário da conta de serviço",
|
||||||
"deployCluster.AzureSettings": "Configurações do Azure",
|
"deployCluster.AzureSettings": "Configurações do Azure",
|
||||||
"deployCluster.SubscriptionId": "ID da assinatura",
|
"deployCluster.SubscriptionId": "ID da assinatura",
|
||||||
@@ -473,7 +476,7 @@
|
|||||||
"deployCluster.SparkPoolInstances": "Instâncias do pool do Spark",
|
"deployCluster.SparkPoolInstances": "Instâncias do pool do Spark",
|
||||||
"deployCluster.StoragePoolInstances": "Instâncias do pool de armazenamento (HDFS)",
|
"deployCluster.StoragePoolInstances": "Instâncias do pool de armazenamento (HDFS)",
|
||||||
"deployCluster.WithSpark": "(Spark incluído)",
|
"deployCluster.WithSpark": "(Spark incluído)",
|
||||||
"deployCluster.ServiceName": "Service",
|
"deployCluster.ServiceName": "Serviço",
|
||||||
"deployCluster.DataStorageClassName": "Classe de armazenamento para dados",
|
"deployCluster.DataStorageClassName": "Classe de armazenamento para dados",
|
||||||
"deployCluster.DataClaimSize": "Tamanho da declaração de dados (GB)",
|
"deployCluster.DataClaimSize": "Tamanho da declaração de dados (GB)",
|
||||||
"deployCluster.LogStorageClassName": "Classe de armazenamento de logs",
|
"deployCluster.LogStorageClassName": "Classe de armazenamento de logs",
|
||||||
@@ -502,138 +505,129 @@
|
|||||||
"deployCluster.ConfigParseError": "Falha ao carregar o arquivo de configuração"
|
"deployCluster.ConfigParseError": "Falha ao carregar o arquivo de configuração"
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLVMWizard/deployAzureSQLVMWizardModel": {
|
"dist/ui/deployAzureSQLVMWizard/deployAzureSQLVMWizardModel": {
|
||||||
"sqlVMDeploymentWizard.PasswordLengthError": "Password must be between 12 and 123 characters long.",
|
"sqlVMDeploymentWizard.PasswordLengthError": "A senha precisa ter entre 12 e 123 caracteres.",
|
||||||
"sqlVMDeploymentWizard.PasswordSpecialCharRequirementError": "Password must have 3 of the following: 1 lower case character, 1 upper case character, 1 number, and 1 special character."
|
"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": {
|
"dist/ui/deployAzureSQLVMWizard/pages/vmSettingsPage": {
|
||||||
"deployAzureSQLVM.VnameLengthError": "Virtual machine name must be between 1 and 15 characters long.",
|
"deployAzureSQLVM.VnameLengthError": "O nome da máquina virtual precisa ter entre 1 e 15 caracteres.",
|
||||||
"deployAzureSQLVM.VNameOnlyNumericNameError": "Virtual machine name cannot contain only numbers.",
|
"deployAzureSQLVM.VNameOnlyNumericNameError": "O nome da máquina virtual não pode conter somente números.",
|
||||||
"deployAzureSQLVM.VNamePrefixSuffixError": "Virtual machine name Can't start with underscore. Can't end with period or hyphen",
|
"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": "Virtual machine name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .",
|
"deployAzureSQLVM.VNameSpecialCharError": "O nome da máquina virtual não pode conter os caracteres especiais \\/\"\"[]:|<>+=;,?*@&, .",
|
||||||
"deployAzureSQLVM.VNameExistsError": "Virtual machine name must be unique in the current resource group.",
|
"deployAzureSQLVM.VNameExistsError": "O nome da máquina virtual deve ser exclusivo no grupo de recursos atual.",
|
||||||
"deployAzureSQLVM.VMUsernameLengthError": "Username must be between 1 and 20 characters long.",
|
"deployAzureSQLVM.VMUsernameLengthError": "O nome de usuário precisa ter entre 1 e 20 caracteres.",
|
||||||
"deployAzureSQLVM.VMUsernameSuffixError": "Username cannot end with period",
|
"deployAzureSQLVM.VMUsernameSuffixError": "O nome de usuário não pode terminar com um ponto",
|
||||||
"deployAzureSQLVM.VMUsernameSpecialCharError": "Username cannot contain special characters \\/\"\"[]:|<>+=;,?*@& .",
|
"deployAzureSQLVM.VMUsernameSpecialCharError": "O nome de usuário não pode conter caracteres especiais \\/\"\"[]:|<>+=;,?*@& .",
|
||||||
"deployAzureSQLVM.VMUsernameReservedWordsError": "Username must not include reserved words.",
|
"deployAzureSQLVM.VMUsernameReservedWordsError": "O nome de usuário não pode incluir palavras reservadas.",
|
||||||
"deployAzureSQLVM.VMConfirmPasswordError": "Password and confirm password must match.",
|
"deployAzureSQLVM.VMConfirmPasswordError": "A Senha e a Confirmação de senha devem corresponder.",
|
||||||
"deployAzureSQLVM.vmDropdownSizeError": "Select a valid virtual machine size."
|
"deployAzureSQLVM.vmDropdownSizeError": "Selecione um tamanho de máquina virtual válido."
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLVMWizard/pages/networkSettingsPage": {
|
"dist/ui/deployAzureSQLVMWizard/pages/networkSettingsPage": {
|
||||||
"deployAzureSQLVM.NewVnetPlaceholder": "Enter name for new virtual network",
|
"deployAzureSQLVM.NewVnetPlaceholder": "Inserir o nome da nova rede virtual",
|
||||||
"deployAzureSQLVM.NewSubnetPlaceholder": "Enter name for new subnet",
|
"deployAzureSQLVM.NewSubnetPlaceholder": "Inserir o nome da nova sub-rede",
|
||||||
"deployAzureSQLVM.NewPipPlaceholder": "Enter name for new public IP",
|
"deployAzureSQLVM.NewPipPlaceholder": "Inserir o nome do novo IP",
|
||||||
"deployAzureSQLVM.VnetNameLengthError": "Virtual Network name must be between 2 and 64 characters long",
|
"deployAzureSQLVM.VnetNameLengthError": "O nome da Rede Virtual precisa ter entre 2 e 64 caracteres",
|
||||||
"deployAzureSQLVM.NewVnetError": "Create a new virtual network",
|
"deployAzureSQLVM.NewVnetError": "Criar uma rede virtual",
|
||||||
"deployAzureSQLVM.SubnetNameLengthError": "Subnet name must be between 1 and 80 characters long",
|
"deployAzureSQLVM.SubnetNameLengthError": "O nome da sub-rede precisa ter entre 1 e 80 caracteres",
|
||||||
"deployAzureSQLVM.NewSubnetError": "Create a new sub network",
|
"deployAzureSQLVM.NewSubnetError": "Criar uma sub-rede",
|
||||||
"deployAzureSQLVM.PipNameError": "Public IP name must be between 1 and 80 characters long",
|
"deployAzureSQLVM.PipNameError": "O nome do IP precisa ter entre 1 e 80 caracteres",
|
||||||
"deployAzureSQLVM.NewPipError": "Create a new new public Ip"
|
"deployAzureSQLVM.NewPipError": "Criar um IP"
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLVMWizard/pages/sqlServerSettingsPage": {
|
"dist/ui/deployAzureSQLVMWizard/pages/sqlServerSettingsPage": {
|
||||||
"deployAzureSQLVM.PrivateConnectivityDropdownOptionDefault": "Private (within Virtual Network)",
|
"deployAzureSQLVM.PrivateConnectivityDropdownOptionDefault": "Privado (dentro da Rede Virtual)",
|
||||||
"deployAzureSQLVM.LocalConnectivityDropdownOption": "Local (inside VM only)",
|
"deployAzureSQLVM.LocalConnectivityDropdownOption": "Local (somente dentro da VM)",
|
||||||
"deployAzureSQLVM.PublicConnectivityDropdownOption": "Public (Internet)",
|
"deployAzureSQLVM.PublicConnectivityDropdownOption": "Público (Internet)",
|
||||||
"deployAzureSQLVM.SqlUsernameLengthError": "Username must be between 2 and 128 characters long.",
|
"deployAzureSQLVM.SqlUsernameLengthError": "O nome de usuário precisa ter entre 2 e 128 caracteres.",
|
||||||
"deployAzureSQLVM.SqlUsernameSpecialCharError": "Username cannot contain special characters \\/\"\"[]:|<>+=;,?* .",
|
"deployAzureSQLVM.SqlUsernameSpecialCharError": "O nome de usuário não pode conter caracteres especiais \\/\"\"[]:|<>+=;,?* .",
|
||||||
"deployAzureSQLVM.SqlConfirmPasswordError": "Password and confirm password must match."
|
"deployAzureSQLVM.SqlConfirmPasswordError": "A Senha e a Confirmação de senha devem corresponder."
|
||||||
},
|
},
|
||||||
"dist/ui/notebookWizard/notebookWizardAutoSummaryPage": {
|
"dist/ui/notebookWizard/notebookWizardAutoSummaryPage": {
|
||||||
"notebookWizard.autoSummaryPageTitle": "Review your configuration"
|
"notebookWizard.autoSummaryPageTitle": "Examine a sua configuração"
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLDBWizard/pages/databaseSettingsPage": {
|
"dist/ui/deployAzureSQLDBWizard/pages/databaseSettingsPage": {
|
||||||
"deployAzureSQLDB.DBMinIpInvalidError": "Min Ip address is invalid",
|
"deployAzureSQLDB.DBMinIpInvalidError": "O endereço IP mínimo é inválido",
|
||||||
"deployAzureSQLDB.DBMaxIpInvalidError": "Max Ip address is invalid",
|
"deployAzureSQLDB.DBMaxIpInvalidError": "O endereço IP máximo é inválido",
|
||||||
"deployAzureSQLDB.DBFirewallOnlyNumericNameError": "Firewall name cannot contain only numbers.",
|
"deployAzureSQLDB.DBFirewallOnlyNumericNameError": "O nome do firewall não pode conter somente números.",
|
||||||
"deployAzureSQLDB.DBFirewallLengthError": "Firewall name must be between 1 and 100 characters long.",
|
"deployAzureSQLDB.DBFirewallLengthError": "O nome do firewall precisa ter entre 1 e 100 caracteres.",
|
||||||
"deployAzureSQLDB.DBFirewallSpecialCharError": "Firewall name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .",
|
"deployAzureSQLDB.DBFirewallSpecialCharError": "O nome do firewall não pode conter caracteres especiais \\/\"\"[]:|<>+=;,?*@&, .",
|
||||||
"deployAzureSQLDB.DBFirewallUpperCaseError": "Upper case letters are not allowed for firewall name",
|
"deployAzureSQLDB.DBFirewallUpperCaseError": "Letras maiúsculas não são permitidas no nome do firewall",
|
||||||
"deployAzureSQLDB.DBNameOnlyNumericNameError": "Database name cannot contain only numbers.",
|
"deployAzureSQLDB.DBNameOnlyNumericNameError": "O nome do banco de dados não pode conter somente números.",
|
||||||
"deployAzureSQLDB.DBNameLengthError": "Database name must be between 1 and 100 characters long.",
|
"deployAzureSQLDB.DBNameLengthError": "O nome do banco de dados precisa ter entre 1 e 100 caracteres.",
|
||||||
"deployAzureSQLDB.DBNameSpecialCharError": "Database name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, .",
|
"deployAzureSQLDB.DBNameSpecialCharError": "O nome do banco de dados não pode conter caracteres especiais \\/\"\"[]:|<>+=;,?*@&, .",
|
||||||
"deployAzureSQLDB.DBNameExistsError": "Database name must be unique in the current server.",
|
"deployAzureSQLDB.DBNameExistsError": "O nome do banco de dados precisa ser exclusivo no servidor atual.",
|
||||||
"deployAzureSQLDB.DBCollationOnlyNumericNameError": "Collation name cannot contain only numbers.",
|
"deployAzureSQLDB.DBCollationOnlyNumericNameError": "O nome da ordenação não pode conter somente números.",
|
||||||
"deployAzureSQLDB.DBCollationLengthError": "Collation name must be between 1 and 100 characters long.",
|
"deployAzureSQLDB.DBCollationLengthError": "O nome da ordenação precisa ter entre 1 e 100 caracteres.",
|
||||||
"deployAzureSQLDB.DBCollationSpecialCharError": "Collation name cannot contain special characters \\/\"\"[]:|<>+=;,?*@&, ."
|
"deployAzureSQLDB.DBCollationSpecialCharError": "O nome da ordenação não pode conter caracteres especiais \\/\"\"[]:|<>+=;,?*@&, ."
|
||||||
},
|
},
|
||||||
"dist/ui/deployAzureSQLDBWizard/pages/azureSettingsPage": {
|
"dist/ui/deployAzureSQLDBWizard/pages/azureSettingsPage": {
|
||||||
"deployAzureSQLDB.azureSignInError": "Sign in to an Azure account first",
|
"deployAzureSQLDB.azureSignInError": "Entrar em uma conta do Azure primeiro",
|
||||||
"deployAzureSQLDB.NoServerLabel": "No servers found",
|
"deployAzureSQLDB.NoServerLabel": "Não foram encontrados servidores",
|
||||||
"deployAzureSQLDB.NoServerError": "No servers found in current subscription.\r\nSelect a different subscription containing at least one server"
|
"deployAzureSQLDB.NoServerError": "Nenhum servidor encontrado na assinatura atual.\r\nSelecione uma assinatura diferente contendo pelo menos um servidor"
|
||||||
},
|
},
|
||||||
"dist/ui/toolsAndEulaSettingsPage": {
|
"dist/ui/toolsAndEulaSettingsPage": {
|
||||||
"notebookWizard.toolsAndEulaPageTitle": "Deployment pre-requisites",
|
"notebookWizard.toolsAndEulaPageTitle": "Pré-requisitos da implantação",
|
||||||
"deploymentDialog.FailedEulaValidation": "To proceed, you must accept the terms of the End User License Agreement(EULA)",
|
"deploymentDialog.FailedToolsInstallation": "Algumas ferramentas ainda não foram descobertas. Verifique se eles estão instaladas, em execução e são detectáveis",
|
||||||
"deploymentDialog.FailedToolsInstallation": "Some tools were still not discovered. Please make sure that they are installed, running and discoverable",
|
"deploymentDialog.FailedEulaValidation": "Para continuar, você precisa aceitar os Termos de Licença",
|
||||||
"deploymentDialog.loadingRequiredToolsCompleted": "Loading required tools information completed",
|
"deploymentDialog.loadingRequiredToolsCompleted": "O carregamento das informações das ferramentas necessárias foi concluído",
|
||||||
"deploymentDialog.loadingRequiredTools": "Loading required tools information",
|
"deploymentDialog.loadingRequiredTools": "Carregando informações de ferramentas necessárias",
|
||||||
"resourceDeployment.AgreementTitle": "Accept terms of use",
|
"resourceDeployment.AgreementTitle": "Aceitar os termos de uso",
|
||||||
"deploymentDialog.ToolDoesNotMeetVersionRequirement": "'{0}' [ {1} ] does not meet the minimum version requirement, please uninstall it and restart Azure Data Studio.",
|
"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": "All required tools are installed now.",
|
"deploymentDialog.InstalledTools": "Todas as ferramentas necessárias estão instaladas agora.",
|
||||||
"deploymentDialog.PendingInstallation": "Following tools: {0} were still not discovered. Please make sure that they are installed, running and discoverable",
|
"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": "'{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.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": "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.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": "Tool: {0} is not installed, you can click the \"{1}\" button to install it.",
|
"deploymentDialog.InstallToolsHintOne": "Ferramenta: o {0} não está instalado, você pode clicar no botão \"{1}\" para instalá-lo.",
|
||||||
"deploymentDialog.InstallToolsHintMany": "Tools: {0} are not installed, you can click the \"{1}\" button to install them.",
|
"deploymentDialog.InstallToolsHintMany": "Ferramentas: os {0} não estão instalados, você pode clicar no botão \"{1}\" para instalá-los.",
|
||||||
"deploymentDialog.NoRequiredTool": "No tools required"
|
"deploymentDialog.NoRequiredTool": "Nenhuma ferramenta é necessária"
|
||||||
},
|
},
|
||||||
"dist/ui/pageLessDeploymentModel": {
|
"dist/ui/pageLessDeploymentModel": {
|
||||||
"resourceDeployment.DownloadAndLaunchTaskName": "Download and launch installer, URL: {0}",
|
"resourceDeployment.DownloadAndLaunchTaskName": "Baixe e inicie o instalador, URL: {0}",
|
||||||
"resourceDeployment.DownloadingText": "Downloading from: {0}",
|
"resourceDeployment.DownloadingText": "Baixando de: {0}",
|
||||||
"resourceDeployment.DownloadCompleteText": "Successfully downloaded: {0}",
|
"resourceDeployment.DownloadCompleteText": "Baixado com êxito: {0}",
|
||||||
"resourceDeployment.LaunchingProgramText": "Launching: {0}",
|
"resourceDeployment.LaunchingProgramText": "Iniciando: {0}",
|
||||||
"resourceDeployment.ProgramLaunchedText": "Successfully launched: {0}"
|
"resourceDeployment.ProgramLaunchedText": "Iniciado com êxito: {0}"
|
||||||
},
|
},
|
||||||
"dist/services/tools/dockerTool": {
|
"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"
|
"resourceDeployment.DockerDisplayName": "docker"
|
||||||
},
|
},
|
||||||
"dist/services/tools/azCliTool": {
|
"dist/services/tools/azCliTool": {
|
||||||
"resourceDeployment.AzCLIDescription": "Manages Azure resources",
|
"resourceDeployment.AzCLIDescription": "Gerencia recursos do Azure",
|
||||||
"resourceDeployment.AzCLIDisplayName": "CLI do Azure",
|
"resourceDeployment.AzCLIDisplayName": "CLI do Azure",
|
||||||
"resourceDeployment.AziCli.DeletingPreviousAzureCli.msi": "deleting previously downloaded azurecli.msi if one exists …",
|
"resourceDeployment.AziCli.DeletingPreviousAzureCli.msi": "excluindo o azurecli.msi baixado anteriormente, se houver…",
|
||||||
"resourceDeployment.AziCli.DownloadingAndInstallingAzureCli": "downloading azurecli.msi and installing azure-cli …",
|
"resourceDeployment.AziCli.DownloadingAndInstallingAzureCli": "baixando o azurecli.msi e instalando o azure-cli…",
|
||||||
"resourceDeployment.AziCli.DisplayingInstallationLog": "displaying the installation log …",
|
"resourceDeployment.AziCli.DisplayingInstallationLog": "exibindo o log de instalação…",
|
||||||
"resourceDeployment.AziCli.UpdatingBrewRepository": "updating your brew repository for azure-cli installation …",
|
"resourceDeployment.AziCli.UpdatingBrewRepository": "atualizando o seu repositório brew para a instalação do azure-cli…",
|
||||||
"resourceDeployment.AziCli.InstallingAzureCli": "installing azure-cli …",
|
"resourceDeployment.AziCli.InstallingAzureCli": "instalando o azure-cli.…",
|
||||||
"resourceDeployment.AziCli.AptGetUpdate": "updating repository information before installing azure-cli …",
|
"resourceDeployment.AziCli.AptGetUpdate": "atualizando as informações do repositório antes de instalar o azure-cli…",
|
||||||
"resourceDeployment.AziCli.AptGetPackages": "getting packages needed for azure-cli installation …",
|
"resourceDeployment.AziCli.AptGetPackages": "obtendo pacotes necessários para a instalação do azure-cli…",
|
||||||
"resourceDeployment.AziCli.DownloadAndInstallingSigningKey": "downloading and installing the signing key for azure-cli …",
|
"resourceDeployment.AziCli.DownloadAndInstallingSigningKey": "baixando e instalando a chave de assinatura do azure-cli…",
|
||||||
"resourceDeployment.AziCli.AddingAzureCliRepositoryInformation": "adding the azure-cli repository information …",
|
"resourceDeployment.AziCli.AddingAzureCliRepositoryInformation": "adicionando informações do repositório do azure-cli…",
|
||||||
"resourceDeployment.AziCli.AptGetUpdateAgain": "updating repository information again for azure-cli …",
|
"resourceDeployment.AziCli.AptGetUpdateAgain": "atualizando as informações do repositório novamente do azure-cli…",
|
||||||
"resourceDeployment.AziCli.ScriptedInstall": "download and invoking script to install azure-cli …"
|
"resourceDeployment.AziCli.ScriptedInstall": "baixe e invoque o script para instalar o azure-cli…"
|
||||||
},
|
},
|
||||||
"dist/services/tools/azdataTool": {
|
"dist/services/tools/azdataTool": {
|
||||||
"resourceDeployment.AzdataDescription": "Azure Data command line interface",
|
"resourceDeployment.AzdataDescription": "Interface de linha de comando dos Dados do Azure",
|
||||||
"resourceDeployment.AzdataDisplayName": "Azure Data CLI",
|
"resourceDeployment.AzdataDisplayName": "CLI de Dados do Azure",
|
||||||
"deployCluster.GetToolVersionErrorInformation": "Error retrieving version information. See output channel '{0}' for more details",
|
"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.GetToolVersionError": "Error retrieving version information.{0}Invalid output received, get version command output: '{1}' ",
|
"deployCluster.GetToolVersionErrorInformation": "Erro ao recuperar as informações da versão. Confira o canal de saída '{0}' para obter mais detalhes",
|
||||||
"resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "deleting previously downloaded Azdata.msi if one exists …",
|
"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}' "
|
||||||
"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 …"
|
|
||||||
},
|
},
|
||||||
"dist/services/tools/azdataToolOld": {
|
"dist/services/tools/azdataToolOld": {
|
||||||
"resourceDeployment.AzdataDescription": "Azure Data command line interface",
|
"resourceDeployment.AzdataDescription": "Interface de linha de comando dos Dados do Azure",
|
||||||
"resourceDeployment.AzdataDisplayName": "Azure Data CLI",
|
"resourceDeployment.AzdataDisplayName": "CLI de Dados do Azure",
|
||||||
"resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "deleting previously downloaded Azdata.msi if one exists …",
|
"resourceDeployment.Azdata.DeletingPreviousAzdata.msi": "excluindo o Azdata.msi baixado anteriormente, se houver…",
|
||||||
"resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "downloading Azdata.msi and installing azdata-cli …",
|
"resourceDeployment.Azdata.DownloadingAndInstallingAzdata": "baixando o Azdata.msi e instalando o azdata-cli…",
|
||||||
"resourceDeployment.Azdata.DisplayingInstallationLog": "displaying the installation log …",
|
"resourceDeployment.Azdata.DisplayingInstallationLog": "exibindo o log de instalação…",
|
||||||
"resourceDeployment.Azdata.TappingBrewRepository": "tapping into the brew repository for azdata-cli …",
|
"resourceDeployment.Azdata.TappingBrewRepository": "explorando o repositório brew para azdata-cli…",
|
||||||
"resourceDeployment.Azdata.UpdatingBrewRepository": "updating the brew repository for azdata-cli installation …",
|
"resourceDeployment.Azdata.UpdatingBrewRepository": "atualizando o repositório brew para a instalação do azdata-cli…",
|
||||||
"resourceDeployment.Azdata.InstallingAzdata": "installing azdata …",
|
"resourceDeployment.Azdata.InstallingAzdata": "instalando o azdata…",
|
||||||
"resourceDeployment.Azdata.AptGetUpdate": "updating repository information …",
|
"resourceDeployment.Azdata.AptGetUpdate": "atualizando informações do repositório…",
|
||||||
"resourceDeployment.Azdata.AptGetPackages": "getting packages needed for azdata installation …",
|
"resourceDeployment.Azdata.AptGetPackages": "obtendo pacotes necessários para a instalação do azdata…",
|
||||||
"resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "downloading and installing the signing key for azdata …",
|
"resourceDeployment.Azdata.DownloadAndInstallingSigningKey": "baixando e instalando a chave de assinatura para azdata…",
|
||||||
"resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "adding the azdata repository information …"
|
"resourceDeployment.Azdata.AddingAzdataRepositoryInformation": "adicionando informações do repositório azdata…"
|
||||||
},
|
},
|
||||||
"dist/ui/resourceTypePickerDialog": {
|
"dist/ui/resourceTypePickerDialog": {
|
||||||
"deploymentDialog.deploymentOptions": "Deployment options"
|
"deploymentDialog.deploymentOptions": "Opções de implantação"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -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.</",
|
||||||
|
"SchemaCompare.Description.DropPermissionsNotInSource": "Especifica se as permissõ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 atualizações em um banco de dados.",
|
||||||
|
"SchemaCompare.Description.DropObjectsNotInSource": "Especifica se objetos que não existem no arquivo de instantâneo de banco de dados (.dacpac) serão removidos do banco de dados de destino quando você publicar em um banco de dados. Esse valor prevalece sobre DropExtendedProperties.",
|
||||||
|
"SchemaCompare.Description.IgnoreColumnOrder": "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.",
|
||||||
|
"schemaCompare.compareErrorMessage": "Falha na Comparação de Esquemas: {0}",
|
||||||
|
"schemaCompare.saveScmpErrorMessage": "Falha ao salvar scmp: '{0}'",
|
||||||
|
"schemaCompare.cancelErrorMessage": "Falha no cancelamento da comparação de esquemas: '{0}'",
|
||||||
|
"schemaCompare.generateScriptErrorMessage": "Falha ao gerar script: '{0}'",
|
||||||
|
"schemaCompare.updateErrorMessage": "Falha ao Aplicar a Comparação de Esquemas '{0}'",
|
||||||
|
"schemaCompare.openScmpErrorMessage": "Falha ao abrir o scmp: '{0}'"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
File diff suppressed because it is too large
Load Diff
@@ -2,7 +2,7 @@
|
|||||||
"name": "ads-language-pack-ru",
|
"name": "ads-language-pack-ru",
|
||||||
"displayName": "Russian Language Pack for Azure Data Studio",
|
"displayName": "Russian Language Pack for Azure Data Studio",
|
||||||
"description": "Language pack extension for Russian",
|
"description": "Language pack extension for Russian",
|
||||||
"version": "1.29.0",
|
"version": "1.31.0",
|
||||||
"publisher": "Microsoft",
|
"publisher": "Microsoft",
|
||||||
"repository": {
|
"repository": {
|
||||||
"type": "git",
|
"type": "git",
|
||||||
@@ -11,7 +11,7 @@
|
|||||||
"license": "SEE SOURCE EULA LICENSE IN LICENSE.txt",
|
"license": "SEE SOURCE EULA LICENSE IN LICENSE.txt",
|
||||||
"engines": {
|
"engines": {
|
||||||
"vscode": "*",
|
"vscode": "*",
|
||||||
"azdata": ">=1.29.0"
|
"azdata": "^0.0.0"
|
||||||
},
|
},
|
||||||
"icon": "languagepack.png",
|
"icon": "languagepack.png",
|
||||||
"categories": [
|
"categories": [
|
||||||
@@ -164,6 +164,14 @@
|
|||||||
"id": "vscode.yaml",
|
"id": "vscode.yaml",
|
||||||
"path": "./translations/extensions/yaml.i18n.json"
|
"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",
|
"id": "Microsoft.azurecore",
|
||||||
"path": "./translations/extensions/azurecore.i18n.json"
|
"path": "./translations/extensions/azurecore.i18n.json"
|
||||||
@@ -172,6 +180,18 @@
|
|||||||
"id": "Microsoft.big-data-cluster",
|
"id": "Microsoft.big-data-cluster",
|
||||||
"path": "./translations/extensions/big-data-cluster.i18n.json"
|
"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",
|
"id": "Microsoft.sqlservernotebook",
|
||||||
"path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json"
|
"path": "./translations/extensions/Microsoft.sqlservernotebook.i18n.json"
|
||||||
@@ -184,9 +204,17 @@
|
|||||||
"id": "Microsoft.notebook",
|
"id": "Microsoft.notebook",
|
||||||
"path": "./translations/extensions/notebook.i18n.json"
|
"path": "./translations/extensions/notebook.i18n.json"
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
"id": "Microsoft.profiler",
|
||||||
|
"path": "./translations/extensions/profiler.i18n.json"
|
||||||
|
},
|
||||||
{
|
{
|
||||||
"id": "Microsoft.resource-deployment",
|
"id": "Microsoft.resource-deployment",
|
||||||
"path": "./translations/extensions/resource-deployment.i18n.json"
|
"path": "./translations/extensions/resource-deployment.i18n.json"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"id": "Microsoft.schema-compare",
|
||||||
|
"path": "./translations/extensions/schema-compare.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}"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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}\" успешно создана"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -41,6 +41,7 @@
|
|||||||
"dist/azureResource/utils": {
|
"dist/azureResource/utils": {
|
||||||
"azure.resource.error": "Ошибка: {0}",
|
"azure.resource.error": "Ошибка: {0}",
|
||||||
"azure.accounts.getResourceGroups.queryError": "Ошибка при получении групп ресурсов для учетной записи {0} ({1}) в подписке {2} ({3}) и клиенте {4}: {5}",
|
"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.runResourceQuery.errors.invalidQuery": "Недопустимый запрос",
|
||||||
"azure.accounts.getSubscriptions.queryError": "Ошибка при получении подписок для учетной записи {0} в клиенте {1}: {2}",
|
"azure.accounts.getSubscriptions.queryError": "Ошибка при получении подписок для учетной записи {0} в клиенте {1}: {2}",
|
||||||
"azure.accounts.getSelectedSubscriptions.queryError": "Ошибка при получении подписок для учетной записи {0}: {1}"
|
"azure.accounts.getSelectedSubscriptions.queryError": "Ошибка при получении подписок для учетной записи {0}: {1}"
|
||||||
@@ -105,7 +106,7 @@
|
|||||||
"azurecore.azureArcsqlManagedInstance": "Управляемый экземпляр SQL — Azure Arc",
|
"azurecore.azureArcsqlManagedInstance": "Управляемый экземпляр SQL — Azure Arc",
|
||||||
"azurecore.azureArcService": "Служба данных — Azure Arc",
|
"azurecore.azureArcService": "Служба данных — Azure Arc",
|
||||||
"azurecore.sqlServerArc": "SQL Server — Azure Arc",
|
"azurecore.sqlServerArc": "SQL Server — Azure Arc",
|
||||||
"azurecore.azureArcPostgres": "Гипермасштабирование для PostgreSQL с поддержкой Azure Arc",
|
"azurecore.azureArcPostgres": "Гипермасштабирование для PostgreSQL с поддержкой Azure Arc",
|
||||||
"azure.unableToOpenAzureLink": "Не удается открыть ссылку, отсутствуют обязательные значения",
|
"azure.unableToOpenAzureLink": "Не удается открыть ссылку, отсутствуют обязательные значения",
|
||||||
"azure.azureResourcesGridTitle": "Ресурсы Azure (предварительная версия)",
|
"azure.azureResourcesGridTitle": "Ресурсы Azure (предварительная версия)",
|
||||||
"azurecore.invalidAzureAccount": "Недопустимая учетная запись",
|
"azurecore.invalidAzureAccount": "Недопустимая учетная запись",
|
||||||
@@ -141,7 +142,9 @@
|
|||||||
"dist/azureResource/tree/flatAccountTreeNode": {
|
"dist/azureResource/tree/flatAccountTreeNode": {
|
||||||
"azure.resource.tree.accountTreeNode.titleLoading": "{0} — загрузка…",
|
"azure.resource.tree.accountTreeNode.titleLoading": "{0} — загрузка…",
|
||||||
"azure.resource.tree.accountTreeNode.title": "{0} (выбрано подписок: {1} из {2})",
|
"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": {
|
"dist/azureResource/tree/accountNotSignedInTreeNode": {
|
||||||
"azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Вход в Azure…"
|
"azure.resource.tree.accountNotSignedInTreeNode.signInLabel": "Вход в Azure…"
|
||||||
@@ -203,6 +206,9 @@
|
|||||||
"dist/azureResource/providers/kusto/kustoTreeDataProvider": {
|
"dist/azureResource/providers/kusto/kustoTreeDataProvider": {
|
||||||
"azure.resource.providers.KustoContainerLabel": "Кластер Azure Data Explorer"
|
"azure.resource.providers.KustoContainerLabel": "Кластер Azure Data Explorer"
|
||||||
},
|
},
|
||||||
|
"dist/azureResource/providers/azuremonitor/azuremonitorTreeDataProvider": {
|
||||||
|
"azure.resource.providers.AzureMonitorContainerLabel": "Azure Monitor Workspace"
|
||||||
|
},
|
||||||
"dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": {
|
"dist/azureResource/providers/postgresServer/postgresServerTreeDataProvider": {
|
||||||
"azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Сервер Базы данных Azure для PostgreSQL"
|
"azure.resource.providers.databaseServer.treeDataProvider.postgresServerContainerLabel": "Сервер Базы данных Azure для PostgreSQL"
|
||||||
},
|
},
|
||||||
|
|||||||
@@ -50,7 +50,7 @@
|
|||||||
"bdc-data-size-field": "Емкость данных (ГБ)",
|
"bdc-data-size-field": "Емкость данных (ГБ)",
|
||||||
"bdc-log-size-field": "Емкость для журналов (ГБ)",
|
"bdc-log-size-field": "Емкость для журналов (ГБ)",
|
||||||
"bdc-agreement": "Я принимаю {0}, {1} и {2}.",
|
"bdc-agreement": "Я принимаю {0}, {1} и {2}.",
|
||||||
"microsoft-privacy-statement": "Заявление о конфиденциальности Майкрософт",
|
"microsoft-privacy-statement": "Заявление о конфиденциальности корпорации Майкрософт",
|
||||||
"bdc-agreement-azdata-eula": "Условия лицензии azdata",
|
"bdc-agreement-azdata-eula": "Условия лицензии azdata",
|
||||||
"bdc-agreement-bdc-eula": "Условия лицензии SQL Server"
|
"bdc-agreement-bdc-eula": "Условия лицензии SQL Server"
|
||||||
},
|
},
|
||||||
@@ -201,4 +201,4 @@
|
|||||||
"bdc.controllerTreeDataProvider.error": "Непредвиденная ошибка при загрузке сохраненных контроллеров: {0}"
|
"bdc.controllerTreeDataProvider.error": "Непредвиденная ошибка при загрузке сохраненных контроллеров: {0}"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
146
i18n/ads-language-pack-ru/translations/extensions/cms.i18n.json
Normal file
146
i18n/ads-language-pack-ru/translations/extensions/cms.i18n.json
Normal file
@@ -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": "Вы не можете добавить общий зарегистрированный сервер с таким же именем, что и сервер конфигурации"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -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}\""
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user