diff --git a/.changeset/fast-buttons-shake.md b/.changeset/fast-buttons-shake.md new file mode 100644 index 000000000000..6281fc9941ec --- /dev/null +++ b/.changeset/fast-buttons-shake.md @@ -0,0 +1,5 @@ +--- +'@rocket.chat/meteor': minor +--- + +Fixed an issue where FCM actions did not respect environment's proxy settings diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index bc04c92bdbff..2c6edf1aa286 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -443,10 +443,38 @@ jobs: name: ✅ Tests Done runs-on: ubuntu-20.04 needs: [checks, test-unit, test-api, test-ui, test-api-ee, test-ui-ee, test-ui-ee-no-watcher] - + if: always() steps: - name: Test finish aggregation run: | + if [[ '${{ needs.checks.result }}' != 'success' ]]; then + exit 1 + fi + + if [[ '${{ needs.test-unit.result }}' != 'success' ]]; then + exit 1 + fi + + if [[ '${{ needs.test-api.result }}' != 'success' ]]; then + exit 1 + fi + + if [[ '${{ needs.test-ui.result }}' != 'success' ]]; then + exit 1 + fi + + if [[ '${{ needs.test-api-ee.result }}' != 'success' ]]; then + exit 1 + fi + + if [[ '${{ needs.test-ui-ee.result }}' != 'success' ]]; then + exit 1 + fi + + if [[ '${{ needs.test-ui-ee-no-watcher.result }}' != 'success' ]]; then + exit 1 + fi + echo finished deploy: diff --git a/apps/meteor/app/push/server/fcm.ts b/apps/meteor/app/push/server/fcm.ts index 87ced6e130df..6015780f118f 100644 --- a/apps/meteor/app/push/server/fcm.ts +++ b/apps/meteor/app/push/server/fcm.ts @@ -1,6 +1,6 @@ +import { serverFetch as fetch, type ExtendedFetchOptions } from '@rocket.chat/server-fetch'; import EJSON from 'ejson'; -import fetch from 'node-fetch'; -import type { RequestInit, Response } from 'node-fetch'; +import type { Response } from 'node-fetch'; import type { PendingPushNotification } from './definition'; import { logger } from './logger'; @@ -65,7 +65,7 @@ type FCMError = { * - For 429 errors: retry after waiting for the duration set in the retry-after header. If no retry-after header is set, default to 60 seconds. * - For 500 errors: retry with exponential backoff. */ -async function fetchWithRetry(url: string, _removeToken: () => void, options: RequestInit, retries = 0): Promise { +async function fetchWithRetry(url: string, _removeToken: () => void, options: ExtendedFetchOptions, retries = 0): Promise { const MAX_RETRIES = 5; const response = await fetch(url, options); diff --git a/apps/meteor/app/settings/server/CachedSettings.ts b/apps/meteor/app/settings/server/CachedSettings.ts index 06cfad4a91a6..9a42569b4cf6 100644 --- a/apps/meteor/app/settings/server/CachedSettings.ts +++ b/apps/meteor/app/settings/server/CachedSettings.ts @@ -333,7 +333,7 @@ export class CachedSettings } public getConfig = (config?: OverCustomSettingsConfig): SettingsConfig => ({ - debounce: 500, + debounce: process.env.TEST_MODE ? 0 : 500, ...config, }); diff --git a/apps/meteor/tests/e2e/message-mentions.spec.ts b/apps/meteor/tests/e2e/message-mentions.spec.ts index 1b5b7e1bb6fc..9d5cd7e622ce 100644 --- a/apps/meteor/tests/e2e/message-mentions.spec.ts +++ b/apps/meteor/tests/e2e/message-mentions.spec.ts @@ -20,7 +20,7 @@ const getMentionText = (username: string, kind?: number): string => { return `Hello @${username}, how are you`; }; -test.describe.serial('message-mentions', () => { +test.describe.serial('Should not allow to send @all mention if permission to do so is disabled', () => { let poHomeChannel: HomeChannel; test.beforeEach(async ({ page }) => { @@ -29,82 +29,96 @@ test.describe.serial('message-mentions', () => { await page.goto('/home'); }); - test('expect show "all" and "here" options', async () => { - await poHomeChannel.sidenav.openChat('general'); - await poHomeChannel.content.inputMessage.type('@'); + let targetChannel2: string; + test.beforeAll(async ({ api }) => { + expect((await api.post('/permissions.update', { permissions: [{ _id: 'mention-all', roles: [] }] })).status()).toBe(200); + }); - await expect(poHomeChannel.content.messagePopupUsers.locator('role=listitem >> text="all"')).toBeVisible(); - await expect(poHomeChannel.content.messagePopupUsers.locator('role=listitem >> text="here"')).toBeVisible(); + test.afterAll(async ({ api }) => { + expect( + ( + await api.post('/permissions.update', { permissions: [{ _id: 'mention-all', roles: ['admin', 'owner', 'moderator', 'user'] }] }) + ).status(), + ).toBe(200); + await deleteChannel(api, targetChannel2); }); - test.describe('Should not allow to send @all mention if permission to do so is disabled', () => { - let targetChannel2: string; - test.beforeAll(async ({ api }) => { - expect((await api.post('/permissions.update', { permissions: [{ _id: 'mention-all', roles: [] }] })).status()).toBe(200); - }); + test('expect to receive an error as notification when sending @all while permission is disabled', async ({ page }) => { + const adminPage = new HomeChannel(page); - test.afterAll(async ({ api }) => { - expect( - ( - await api.post('/permissions.update', { permissions: [{ _id: 'mention-all', roles: ['admin', 'owner', 'moderator', 'user'] }] }) - ).status(), - ).toBe(200); - await deleteChannel(api, targetChannel2); + await test.step('create private room', async () => { + targetChannel2 = faker.string.uuid(); + + await poHomeChannel.sidenav.openNewByLabel('Channel'); + await poHomeChannel.sidenav.inputChannelName.type(targetChannel2); + await poHomeChannel.sidenav.btnCreate.click(); + + await expect(page).toHaveURL(`/group/${targetChannel2}`); }); + await test.step('receive notify message', async () => { + await adminPage.content.dispatchSlashCommand('@all'); + await expect(adminPage.content.lastUserMessage).toContainText('Notify all in this room is not allowed'); + }); + }); +}); - test('expect to receive an error as notification when sending @all while permission is disabled', async ({ page }) => { - const adminPage = new HomeChannel(page); +test.describe.serial('Should not allow to send @here mention if permission to do so is disabled', () => { + let poHomeChannel: HomeChannel; - await test.step('create private room', async () => { - targetChannel2 = faker.string.uuid(); + test.beforeEach(async ({ page }) => { + poHomeChannel = new HomeChannel(page); - await poHomeChannel.sidenav.openNewByLabel('Channel'); - await poHomeChannel.sidenav.inputChannelName.type(targetChannel2); - await poHomeChannel.sidenav.btnCreate.click(); + await page.goto('/home'); + }); - await expect(page).toHaveURL(`/group/${targetChannel2}`); - }); - await test.step('receive notify message', async () => { - await adminPage.sidenav.openChat(targetChannel2); - await adminPage.content.dispatchSlashCommand('@all'); - await expect(adminPage.content.lastUserMessage).toContainText('Notify all in this room is not allowed'); - }); - }); + let targetChannel2: string; + test.beforeAll(async ({ api }) => { + expect((await api.post('/permissions.update', { permissions: [{ _id: 'mention-here', roles: [] }] })).status()).toBe(200); }); - test.describe('Should not allow to send @here mention if permission to do so is disabled', () => { - let targetChannel2: string; - test.beforeAll(async ({ api }) => { - expect((await api.post('/permissions.update', { permissions: [{ _id: 'mention-here', roles: [] }] })).status()).toBe(200); - }); + test.afterAll(async ({ api }) => { + expect( + ( + await api.post('/permissions.update', { permissions: [{ _id: 'mention-here', roles: ['admin', 'owner', 'moderator', 'user'] }] }) + ).status(), + ).toBe(200); + await deleteChannel(api, targetChannel2); + }); - test.afterAll(async ({ api }) => { - expect( - ( - await api.post('/permissions.update', { permissions: [{ _id: 'mention-here', roles: ['admin', 'owner', 'moderator', 'user'] }] }) - ).status(), - ).toBe(200); - await deleteChannel(api, targetChannel2); + test('expect to receive an error as notification when sending here while permission is disabled', async ({ page }) => { + const adminPage = new HomeChannel(page); + + await test.step('create private room', async () => { + targetChannel2 = faker.string.uuid(); + + await poHomeChannel.sidenav.openNewByLabel('Channel'); + await poHomeChannel.sidenav.inputChannelName.type(targetChannel2); + await poHomeChannel.sidenav.btnCreate.click(); + + await expect(page).toHaveURL(`/group/${targetChannel2}`); }); + await test.step('receive notify message', async () => { + await adminPage.content.dispatchSlashCommand('@here'); + await expect(adminPage.content.lastUserMessage).toContainText('Notify all in this room is not allowed'); + }); + }); +}); - test('expect to receive an error as notification when sending here while permission is disabled', async ({ page }) => { - const adminPage = new HomeChannel(page); +test.describe.serial('message-mentions', () => { + let poHomeChannel: HomeChannel; - await test.step('create private room', async () => { - targetChannel2 = faker.string.uuid(); + test.beforeEach(async ({ page }) => { + poHomeChannel = new HomeChannel(page); - await poHomeChannel.sidenav.openNewByLabel('Channel'); - await poHomeChannel.sidenav.inputChannelName.type(targetChannel2); - await poHomeChannel.sidenav.btnCreate.click(); + await page.goto('/home'); + }); - await expect(page).toHaveURL(`/group/${targetChannel2}`); - }); - await test.step('receive notify message', async () => { - await adminPage.sidenav.openChat(targetChannel2); - await adminPage.content.dispatchSlashCommand('@here'); - await expect(adminPage.content.lastUserMessage).toContainText('Notify all in this room is not allowed'); - }); - }); + test('expect show "all" and "here" options', async () => { + await poHomeChannel.sidenav.openChat('general'); + await poHomeChannel.content.inputMessage.type('@'); + + await expect(poHomeChannel.content.messagePopupUsers.locator('role=listitem >> text="all"')).toBeVisible(); + await expect(poHomeChannel.content.messagePopupUsers.locator('role=listitem >> text="here"')).toBeVisible(); }); test.describe('users not in channel', () => { diff --git a/apps/meteor/tests/e2e/omnichannel/omnichannel-livechat-api.spec.ts b/apps/meteor/tests/e2e/omnichannel/omnichannel-livechat-api.spec.ts index 278df11f16cb..54bfd013db88 100644 --- a/apps/meteor/tests/e2e/omnichannel/omnichannel-livechat-api.spec.ts +++ b/apps/meteor/tests/e2e/omnichannel/omnichannel-livechat-api.spec.ts @@ -482,8 +482,10 @@ test.describe('OC - Livechat API', () => { await poLiveChat.btnSendMessageToOnlineAgent.click(); await expect(poLiveChat.txtChatMessage('this_a_test_message_from_visitor_1')).toBeVisible(); - // wait for load messages to happen - await page.waitForResponse((response) => response.url().includes(`token=${registerGuestVisitor1.token}`)); + + await poAuxContext.poHomeOmnichannel.sidenav.openChat(registerGuestVisitor1.name); + await poAuxContext.poHomeOmnichannel.content.sendMessage('this_is_a_test_message_from_agent'); + await expect(poLiveChat.txtChatMessage('this_is_a_test_message_from_agent')).toBeVisible(); }); await test.step('Expect registerGuest to create guest 2', async () => { diff --git a/apps/meteor/tests/e2e/page-objects/fragments/home-content.ts b/apps/meteor/tests/e2e/page-objects/fragments/home-content.ts index 12c400611d2d..8310378e55b6 100644 --- a/apps/meteor/tests/e2e/page-objects/fragments/home-content.ts +++ b/apps/meteor/tests/e2e/page-objects/fragments/home-content.ts @@ -89,6 +89,7 @@ export class HomeContent { async dispatchSlashCommand(text: string): Promise { await this.joinRoomIfNeeded(); await this.page.waitForSelector('[name="msg"]:not([disabled])'); + await this.page.locator('[name="msg"]').fill(''); await this.page.locator('[name="msg"]').type(text); await this.page.keyboard.press('Enter'); await this.page.keyboard.press('Enter'); diff --git a/packages/i18n/src/locales/af.i18n.json b/packages/i18n/src/locales/af.i18n.json index fe3a0b4cfc83..0dc39dbae650 100644 --- a/packages/i18n/src/locales/af.i18n.json +++ b/packages/i18n/src/locales/af.i18n.json @@ -283,7 +283,7 @@ "API_EmbedCacheExpirationDays": "Voeg die Cache Vervaldatums in", "API_Enable_CORS": "Aktiveer KORS", "API_Enable_Direct_Message_History_EndPoint": "Aktiveer Direkte Boodskap Geskiedenis Eindpunt", - "API_Enable_Direct_Message_History_EndPoint_Description": "Dit stel die `/ api / v1 / im.history.others` in staat wat die aanskouing van direkte boodskappe wat deur ander gebruikers gestuur word, waarna die beller nie deel is nie, toelaat.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Dit stel die `/ api / v1 / im.messages.others` in staat wat die aanskouing van direkte boodskappe wat deur ander gebruikers gestuur word, waarna die beller nie deel is nie, toelaat.", "API_Enable_Shields": "Aktiveer skilde", "API_Enable_Shields_Description": "Aktiveer skilde beskikbaar by `/ api / v1 / shield.svg`", "API_GitHub_Enterprise_URL": "Bediener-URL", diff --git a/packages/i18n/src/locales/ar.i18n.json b/packages/i18n/src/locales/ar.i18n.json index a043c30c2856..72c53f59612b 100644 --- a/packages/i18n/src/locales/ar.i18n.json +++ b/packages/i18n/src/locales/ar.i18n.json @@ -384,7 +384,7 @@ "API_EmbedCacheExpirationDays": "تضمين أيام انتهاء صلاحية ذاكرة التخزين المؤقت", "API_Enable_CORS": "تمكين CORS", "API_Enable_Direct_Message_History_EndPoint": "تمكين نقطة نهاية محفوظات الرسائل المباشرة", - "API_Enable_Direct_Message_History_EndPoint_Description": "يمكّن ذلك ‎`/api/v1/im.history.others`‎ الذي يسمح بعرض الرسائل المباشرة المرسلة من قِبل المستخدمين الآخرين الذين لا يكون المتصل جزءًا منهم.", + "API_Enable_Direct_Message_History_EndPoint_Description": "يمكّن ذلك ‎`/api/v1/im.messages.others`‎ الذي يسمح بعرض الرسائل المباشرة المرسلة من قِبل المستخدمين الآخرين الذين لا يكون المتصل جزءًا منهم.", "API_Enable_Personal_Access_Tokens": "تمكين الرموز المميزة للوصول الشخصي إلى واجهة برمجة تطبيقات REST", "API_Enable_Personal_Access_Tokens_Description": "تمكين الرموز المميزة للوصول الشخصي للاستخدام مع واجهة برمجة تطبيقات REST", "API_Enable_Rate_Limiter": "تمكين محدد المعدل", diff --git a/packages/i18n/src/locales/az.i18n.json b/packages/i18n/src/locales/az.i18n.json index 75d6b68ecff1..93d83cd373a8 100644 --- a/packages/i18n/src/locales/az.i18n.json +++ b/packages/i18n/src/locales/az.i18n.json @@ -283,7 +283,7 @@ "API_EmbedCacheExpirationDays": "Cache Expiration Günləri Embed", "API_Enable_CORS": "CORS'i aktiv edin", "API_Enable_Direct_Message_History_EndPoint": "Birbaşa mesaj tarixinin son nöqtəsini aktiv edin", - "API_Enable_Direct_Message_History_EndPoint_Description": "Bu, digər istifadəçilər tərəfindən göndərilən birbaşa mesajların bir hissəsi olmadığını göstərən \"/ api / v1 / im.history.others\" a imkan verir.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Bu, digər istifadəçilər tərəfindən göndərilən birbaşa mesajların bir hissəsi olmadığını göstərən \"/ api / v1 / im.messages.others\" a imkan verir.", "API_Enable_Shields": "Qalxanları aktiv edin", "API_Enable_Shields_Description": "'/ Api / v1 / shield.svg` səhifəsində mövcud olan qalxanları aktiv edin", "API_GitHub_Enterprise_URL": "Server URL", diff --git a/packages/i18n/src/locales/be-BY.i18n.json b/packages/i18n/src/locales/be-BY.i18n.json index 11a1d1c60b52..829759366886 100644 --- a/packages/i18n/src/locales/be-BY.i18n.json +++ b/packages/i18n/src/locales/be-BY.i18n.json @@ -290,7 +290,7 @@ "API_EmbedCacheExpirationDays": "Уставіць кэш Заканчэнне дзён", "API_Enable_CORS": "ўключэнне CORS", "API_Enable_Direct_Message_History_EndPoint": "Enable Direct Message History Конточка", - "API_Enable_Direct_Message_History_EndPoint_Description": "Гэта дазваляе `/ API / v1 / im.history.others`, якая дазваляе праглядаць прамыя паведамленні, адпраўленыя іншымі карыстальнікамі, што абанент не з'яўляецца часткай.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Гэта дазваляе `/ API / v1 / im.messages.others`, якая дазваляе праглядаць прамыя паведамленні, адпраўленыя іншымі карыстальнікамі, што абанент не з'яўляецца часткай.", "API_Enable_Shields": "ўключыць Шылдс", "API_Enable_Shields_Description": "Ўключыць экраны, даступныя ў `/ API / v1 / shield.svg`", "API_GitHub_Enterprise_URL": "URL-адрас сервера", diff --git a/packages/i18n/src/locales/bg.i18n.json b/packages/i18n/src/locales/bg.i18n.json index c148b5c14b17..3c786eaea50b 100644 --- a/packages/i18n/src/locales/bg.i18n.json +++ b/packages/i18n/src/locales/bg.i18n.json @@ -283,7 +283,7 @@ "API_EmbedCacheExpirationDays": "Вграждане на дни на изтичане на кеша", "API_Enable_CORS": "Активирайте CORS", "API_Enable_Direct_Message_History_EndPoint": "Активирайте крайната точка на историята на директните съобщения", - "API_Enable_Direct_Message_History_EndPoint_Description": "Това дава възможност на \"/ api / v1 / im.history.others\", който позволява преглеждането на директни съобщения, изпратени от други потребители, от които повикващият не е част.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Това дава възможност на \"/ api / v1 / im.messages.others\", който позволява преглеждането на директни съобщения, изпратени от други потребители, от които повикващият не е част.", "API_Enable_Shields": "Активирайте щитовете", "API_Enable_Shields_Description": "Активиране на щитове на разположение на \"/ api / v1 / shield.svg\"", "API_GitHub_Enterprise_URL": "URL адрес на сървъра", diff --git a/packages/i18n/src/locales/bs.i18n.json b/packages/i18n/src/locales/bs.i18n.json index c0a14e86d2b2..6ce6a2959e5e 100644 --- a/packages/i18n/src/locales/bs.i18n.json +++ b/packages/i18n/src/locales/bs.i18n.json @@ -283,7 +283,7 @@ "API_EmbedCacheExpirationDays": "Ugradite Dani isteka predmemorije", "API_Enable_CORS": "Omogući CORS", "API_Enable_Direct_Message_History_EndPoint": "Omogući završnu točku izravne poruke", - "API_Enable_Direct_Message_History_EndPoint_Description": "To omogućuje `/ api / v1 / im.history.others` koji omogućuje gledanje izravnih poruka koje su drugi korisnici poslali da pozivatelj nije dio.", + "API_Enable_Direct_Message_History_EndPoint_Description": "To omogućuje `/ api / v1 / im.messages.others` koji omogućuje gledanje izravnih poruka koje su drugi korisnici poslali da pozivatelj nije dio.", "API_Enable_Shields": "Omogući štitove", "API_Enable_Shields_Description": "Omogući štitove dostupne na `/ api / v1 / shield.svg`", "API_GitHub_Enterprise_URL": "GitHub Enterprise URL", diff --git a/packages/i18n/src/locales/ca.i18n.json b/packages/i18n/src/locales/ca.i18n.json index 5caecf77c620..9785de70e432 100644 --- a/packages/i18n/src/locales/ca.i18n.json +++ b/packages/i18n/src/locales/ca.i18n.json @@ -382,7 +382,7 @@ "API_EmbedCacheExpirationDays": "Caducitat de la memòria cau de les incrustacions (en dies)", "API_Enable_CORS": "Activa CORS", "API_Enable_Direct_Message_History_EndPoint": "Activa la consulta de l'historial de missatges directes", - "API_Enable_Direct_Message_History_EndPoint_Description": "Això activa el `/api/v1/im.history.others` que permet veure missatges directes enviats per altres usuaris tot i no formar-ne part.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Això activa el `/api/v1/im.messages.others` que permet veure missatges directes enviats per altres usuaris tot i no formar-ne part.", "API_Enable_Personal_Access_Tokens": "Habilitar els tokens d'accés personal a l'API REST", "API_Enable_Personal_Access_Tokens_Description": "Habiliteu tokens d'accés personal per al seu ús amb l'API REST", "API_Enable_Rate_Limiter": "Habilitar limitador de freqüència", diff --git a/packages/i18n/src/locales/cs.i18n.json b/packages/i18n/src/locales/cs.i18n.json index 040fd18936df..a5a6fb99bbd4 100644 --- a/packages/i18n/src/locales/cs.i18n.json +++ b/packages/i18n/src/locales/cs.i18n.json @@ -348,7 +348,7 @@ "API_EmbedCacheExpirationDays": "Počet dní expirace cache embed", "API_Enable_CORS": "Povolit CORS", "API_Enable_Direct_Message_History_EndPoint": "Povolit Endpoint přímých zpráv", - "API_Enable_Direct_Message_History_EndPoint_Description": "Povolí endpoint `/api/v1/im.history.others` přes který lze stahovat přímé zprávy mezi všemi uživateli.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Povolí endpoint `/api/v1/im.messages.others` přes který lze stahovat přímé zprávy mezi všemi uživateli.", "API_Enable_Personal_Access_Tokens": "Povolit tokeny osobního přístupu pro rozhraní REST API", "API_Enable_Personal_Access_Tokens_Description": "Povolit tokeny osobního přístupu pro použití s rozhraním REST API", "API_Enable_Rate_Limiter": "Povolit rychlostní limit", diff --git a/packages/i18n/src/locales/cy.i18n.json b/packages/i18n/src/locales/cy.i18n.json index 862bc0c9face..58749ee5445b 100644 --- a/packages/i18n/src/locales/cy.i18n.json +++ b/packages/i18n/src/locales/cy.i18n.json @@ -283,7 +283,7 @@ "API_EmbedCacheExpirationDays": "Embed Diwrnodau Terfynu Cache", "API_Enable_CORS": "Galluogi CORS", "API_Enable_Direct_Message_History_EndPoint": "Galluogi Endpoint Hanes Negeseuon Uniongyrchol", - "API_Enable_Direct_Message_History_EndPoint_Description": "Mae hyn yn galluogi'r `/ api / v1 / im.history.others` sy'n caniatáu gwylio negeseuon uniongyrchol a anfonir gan ddefnyddwyr eraill nad yw'r galwr yn rhan ohoni.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Mae hyn yn galluogi'r `/ api / v1 / im.messages.others` sy'n caniatáu gwylio negeseuon uniongyrchol a anfonir gan ddefnyddwyr eraill nad yw'r galwr yn rhan ohoni.", "API_Enable_Shields": "Galluogi Shields", "API_Enable_Shields_Description": "Galluogi darnau ar gael yn `/ api / v1 / shield.svg`", "API_GitHub_Enterprise_URL": "URL Gweinyddwr", diff --git a/packages/i18n/src/locales/da.i18n.json b/packages/i18n/src/locales/da.i18n.json index 55fe42056e52..83aa42bf65ee 100644 --- a/packages/i18n/src/locales/da.i18n.json +++ b/packages/i18n/src/locales/da.i18n.json @@ -415,7 +415,7 @@ "API_EmbedCacheExpirationDays": "Indkludér antal dage til cachen udløber", "API_Enable_CORS": "Aktivér CORS", "API_Enable_Direct_Message_History_EndPoint": "Aktivér slutpunkt for direkte beskedhistorik", - "API_Enable_Direct_Message_History_EndPoint_Description": "Dette aktiverer `/api/v1/im.history.others`, som gør det muligt at se direkte beskeder i samtaler, man ikke har været del af.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Dette aktiverer `/api/v1/im.messages.others`, som gør det muligt at se direkte beskeder i samtaler, man ikke har været del af.", "API_Enable_Personal_Access_Tokens": "Aktivér personlige adgangs-tokens for REST API", "API_Enable_Personal_Access_Tokens_Description": "Aktivér brugen af personlige adgangs-tokens i REST API'en", "API_Enable_Rate_Limiter": "Aktivér rate-begrænser", diff --git a/packages/i18n/src/locales/de-AT.i18n.json b/packages/i18n/src/locales/de-AT.i18n.json index 6d629b557af1..a3ea142396ea 100644 --- a/packages/i18n/src/locales/de-AT.i18n.json +++ b/packages/i18n/src/locales/de-AT.i18n.json @@ -283,7 +283,7 @@ "API_EmbedCacheExpirationDays": "Einbetten von Cache-Ablauftagen", "API_Enable_CORS": "Aktivieren Sie CORS", "API_Enable_Direct_Message_History_EndPoint": "Aktivieren Sie den Direktnachrichtenverlaufsendpunkt", - "API_Enable_Direct_Message_History_EndPoint_Description": "Dies ermöglicht die Datei \"/ api / v1 / im.history.others\", die das Anzeigen von direkten Nachrichten ermöglicht, die von anderen Benutzern gesendet werden, an denen der Anrufer nicht beteiligt ist.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Dies ermöglicht die Datei \"/ api / v1 / im.messages.others\", die das Anzeigen von direkten Nachrichten ermöglicht, die von anderen Benutzern gesendet werden, an denen der Anrufer nicht beteiligt ist.", "API_Enable_Shields": "Schilde aktivieren", "API_Enable_Shields_Description": "Aktivieren Sie die verfügbaren Schilde unter `/ api / v1 / shield.svg`", "API_GitHub_Enterprise_URL": "Server-URL", diff --git a/packages/i18n/src/locales/de-IN.i18n.json b/packages/i18n/src/locales/de-IN.i18n.json index 32fee348394e..41da8fb3c809 100644 --- a/packages/i18n/src/locales/de-IN.i18n.json +++ b/packages/i18n/src/locales/de-IN.i18n.json @@ -297,7 +297,7 @@ "API_EmbedCacheExpirationDays": "Tage bis zum Ablauf den eingebetteten Caches", "API_Enable_CORS": "CORS", "API_Enable_Direct_Message_History_EndPoint": "Endpunkt für den Verlauf von Direktnachrichten", - "API_Enable_Direct_Message_History_EndPoint_Description": "Aktiviere `/api/v1/im.history.others`. Hierüber ist es möglich, Direktnachrichten einzusehen, an denen der Benutzer nicht beteiligt ist.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Aktiviere `/api/v1/im.messages.others`. Hierüber ist es möglich, Direktnachrichten einzusehen, an denen der Benutzer nicht beteiligt ist.", "API_Enable_Personal_Access_Tokens": "Aktiviere den persönlichem Zugangsschlüssel zur REST Schnittstelle.", "API_Enable_Personal_Access_Tokens_Description": "Ermöglicht den Zugriff auf die REST-Schnittstelle mit dem persönlichen Zugangsschlüssel.", "API_Enable_Rate_Limiter_Dev": "Begrenzung der Umgehungsrate für die REST-API während der Entwicklung aktivieren.", diff --git a/packages/i18n/src/locales/de.i18n.json b/packages/i18n/src/locales/de.i18n.json index 776ec6961bd9..a463a07318cb 100644 --- a/packages/i18n/src/locales/de.i18n.json +++ b/packages/i18n/src/locales/de.i18n.json @@ -423,7 +423,7 @@ "API_EmbedCacheExpirationDays": "Cache-Verfalltage einbetten", "API_Enable_CORS": "CORS", "API_Enable_Direct_Message_History_EndPoint": "Endpunkt für den Verlauf von Direktnachrichten", - "API_Enable_Direct_Message_History_EndPoint_Description": "Dies aktiviert die Datei \"/ api / v1 / im.history.others\", die das Anzeigen von direkten Nachrichten ermöglicht, die von anderen Benutzern gesendet werden, an denen der Anrufer nicht beteiligt ist.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Dies aktiviert die Datei \"/ api / v1 / im.messages.others\", die das Anzeigen von direkten Nachrichten ermöglicht, die von anderen Benutzern gesendet werden, an denen der Anrufer nicht beteiligt ist.", "API_Enable_Personal_Access_Tokens": "Persönlichem Zugangsschlüssel zur REST Schnittstelle aktivieren", "API_Enable_Personal_Access_Tokens_Description": "Zugriff auf die REST-Schnittstelle mit dem persönlichen Zugangsschlüssel aktivieren", "API_Enable_Rate_Limiter": "Ratenbegrenzung aktivieren", diff --git a/packages/i18n/src/locales/el.i18n.json b/packages/i18n/src/locales/el.i18n.json index 935ce3be7e0f..00b8967dfa90 100644 --- a/packages/i18n/src/locales/el.i18n.json +++ b/packages/i18n/src/locales/el.i18n.json @@ -289,7 +289,7 @@ "API_EmbedCacheExpirationDays": "Ενσωματώστε τις ημέρες λήξης της προσωρινής μνήμης", "API_Enable_CORS": "Ενεργοποίηση CORS", "API_Enable_Direct_Message_History_EndPoint": "Ενεργοποίηση τελικού σημείου ιστορικού άμεσων μηνυμάτων", - "API_Enable_Direct_Message_History_EndPoint_Description": "Αυτό επιτρέπει στο αρχείο `/ api / v1 / im.history.others` το οποίο επιτρέπει την προβολή των άμεσων μηνυμάτων που αποστέλλονται από άλλους χρήστες που δεν ανήκει στον καλούντα.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Αυτό επιτρέπει στο αρχείο `/ api / v1 / im.messages.others` το οποίο επιτρέπει την προβολή των άμεσων μηνυμάτων που αποστέλλονται από άλλους χρήστες που δεν ανήκει στον καλούντα.", "API_Enable_Shields": "Ενεργοποίηση Ασπίδων", "API_Enable_Shields_Description": "Ενεργοποίησε τις ασπίδες που είναι διαθέσιμες στο `/api/v1/shield.svg`", "API_GitHub_Enterprise_URL": "URL Διακομιστή", diff --git a/packages/i18n/src/locales/en.i18n.json b/packages/i18n/src/locales/en.i18n.json index 1ae3577790b7..96ad85cf1ce6 100644 --- a/packages/i18n/src/locales/en.i18n.json +++ b/packages/i18n/src/locales/en.i18n.json @@ -469,7 +469,7 @@ "API_EmbedCacheExpirationDays": "Embed Cache Expiration Days", "API_Enable_CORS": "Enable CORS", "API_Enable_Direct_Message_History_EndPoint": "Enable Direct Message History Endpoint", - "API_Enable_Direct_Message_History_EndPoint_Description": "This enables the `/api/v1/im.history.others` which allows the viewing of direct messages sent by other users that the caller is not part of.", + "API_Enable_Direct_Message_History_EndPoint_Description": "This enables the `/api/v1/im.messages.others` which allows the viewing of direct messages sent by other users that the caller is not part of.", "API_Enable_Personal_Access_Tokens": "Enable Personal Access Tokens to REST API", "API_Enable_Personal_Access_Tokens_Description": "Enable personal access tokens for use with the REST API", "API_Enable_Rate_Limiter": "Enable Rate Limiter", diff --git a/packages/i18n/src/locales/eo.i18n.json b/packages/i18n/src/locales/eo.i18n.json index f41c951ddf48..42f8d33688e5 100644 --- a/packages/i18n/src/locales/eo.i18n.json +++ b/packages/i18n/src/locales/eo.i18n.json @@ -283,7 +283,7 @@ "API_EmbedCacheExpirationDays": "Envalidigi Cache-Finiĝajn Tagojn", "API_Enable_CORS": "Ebligu CORS", "API_Enable_Direct_Message_History_EndPoint": "Ebligu Rektan Mesaĝan Historion Endpoint", - "API_Enable_Direct_Message_History_EndPoint_Description": "Ĉi tio ebligas la `/ api / v1 / im.history.others`, kiu permesas la vidadon de rektaj mesaĝoj senditaj de aliaj uzantoj, kiujn la alvokanto ne estas parto de.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Ĉi tio ebligas la `/ api / v1 / im.messages.others`, kiu permesas la vidadon de rektaj mesaĝoj senditaj de aliaj uzantoj, kiujn la alvokanto ne estas parto de.", "API_Enable_Shields": "Ebligi Ŝildojn", "API_Enable_Shields_Description": "Ebligu ŝildojn haveblajn ĉe `/ api / v1 / shield.svg`", "API_GitHub_Enterprise_URL": "Servilo URL", diff --git a/packages/i18n/src/locales/es.i18n.json b/packages/i18n/src/locales/es.i18n.json index 313ee11766bf..6ddcf2b6479f 100644 --- a/packages/i18n/src/locales/es.i18n.json +++ b/packages/i18n/src/locales/es.i18n.json @@ -399,7 +399,7 @@ "API_EmbedCacheExpirationDays": "Incrustar días de caducidad de caché", "API_Enable_CORS": "Habilitar CORS", "API_Enable_Direct_Message_History_EndPoint": "Habilitar historial de mensajes directos para punto final", - "API_Enable_Direct_Message_History_EndPoint_Description": "Esta opción habilita \"/api/v1/im.history.others\", que permite la visualización de mensajes directos enviados por otros usuarios de los que el llamador no forma parte.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Esta opción habilita \"/api/v1/im.messages.others\", que permite la visualización de mensajes directos enviados por otros usuarios de los que el llamador no forma parte.", "API_Enable_Personal_Access_Tokens": "Habilitar tokens de acceso personal en la API REST", "API_Enable_Personal_Access_Tokens_Description": "Habilita los tokens de acceso personal para su uso con la API REST.", "API_Enable_Rate_Limiter": "Habilitar limitador de frecuencia", diff --git a/packages/i18n/src/locales/fa.i18n.json b/packages/i18n/src/locales/fa.i18n.json index 206fec1f5461..12a187b29050 100644 --- a/packages/i18n/src/locales/fa.i18n.json +++ b/packages/i18n/src/locales/fa.i18n.json @@ -321,7 +321,7 @@ "API_EmbedCacheExpirationDays": " قراردادن روز های انقضا", "API_Enable_CORS": "فعال کردن CORS", "API_Enable_Direct_Message_History_EndPoint": "فعال کردن انتهای تاریخچه پیام مستقیم", - "API_Enable_Direct_Message_History_EndPoint_Description": "این را قادر می سازد `/ api / v1 / im.history.others 'که به مشاهده پیام های مستقیم فرستاده شده توسط سایر کاربران اجازه می دهد که تماس گیرنده بخشی از آن نباشد.", + "API_Enable_Direct_Message_History_EndPoint_Description": "این را قادر می سازد `/ api / v1 / im.messages.others 'که به مشاهده پیام های مستقیم فرستاده شده توسط سایر کاربران اجازه می دهد که تماس گیرنده بخشی از آن نباشد.", "API_Enable_Personal_Access_Tokens": "فعال کردن توکن دسترسی شخصی به API REST", "API_Enable_Personal_Access_Tokens_Description": "فعال کردن توکن دسترسی شخصی برای استفاده با REST API", "API_Enable_Rate_Limiter": "فعال کردن محدودیت نرخ", diff --git a/packages/i18n/src/locales/fi.i18n.json b/packages/i18n/src/locales/fi.i18n.json index 0026c5199402..c8078bb2545f 100644 --- a/packages/i18n/src/locales/fi.i18n.json +++ b/packages/i18n/src/locales/fi.i18n.json @@ -431,7 +431,7 @@ "API_EmbedCacheExpirationDays": "Upota välimuistin vanhenemispäivät", "API_Enable_CORS": "Ota käyttöön CORS", "API_Enable_Direct_Message_History_EndPoint": "Ota käyttöön suorien viestien historian päätepiste", - "API_Enable_Direct_Message_History_EndPoint_Description": "Tämä sallii kohteen `/api/v1/im.history.others`, jonka avulla voidaan tarkastella muiden käyttäjien kuin soittajan suoria viestejä.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Tämä sallii kohteen `/api/v1/im.messages.others`, jonka avulla voidaan tarkastella muiden käyttäjien kuin soittajan suoria viestejä.", "API_Enable_Personal_Access_Tokens": "Salli henkilökohtaiset käyttöoikeustietueet REST APIssa", "API_Enable_Personal_Access_Tokens_Description": "Salli henkilökohtaisten käyttöoikeustietueiden käyttö REST APIssa", "API_Enable_Rate_Limiter": "Ota käyttöön nopeudenrajoitin", diff --git a/packages/i18n/src/locales/fr.i18n.json b/packages/i18n/src/locales/fr.i18n.json index b79660384677..c20361ae9329 100644 --- a/packages/i18n/src/locales/fr.i18n.json +++ b/packages/i18n/src/locales/fr.i18n.json @@ -383,7 +383,7 @@ "API_EmbedCacheExpirationDays": "Intégrer le nombre de jours avant l'expiration du cache", "API_Enable_CORS": "Activer CORS", "API_Enable_Direct_Message_History_EndPoint": "Activer le point de terminaison de l'historique des messages directs", - "API_Enable_Direct_Message_History_EndPoint_Description": "Cela active `/api/v1/im.history.others` qui permet de visualiser les messages directs envoyés par d'autres utilisateurs dont l'appelant ne fait pas partie.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Cela active `/api/v1/im.messages.others` qui permet de visualiser les messages directs envoyés par d'autres utilisateurs dont l'appelant ne fait pas partie.", "API_Enable_Personal_Access_Tokens": "Activer les jetons d'accès personnels à l'API REST", "API_Enable_Personal_Access_Tokens_Description": "Activer les jetons d'accès personnels utilisés avec l'API REST", "API_Enable_Rate_Limiter": "Activer le limiteur de débit", diff --git a/packages/i18n/src/locales/hr.i18n.json b/packages/i18n/src/locales/hr.i18n.json index 4d77095ef86c..c6b44aac84e5 100644 --- a/packages/i18n/src/locales/hr.i18n.json +++ b/packages/i18n/src/locales/hr.i18n.json @@ -298,7 +298,7 @@ "API_EmbedCacheExpirationDays": "Ugradite Dani isteka predmemorije", "API_Enable_CORS": "Omogući CORS", "API_Enable_Direct_Message_History_EndPoint": "Omogući završnu točku izravne poruke", - "API_Enable_Direct_Message_History_EndPoint_Description": "To omogućuje `/ api / v1 / im.history.others` koji omogućuje gledanje izravnih poruka koje su drugi korisnici poslali da pozivatelj nije dio.", + "API_Enable_Direct_Message_History_EndPoint_Description": "To omogućuje `/ api / v1 / im.messages.others` koji omogućuje gledanje izravnih poruka koje su drugi korisnici poslali da pozivatelj nije dio.", "API_Enable_Personal_Access_Tokens": "Omogući osobne pristupne tokene za REST API", "API_Enable_Personal_Access_Tokens_Description": "Omogući osobne pristupne tokene za upotrebu s REST API-jem", "API_Enable_Rate_Limiter_Dev": "Omogući ograničenje upita u razvoju", diff --git a/packages/i18n/src/locales/hu.i18n.json b/packages/i18n/src/locales/hu.i18n.json index 141ab17ec3dc..6ac0e32cc1b8 100644 --- a/packages/i18n/src/locales/hu.i18n.json +++ b/packages/i18n/src/locales/hu.i18n.json @@ -418,7 +418,7 @@ "API_EmbedCacheExpirationDays": "Beágyazási gyorsítótár lejárati napjai", "API_Enable_CORS": "CORS engedélyezése", "API_Enable_Direct_Message_History_EndPoint": "Közvetlen üzenet előzményei végpontjának engedélyezése", - "API_Enable_Direct_Message_History_EndPoint_Description": "Ez engedélyezi az „/api/v1/im.history.others” végpontot, amely lehetővé teszi a többi felhasználó által küldött közvetlen üzenetek megtekintését, amelynek a hívó nem része.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Ez engedélyezi az „/api/v1/im.messages.others” végpontot, amely lehetővé teszi a többi felhasználó által küldött közvetlen üzenetek megtekintését, amelynek a hívó nem része.", "API_Enable_Personal_Access_Tokens": "Személyes hozzáférési tokenek engedélyezése a REST API-hoz", "API_Enable_Personal_Access_Tokens_Description": "Személyes hozzáférési tokenek engedélyezése a REST API-val való használathoz", "API_Enable_Rate_Limiter": "Sebességkorlátozó engedélyezése", diff --git a/packages/i18n/src/locales/id.i18n.json b/packages/i18n/src/locales/id.i18n.json index c0a9ed50b5c1..e8201ffecc03 100644 --- a/packages/i18n/src/locales/id.i18n.json +++ b/packages/i18n/src/locales/id.i18n.json @@ -283,7 +283,7 @@ "API_EmbedCacheExpirationDays": "Sematkan Kadaluarsa Hari Cache", "API_Enable_CORS": "Aktifkan CORS", "API_Enable_Direct_Message_History_EndPoint": "Aktifkan Endpoint Riwayat Pesan Langsung", - "API_Enable_Direct_Message_History_EndPoint_Description": "Hal ini memungkinkan `/ api / v1 / im.history.others` yang memungkinkan tampilan pesan langsung yang dikirim oleh pengguna lain sehingga pemanggil bukan bagian dari.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Hal ini memungkinkan `/ api / v1 / im.messages.others` yang memungkinkan tampilan pesan langsung yang dikirim oleh pengguna lain sehingga pemanggil bukan bagian dari.", "API_Enable_Shields": "Aktifkan Shields", "API_Enable_Shields_Description": "Aktifkan perisai yang tersedia di `/ api / v1 / shield.svg`", "API_GitHub_Enterprise_URL": "Server URL", diff --git a/packages/i18n/src/locales/it.i18n.json b/packages/i18n/src/locales/it.i18n.json index 27231d8758de..a7d0658f6035 100644 --- a/packages/i18n/src/locales/it.i18n.json +++ b/packages/i18n/src/locales/it.i18n.json @@ -359,7 +359,7 @@ "API_EmbedCacheExpirationDays": "Giorni per la scadenza della cache degli embed", "API_Enable_CORS": "Abilita CORS", "API_Enable_Direct_Message_History_EndPoint": "Abilita l'endpoint per lo storico dei messaggi diretti", - "API_Enable_Direct_Message_History_EndPoint_Description": "Questo abilita `/api/v1/im.history.others` che permette di vedere i messaggi diretti inviati dagli altri utenti di cui il chiamante non è parte.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Questo abilita `/api/v1/im.messages.others` che permette di vedere i messaggi diretti inviati dagli altri utenti di cui il chiamante non è parte.", "API_Enable_Shields": "Abilita Shield", "API_Enable_Shields_Description": "Abilita gli shield disponibili a `/api/v1/shield.svg`", "API_GitHub_Enterprise_URL": "URL del server", diff --git a/packages/i18n/src/locales/ja.i18n.json b/packages/i18n/src/locales/ja.i18n.json index 6e4f98e559d7..d81bef5c47ad 100644 --- a/packages/i18n/src/locales/ja.i18n.json +++ b/packages/i18n/src/locales/ja.i18n.json @@ -380,7 +380,7 @@ "API_EmbedCacheExpirationDays": "キャッシュ有効期限の埋め込み", "API_Enable_CORS": "CORSを有効にする", "API_Enable_Direct_Message_History_EndPoint": "ダイレクトメッセージ履歴エンドポイントを有効にする", - "API_Enable_Direct_Message_History_EndPoint_Description": "これにより「/api/v1/im.history.others」が有効になり、呼び出し元が含まれていない他のユーザーから送信されたダイレクトメッセージを表示できます。", + "API_Enable_Direct_Message_History_EndPoint_Description": "これにより「/api/v1/im.messages.others」が有効になり、呼び出し元が含まれていない他のユーザーから送信されたダイレクトメッセージを表示できます。", "API_Enable_Personal_Access_Tokens": "REST APIへのパーソナルアクセストークンを有効にする", "API_Enable_Personal_Access_Tokens_Description": "REST APIで使用できるようにパーソナルアクセストークンを有効にする", "API_Enable_Rate_Limiter": "レート制限を有効にする", diff --git a/packages/i18n/src/locales/ka-GE.i18n.json b/packages/i18n/src/locales/ka-GE.i18n.json index bb4737d8da80..fb656612893d 100644 --- a/packages/i18n/src/locales/ka-GE.i18n.json +++ b/packages/i18n/src/locales/ka-GE.i18n.json @@ -339,7 +339,7 @@ "API_EmbedCacheExpirationDays": "cache ამოწურვის დღეების რაოდენობა", "API_Enable_CORS": "ჩართეთ CORS", "API_Enable_Direct_Message_History_EndPoint": "ჩართეთ პირდაპირი შეტყობინებების ისტორიის ბოლო წერტილი", - "API_Enable_Direct_Message_History_EndPoint_Description": "ეს საშუალებას აძლევს `/api/v1/im.history.others`, რაც საშუალებას აძლევს სხვა მომხმარებლების მიერ გაგზავნილ პირდაპირი შეტყობინებების ნახვას, რომლის მონაწილეც დამრეკი არ არის", + "API_Enable_Direct_Message_History_EndPoint_Description": "ეს საშუალებას აძლევს `/api/v1/im.messages.others`, რაც საშუალებას აძლევს სხვა მომხმარებლების მიერ გაგზავნილ პირდაპირი შეტყობინებების ნახვას, რომლის მონაწილეც დამრეკი არ არის", "API_Enable_Personal_Access_Tokens": "ჩართეთ პერსონალური წვდომის ტოკენები REST API– ზე", "API_Enable_Personal_Access_Tokens_Description": "ჩართეთ პერსონალური წვდომის ტოკენები REST API–სთან გამოსაყენებლად", "API_Enable_Rate_Limiter": "ჩართეთ სიჩქარის ლიმიტი", diff --git a/packages/i18n/src/locales/km.i18n.json b/packages/i18n/src/locales/km.i18n.json index c5e92acbf2cb..698d7a72edf4 100644 --- a/packages/i18n/src/locales/km.i18n.json +++ b/packages/i18n/src/locales/km.i18n.json @@ -323,7 +323,7 @@ "API_EmbedCacheExpirationDays": "បង្កប់ថ្ងៃផុតកំណត់ឃ្លាំងសម្ងាត់", "API_Enable_CORS": "បើកដំណើរការ CORS", "API_Enable_Direct_Message_History_EndPoint": "បើកដំណើរការ Endpoint ប្រវត្តិសាស្រ្តសារផ្ទាល់", - "API_Enable_Direct_Message_History_EndPoint_Description": "វាអនុញ្ញាតឱ្យ `/ api / v1 / im.history.others` ដែលអនុញ្ញាតឱ្យមើលសារផ្ទាល់ដែលផ្ញើដោយអ្នកប្រើផ្សេងទៀតដែលអ្នកហៅចូលមិនមែនជាផ្នែកមួយ។", + "API_Enable_Direct_Message_History_EndPoint_Description": "វាអនុញ្ញាតឱ្យ `/ api / v1 / im.messages.others` ដែលអនុញ្ញាតឱ្យមើលសារផ្ទាល់ដែលផ្ញើដោយអ្នកប្រើផ្សេងទៀតដែលអ្នកហៅចូលមិនមែនជាផ្នែកមួយ។", "API_Enable_Personal_Access_Tokens": "បើកនិមិត្តសញ្ញាផ្ទាល់ខ្លួនដើម្បី REST API", "API_Enable_Personal_Access_Tokens_Description": "បើកនិមិត្តសញ្ញាផ្ទាល់ខ្លួនសំរាប់ប្រើប្រាស់ជាមួយ REST API", "API_Enable_Rate_Limiter": "បើកដំណើរការកំណត់កំរិតកំណត់", diff --git a/packages/i18n/src/locales/ko.i18n.json b/packages/i18n/src/locales/ko.i18n.json index 1b06b8917745..569245e7854a 100644 --- a/packages/i18n/src/locales/ko.i18n.json +++ b/packages/i18n/src/locales/ko.i18n.json @@ -361,7 +361,7 @@ "API_EmbedCacheExpirationDays": "링크 미리보기 캐시 만료일", "API_Enable_CORS": "CORS 사용", "API_Enable_Direct_Message_History_EndPoint": "1:1 대화방 History Endpoint 사용", - "API_Enable_Direct_Message_History_EndPoint_Description": "소속되지 않은 다른 유저로 부터 보내진 다이렉트메시지를 보기를 허용하는 'api/v1/im.history.others' 를 활성화 합니다.", + "API_Enable_Direct_Message_History_EndPoint_Description": "소속되지 않은 다른 유저로 부터 보내진 다이렉트메시지를 보기를 허용하는 'api/v1/im.messages.others' 를 활성화 합니다.", "API_Enable_Personal_Access_Tokens": "REST API에 개인 액세스 토큰 사용", "API_Enable_Personal_Access_Tokens_Description": "REST API를 위한 개인 액세스 토큰 사용", "API_Enable_Rate_Limiter": "Rate Limiter 사용", diff --git a/packages/i18n/src/locales/ku.i18n.json b/packages/i18n/src/locales/ku.i18n.json index ee6422a47746..301679e681bf 100644 --- a/packages/i18n/src/locales/ku.i18n.json +++ b/packages/i18n/src/locales/ku.i18n.json @@ -282,7 +282,7 @@ "API_EmbedCacheExpirationDays": "Rojên Cache Expiration Rojanekirin", "API_Enable_CORS": "CORS çalak bikin", "API_Enable_Direct_Message_History_EndPoint": "Dîroka Dîroka Dîroka Dîroka Navdewletî Veşêre", - "API_Enable_Direct_Message_History_EndPoint_Description": "Ew dikare bikarhêner `/ api / v1 / im.history.others` ku ji bo ku bikarhênerên din yên din jî ji hêla rasterastên peyamên şandina veguhestinê ve tête şandin ku beşdar ne beşek e.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Ew dikare bikarhêner `/ api / v1 / im.messages.others` ku ji bo ku bikarhênerên din yên din jî ji hêla rasterastên peyamên şandina veguhestinê ve tête şandin ku beşdar ne beşek e.", "API_Enable_Shields": "Hilbijartin xurt bikin", "API_Enable_Shields_Description": "Pêşbaziyên çalak bikin li `/ api / v1 / shield.svg` li peyda hene", "API_GitHub_Enterprise_URL": "URL Server", diff --git a/packages/i18n/src/locales/lo.i18n.json b/packages/i18n/src/locales/lo.i18n.json index 4bc2481ca583..441e3c09cafe 100644 --- a/packages/i18n/src/locales/lo.i18n.json +++ b/packages/i18n/src/locales/lo.i18n.json @@ -293,7 +293,7 @@ "API_EmbedCacheExpirationDays": "ຝັງເວລາຫມົດອາຍຸຂອງແຄດ", "API_Enable_CORS": "ເປີດໃຊ້ CORS", "API_Enable_Direct_Message_History_EndPoint": "ເປີດໃຊ້ຂໍ້ຄວາມຈຸດປະສົງຂອງຂໍ້ຄວາມ Direct Message", - "API_Enable_Direct_Message_History_EndPoint_Description": "ນີ້ອະນຸຍາດໃຫ້ `/ api / v1 / im.history.others` ເຊິ່ງອະນຸຍາດໃຫ້ການເບິ່ງຂໍ້ຄວາມໂດຍກົງທີ່ສົ່ງໂດຍຜູ້ໃຊ້ອື່ນໆທີ່ຜູ້ໂທບໍ່ແມ່ນສ່ວນຫນຶ່ງຂອງ.", + "API_Enable_Direct_Message_History_EndPoint_Description": "ນີ້ອະນຸຍາດໃຫ້ `/ api / v1 / im.messages.others` ເຊິ່ງອະນຸຍາດໃຫ້ການເບິ່ງຂໍ້ຄວາມໂດຍກົງທີ່ສົ່ງໂດຍຜູ້ໃຊ້ອື່ນໆທີ່ຜູ້ໂທບໍ່ແມ່ນສ່ວນຫນຶ່ງຂອງ.", "API_Enable_Shields": "ເປີດ Shields", "API_Enable_Shields_Description": "ເປີດໃຊ້ໄສ້ກອງທີ່ມີຢູ່ `/ api / v1 / shield.svg`", "API_GitHub_Enterprise_URL": "URL Server", diff --git a/packages/i18n/src/locales/lt.i18n.json b/packages/i18n/src/locales/lt.i18n.json index 65c075aa66be..f2763da5288d 100644 --- a/packages/i18n/src/locales/lt.i18n.json +++ b/packages/i18n/src/locales/lt.i18n.json @@ -318,7 +318,7 @@ "API_EmbedCacheExpirationDays": "Įterpti talpyklos pabaigos dienas", "API_Enable_CORS": "Įgalinti CORS", "API_Enable_Direct_Message_History_EndPoint": "Įgalinti tiesioginių žinučių istorijos baigtį", - "API_Enable_Direct_Message_History_EndPoint_Description": "Tai įgalina \"/ api / v1 / im.history.otherers\", leidžiančią peržiūrėti kitų naudotojų siunčiamus tiesioginius pranešimus, kurie nėra skambinančiojo dalis.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Tai įgalina \"/ api / v1 / im.messages.otherers\", leidžiančią peržiūrėti kitų naudotojų siunčiamus tiesioginius pranešimus, kurie nėra skambinančiojo dalis.", "API_Enable_Shields": "Įjungti skydus", "API_Enable_Shields_Description": "Įjungti skydus, esančius \"/ api / v1 / shield.svg\"", "API_GitHub_Enterprise_URL": "Serverio URL", diff --git a/packages/i18n/src/locales/lv.i18n.json b/packages/i18n/src/locales/lv.i18n.json index b06459434ffa..80115585d934 100644 --- a/packages/i18n/src/locales/lv.i18n.json +++ b/packages/i18n/src/locales/lv.i18n.json @@ -288,7 +288,7 @@ "API_EmbedCacheExpirationDays": "Iegulta kešatmiņas beigu dienas", "API_Enable_CORS": "Aktivizēt CORS", "API_Enable_Direct_Message_History_EndPoint": "Iespējot ziņojumu vēstures beigu punktu", - "API_Enable_Direct_Message_History_EndPoint_Description": "Tas aktivizē `/ api / v1 / im.history.otherers ', kas ļauj skatīt citu lietotāju sūtītīos tiešos ziņojumus kur zvanītājs nav daļa no tiem.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Tas aktivizē `/ api / v1 / im.messages.otherers ', kas ļauj skatīt citu lietotāju sūtītīos tiešos ziņojumus kur zvanītājs nav daļa no tiem.", "API_Enable_Shields": "Aktivizēt Shields", "API_Enable_Shields_Description": "Aktivizēt shields, kas pieejami pie / / api / v1 / shield.svg \"", "API_GitHub_Enterprise_URL": "Servera URL", diff --git a/packages/i18n/src/locales/mn.i18n.json b/packages/i18n/src/locales/mn.i18n.json index 757fe0d9c356..a0bc5c3f9da2 100644 --- a/packages/i18n/src/locales/mn.i18n.json +++ b/packages/i18n/src/locales/mn.i18n.json @@ -282,7 +282,7 @@ "API_EmbedCacheExpirationDays": "Cache хугацаа дуусна", "API_Enable_CORS": "CORS-г идэвхжүүлэх", "API_Enable_Direct_Message_History_EndPoint": "Шууд мессежийн түүх төгсгөлийг идэвхжүүлэх", - "API_Enable_Direct_Message_History_EndPoint_Description": "Энэ нь `/ api / v1 / im.history.others` файлыг идэвхжүүлдэг бөгөөд энэ нь дуудагчийн хэсэг биш бусад хэрэглэгчид илгээсэн шууд мессежийг харах боломжийг олгодог.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Энэ нь `/ api / v1 / im.messages.others` файлыг идэвхжүүлдэг бөгөөд энэ нь дуудагчийн хэсэг биш бусад хэрэглэгчид илгээсэн шууд мессежийг харах боломжийг олгодог.", "API_Enable_Shields": "Shields-ийг идэвхжүүлнэ", "API_Enable_Shields_Description": "`/ Api / v1 / shield.svg дээр бамбайг идэвхжүүлнэ", "API_GitHub_Enterprise_URL": "Сервер URL", diff --git a/packages/i18n/src/locales/ms-MY.i18n.json b/packages/i18n/src/locales/ms-MY.i18n.json index aa8142905ec8..cbb3907b4b0f 100644 --- a/packages/i18n/src/locales/ms-MY.i18n.json +++ b/packages/i18n/src/locales/ms-MY.i18n.json @@ -282,7 +282,7 @@ "API_EmbedCacheExpirationDays": "Hari Tamat Tempoh Cache", "API_Enable_CORS": "Dayakan CORS", "API_Enable_Direct_Message_History_EndPoint": "Dayakan Endpoint Sejarah Mesej Langsung", - "API_Enable_Direct_Message_History_EndPoint_Description": "Ini membolehkan `/ api / v1 / im.history.others` yang membenarkan tontonan mesej langsung dihantar oleh pengguna lain bahawa pemanggil bukan sebahagian daripada.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Ini membolehkan `/ api / v1 / im.messages.others` yang membenarkan tontonan mesej langsung dihantar oleh pengguna lain bahawa pemanggil bukan sebahagian daripada.", "API_Enable_Shields": "Dayakan Shields", "API_Enable_Shields_Description": "Dayakan perisai yang terdapat pada `/ api / v1 / shield.svg`", "API_GitHub_Enterprise_URL": "URL Server", diff --git a/packages/i18n/src/locales/nl.i18n.json b/packages/i18n/src/locales/nl.i18n.json index 5f14ee05179f..75609ebc3472 100644 --- a/packages/i18n/src/locales/nl.i18n.json +++ b/packages/i18n/src/locales/nl.i18n.json @@ -382,7 +382,7 @@ "API_EmbedCacheExpirationDays": "Sluit Cache-verloopdagen in", "API_Enable_CORS": "Schakel CORS in", "API_Enable_Direct_Message_History_EndPoint": "Eindpunt privéberichtgeschiedenis inschakelen", - "API_Enable_Direct_Message_History_EndPoint_Description": "Dit activeert de `/api/v1/im.history.others` waarmee directe berichten kunnen worden bekeken die zijn verzonden door andere gebruikers, waar de beller geen deel van uitmaakt.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Dit activeert de `/api/v1/im.messages.others` waarmee directe berichten kunnen worden bekeken die zijn verzonden door andere gebruikers, waar de beller geen deel van uitmaakt.", "API_Enable_Personal_Access_Tokens": "Schakel persoonlijke toegangstokens voor de REST API in", "API_Enable_Personal_Access_Tokens_Description": "Schakel persoonlijke toegangstoken in voor gebruik met de REST API", "API_Enable_Rate_Limiter": "Rate Limiter inschakelen", diff --git a/packages/i18n/src/locales/no.i18n.json b/packages/i18n/src/locales/no.i18n.json index 442a4bc68284..8a3bbed273f4 100644 --- a/packages/i18n/src/locales/no.i18n.json +++ b/packages/i18n/src/locales/no.i18n.json @@ -458,7 +458,7 @@ "API_EmbedCacheExpirationDays": "Embed Cache Expiration Days", "API_Enable_CORS": "Aktiver CORS", "API_Enable_Direct_Message_History_EndPoint": "Aktiver sluttpunkt for direkte meldingshistorikk", - "API_Enable_Direct_Message_History_EndPoint_Description": "Dette gjør det mulig for `/ api / v1 / im.history.others` som lar visning av direkte meldinger sendt av andre brukere som den som ringer ikke er en del av.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Dette gjør det mulig for `/ api / v1 / im.messages.others` som lar visning av direkte meldinger sendt av andre brukere som den som ringer ikke er en del av.", "API_Enable_Personal_Access_Tokens": "Aktiver personlige adgangstokener til REST APIet", "API_Enable_Personal_Access_Tokens_Description": "Aktiver personlige adgangstokener for bruk med REST APIet", "API_Enable_Rate_Limiter": "Aktiver Rate Limit", diff --git a/packages/i18n/src/locales/pl.i18n.json b/packages/i18n/src/locales/pl.i18n.json index 6f504619f8ce..08f0e9bcedcb 100644 --- a/packages/i18n/src/locales/pl.i18n.json +++ b/packages/i18n/src/locales/pl.i18n.json @@ -416,7 +416,7 @@ "API_EmbedCacheExpirationDays": "Osadź dni ważności pamięci podręcznej", "API_Enable_CORS": "Włącz CORS", "API_Enable_Direct_Message_History_EndPoint": "Włącz punkt końcowy historii wiadomości bezpośrednich", - "API_Enable_Direct_Message_History_EndPoint_Description": "Umożliwia to korzystanie z funkcji „/api/v1/im.history.others”, która pozwala na przeglądanie bezpośrednich wiadomości wysłanych przez innych użytkowników, do których rozmówca nie należy.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Umożliwia to korzystanie z funkcji „/api/v1/im.messages.others”, która pozwala na przeglądanie bezpośrednich wiadomości wysłanych przez innych użytkowników, do których rozmówca nie należy.", "API_Enable_Personal_Access_Tokens": "Włącz osobiste tokeny dostępu do interfejsu REST API", "API_Enable_Personal_Access_Tokens_Description": "Włącz osobiste tokeny dostępu na potrzeby interfejsu REST API", "API_Enable_Rate_Limiter": "Włącz limit żądań", diff --git a/packages/i18n/src/locales/pt-BR.i18n.json b/packages/i18n/src/locales/pt-BR.i18n.json index ce98362e9d40..d56243509469 100644 --- a/packages/i18n/src/locales/pt-BR.i18n.json +++ b/packages/i18n/src/locales/pt-BR.i18n.json @@ -416,7 +416,7 @@ "API_EmbedCacheExpirationDays": "Incorporar dias para expiração do cache", "API_Enable_CORS": "Ativar CORS", "API_Enable_Direct_Message_History_EndPoint": "Habilitar o endpoint de histórico de mensagens diretas", - "API_Enable_Direct_Message_History_EndPoint_Description": "Habilita o `/api/ v1/im.history.others`, que permite a visualização de mensagens diretas enviadas por outros usuários do qual o chamador não faz parte.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Habilita o `/api/ v1/im.messages.others`, que permite a visualização de mensagens diretas enviadas por outros usuários do qual o chamador não faz parte.", "API_Enable_Personal_Access_Tokens": "Ativar Códigos de Acesso Pessoal para a API REST", "API_Enable_Personal_Access_Tokens_Description": "Ativar Códigos de Acesso Pessoal para uso com a API REST", "API_Enable_Rate_Limiter": "Ativar limitador de taxa", diff --git a/packages/i18n/src/locales/pt.i18n.json b/packages/i18n/src/locales/pt.i18n.json index 2bc58d7fc19c..96575d48ef72 100644 --- a/packages/i18n/src/locales/pt.i18n.json +++ b/packages/i18n/src/locales/pt.i18n.json @@ -328,7 +328,7 @@ "API_EmbedCacheExpirationDays": "Dias de expiração da cache registada", "API_Enable_CORS": "Ativar CORS", "API_Enable_Direct_Message_History_EndPoint": "Habilitar o histórico do histórico de mensagens directas", - "API_Enable_Direct_Message_History_EndPoint_Description": "Isso permite o `/api/v1/im.history.others` que permite a visualização de mensagens directas enviadas por outros utilizadores, em que a origem não faz parte.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Isso permite o `/api/v1/im.messages.others` que permite a visualização de mensagens directas enviadas por outros utilizadores, em que a origem não faz parte.", "API_Enable_Personal_Access_Tokens": "Activar códigos de acesso pessoal para a API REST", "API_Enable_Personal_Access_Tokens_Description": "Activar códigos de acesso pessoal para uso com a API REST", "API_Enable_Rate_Limiter": "Ativar limitador de taxa", diff --git a/packages/i18n/src/locales/ro.i18n.json b/packages/i18n/src/locales/ro.i18n.json index 2b5dcac528b0..afade0413dd1 100644 --- a/packages/i18n/src/locales/ro.i18n.json +++ b/packages/i18n/src/locales/ro.i18n.json @@ -283,7 +283,7 @@ "API_EmbedCacheExpirationDays": "Porniți zilele de expirare a cache-ului", "API_Enable_CORS": "Activați CORS", "API_Enable_Direct_Message_History_EndPoint": "Activați punctul final al istoricului mesajelor", - "API_Enable_Direct_Message_History_EndPoint_Description": "Aceasta permite \"/ api / v1 / im.history.others\" care permite vizualizarea mesajelor directe trimise de alți utilizatori de care apelantul nu face parte.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Aceasta permite \"/ api / v1 / im.messages.others\" care permite vizualizarea mesajelor directe trimise de alți utilizatori de care apelantul nu face parte.", "API_Enable_Shields": "Activați scuturile", "API_Enable_Shields_Description": "Activați scuturile disponibile la \"/ api / v1 / shield.svg\"", "API_GitHub_Enterprise_URL": "URL-ul serverului", diff --git a/packages/i18n/src/locales/ru.i18n.json b/packages/i18n/src/locales/ru.i18n.json index 56d72c4aa524..f768764d0bc1 100644 --- a/packages/i18n/src/locales/ru.i18n.json +++ b/packages/i18n/src/locales/ru.i18n.json @@ -436,7 +436,7 @@ "API_EmbedCacheExpirationDays": "Вставить даты истечения срока действия кеша", "API_Enable_CORS": "Включить CORS", "API_Enable_Direct_Message_History_EndPoint": "Включить конечную точку истории личных сообщений", - "API_Enable_Direct_Message_History_EndPoint_Description": "Эта настройка включает метод `/api/v1/im.history.others`, который разрешает просмотр сообщений из личных диалогов, в которых не участвует вызывающий.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Эта настройка включает метод `/api/v1/im.messages.others`, который разрешает просмотр сообщений из личных диалогов, в которых не участвует вызывающий.", "API_Enable_Personal_Access_Tokens": "Включить личные токены доступа для использования с REST API", "API_Enable_Personal_Access_Tokens_Description": "Включить токены доступа для использования с REST API", "API_Enable_Rate_Limiter": "Включить ограничитель скорости", diff --git a/packages/i18n/src/locales/sk-SK.i18n.json b/packages/i18n/src/locales/sk-SK.i18n.json index 13a823eb8bbc..c3e650063e09 100644 --- a/packages/i18n/src/locales/sk-SK.i18n.json +++ b/packages/i18n/src/locales/sk-SK.i18n.json @@ -285,7 +285,7 @@ "API_EmbedCacheExpirationDays": "Vložiť počet dní expirácie vyrovnávacej pamäte", "API_Enable_CORS": "Povoliť CORS", "API_Enable_Direct_Message_History_EndPoint": "Povoliť koncový bod histórie priamych správ", - "API_Enable_Direct_Message_History_EndPoint_Description": "Toto povolí súbor \"/api/v1/im.history.others\", ktorý umožňuje zobrazenie priamych správ posielaných inými používateľmi, ktorých volajúci nie je súčasťou.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Toto povolí súbor \"/api/v1/im.messages.others\", ktorý umožňuje zobrazenie priamych správ posielaných inými používateľmi, ktorých volajúci nie je súčasťou.", "API_Enable_Shields": "Aktivovať štíty", "API_Enable_Shields_Description": "Aktivovať štíty dostupné v súbore `/api/v1/shield.svg`", "API_GitHub_Enterprise_URL": "URL adresa servera", diff --git a/packages/i18n/src/locales/sl-SI.i18n.json b/packages/i18n/src/locales/sl-SI.i18n.json index bb17e5cbee1e..07ba5f608dd9 100644 --- a/packages/i18n/src/locales/sl-SI.i18n.json +++ b/packages/i18n/src/locales/sl-SI.i18n.json @@ -281,7 +281,7 @@ "API_EmbedCacheExpirationDays": "Vgradi dneve poteka predpomnilnika", "API_Enable_CORS": "Omogoči CORS", "API_Enable_Direct_Message_History_EndPoint": "Omogoči Končno točko zgodovine Neposrednih sporočil", - "API_Enable_Direct_Message_History_EndPoint_Description": "To omogoča `/api/v1/im.history.others`, ki dovoljuje ogled neposrednih sporočil, ki jih pošljejo drugi uporabniki, v katere uporabnik ni vključen. ", + "API_Enable_Direct_Message_History_EndPoint_Description": "To omogoča `/api/v1/im.messages.others`, ki dovoljuje ogled neposrednih sporočil, ki jih pošljejo drugi uporabniki, v katere uporabnik ni vključen. ", "API_Enable_Shields": "Omogoči ščite", "API_Enable_Shields_Description": "Omogoči ščite, razpoložljive na `/api/v1/shields.svg`", "API_GitHub_Enterprise_URL": "Strežniški URL", diff --git a/packages/i18n/src/locales/sq.i18n.json b/packages/i18n/src/locales/sq.i18n.json index 00a6b35d8a83..ce59a0e3af89 100644 --- a/packages/i18n/src/locales/sq.i18n.json +++ b/packages/i18n/src/locales/sq.i18n.json @@ -283,7 +283,7 @@ "API_EmbedCacheExpirationDays": "Mbushe Ditët e Përfundimit të Cache", "API_Enable_CORS": "Aktivizo CORS", "API_Enable_Direct_Message_History_EndPoint": "Aktivizo fundin e historikut të mesazhit të drejtpërdrejtë", - "API_Enable_Direct_Message_History_EndPoint_Description": "Kjo mundëson `/ api / v1 / im.history.others` që lejon shikimin e mesazheve të drejtpërdrejta të dërguara nga përdorues të tjerë se telefonuesi nuk është pjesë e tij.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Kjo mundëson `/ api / v1 / im.messages.others` që lejon shikimin e mesazheve të drejtpërdrejta të dërguara nga përdorues të tjerë se telefonuesi nuk është pjesë e tij.", "API_Enable_Shields": "Aktivizo Shields", "API_Enable_Shields_Description": "Aktivizo mburojat në dispozicion në `/ api / v1 / shield.svg`", "API_GitHub_Enterprise_URL": "server URL", diff --git a/packages/i18n/src/locales/sv.i18n.json b/packages/i18n/src/locales/sv.i18n.json index 1c673b1af2c5..aafb5a36c9dc 100644 --- a/packages/i18n/src/locales/sv.i18n.json +++ b/packages/i18n/src/locales/sv.i18n.json @@ -431,7 +431,7 @@ "API_EmbedCacheExpirationDays": "Bädda in Cache Expiration Days", "API_Enable_CORS": "Aktivera CORS", "API_Enable_Direct_Message_History_EndPoint": "Aktivera ändpunkt för direktmeddelandens historik", - "API_Enable_Direct_Message_History_EndPoint_Description": "Detta möjliggör `/api/v1/im.history.others` som tillåter visning av direktmeddelanden som skickats av andra användare som den som ringer inte är en del av.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Detta möjliggör `/api/v1/im.messages.others` som tillåter visning av direktmeddelanden som skickats av andra användare som den som ringer inte är en del av.", "API_Enable_Personal_Access_Tokens": "Aktivera personliga åtkomsttokens till REST API", "API_Enable_Personal_Access_Tokens_Description": "Slå på personliga åtkomsttokens för REST API:et", "API_Enable_Rate_Limiter": "Aktivera antalsbegränsning", diff --git a/packages/i18n/src/locales/ta-IN.i18n.json b/packages/i18n/src/locales/ta-IN.i18n.json index 9107ee1e26c3..9e37a50bd883 100644 --- a/packages/i18n/src/locales/ta-IN.i18n.json +++ b/packages/i18n/src/locales/ta-IN.i18n.json @@ -283,7 +283,7 @@ "API_EmbedCacheExpirationDays": "தற்காலிக சேமிப்பு முடக்கம் நாட்கள்", "API_Enable_CORS": "CORS ஐ இயக்கு", "API_Enable_Direct_Message_History_EndPoint": "நேரடி செய்தி வரலாறு முடிவுக்கு இயக்கு", - "API_Enable_Direct_Message_History_EndPoint_Description": "இது அழைப்பவர் ஒரு பகுதியாக இல்லை என்று மற்ற பயனர்கள் அனுப்பிய நேரடி செய்திகளை பார்க்க அனுமதிக்கும் `/ api / v1 / im.history.others` ஐ செயல்படுத்துகிறது.", + "API_Enable_Direct_Message_History_EndPoint_Description": "இது அழைப்பவர் ஒரு பகுதியாக இல்லை என்று மற்ற பயனர்கள் அனுப்பிய நேரடி செய்திகளை பார்க்க அனுமதிக்கும் `/ api / v1 / im.messages.others` ஐ செயல்படுத்துகிறது.", "API_Enable_Shields": "ஷீல்ட்ஸ் இயக்கவும்", "API_Enable_Shields_Description": "`/ Api / v1 / shield.svg` இல் கிடைக்கும் கவசங்களை இயக்கு", "API_GitHub_Enterprise_URL": "சேவையக URL", diff --git a/packages/i18n/src/locales/th-TH.i18n.json b/packages/i18n/src/locales/th-TH.i18n.json index d22a87659fa9..2f2bb357256d 100644 --- a/packages/i18n/src/locales/th-TH.i18n.json +++ b/packages/i18n/src/locales/th-TH.i18n.json @@ -282,7 +282,7 @@ "API_EmbedCacheExpirationDays": "ฝังวันหมดอายุของแคช", "API_Enable_CORS": "เปิดใช้งาน CORS", "API_Enable_Direct_Message_History_EndPoint": "เปิดใช้งาน Endpoint ปลายทางของ Message Message โดยตรง", - "API_Enable_Direct_Message_History_EndPoint_Description": "ซึ่งช่วยให้สามารถเรียกดู `/ api / v1 / im.history.others` ซึ่งช่วยให้สามารถดูข้อความโดยตรงที่ส่งโดยผู้ใช้อื่น ๆ ที่ผู้โทรไม่ได้เป็นส่วนหนึ่งของ", + "API_Enable_Direct_Message_History_EndPoint_Description": "ซึ่งช่วยให้สามารถเรียกดู `/ api / v1 / im.messages.others` ซึ่งช่วยให้สามารถดูข้อความโดยตรงที่ส่งโดยผู้ใช้อื่น ๆ ที่ผู้โทรไม่ได้เป็นส่วนหนึ่งของ", "API_Enable_Shields": "เปิดใช้โล่", "API_Enable_Shields_Description": "เปิดใช้งานโล่ที่ `/ api / v1 / shield.svg`", "API_GitHub_Enterprise_URL": "URL ของเซิร์ฟเวอร์", diff --git a/packages/i18n/src/locales/tr.i18n.json b/packages/i18n/src/locales/tr.i18n.json index 7b6c78d1cbda..ce2e75ee13b1 100644 --- a/packages/i18n/src/locales/tr.i18n.json +++ b/packages/i18n/src/locales/tr.i18n.json @@ -317,7 +317,7 @@ "API_EmbedCacheExpirationDays": "Önbellek Sona Erme Günlerini Göm", "API_Enable_CORS": "CORS'u etkinleştir", "API_Enable_Direct_Message_History_EndPoint": "Doğrudan İleti Geçmişi Noktası Etkin", - "API_Enable_Direct_Message_History_EndPoint_Description": "Bu, `/ api / v1 / im.history.others` aygıtının, diğer kullanıcıların gönderdikleri ve doğrudan arayan kişinin parçası olmadığı doğrudan iletileri görüntülemesini sağlar.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Bu, `/ api / v1 / im.messages.others` aygıtının, diğer kullanıcıların gönderdikleri ve doğrudan arayan kişinin parçası olmadığı doğrudan iletileri görüntülemesini sağlar.", "API_Enable_Personal_Access_Tokens": "REST API'ye Kişisel Erişim belirteçlerini etkinleştir", "API_Enable_Personal_Access_Tokens_Description": "REST API'sı ile kullanmak için kişisel erişim belirteçlerini etkinleştirin", "API_Enable_Rate_Limiter": "Hız Sınırlayıcısını Etkinleştir", diff --git a/packages/i18n/src/locales/uk.i18n.json b/packages/i18n/src/locales/uk.i18n.json index 572401cc2bf7..55e9381c12c0 100644 --- a/packages/i18n/src/locales/uk.i18n.json +++ b/packages/i18n/src/locales/uk.i18n.json @@ -348,7 +348,7 @@ "API_EmbedCacheExpirationDays": "Вставити термін дії кешу (днів)", "API_Enable_CORS": "Увімкнути CORS", "API_Enable_Direct_Message_History_EndPoint": "Увімкнути кінцеву точку історії прямих повідомлень", - "API_Enable_Direct_Message_History_EndPoint_Description": "Вмикає `/api/v1/ im.history.otherers', що дозволяє переглядати прямі повідомлення, надіслані іншими користувачами, в яких не бере учать користувач, що викликає.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Вмикає `/api/v1/ im.messages.otherers', що дозволяє переглядати прямі повідомлення, надіслані іншими користувачами, в яких не бере учать користувач, що викликає.", "API_Enable_Personal_Access_Tokens": "Увімкнути токени особистого доступу до API REST", "API_Enable_Personal_Access_Tokens_Description": "Увімкніть персональні токени для використання з API REST", "API_Enable_Rate_Limiter": "Увімкнути обмеження швидкості", diff --git a/packages/i18n/src/locales/vi-VN.i18n.json b/packages/i18n/src/locales/vi-VN.i18n.json index 1bfee9a0e7d7..2c53f8e3fed7 100644 --- a/packages/i18n/src/locales/vi-VN.i18n.json +++ b/packages/i18n/src/locales/vi-VN.i18n.json @@ -335,7 +335,7 @@ "API_EmbedCacheExpirationDays": "Nhúng số ngày hết hạn trong bộ nhớ Cache", "API_Enable_CORS": "Bật CORS", "API_Enable_Direct_Message_History_EndPoint": "Bật điểm cuối của Lịch sử tin nhắn trực tiếp", - "API_Enable_Direct_Message_History_EndPoint_Description": "Điều này cho phép `/api/v1/im.history.others` xem tin nhắn trực tiếp được gửi bởi những người dùng khác mà người gọi không phải là thành viên.", + "API_Enable_Direct_Message_History_EndPoint_Description": "Điều này cho phép `/api/v1/im.messages.others` xem tin nhắn trực tiếp được gửi bởi những người dùng khác mà người gọi không phải là thành viên.", "API_Enable_Shields": "Bật Shield", "API_Enable_Shields_Description": "Bật shield có sẵn tại `/api/v1/shield.svg`", "API_GitHub_Enterprise_URL": "URL Máy chủ", diff --git a/packages/i18n/src/locales/zh-HK.i18n.json b/packages/i18n/src/locales/zh-HK.i18n.json index ef00dac8c9ac..bd9fd451a2a5 100644 --- a/packages/i18n/src/locales/zh-HK.i18n.json +++ b/packages/i18n/src/locales/zh-HK.i18n.json @@ -297,7 +297,7 @@ "API_EmbedCacheExpirationDays": "嵌入缓存到期天数", "API_Enable_CORS": "启用CORS", "API_Enable_Direct_Message_History_EndPoint": "启用直接消息历史记录端点", - "API_Enable_Direct_Message_History_EndPoint_Description": "这使得`/ api / v1 / im.history.others`能够查看其他用户发送的呼叫者不属于的直接消息。", + "API_Enable_Direct_Message_History_EndPoint_Description": "这使得`/ api / v1 / im.messages.others`能够查看其他用户发送的呼叫者不属于的直接消息。", "API_Enable_Shields": "启用盾牌", "API_Enable_Shields_Description": "在`/ api / v1 / shield.svg`中启用屏蔽", "API_GitHub_Enterprise_URL": "服务器URL", diff --git a/packages/i18n/src/locales/zh-TW.i18n.json b/packages/i18n/src/locales/zh-TW.i18n.json index 1c0c9f4caa2e..cc9ec4dae7d4 100644 --- a/packages/i18n/src/locales/zh-TW.i18n.json +++ b/packages/i18n/src/locales/zh-TW.i18n.json @@ -380,7 +380,7 @@ "API_EmbedCacheExpirationDays": "嵌入緩存到期天數", "API_Enable_CORS": "啟用CORS", "API_Enable_Direct_Message_History_EndPoint": "啟用直接消息歷史記錄端點", - "API_Enable_Direct_Message_History_EndPoint_Description": "這使得`/api/v1/im.history.others`能夠查看其他用戶發送的呼叫者不屬於的直接消息。", + "API_Enable_Direct_Message_History_EndPoint_Description": "這使得`/api/v1/im.messages.others`能夠查看其他用戶發送的呼叫者不屬於的直接消息。", "API_Enable_Personal_Access_Tokens": "啟用個人存取 Token 到 REST API", "API_Enable_Personal_Access_Tokens_Description": "在使用 REST API 時啟用個人存取 Token", "API_Enable_Rate_Limiter": "啟用頻率限制器", diff --git a/packages/i18n/src/locales/zh.i18n.json b/packages/i18n/src/locales/zh.i18n.json index 7c67c32cb221..75568dd3c5d8 100644 --- a/packages/i18n/src/locales/zh.i18n.json +++ b/packages/i18n/src/locales/zh.i18n.json @@ -356,7 +356,7 @@ "API_EmbedCacheExpirationDays": "嵌入缓存有效天数", "API_Enable_CORS": "启用 CORS", "API_Enable_Direct_Message_History_EndPoint": "启用私聊消息历史端点", - "API_Enable_Direct_Message_History_EndPoint_Description": "这会启用 `/api/v1/im.history.others` ,它允许查看调用者未参与的其他用户私聊消息。", + "API_Enable_Direct_Message_History_EndPoint_Description": "这会启用 `/api/v1/im.messages.others` ,它允许查看调用者未参与的其他用户私聊消息。", "API_Enable_Personal_Access_Tokens": "允许使用个人访问令牌访问 REST API", "API_Enable_Personal_Access_Tokens_Description": "允许使用个人访问令牌使用 REST API", "API_Enable_Rate_Limiter": "启用速率限制器", diff --git a/packages/server-fetch/src/index.ts b/packages/server-fetch/src/index.ts index 2fcb9cb19bf5..a04343c1bd51 100644 --- a/packages/server-fetch/src/index.ts +++ b/packages/server-fetch/src/index.ts @@ -72,3 +72,5 @@ export function serverFetch(input: string, options?: ExtendedFetchOptions, allow } export { Response } from 'node-fetch'; + +export { ExtendedFetchOptions };