Compare commits

..

2 Commits

Author SHA1 Message Date
David Baker
9ecab1d61c Merge pull request #1896 from vector-im/dbkr/revert-1772
Revert per-sender keys
2023-11-14 15:56:06 +00:00
David Baker
930cb49589 Revert per-sender keys
This reverts https://github.com/vector-im/element-call/pull/1772
on to the 1.5.11 release branch so we can test without per-sender
keys and see if we still get the same sporadic failures.
2023-11-14 15:35:52 +00:00
268 changed files with 16217 additions and 15746 deletions

View File

@@ -38,7 +38,6 @@ module.exports = {
"jsx-a11y/media-has-caption": "off", "jsx-a11y/media-has-caption": "off",
// We should use the js-sdk logger, never console directly. // We should use the js-sdk logger, never console directly.
"no-console": ["error"], "no-console": ["error"],
"react/display-name": "error",
}, },
settings: { settings: {
react: { react: {

2
.github/CODEOWNERS vendored
View File

@@ -1 +1 @@
* @element-hq/element-call-reviewers * @vector-im/element-call-reviewers

View File

@@ -1,25 +1,34 @@
name: Build name: Build
on: on:
pull_request: pull_request: {}
types:
- synchronize
- opened
- labeled
paths-ignore:
- ".github/**"
- "docs/**"
push: push:
branches: [livekit, full-mesh] branches: [livekit, full-mesh]
paths-ignore:
- ".github/**"
- "docs/**"
jobs: jobs:
build_element_call: build:
uses: ./.github/workflows/element-call.yaml name: Build
runs-on: ubuntu-latest
steps:
- name: Checkout code
uses: actions/checkout@v4
- name: Yarn cache
uses: actions/setup-node@v4
with: with:
vite_app_version: ${{ github.event.release.tag_name || github.sha }} cache: "yarn"
secrets: - name: Install dependencies
run: "yarn install"
- name: Build
run: "yarn run build"
env:
SENTRY_ORG: ${{ secrets.SENTRY_ORG }} SENTRY_ORG: ${{ secrets.SENTRY_ORG }}
SENTRY_PROJECT: ${{ secrets.SENTRY_PROJECT }} SENTRY_PROJECT: ${{ secrets.SENTRY_PROJECT }}
SENTRY_URL: ${{ secrets.SENTRY_URL }} SENTRY_URL: ${{ secrets.SENTRY_URL }}
SENTRY_AUTH_TOKEN: ${{ secrets.SENTRY_AUTH_TOKEN }} SENTRY_AUTH_TOKEN: ${{ secrets.SENTRY_AUTH_TOKEN }}
VITE_APP_VERSION: ${{ github.sha }}
NODE_OPTIONS: "--max-old-space-size=4096"
- name: Upload Artifact
uses: actions/upload-artifact@v3
with:
name: build
path: dist
# We'll only use this in a triggered job, then we're done with it
retention-days: 1

View File

@@ -1,60 +0,0 @@
name: Docker - Deploy
on:
workflow_call:
inputs:
docker_tags:
required: true
type: string
artifact_run_id:
required: false
type: string
default: ${{ github.run_id }}
env:
REGISTRY: ghcr.io
IMAGE_NAME: ${{ github.repository }}
jobs:
build_and_deploy:
name: Build & publish docker
runs-on: ubuntu-latest
permissions:
contents: write # required to upload release asset
packages: write
steps:
- name: Check it out
uses: actions/checkout@692973e3d937129bcbf40652eb9f2f61becf3332 # v4
- name: 📥 Download artifact
uses: actions/download-artifact@fa0a91b85d4f404e444e00e005971372dc801d16 # v4
with:
github-token: ${{ secrets.GITHUB_TOKEN }}
run-id: ${{ inputs.artifact_run_id }}
name: build-output
path: dist
- name: Log in to container registry
uses: docker/login-action@9780b0c442fbb1117ed29e0efdff1e18412f7567 # v3.3.0
with:
registry: ${{ env.REGISTRY }}
username: ${{ github.actor }}
password: ${{ secrets.GITHUB_TOKEN }}
- name: Extract metadata (tags, labels) for Docker
id: meta
uses: docker/metadata-action@8e5442c4ef9f78752691e2d8f8d19755c6f78e81 # v5.5.1
with:
images: ${{ env.REGISTRY }}/${{ env.IMAGE_NAME }}
tags: ${{ inputs.docker_tags}}
- name: Set up Docker Buildx
uses: docker/setup-buildx-action@988b5a0280414f521da01fcc63a27aeeb4b104db # v3.6.1
- name: Build and push Docker image
uses: docker/build-push-action@5cd11c3a4ced054e52742c5fd54dca954e0edd85 # v6.7.0
with:
context: .
platforms: linux/amd64,linux/arm64
push: true
tags: ${{ steps.meta.outputs.tags }}
labels: ${{ steps.meta.outputs.labels }}

View File

@@ -12,9 +12,9 @@ jobs:
runs-on: ubuntu-latest runs-on: ubuntu-latest
steps: steps:
- name: Check out test private repo - name: Check out test private repo
uses: actions/checkout@692973e3d937129bcbf40652eb9f2f61becf3332 # v4 uses: actions/checkout@v4
with: with:
repository: element-hq/static-call-participant repository: vector-im/static-call-participant
ref: refs/heads/main ref: refs/heads/main
path: static-call-participant path: static-call-participant
token: ${{ secrets.GH_E2E_TEST_TOKEN }} token: ${{ secrets.GH_E2E_TEST_TOKEN }}

View File

@@ -1,47 +0,0 @@
name: Element Call - Build
on:
workflow_call:
inputs:
vite_app_version:
required: true
type: string
secrets:
SENTRY_ORG:
required: true
SENTRY_PROJECT:
required: true
SENTRY_URL:
required: true
SENTRY_AUTH_TOKEN:
required: true
jobs:
build:
name: Build Element Call
runs-on: ubuntu-latest
steps:
- name: Checkout code
uses: actions/checkout@692973e3d937129bcbf40652eb9f2f61becf3332 # v4
- name: Yarn cache
uses: actions/setup-node@1e60f620b9541d16bece96c5465dc8ee9832be0b # v4
with:
cache: "yarn"
node-version: "lts/*"
- name: Install dependencies
run: "yarn install"
- name: Build
run: "yarn run build"
env:
SENTRY_ORG: ${{ secrets.SENTRY_ORG }}
SENTRY_PROJECT: ${{ secrets.SENTRY_PROJECT }}
SENTRY_URL: ${{ secrets.SENTRY_URL }}
SENTRY_AUTH_TOKEN: ${{ secrets.SENTRY_AUTH_TOKEN }}
VITE_APP_VERSION: ${{ inputs.vite_app_version }}
NODE_OPTIONS: "--max-old-space-size=4096"
- name: Upload Artifact
uses: actions/upload-artifact@834a144ee995460fba8ed112a2fc961b36a5ec5a # v4
with:
name: build-output
path: dist
# We'll only use this in a triggered job, then we're done with it
retention-days: 1

View File

@@ -7,12 +7,11 @@ jobs:
runs-on: ubuntu-latest runs-on: ubuntu-latest
steps: steps:
- name: Checkout code - name: Checkout code
uses: actions/checkout@692973e3d937129bcbf40652eb9f2f61becf3332 # v4 uses: actions/checkout@v4
- name: Yarn cache - name: Yarn cache
uses: actions/setup-node@1e60f620b9541d16bece96c5465dc8ee9832be0b # v4 uses: actions/setup-node@v4
with: with:
cache: "yarn" cache: "yarn"
node-version: "lts/*"
- name: Install dependencies - name: Install dependencies
run: "yarn install" run: "yarn install"
- name: Prettier - name: Prettier
@@ -23,5 +22,3 @@ jobs:
run: "yarn run lint:eslint" run: "yarn run lint:eslint"
- name: Type check - name: Type check
run: "yarn run lint:types" run: "yarn run lint:types"
- name: Dead code analysis
run: "yarn run lint:knip"

View File

@@ -1,79 +1,73 @@
name: Netlify - Deploy name: Netlify PR Preview
on: on:
workflow_call: workflow_run:
inputs: workflows: ["Build"]
pr_number: types:
required: true - completed
type: string branches-ignore:
pr_head_full_name: - "main"
required: true - "livekit"
type: string
pr_head_ref:
required: true
type: string
deployment_ref:
required: true
type: string
artifact_run_id:
required: false
type: string
default: ${{ github.run_id }}
secrets:
ELEMENT_BOT_TOKEN:
required: true
NETLIFY_AUTH_TOKEN:
required: true
NETLIFY_SITE_ID:
required: true
jobs: jobs:
deploy: deploy:
if: github.event.workflow_run.conclusion == 'success' && github.event.workflow_run.event == 'pull_request'
runs-on: ubuntu-latest runs-on: ubuntu-latest
permissions: permissions:
deployments: write deployments: write
environment: Netlify environment: Netlify
steps: steps:
- name: 📝 Create Deployment - name: 📝 Create Deployment
uses: bobheadxi/deployments@648679e8e4915b27893bd7dbc35cb504dc915bc8 # v1 uses: bobheadxi/deployments@v1
id: deployment id: deployment
with: with:
step: start step: start
token: ${{ secrets.GITHUB_TOKEN }} token: ${{ secrets.GITHUB_TOKEN }}
env: Netlify env: Netlify
ref: ${{ inputs.deployment_ref }} ref: ${{ github.event.workflow_run.head_sha }}
desc: | desc: |
Do you trust the author of this PR? Maybe this build will steal your keys or give you malware. Do you trust the author of this PR? Maybe this build will steal your keys or give you malware.
Exercise caution. Use test accounts. Exercise caution. Use test accounts.
- name: 📥 Download artifact - id: prdetails
uses: actions/download-artifact@fa0a91b85d4f404e444e00e005971372dc801d16 # v4 uses: matrix-org/pr-details-action@v1.3
with: with:
github-token: ${{ secrets.ELEMENT_BOT_TOKEN }} owner: ${{ github.event.workflow_run.head_repository.owner.login }}
run-id: ${{ inputs.artifact_run_id }} branch: ${{ github.event.workflow_run.head_branch }}
name: build-output
# There's a 'download artifact' action, but it hasn't been updated for the workflow_run action
# (https://github.com/actions/download-artifact/issues/60) so instead we get this mess:
- name: 📥 Download artifact
uses: dawidd6/action-download-artifact@v2
with:
run_id: ${{ github.event.workflow_run.id }}
name: build
path: webapp path: webapp
- name: Add redirects file - name: Add redirects file
# We fetch from github directly as we don't bother checking out the repo # We fetch from github directly as we don't bother checking out the repo
run: curl -s https://raw.githubusercontent.com/element-hq/element-call/main/config/netlify_redirects > webapp/_redirects run: curl -s https://raw.githubusercontent.com/vector-im/element-call/main/config/netlify_redirects > webapp/_redirects
- name: Add config file - name: Add config file
run: curl -s "https://raw.githubusercontent.com/${{ inputs.pr_head_full_name }}/${{ inputs.pr_head_ref }}/config/config_netlify_preview.json" > webapp/config.json env:
HEADBRACH: ${{ github.event.workflow_run.head_branch }}
run: curl -s "https://raw.githubusercontent.com/vector-im/element-call/${HEADBRACH}/config/element_io_preview.json" > webapp/config.json
- name: ☁️ Deploy to Netlify - name: ☁️ Deploy to Netlify
id: netlify id: netlify
uses: nwtgck/actions-netlify@4cbaf4c08f1a7bfa537d6113472ef4424e4eb654 # v3.0 uses: nwtgck/actions-netlify@v2.1
with: with:
publish-dir: webapp publish-dir: webapp
deploy-message: "Deploy from GitHub Actions" deploy-message: "Deploy from GitHub Actions"
alias: pr${{ inputs.pr_number }} # These don't work because we're in workflow_run
enable-pull-request-comment: false
enable-commit-comment: false
alias: pr${{ steps.prdetails.outputs.pr_id }}
env: env:
NETLIFY_AUTH_TOKEN: ${{ secrets.NETLIFY_AUTH_TOKEN }} NETLIFY_AUTH_TOKEN: ${{ secrets.NETLIFY_AUTH_TOKEN }}
NETLIFY_SITE_ID: ${{ secrets.NETLIFY_SITE_ID }} NETLIFY_SITE_ID: ${{ secrets.NETLIFY_SITE_ID }}
timeout-minutes: 1 timeout-minutes: 1
- name: 🚦 Update deployment status - name: 🚦 Update deployment status
uses: bobheadxi/deployments@648679e8e4915b27893bd7dbc35cb504dc915bc8 # v1 uses: bobheadxi/deployments@v1
if: always() if: always()
with: with:
step: finish step: finish

View File

@@ -1,50 +0,0 @@
name: PR Preview Deployments
on:
workflow_run:
workflows: ["Build"]
types:
- completed
jobs:
prdetails:
if: ${{ github.event.workflow_run.conclusion == 'success' && github.event.workflow_run.event == 'pull_request' }}
runs-on: ubuntu-latest
outputs:
pr_number: ${{ steps.prdetails.outputs.pr_id }}
pr_data_json: ${{ steps.prdetails.outputs.data }}
steps:
- id: prdetails
uses: matrix-org/pr-details-action@15bde5285d7850ba276cc3bd8a03733e3f24622a # v1.3
continue-on-error: true
with:
owner: ${{ github.event.workflow_run.head_repository.owner.login }}
branch: ${{ github.event.workflow_run.head_branch }}
netlify:
needs: prdetails
permissions:
deployments: write
uses: ./.github/workflows/netlify.yaml
with:
artifact_run_id: ${{ github.event.workflow_run.id || github.run_id }}
pr_number: ${{ needs.prdetails.outputs.pr_number }}
pr_head_full_name: ${{ github.event.workflow_run.head_repository.full_name }}
pr_head_ref: ${{ needs.prdetails.outputs.pr_data_json && fromJSON(needs.prdetails.outputs.pr_data_json).head.ref }}
deployment_ref: ${{ needs.prdetails.outputs.pr_data_json && fromJSON(needs.prdetails.outputs.pr_data_json).head.sha || github.ref || github.head_ref }}
secrets:
ELEMENT_BOT_TOKEN: ${{ secrets.ELEMENT_BOT_TOKEN }}
NETLIFY_AUTH_TOKEN: ${{ secrets.NETLIFY_AUTH_TOKEN }}
NETLIFY_SITE_ID: ${{ secrets.NETLIFY_SITE_ID }}
docker:
if: ${{ needs.prdetails.outputs.pr_data_json && contains(fromJSON(needs.prdetails.outputs.pr_data_json).labels.*.name, 'docker build') }}
needs: prdetails
permissions:
contents: write
packages: write
uses: ./.github/workflows/docker.yaml
with:
artifact_run_id: ${{ github.event.workflow_run.id || github.run_id }}
docker_tags: |
type=sha,format=short,event=branch
type=raw,value=pr_${{ needs.prdetails.outputs.pr_number }}

View File

@@ -3,34 +3,17 @@ name: Build & publish images to the package registry for tags
on: on:
release: release:
types: [published] types: [published]
workflow_run: push:
workflows: ["Build"]
branches: [livekit] branches: [livekit]
types:
- completed
env: env:
REGISTRY: ghcr.io REGISTRY: ghcr.io
IMAGE_NAME: ${{ github.repository }} IMAGE_NAME: ${{ github.repository }}
jobs: jobs:
build_element_call: build:
if: ${{ github.event_name == 'release' }} name: Build & publish
uses: ./.github/workflows/element-call.yaml
with:
vite_app_version: ${{ github.event.release.tag_name || github.sha }}
secrets:
SENTRY_ORG: ${{ secrets.SENTRY_ORG }}
SENTRY_PROJECT: ${{ secrets.SENTRY_PROJECT }}
SENTRY_URL: ${{ secrets.SENTRY_URL }}
SENTRY_AUTH_TOKEN: ${{ secrets.SENTRY_AUTH_TOKEN }}
publish_tarball:
needs: build_element_call
if: always()
name: Publish tarball
runs-on: ubuntu-latest runs-on: ubuntu-latest
outputs:
unix_time: ${{steps.current-time.outputs.unix_time}}
permissions: permissions:
contents: write # required to upload release asset contents: write # required to upload release asset
packages: write packages: write
@@ -38,35 +21,64 @@ jobs:
- name: Get current time - name: Get current time
id: current-time id: current-time
run: echo "unix_time=$(date +'%s')" >> $GITHUB_OUTPUT run: echo "unix_time=$(date +'%s')" >> $GITHUB_OUTPUT
- name: 📥 Download artifact
uses: actions/download-artifact@fa0a91b85d4f404e444e00e005971372dc801d16 # v4 - name: Check it out
uses: actions/checkout@v4
- name: Log in to container registry
uses: docker/login-action@1f401f745bf57e30b3a2800ad308a87d2ebdf14b
with: with:
github-token: ${{ secrets.GITHUB_TOKEN }} registry: ${{ env.REGISTRY }}
run-id: ${{ github.event.workflow_run.id || github.run_id }} username: ${{ github.actor }}
name: build-output password: ${{ secrets.GITHUB_TOKEN }}
path: dist
- name: Yarn cache
uses: actions/setup-node@v4
with:
cache: "yarn"
- name: Install dependencies
run: "yarn install"
- name: Build
run: "yarn run build"
env:
SENTRY_ORG: ${{ secrets.SENTRY_ORG }}
SENTRY_PROJECT: ${{ secrets.SENTRY_PROJECT }}
SENTRY_URL: ${{ secrets.SENTRY_URL }}
SENTRY_AUTH_TOKEN: ${{ secrets.SENTRY_AUTH_TOKEN }}
VITE_APP_VERSION: ${{ github.event.release.tag_name || github.sha }}
- name: Create Tarball - name: Create Tarball
env: env:
TARBALL_VERSION: ${{ github.event.release.tag_name || github.sha }} TARBALL_VERSION: ${{ github.event.release.tag_name || github.sha }}
run: | run: |
tar --numeric-owner --transform "s/dist/element-call-${TARBALL_VERSION}/" -cvzf element-call-${TARBALL_VERSION}.tar.gz dist tar --numeric-owner --transform "s/dist/element-call-${TARBALL_VERSION}/" -cvzf element-call-${TARBALL_VERSION}.tar.gz dist
- name: Upload - name: Upload
uses: actions/upload-artifact@50769540e7f4bd5e21e526ee35c689e35e0d6874 # v4.4.0 uses: actions/upload-artifact@a8a3f3ad30e3422c9c7b888a15615d19a852ae32
env: env:
GITHUB_TOKEN: ${{ github.token }} GITHUB_TOKEN: ${{ github.token }}
with: with:
path: "./element-call-*.tar.gz" path: "./element-call-*.tar.gz"
publish_docker:
needs: publish_tarball - name: Extract metadata (tags, labels) for Docker
if: always() id: meta
permissions: uses: docker/metadata-action@62339db73c56dd749060f65a6ebb93a6e056b755
contents: write
packages: write
uses: ./.github/workflows/docker.yaml
with: with:
artifact_run_id: ${{ github.event.workflow_run.id || github.run_id }} images: ${{ env.REGISTRY }}/${{ env.IMAGE_NAME }}
docker_tags: | tags: |
type=sha,format=short,event=branch type=sha,format=short,event=branch
type=semver,pattern=v{{version}} type=semver,pattern=v{{version}}
type=raw,value=latest-ci,enable={{is_default_branch}} type=raw,value=latest-ci,enable={{is_default_branch}}
type=raw,value=latest-ci_${{needs.publish_tarball.outputs.unix_time}},enable={{is_default_branch}} type=raw,value=latest-ci_${{steps.current-time.outputs.unix_time}},enable={{is_default_branch}}
- name: Set up Docker Buildx
uses: docker/setup-buildx-action@6d5347c4025fdf2bb05167a2519cac535a14a408
- name: Build and push Docker image
uses: docker/build-push-action@fdf7f43ecf7c1a5c7afe936410233728a8c2d9c2
with:
context: .
platforms: linux/amd64,linux/arm64
push: true
tags: ${{ steps.meta.outputs.tags }}
labels: ${{ steps.meta.outputs.labels }}

View File

@@ -1,28 +1,24 @@
name: Run unit tests name: Run jest tests
on: on:
pull_request: {} pull_request: {}
push: push:
branches: [livekit, full-mesh] branches: [livekit, full-mesh]
jobs: jobs:
vitest: jest:
name: Run vitest tests name: Run jest tests
runs-on: ubuntu-latest runs-on: ubuntu-latest
steps: steps:
- name: Checkout code - name: Checkout code
uses: actions/checkout@692973e3d937129bcbf40652eb9f2f61becf3332 # v4 uses: actions/checkout@v4
- name: Yarn cache - name: Yarn cache
uses: actions/setup-node@1e60f620b9541d16bece96c5465dc8ee9832be0b # v4 uses: actions/setup-node@v4
with: with:
cache: "yarn" cache: "yarn"
node-version: "lts/*"
- name: Install dependencies - name: Install dependencies
run: "yarn install" run: "yarn install"
- name: Vitest - name: Jest
run: "yarn run test:coverage" run: "yarn run test"
- name: Upload to codecov - name: Upload to codecov
uses: codecov/codecov-action@e28ff129e5465c2c0dcc6f003fc735cb6ae0c673 # v4 uses: codecov/codecov-action@v3
env:
CODECOV_TOKEN: ${{ secrets.CODECOV_TOKEN }}
with: with:
flags: unittests flags: unittests
fail_ci_if_error: true

View File

@@ -1,57 +0,0 @@
name: Download translation files from Localazy
on:
workflow_dispatch:
secrets:
ELEMENT_BOT_TOKEN:
required: true
jobs:
download:
runs-on: ubuntu-latest
permissions:
contents: read
steps:
- name: Checkout the code
uses: actions/checkout@692973e3d937129bcbf40652eb9f2f61becf3332 # v4
- uses: actions/setup-node@1e60f620b9541d16bece96c5465dc8ee9832be0b # v4
with:
cache: "yarn"
node-version: "lts/*"
- name: Install Deps
run: "yarn install --frozen-lockfile"
- name: Prune i18n
run: "rm -R public/locales"
- name: Download translation files
uses: localazy/download@0a79880fb66150601e3b43606fab69c88123c087 # v1.1.0
with:
groups: "-p includeSourceLang:true"
- name: Fix the owner of the downloaded files
run: "sudo chown runner:docker -R public/locales"
- name: Prettier
run: yarn prettier:format
- name: Create Pull Request
id: cpr
uses: peter-evans/create-pull-request@c5a7806660adbe173f04e3e038b0ccdcd758773c # v6.1.0
with:
token: ${{ secrets.ELEMENT_BOT_TOKEN }}
branch: actions/localazy-download
delete-branch: true
title: Localazy Download
commit-message: Translations updates
labels: |
T-Task
- name: Enable automerge
run: gh pr merge --merge --auto "$PR_NUMBER"
if: steps.cpr.outputs.pull-request-operation == 'created'
env:
GH_TOKEN: ${{ secrets.ELEMENT_BOT_TOKEN }}
PR_NUMBER: ${{ steps.cpr.outputs.pull-request-number }}

View File

@@ -1,22 +0,0 @@
name: Upload translation files to Localazy
on:
push:
branches:
- livekit
paths-ignore:
- ".github/**"
jobs:
upload:
runs-on: ubuntu-latest
permissions:
contents: read
steps:
- name: Checkout the code
uses: actions/checkout@692973e3d937129bcbf40652eb9f2f61becf3332 # v4
- name: Upload
uses: localazy/upload@27e6b5c0fddf4551596b42226b1c24124335d24a # v1
with:
write_key: ${{ secrets.LOCALAZY_WRITE_KEY }}

25
.storybook/main.js Normal file
View File

@@ -0,0 +1,25 @@
const svgrPlugin = require("vite-plugin-svgr");
const path = require("path");
module.exports = {
stories: ["../src/**/*.stories.@(js|jsx|ts|tsx)"],
framework: "@storybook/react",
core: {
builder: "storybook-builder-vite",
},
async viteFinal(config) {
config.plugins = config.plugins.filter(
(item) =>
!(
Array.isArray(item) &&
item.length > 0 &&
item[0].name === "vite-plugin-mdx"
),
);
config.plugins.push(svgrPlugin());
config.resolve = config.resolve || {};
config.resolve.dedupe = config.resolve.dedupe || [];
config.resolve.dedupe.push("react", "react-dom", "matrix-js-sdk");
return config;
},
};

24
.storybook/preview.jsx Normal file
View File

@@ -0,0 +1,24 @@
import { addDecorator } from "@storybook/react";
import { MemoryRouter } from "react-router-dom";
import { usePageFocusStyle } from "../src/usePageFocusStyle";
import { OverlayProvider } from "@react-aria/overlays";
import "../src/index.css";
export const parameters = {
actions: { argTypesRegex: "^on[A-Z].*" },
controls: {
matchers: {
color: /(background|color)$/i,
date: /Date$/,
},
},
};
addDecorator((story) => {
usePageFocusStyle();
return (
<MemoryRouter initialEntries={["/"]}>
<OverlayProvider>{story()}</OverlayProvider>
</MemoryRouter>
);
});

View File

@@ -1,11 +1,11 @@
# Element Call # Element Call
[![Chat](https://img.shields.io/matrix/webrtc:matrix.org)](https://matrix.to/#/#webrtc:matrix.org) [![Chat](https://img.shields.io/matrix/webrtc:matrix.org)](https://matrix.to/#/#webrtc:matrix.org)
[![Localazy](https://img.shields.io/endpoint?url=https%3A%2F%2Fconnect.localazy.com%2Fstatus%2Felement-call%2Fdata%3Fcontent%3Dall%26title%3Dlocalazy%26logo%3Dtrue)](https://localazy.com/p/element-call) [![Translate](https://translate.element.io/widgets/element-call/-/element-call/svg-badge.svg)](https://translate.element.io/engage/element-call/)
Group calls with WebRTC that leverage [Matrix](https://matrix.org) and an open-source WebRTC toolkit from [LiveKit](https://livekit.io/). Group calls with WebRTC that leverage [Matrix](https://matrix.org) and an open-source WebRTC toolkit from [LiveKit](https://livekit.io/).
For prior version of the Element Call that relied solely on full-mesh logic, check [`full-mesh`](https://github.com/element-hq/element-call/tree/full-mesh) branch. For prior version of the Element Call that relied solely on full-mesh logic, check [`full-mesh`](https://github.com/vector-im/element-call/tree/full-mesh) branch.
![A demo of Element Call with six people](demo.jpg) ![A demo of Element Call with six people](demo.jpg)
@@ -16,13 +16,13 @@ To try it out, visit our hosted version at [call.element.io](https://call.elemen
Until prebuilt tarballs are available, you'll need to build Element Call from source. First, clone and install the package: Until prebuilt tarballs are available, you'll need to build Element Call from source. First, clone and install the package:
``` ```
git clone https://github.com/element-hq/element-call.git git clone https://github.com/vector-im/element-call.git
cd element-call cd element-call
yarn yarn
yarn build yarn build
``` ```
If all went well, you can now find the build output under `dist` as a series of static files. These can be hosted using any web server that can be configured with custom routes (see below). If all went well, you can now find the build output under `dist` as a series of static files. These can be hosted using any web server of your choice.
You may also wish to add a configuration file (Element Call uses the domain it's hosted on as a Homeserver URL by default, You may also wish to add a configuration file (Element Call uses the domain it's hosted on as a Homeserver URL by default,
but you can change this in the config file). This goes in `public/config.json` - you can use the sample as a starting point: but you can change this in the config file). This goes in `public/config.json` - you can use the sample as a starting point:
@@ -54,41 +54,9 @@ Therefore, to use a self-hosted homeserver, this is recommended to be a new serv
There are currently two different config files. `.env` holds variables that are used at build time, while `public/config.json` holds variables that are used at runtime. Documentation and default values for `public/config.json` can be found in [ConfigOptions.ts](src/config/ConfigOptions.ts). There are currently two different config files. `.env` holds variables that are used at build time, while `public/config.json` holds variables that are used at runtime. Documentation and default values for `public/config.json` can be found in [ConfigOptions.ts](src/config/ConfigOptions.ts).
If you're using [Synapse](https://github.com/element-hq/synapse/), you'll need to additionally add the following to `homeserver.yaml` or Element Call won't work:
```
experimental_features:
msc3266_enabled: true
```
MSC3266 allows to request a room summary of rooms you are not joined.
The summary contains the room join rules. We need that to decide if the user gets prompted with the option to knock ("ask to join"), a cannot join error or the join view.
Element Call requires a Livekit SFU behind a Livekit jwt service to work. The url to the Livekit jwt service can either be configured in the config of Element Call (fallback/legacy configuration) or be configured by your homeserver via the `.well-known`.
This is the recommended method.
The configuration is a list of Foci configs:
```json
"org.matrix.msc4143.rtc_foci": [
{
"type": "livekit",
"livekit_service_url": "https://someurl.com"
},
{
"type": "livekit",
"livekit_service_url": "https://livekit2.com"
},
{
"type": "another_foci",
"props_for_another_foci": "val"
},
]
```
## Translation ## Translation
If you'd like to help translate Element Call, head over to [Localazy](https://localazy.com/p/element-call). You're also encouraged to join the [Element Translators](https://matrix.to/#/#translators:element.io) space to discuss and coordinate translation efforts. If you'd like to help translate Element Call, head over to [translate.element.io](https://translate.element.io/engage/element-call/). You're also encouraged to join the [Element Translators](https://matrix.to/#/#translators:element.io) space to discuss and coordinate translation efforts.
## Development ## Development
@@ -106,7 +74,7 @@ yarn link
Next, we can set up this project: Next, we can set up this project:
``` ```
git clone https://github.com/element-hq/element-call.git git clone https://github.com/vector-im/element-call.git
cd element-call cd element-call
yarn yarn
yarn link matrix-js-sdk yarn link matrix-js-sdk
@@ -125,14 +93,12 @@ service for development. These use a test 'secret' published in this
repository, so this must be used only for local development and repository, so this must be used only for local development and
**_never be exposed to the public Internet._** **_never be exposed to the public Internet._**
To use it, add a SFU parameter in your local config `./public/config.json`: To use it, add SFU parameter in your local config `./public/config.yml`:
(Be aware, that this is only the fallback Livekit SFU. If the homeserver
advertises one in the client well-known, this will not be used.)
```json ```yaml
"livekit": { "livekit": {
"livekit_service_url": "http://localhost:7881" "jwt_service_url": "http://localhost:8881"
}, },
``` ```
Run backend components: Run backend components:
@@ -141,32 +107,6 @@ Run backend components:
yarn backend yarn backend
``` ```
### Test Coverage
<img src="https://codecov.io/github/element-hq/element-call/graphs/tree.svg?token=O6CFVKK6I1"></img>
### Add a new translation key
To add a new translation key you can do these steps:
1. Add the new key entry to the code where the new key is used: `t("some_new_key")`
1. Run `yarn i18n` to extract the new key and update the translation files. This will add a skeleton entry to the `public/locales/en-GB/app.json` file:
```jsonc
{
...
"some_new_key": "",
...
}
```
1. Update the skeleton entry in the `public/locales/en-GB/app.json` file with the English translation:
```jsonc
{
...
"some_new_key": "Some new key",
...
}
```
## Documentation ## Documentation
Usage and other technical details about the project can be found here: Usage and other technical details about the project can be found here:

View File

@@ -5,7 +5,7 @@ networks:
services: services:
auth-service: auth-service:
image: ghcr.io/element-hq/lk-jwt-service:latest-ci image: ghcr.io/vector-im/lk-jwt-service:latest-ci
hostname: auth-server hostname: auth-server
ports: ports:
- 8881:8080 - 8881:8080

View File

@@ -1,4 +1,5 @@
port: 7880 port: 7880
environment: dev
bind_addresses: bind_addresses:
- "0.0.0.0" - "0.0.0.0"
rtc: rtc:
@@ -21,3 +22,5 @@ turn:
external_tls: true external_tls: true
keys: keys:
devkey: secret devkey: secret
signal_relay:
enabled: true

View File

@@ -1,15 +0,0 @@
# Don't post comments on PRs; they're noisy and the same information can be
# gotten through the checks section at the bottom of the PR anyways
comment: false
coverage:
status:
project:
default:
# Track the impact of changes on overall coverage without blocking PRs
informational: true
patch:
default:
# Encourage (but don't enforce) 80% coverage on all lines that a PR
# touches
target: 80%
informational: true

View File

@@ -5,11 +5,5 @@
"server_name": "call.ems.host" "server_name": "call.ems.host"
} }
}, },
"livekit": {
"livekit_service_url": "http://localhost:7881"
},
"features": {
"feature_use_device_session_member_events": true
},
"eula": "https://static.element.io/legal/online-EULA.pdf" "eula": "https://static.element.io/legal/online-EULA.pdf"
} }

View File

@@ -0,0 +1,19 @@
{
"default_server_config": {
"m.homeserver": {
"base_url": "https://call.ems.host",
"server_name": "call.ems.host"
}
},
"posthog": {
"api_key": "phc_rXGHx9vDmyEvyRxPziYtdVIv0ahEv8A9uLWFcCi1WcU",
"api_host": "https://posthog-element-call.element.io"
},
"sentry": {
"environment": "main-branch-cd",
"DSN": "https://b1e328d49be3402ba96101338989fb35@sentry.matrix.org/41"
},
"rageshake": {
"submit_url": "https://element.io/bugreports/submit"
}
}

View File

@@ -8,9 +8,6 @@
"livekit": { "livekit": {
"livekit_service_url": "https://livekit-jwt.call.element.dev" "livekit_service_url": "https://livekit-jwt.call.element.dev"
}, },
"features": {
"feature_use_device_session_member_events": true
},
"posthog": { "posthog": {
"api_key": "phc_rXGHx9vDmyEvyRxPziYtdVIv0ahEv8A9uLWFcCi1WcU", "api_key": "phc_rXGHx9vDmyEvyRxPziYtdVIv0ahEv8A9uLWFcCi1WcU",
"api_host": "https://posthog-element-call.element.io" "api_host": "https://posthog-element-call.element.io"

View File

@@ -1,30 +0,0 @@
<VirtualHost *:8080>
ServerName localhost
DocumentRoot "/app"
<Location "/">
# disable cache entriely by default (apart from Etag which is accurate enough)
Header add Cache-Control "private no-store, no-cache, must-revalidate, proxy-revalidate, max-age=0"
CacheDisable on
ExpiresActive off
# also turn off last-modified since they are just the timestamps of the file in the docker image
# and may or may not bear any resemblance to when the resource changed
Header add Last-Modified ""
DirectoryIndex index.html
</Location>
# assets can be cached because they have hashed filenames
<Location "/assets">
ExpiresActive on
ExpiresDefault "access plus 1 week"
Header add Cache-Control "public, no-transform"
</Location>
<Location "/apple-app-site-association">
ForceType application/json
</Location>
</VirtualHost>

View File

@@ -2,6 +2,5 @@
This folder contains documentation for Element Call setup and usage. This folder contains documentation for Element Call setup and usage.
- [Embedded vs standalone mode](./embedded-standalone.md)
- [Url format and parameters](./url-params.md) - [Url format and parameters](./url-params.md)
- [Global JS controls](./controls.md) - [Embedded vs standalone mode](./embedded-standalone.md)

View File

@@ -1,7 +0,0 @@
# Global JS controls
A few aspects of Element Call's interface can be controlled through a global API on the `window`:
- `controls.canEnterPip(): boolean` Determines whether it's possible to enter picture-in-picture mode.
- `controls.enablePip(): void` Puts the call interface into picture-in-picture mode. Throws if not in a call.
- `controls.disablePip(): void` Takes the call interface out of picture-in-picture mode, restoring it to its natural display mode. Throws if not in a call.

View File

@@ -1,76 +1,57 @@
# Url Format and parameters ## Url Format and parameters
There are two formats for Element Call urls. There are two formats for Element Call urls.
- **Current Format** - **Current Format**
```
```text
https://element_call.domain/room/# https://element_call.domain/room/#
/<room_name_alias>?roomId=!id:domain&password=1234&<other params see below> /<room_name_alias>?roomId=!id:domain&password=1234&<other params see below>
``` ```
The url is split into two sections. The `https://element_call.domain/room/#` contains the app and the intend that the link brings you into a specific room (`https://call.element.io/#` would be the homepage). The fragment is used for query parameters to make sure they never get sent to the element_call.domain server. Here we have the actual matrix roomId and the password which are used to connect all participants with e2ee. This allows that `<room_name_alias>` does not need to be unique. Multiple meetings with the label weekly-sync can be created without collisions.
The url is split into two sections. The `https://element_call.domain/room/#`
contains the app and the intend that the link brings you into a specific room
(`https://call.element.io/#` would be the homepage). The fragment is used for
query parameters to make sure they never get sent to the element_call.domain
server. Here we have the actual matrix roomId and the password which are used
to connect all participants with e2ee. This allows that `<room_name_alias>` does
not need to be unique. Multiple meetings with the label weekly-sync can be created
without collisions.
- **deprecated** - **deprecated**
```
```text
https://element_call.domain/<room_name> https://element_call.domain/<room_name>
``` ```
With this format the livekit alias that will be used is the `<room_name>`. All ppl connecting to this url will end up in the same unencrypted room. This does not scale, is super unsecure (ppl could end up in the same room by accident) and it also is not really possible to support encryption.
With this format the livekit alias that will be used is the `<room_name>`.
All ppl connecting to this url will end up in the same unencrypted room.
This does not scale, is super unsecure
(ppl could end up in the same room by accident) and it also is not really
possible to support encryption.
The url parameters are spit into two categories: **general** and **widget related**. The url parameters are spit into two categories: **general** and **widget related**.
## Widget related params ### Widget related params
**widgetId** **widgetId**
The id used by the widget. The presence of this parameter implies that element The id used by the widget. The presence of this parameter inplis that elemetn call will not connect to a homeserver directly and instead tries to establish postMessage communication via the `parentUrl`
call will not connect to a homeserver directly and instead tries to establish
postMessage communication via the `parentUrl`.
```ts ```
widgetId: string | null; widgetId: string | null;
``` ```
**parentUrl** **parentUrl**
The url used to send widget action postMessages. This should be the domain of The url used to send widget action postMessages. This should be the domain of the client
the client or the webview the widget is hosted in. (in case the widget is not or the webview the widget is hosted in. (in case the widget is not in an Iframe but in a
in an Iframe but in a dedicated webview we send the postMessages same webview dedicated webview we send the postMessages same webview the widget lives in. Filtering is
the widget lives in. Filtering is done in the widget so it ignores the messages done in the widget so it ignores the messages it receives from itself)
it receives from itself)
```ts ```
parentUrl: string | null; parentUrl: string | null;
``` ```
**userId** **userId**
The user's ID (only used in matryoshka mode). The user's ID (only used in matryoshka mode).
```ts ```
userId: string | null; userId: string | null;
``` ```
**deviceId** **deviceId**
The device's ID (only used in matryoshka mode). The device's ID (only used in matryoshka mode).
```ts ```
deviceId: string | null; deviceId: string | null;
``` ```
**baseUrl** **baseUrl**
The base URL of the homeserver to use for media lookups in matryoshka mode. The base URL of the homeserver to use for media lookups in matryoshka mode.
```ts ```
baseUrl: string | null; baseUrl: string | null;
``` ```
@@ -83,14 +64,14 @@ roomId is an exception as we need the room ID in embedded (matroyska) mode, and
the room alias (or even the via params because we are not trying to join it). This the room alias (or even the via params because we are not trying to join it). This
is also not validated, where it is in useRoomIdentifier(). is also not validated, where it is in useRoomIdentifier().
```ts ```
roomId: string | null; roomId: string | null;
``` ```
**confineToRoom** **confineToRoom**
Whether the app should keep the user confined to the current call/room. Whether the app should keep the user confined to the current call/room.
```ts ```
confineToRoom: boolean; (default: false) confineToRoom: boolean; (default: false)
``` ```
@@ -98,7 +79,7 @@ confineToRoom: boolean; (default: false)
Whether upon entering a room, the user should be prompted to launch the Whether upon entering a room, the user should be prompted to launch the
native mobile app. (Affects only Android and iOS.) native mobile app. (Affects only Android and iOS.)
```ts ```
appPrompt: boolean; (default: true) appPrompt: boolean; (default: true)
``` ```
@@ -106,37 +87,35 @@ appPrompt: boolean; (default: true)
Whether the app should pause before joining the call until it sees an Whether the app should pause before joining the call until it sees an
io.element.join widget action, allowing it to be preloaded. io.element.join widget action, allowing it to be preloaded.
```ts ```
preload: boolean; (default: false) preload: boolean; (default: false)
``` ```
**hideHeader** **hideHeader**
Whether to hide the room header when in a call. Whether to hide the room header when in a call.
```ts ```
hideHeader: boolean; (default: false) hideHeader: boolean; (default: false)
``` ```
**showControls** **showControls**
Whether to show the buttons to mute, screen-share, invite, hangup are shown Whether to show the buttons to mute, screen-share, invite, hangup are shown when in a call.
when in a call.
```ts ```
showControls: boolean; (default: true) showControls: boolean; (default: true)
``` ```
**hideScreensharing** **hideScreensharing**
Whether to hide the screen-sharing button. Whether to hide the screen-sharing button.
```ts ```
hideScreensharing: boolean; (default: false) hideScreensharing: boolean; (default: false)
``` ```
**enableE2EE** (Deprecated) **enableE2EE**
Whether to use end-to-end encryption. This is a legacy flag for the full mesh branch. Whether to use end-to-end encryption.
It is not used on the livekit branch and has no impact there!
```ts ```
enableE2EE: boolean; (default: true) enableE2EE: boolean; (default: true)
``` ```
@@ -144,29 +123,28 @@ enableE2EE: boolean; (default: true)
Whether to use per participant encryption. Whether to use per participant encryption.
Keys will be exchanged over encrypted matrix room messages. Keys will be exchanged over encrypted matrix room messages.
```ts ```
perParticipantE2EE: boolean; (default: false) perParticipantE2EE: boolean; (default: false)
``` ```
**password** **password**
E2EE password when using a shared secret. E2EE password when using a shared secret. (For individual sender keys in embedded mode this is not required.)
(For individual sender keys in embedded mode this is not required.)
```ts ```
password: string | null; password: string | null;
``` ```
**displayName** **displayName**
The display name to use for auto-registration. The display name to use for auto-registration.
```ts ```
displayName: string | null; displayName: string | null;
``` ```
**lang** **lang**
The BCP 47 code of the language the app should use. The BCP 47 code of the language the app should use.
```ts ```
lang: string | null; lang: string | null;
``` ```
@@ -174,7 +152,7 @@ lang: string | null;
The font/fonts which the interface should use. The font/fonts which the interface should use.
There can be multiple font url parameters: `?font=font-one&font=font-two...` There can be multiple font url parameters: `?font=font-one&font=font-two...`
```ts ```
font: string; font: string;
font: string; font: string;
... ...
@@ -183,15 +161,14 @@ font: string;
**fontScale** **fontScale**
The factor by which to scale the interface's font size. The factor by which to scale the interface's font size.
```ts ```
fontScale: number | null; fontScale: number | null;
``` ```
**analyticsID** **analyticsID**
The Posthog analytics ID. It is only available if the user has given consent for The Posthog analytics ID. It is only available if the user has given consent for sharing telemetry in element web.
sharing telemetry in element web.
```ts ```
analyticsID: string | null; analyticsID: string | null;
``` ```
@@ -199,7 +176,7 @@ analyticsID: string | null;
Whether the app is allowed to use fallback STUN servers for ICE in case the Whether the app is allowed to use fallback STUN servers for ICE in case the
user's homeserver doesn't provide any. user's homeserver doesn't provide any.
```ts ```
allowIceFallback: boolean; (default: false) allowIceFallback: boolean; (default: false)
``` ```
@@ -208,45 +185,6 @@ Setting this flag skips the lobby and brings you in the call directly.
In the widget this can be combined with preload to pass the device settings In the widget this can be combined with preload to pass the device settings
with the join widget action. with the join widget action.
```ts ```
skipLobby: boolean; (default: false) skipLobby: boolean; (default: false)
``` ```
**returnToLobby**
Setting this flag makes element call show the lobby in widget mode after leaving
a call.
This is useful for video rooms.
If set to false, the widget will show a blank page after leaving the call.
```ts
returnToLobby: boolean; (default: false)
```
**theme**
The theme to use for element call.
can be "light", "dark", "light-high-contrast" or "dark-high-contrast".
If not set element call will use the dark theme.
```ts
theme: string | null;
```
**viaServers**
This defines the homeserver that is going to be used when joining a room.
It has to be set to a non default value for links to rooms
that are not on the default homeserver,
that is in use for the current user.
```ts
viaServers: string; (default: undefined)
```
**homeserver**
This defines the homeserver that is going to be used when registering
a new (guest) user.
This can be user to configure a non default guest user server when
creating a spa link.
```ts
homeserver: string; (default: undefined)
```

View File

@@ -1,8 +1,8 @@
export default { export default {
keySeparator: ".", keySeparator: false,
namespaceSeparator: false, namespaceSeparator: false,
contextSeparator: "|", contextSeparator: "|",
pluralSeparator: "_", pluralSeparator: "|",
createOldCatalogs: false, createOldCatalogs: false,
defaultNamespace: "app", defaultNamespace: "app",
lexers: { lexers: {
@@ -10,14 +10,7 @@ export default {
{ {
lexer: "JavascriptLexer", lexer: "JavascriptLexer",
functions: ["t", "translatedError"], functions: ["t", "translatedError"],
namespaceFunctions: ["useTranslation", "withTranslation"], functionsNamespace: ["useTranslation", "withTranslation"],
},
],
tsx: [
{
lexer: "JsxLexer",
functions: ["t", "translatedError"],
namespaceFunctions: ["useTranslation", "withTranslation"],
}, },
], ],
}, },
@@ -25,4 +18,6 @@ export default {
output: "public/locales/$LOCALE/$NAMESPACE.json", output: "public/locales/$LOCALE/$NAMESPACE.json",
input: ["src/**/*.{ts,tsx}"], input: ["src/**/*.{ts,tsx}"],
sort: true, sort: true,
// The key becomes the English version of the string
defaultValue: (_l, _ns, key) => key,
}; };

30
knip.ts
View File

@@ -1,30 +0,0 @@
import { KnipConfig } from "knip";
export default {
entry: ["src/main.tsx", "i18next-parser.config.ts"],
ignoreBinaries: [
// This is deprecated, so Knip doesn't actually recognize it as a globally
// installed binary. TODO We should switch to Compose v2:
// https://docs.docker.com/compose/migrate/
"docker-compose",
],
ignoreDependencies: [
// Used in CSS
"normalize.css",
// Used for its global type declarations
"@types/grecaptcha",
// Because we use matrix-js-sdk as a Git dependency rather than consuming
// the proper release artifacts, and also import directly from src/, we're
// forced to re-install some of the types that it depends on even though
// these look unused to Knip
"@types/content-type",
"@types/sdp-transform",
"@types/uuid",
// We obviously use this, but if the package has been linked with yarn link,
// then Knip will flag it as a false positive
// https://github.com/webpro-nl/knip/issues/766
"@vector-im/compound-web",
"matrix-widget-api",
],
ignoreExportsUsedInFile: true,
} satisfies KnipConfig;

View File

@@ -1,33 +0,0 @@
{
"readKey": "a7580769542256117579-70975387172511848f4c6533943d776547bad4853931ba352ee684b738f4494e",
"upload": {
"type": "json",
"deprecate": "file",
"features": ["plural_postfix_us", "filter_untranslated"],
"files": [
{
"pattern": "public/locales/en-GB/*.json",
"lang": "inherited"
},
{
"group": "existing",
"pattern": "public/locales/*/*.json",
"excludes": ["public/locales/en-GB/*.json"],
"lang": "${autodetectLang}"
}
]
},
"download": {
"files": [
{
"output": "public/locales/${langLsrDash}/${file}"
}
],
"includeSourceLang": "${includeSourceLang|false}",
"langAliases": {
"en": "en_GB"
}
}
}

View File

@@ -1,5 +1,4 @@
{ {
"name": "element-call",
"version": "0.0.0", "version": "0.0.0",
"type": "module", "type": "module",
"scripts": { "scripts": {
@@ -8,60 +7,100 @@
"serve": "vite preview", "serve": "vite preview",
"prettier:check": "prettier -c .", "prettier:check": "prettier -c .",
"prettier:format": "prettier -w .", "prettier:format": "prettier -w .",
"lint": "yarn lint:types && yarn lint:eslint && yarn lint:knip", "lint": "yarn lint:types && yarn lint:eslint",
"lint:eslint": "eslint --max-warnings 0 src", "lint:eslint": "eslint --max-warnings 0 src",
"lint:eslint-fix": "eslint --max-warnings 0 src --fix", "lint:eslint-fix": "eslint --max-warnings 0 src --fix",
"lint:knip": "knip",
"lint:types": "tsc", "lint:types": "tsc",
"i18n": "i18next", "i18n": "node_modules/i18next-parser/bin/cli.js",
"i18n:check": "i18next --fail-on-warnings --fail-on-update", "i18n:check": "node_modules/i18next-parser/bin/cli.js --fail-on-warnings --fail-on-update",
"test": "vitest", "test": "jest",
"test:coverage": "vitest --coverage",
"backend": "docker-compose -f backend-docker-compose.yml up" "backend": "docker-compose -f backend-docker-compose.yml up"
}, },
"dependencies": {
"@juggle/resize-observer": "^3.3.1",
"@livekit/components-react": "^1.1.0",
"@matrix-org/olm": "https://gitlab.matrix.org/api/v4/projects/27/packages/npm/@matrix-org/olm/-/@matrix-org/olm-3.2.14.tgz",
"@opentelemetry/api": "^1.4.0",
"@opentelemetry/context-zone": "^1.9.1",
"@opentelemetry/exporter-jaeger": "^1.9.1",
"@opentelemetry/exporter-trace-otlp-http": "^0.45.0",
"@opentelemetry/instrumentation-document-load": "^0.33.0",
"@opentelemetry/instrumentation-user-interaction": "^0.33.0",
"@opentelemetry/sdk-trace-web": "^1.9.1",
"@radix-ui/react-dialog": "^1.0.4",
"@radix-ui/react-visually-hidden": "^1.0.3",
"@react-aria/button": "^3.3.4",
"@react-aria/focus": "^3.5.0",
"@react-aria/menu": "^3.3.0",
"@react-aria/overlays": "^3.7.3",
"@react-aria/select": "^3.6.0",
"@react-aria/tabs": "^3.1.0",
"@react-aria/tooltip": "^3.1.3",
"@react-aria/utils": "^3.10.0",
"@react-spring/web": "^9.4.4",
"@react-stately/collections": "^3.3.4",
"@react-stately/select": "^3.1.3",
"@react-stately/tooltip": "^3.0.5",
"@react-stately/tree": "^3.2.0",
"@sentry/react": "^7.0.0",
"@sentry/tracing": "^7.0.0",
"@types/lodash": "^4.14.199",
"@use-gesture/react": "^10.2.11",
"@vector-im/compound-design-tokens": "^0.0.7",
"@vector-im/compound-web": "^0.6.0",
"@vitejs/plugin-basic-ssl": "^1.0.1",
"@vitejs/plugin-react": "^4.0.1",
"buffer": "^6.0.3",
"classnames": "^2.3.1",
"events": "^3.3.0",
"i18next": "^23.0.0",
"i18next-browser-languagedetector": "^7.0.0",
"i18next-http-backend": "^2.0.0",
"livekit-client": "^1.12.3",
"lodash": "^4.17.21",
"matrix-js-sdk": "github:matrix-org/matrix-js-sdk#4ce837b20e638a185f9002b2388fbaf48975ee6e",
"matrix-widget-api": "^1.3.1",
"normalize.css": "^8.0.1",
"pako": "^2.0.4",
"postcss-preset-env": "^9.0.0",
"posthog-js": "^1.29.0",
"react": "18",
"react-dom": "18",
"react-i18next": "^13.0.0",
"react-router-dom": "^5.2.0",
"react-use-clipboard": "^1.0.7",
"react-use-measure": "^2.1.1",
"sdp-transform": "^2.14.1",
"tinyqueue": "^2.0.3",
"unique-names-generator": "^4.6.0",
"uuid": "9",
"vaul": "^0.7.0"
},
"devDependencies": { "devDependencies": {
"@babel/core": "^7.16.5", "@babel/core": "^7.16.5",
"@babel/preset-env": "^7.22.20", "@babel/preset-env": "^7.22.20",
"@babel/preset-react": "^7.22.15", "@babel/preset-react": "^7.22.15",
"@babel/preset-typescript": "^7.23.0", "@babel/preset-typescript": "^7.23.0",
"@livekit/components-core": "^0.11.0", "@react-spring/rafz": "^9.7.3",
"@livekit/components-react": "^2.0.0", "@react-types/dialog": "^3.5.5",
"@opentelemetry/api": "^1.4.0",
"@opentelemetry/core": "^1.25.1",
"@opentelemetry/exporter-trace-otlp-http": "^0.53.0",
"@opentelemetry/resources": "^1.25.1",
"@opentelemetry/sdk-trace-base": "^1.25.1",
"@opentelemetry/sdk-trace-web": "^1.9.1",
"@opentelemetry/semantic-conventions": "^1.25.1",
"@radix-ui/react-dialog": "^1.0.4",
"@radix-ui/react-slider": "^1.1.2",
"@radix-ui/react-visually-hidden": "^1.0.3",
"@react-spring/web": "^9.4.4",
"@sentry/react": "^8.0.0",
"@sentry/vite-plugin": "^2.0.0", "@sentry/vite-plugin": "^2.0.0",
"@testing-library/dom": "^10.1.0", "@testing-library/jest-dom": "^6.0.0",
"@testing-library/react": "^16.0.0", "@testing-library/react": "^14.0.0",
"@testing-library/user-event": "^14.5.1", "@testing-library/user-event": "^14.5.1",
"@types/content-type": "^1.1.5", "@types/content-type": "^1.1.5",
"@types/grecaptcha": "^3.0.9", "@types/dom-screen-wake-lock": "^1.0.1",
"@types/jsdom": "^21.1.7", "@types/dompurify": "^3.0.2",
"@types/lodash": "^4.14.199", "@types/grecaptcha": "^3.0.4",
"@types/jest": "^29.5.5",
"@types/node": "^20.0.0", "@types/node": "^20.0.0",
"@types/qrcode": "^1.5.5",
"@types/react-dom": "^18.3.0",
"@types/react-router-dom": "^5.3.3", "@types/react-router-dom": "^5.3.3",
"@types/request": "^2.48.8",
"@types/sdp-transform": "^2.4.5", "@types/sdp-transform": "^2.4.5",
"@types/uuid": "10", "@types/uuid": "9",
"@typescript-eslint/eslint-plugin": "^8.0.0", "@typescript-eslint/eslint-plugin": "^6.1.0",
"@typescript-eslint/parser": "^8.0.0", "@typescript-eslint/parser": "^6.1.0",
"@use-gesture/react": "^10.2.11", "babel-loader": "^9.0.0",
"@vector-im/compound-design-tokens": "^1.0.0",
"@vector-im/compound-web": "^6.0.0",
"@vitejs/plugin-basic-ssl": "^1.0.1",
"@vitejs/plugin-react": "^4.0.1",
"@vitest/coverage-v8": "^2.0.5",
"babel-plugin-transform-vite-meta-env": "^1.0.3", "babel-plugin-transform-vite-meta-env": "^1.0.3",
"classnames": "^2.3.1",
"eslint": "^8.14.0", "eslint": "^8.14.0",
"eslint-config-google": "^0.14.0", "eslint-config-google": "^0.14.0",
"eslint-config-prettier": "^9.0.0", "eslint-config-prettier": "^9.0.0",
@@ -71,43 +110,39 @@
"eslint-plugin-matrix-org": "^1.2.1", "eslint-plugin-matrix-org": "^1.2.1",
"eslint-plugin-react": "^7.29.4", "eslint-plugin-react": "^7.29.4",
"eslint-plugin-react-hooks": "^4.5.0", "eslint-plugin-react-hooks": "^4.5.0",
"eslint-plugin-unicorn": "^55.0.0", "eslint-plugin-unicorn": "^49.0.0",
"global-jsdom": "^24.0.0", "i18next-parser": "^8.0.0",
"history": "^4.0.0", "identity-obj-proxy": "^3.0.0",
"i18next": "^23.0.0", "jest": "^29.2.2",
"i18next-browser-languagedetector": "^8.0.0", "jest-environment-jsdom": "^29.3.1",
"i18next-http-backend": "^2.0.0", "jest-mock": "^29.5.0",
"i18next-parser": "^9.0.0",
"jsdom": "^25.0.0",
"knip": "^5.27.2",
"livekit-client": "^2.0.2",
"lodash": "^4.17.21",
"loglevel": "^1.9.1",
"matrix-js-sdk": "matrix-org/matrix-js-sdk#169e8f86139111574a3738f8557c6fa4b2a199db",
"matrix-widget-api": "^1.8.2",
"normalize.css": "^8.0.1",
"observable-hooks": "^4.2.3",
"pako": "^2.0.4",
"postcss": "^8.4.41",
"postcss-preset-env": "^10.0.0",
"posthog-js": "^1.29.0",
"prettier": "^3.0.0", "prettier": "^3.0.0",
"qrcode": "^1.5.4",
"react": "18",
"react-dom": "18",
"react-i18next": "^15.0.0",
"react-router-dom": "^5.2.0",
"react-use-clipboard": "^1.0.7",
"react-use-measure": "^2.1.1",
"rxjs": "^7.8.1",
"sass": "^1.42.1", "sass": "^1.42.1",
"typescript": "^5.1.6", "typescript": "^5.1.6",
"typescript-eslint-language-service": "^5.0.5", "typescript-eslint-language-service": "^5.0.5",
"unique-names-generator": "^4.6.0", "vite": "^4.2.0",
"vaul": "^0.9.0",
"vite": "^5.0.0",
"vite-plugin-html-template": "^1.1.0", "vite-plugin-html-template": "^1.1.0",
"vite-plugin-svgr": "^4.0.0", "vite-plugin-svgr": "^4.0.0"
"vitest": "^2.0.0" },
"jest": {
"testEnvironment": "./test/environment.ts",
"testMatch": [
"<rootDir>/test/**/*-test.[jt]s?(x)"
],
"transformIgnorePatterns": [
"/node_modules/(?!d3)+$",
"/node_modules/(?!internmap)+$"
],
"moduleNameMapper": {
"\\.css$": "identity-obj-proxy",
"\\.svg\\?react$": "<rootDir>/test/mocks/svgr.ts",
"^\\./IndexedDBWorker\\?worker$": "<rootDir>/test/mocks/workerMock.ts",
"^\\./olm$": "<rootDir>/test/mocks/olmMock.ts"
},
"collectCoverage": true,
"coverageReporters": [
"text",
"cobertura"
]
} }
} }

View File

@@ -13,8 +13,7 @@
</script> </script>
</head> </head>
<!-- The default class is: .no-theme {display: none}. It will be overwritten once the app is loaded. --> <body class="cpd-theme-dark">
<body class="no-theme">
<div id="root"></div> <div id="root"></div>
</body> </body>
</html> </html>

View File

@@ -1,75 +1,60 @@
{ {
"a11y": { "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>Вече имате акаунт?</0><1><0>Влезте с него</0> или <2>Влезте като гост</2></1>",
"user_menu": "Потребителско меню" "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Създайте акаунт</0> или <2>Влезте като гост</2>",
}, "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>Защо не настройте парола за да запазите акаунта си?</0><1>Ще можете да запазите името и аватара си за бъдещи разговори</1>",
"action": { "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "Друг потребител в този разговор има проблем. За да диагностицираме този проблем по-добре ни се иска да съберем debug логове.",
"close": "Затвори", "Audio": "Звук",
"go": "Напред", "Avatar": "Аватар",
"no": "Не", "Camera": "Камера",
"register": "Регистрация", "Close": "Затвори",
"remove": "Премахни", "Confirm password": "Потвърди паролата",
"sign_in": "Влез", "Copied!": "Копирано!",
"sign_out": "Излез" "Create account": "Създай акаунт",
}, "Debug log request": "Заявка за debug логове",
"call_ended_view": { "Developer": "Разработчик",
"create_account_button": "Създай акаунт", "Display name": "Име/псевдоним",
"create_account_prompt": "<0>Защо не настройте парола за да запазите акаунта си?</0><1>Ще можете да запазите името и аватара си за бъдещи разговори</1>", "Exit full screen": "Излез от цял екран",
"not_now_button": "Не сега, върни се на началния екран" "Full screen": "Цял екран",
}, "Go": "Напред",
"common": { "Home": "Начало",
"audio": "Звук", "Include debug logs": "Включи debug логове",
"avatar": "Аватар", "Join call": "Влез в разговора",
"camera": "Камера", "Join call now": "Влез в разговора сега",
"copied": "Копирано!", "Join existing call?": "Присъединяване към съществуващ разговор?",
"display_name": "Име/псевдоним", "Loading…": "Зареждане…",
"home": "Начало", "Local volume": "Локална сила на звука",
"loading": "Зареждане…", "Logging in…": "Влизане…",
"microphone": "Микрофон", "Login": "Влез",
"password": "Парола", "Login to your account": "Влезте в акаунта си",
"profile": "Профил", "Microphone": "Микрофон",
"settings": "Настройки", "More": "Още",
"username": "Потребителско име", "No": "Не",
"video": "Видео" "Not now, return to home screen": "Не сега, върни се на началния екран",
}, "Not registered yet? <2>Create an account</2>": "Все още не сте регистрирани? <2>Създайте акаунт</2>",
"join_existing_call_modal": { "Password": "Парола",
"join_button": "Да, присъедини се", "Passwords must match": "Паролите не съвпадат",
"text": "Този разговор вече съществува, искате ли да се присъедините?", "Profile": "Профил",
"title": "Присъединяване към съществуващ разговор?" "Recaptcha dismissed": "Recaptcha отхвърлена",
}, "Recaptcha not loaded": "Recaptcha не е заредена",
"layout_spotlight_label": "Прожектор", "Register": "Регистрация",
"lobby": { "Registering…": "Регистриране…",
"join_button": "Влез в разговора" "Remove": "Премахни",
}, "Return to home screen": "Връщане на началния екран",
"logging_in": "Влизане…", "Select an option": "Изберете опция",
"login_auth_links": "<0>Създайте акаунт</0> или <2>Влезте като гост</2>", "Send debug logs": "Изпратете debug логове",
"login_title": "Влез", "Sending…": "Изпращане…",
"rageshake_request_modal": { "Settings": "Настройки",
"body": "Друг потребител в този разговор има проблем. За да диагностицираме този проблем по-добре ни се иска да съберем debug логове.", "Share screen": "Сподели екрана",
"title": "Заявка за debug логове" "Sign in": "Влез",
}, "Sign out": "Излез",
"rageshake_send_logs": "Изпратете debug логове", "Speaker": "Говорител",
"rageshake_sending": "Изпращане…", "Spotlight": "Прожектор",
"recaptcha_dismissed": "Recaptcha отхвърлена", "Submit feedback": "Изпрати обратна връзка",
"recaptcha_not_loaded": "Recaptcha не е заредена", "This call already exists, would you like to join?": "Този разговор вече съществува, искате ли да се присъедините?",
"register": { "User menu": "Потребителско меню",
"passwords_must_match": "Паролите не съвпадат", "Username": "Потребителско име",
"registering": "Регистриране…" "Version: {{version}}": "Версия: {{version}}",
}, "Video": "Видео",
"register_auth_links": "<0>Вече имате акаунт?</0><1><0>Влезте с него</0> или <2>Влезте като гост</2></1>", "Waiting for other participants…": "Изчакване на други участници…",
"register_confirm_password_label": "Потвърди паролата", "Yes, join call": "Да, присъедини се"
"return_home_button": "Връщане на началния екран",
"room_auth_view_join_button": "Влез в разговора сега",
"screenshare_button_label": "Сподели екрана",
"select_input_unset_button": "Изберете опция",
"settings": {
"developer_tab_title": "Разработчик",
"feedback_tab_h4": "Изпрати обратна връзка",
"feedback_tab_send_logs_label": "Включи debug логове",
"more_tab_title": "Още",
"speaker_device_selection_label": "Говорител"
},
"unauthenticated_view_body": "Все още не сте регистрирани? <2>Създайте акаунт</2>",
"unauthenticated_view_login_button": "Влезте в акаунта си",
"version": "Версия: {{version}}",
"waiting_for_participants": "Изчакване на други участници…"
} }

View File

@@ -1,79 +1,67 @@
{ {
"a11y": { "Copied!": "Zkopírováno!",
"user_menu": "Uživatelské menu" "Confirm password": "Potvrdit heslo",
}, "Close": "Zavřít",
"action": { "Camera": "Kamera",
"close": "Zavřít", "Avatar": "Avatar",
"copy": "Kopírovat", "Audio": "Audio",
"go": "Pokračovat", "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Vytvořit účet</0> Or <2>Jako host</2>",
"no": "Ne", "Yes, join call": "Ano, připojit se",
"register": "Registrace", "Waiting for other participants…": "Čekání na další účastníky…",
"remove": "Odstranit", "Video": "Video",
"sign_in": "Přihlásit se", "Version: {{version}}": "Verze: {{version}}",
"sign_out": "Odhlásit se" "Username": "Uživatelské jméno",
}, "User menu": "Uživatelské menu",
"call_ended_view": { "This call already exists, would you like to join?": "Tento hovor již existuje, chcete se připojit?",
"create_account_button": "Vytvořit účet", "Submit feedback": "Dát feedback",
"create_account_prompt": "<0>Proč neskončit nastavením hesla, abyste mohli účet použít znovu?</0><1>Budete si moci nechat své jméno a nastavit si avatar pro budoucí hovory </1>", "Speaker": "Reproduktor",
"not_now_button": "Teď ne, vrátit se na domovskou obrazovku" "Sign out": "Odhlásit se",
}, "Sign in": "Přihlásit se",
"common": { "Share screen": "Sdílet obrazovku",
"camera": "Kamera", "Settings": "Nastavení",
"copied": "Zkopírováno!", "Sending…": "Posílání…",
"display_name": "Zobrazované jméno", "Sending debug logs…": "Posílání ladícího záznamu…",
"home": "Domov", "Send debug logs": "Poslat ladící záznam",
"loading": "Načítání…", "Select an option": "Vyberte možnost",
"microphone": "Mikrofon", "Return to home screen": "Vrátit se na domácí obrazovku",
"password": "Heslo", "Remove": "Odstranit",
"profile": "Profil", "Registering…": "Registrování…",
"settings": "Nastavení", "Register": "Registrace",
"username": "Uživatelské jméno" "Profile": "Profil",
}, "Passwords must match": "Hesla se musí shodovat",
"full_screen_view_description": "<0>Odeslání ladících záznamů nám pomůže diagnostikovat problém.</0>", "Password": "Heslo",
"full_screen_view_h1": "<0>Oops, něco se pokazilo.</0>", "Not now, return to home screen": "Teď ne, vrátit se na domovskou obrazovku",
"header_label": "Domov Element Call", "No": "Ne",
"join_existing_call_modal": { "More": "Více",
"join_button": "Ano, připojit se", "Microphone": "Mikrofon",
"text": "Tento hovor již existuje, chcete se připojit?", "Login to your account": "Přihlásit se ke svému účtu",
"title": "Připojit se k existujícimu hovoru?" "Login": "Přihlášení",
}, "Logging in…": "Přihlašování se…",
"layout_spotlight_label": "Soustředěný mód", "Local volume": "Lokální hlasitost",
"lobby": { "Loading…": "Načítání…",
"join_button": "Připojit se k hovoru" "Join call now": "Připojit se k hovoru",
}, "Join call": "Připojit se k hovoru",
"logging_in": "Přihlašování se…", "Spotlight": "Soustředěný mód",
"login_auth_links": "<0>Vytvořit účet</0> Or <2>Jako host</2>", "Recaptcha not loaded": "Recaptcha se nenačetla",
"login_title": "Přihlášení", "Recaptcha dismissed": "Recaptcha byla zamítnuta",
"rageshake_request_modal": { "Not registered yet? <2>Create an account</2>": "Nejste registrovaní? <2>Vytvořit účet</2>",
"body": "Jiný uživatel v tomto hovoru má problémy. Abychom mohli diagnostikovat problém, rádi bychom shromáždili protokoly ladění.", "Join existing call?": "Připojit se k existujícimu hovoru?",
"title": "Žádost o protokoly ladění" "Include debug logs": "Zahrnout ladící záznamy",
}, "Home": "Domov",
"rageshake_send_logs": "Poslat ladící záznam", "Go": "Pokračovat",
"rageshake_sending": "Posílání…", "Full screen": "Zvětšit na celou obrazovku",
"rageshake_sending_logs": "Posílání ladícího záznamu…", "Exit full screen": "Ukončit režim celé obrazovky",
"recaptcha_dismissed": "Recaptcha byla zamítnuta", "Element Call Home": "Domov Element Call",
"recaptcha_not_loaded": "Recaptcha se nenačetla", "Display name": "Zobrazované jméno",
"register": { "Developer": "Vývojář",
"passwords_must_match": "Hesla se musí shodovat", "Debug log request": "Žádost o protokoly ladění",
"registering": "Registrování…" "Create account": "Vytvořit účet",
}, "Copy": "Kopírovat",
"register_auth_links": "<0>Už máte účet?</0><1><0>Přihlásit se</0> Or <2>Jako host</2></1>", "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "Jiný uživatel v tomto hovoru má problémy. Abychom mohli diagnostikovat problém, rádi bychom shromáždili protokoly ladění.",
"register_confirm_password_label": "Potvrdit heslo", "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>Proč neskončit nastavením hesla, abyste mohli účet použít znovu?</0><1>Budete si moci nechat své jméno a nastavit si avatar pro budoucí hovory </1>",
"return_home_button": "Vrátit se na domácí obrazovku", "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>Už máte účet?</0><1><0>Přihlásit se</0> Or <2>Jako host</2></1>",
"room_auth_view_join_button": "Připojit se k hovoru", "<0>Submitting debug logs will help us track down the problem.</0>": "<0>Odeslání ladících záznamů nám pomůže diagnostikovat problém.</0>",
"screenshare_button_label": "Sdílet obrazovku", "<0>Oops, something's gone wrong.</0>": "<0>Oops, něco se pokazilo.</0>",
"select_input_unset_button": "Vyberte možnost", "Expose developer settings in the settings window.": "Zobrazit vývojářské nastavení.",
"settings": { "Developer Settings": "Vývojářské nastavení"
"developer_settings_label": "Vývojářské nastavení",
"developer_settings_label_description": "Zobrazit vývojářské nastavení.",
"developer_tab_title": "Vývojář",
"feedback_tab_h4": "Dát feedback",
"feedback_tab_send_logs_label": "Zahrnout ladící záznamy",
"more_tab_title": "Více",
"speaker_device_selection_label": "Reproduktor"
},
"unauthenticated_view_body": "Nejste registrovaní? <2>Vytvořit účet</2>",
"unauthenticated_view_login_button": "Přihlásit se ke svému účtu",
"version": "Verze: {{version}}",
"waiting_for_participants": "Čekání na další účastníky…"
} }

View File

@@ -1,142 +1,120 @@
{ {
"a11y": { "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>Du hast bereits ein Konto?</0><1><0>Anmelden</0> Oder <2>Als Gast betreten</2></1>",
"user_menu": "Benutzermenü" "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Konto erstellen</0> Oder <2>Als Gast betreten</2>",
}, "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>Warum vergibst du nicht abschließend ein Passwort, um dein Konto zu erhalten?</0><1>Du kannst deinen Namen behalten und ein Profilbild für zukünftige Anrufe festlegen.</1>",
"action": { "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "Ein anderer Benutzer dieses Anrufs hat ein Problem. Um es besser diagnostizieren zu können, würden wir gerne ein Debug-Protokoll erstellen.",
"close": "Schließen", "Audio": "Audio",
"copy": "Kopieren", "Avatar": "Avatar",
"copy_link": "Link kopieren", "Camera": "Kamera",
"go": "Los gehts", "Close": "Schließen",
"invite": "Einladen", "Confirm password": "Passwort bestätigen",
"no": "Nein", "Copied!": "Kopiert!",
"register": "Registrieren", "Create account": "Konto erstellen",
"remove": "Entfernen", "Debug log request": "Debug-Log Anfrage",
"sign_in": "Anmelden", "Developer": "Entwickler",
"sign_out": "Abmelden", "Display name": "Anzeigename",
"submit": "Absenden" "Exit full screen": "Vollbildmodus verlassen",
}, "Full screen": "Vollbild",
"analytics_notice": "Mit der Teilnahme an der Beta akzeptierst du die Sammlung von anonymen Daten, die wir zur Verbesserung des Produkts verwenden. Weitere Informationen zu den von uns erhobenen Daten findest du in unserer <2>Datenschutzerklärung</2> und unseren <5>Cookie-Richtlinien</5>.", "Go": "Los gehts",
"app_selection_modal": { "Home": "Startseite",
"continue_in_browser": "Weiter im Browser", "Include debug logs": "Debug-Protokolle einschließen",
"open_in_app": "In der App öffnen", "Join call": "Anruf beitreten",
"text": "Bereit, beizutreten?", "Join call now": "Anruf beitreten",
"title": "App auswählen" "Join existing call?": "An bestehendem Anruf teilnehmen?",
}, "Loading…": "Lade …",
"application_opened_another_tab": "Diese Anwendung wurde in einem anderen Tab geöffnet.", "Local volume": "Lokale Lautstärke",
"browser_media_e2ee_unsupported": "Dein Webbrowser unterstützt keine Medien-Ende-zu-Ende-Verschlüsselung. Unterstützte Browser sind Chrome, Safari, Firefox >=117", "Logging in…": "Anmelden ",
"browser_media_e2ee_unsupported_heading": "Inkompatibler Browser", "Login": "Anmelden",
"call_ended_view": { "Login to your account": "Melde dich mit deinem Konto an",
"body": "Deine Verbindung wurde getrennt", "Microphone": "Mikrofon",
"create_account_button": "Konto erstellen", "More": "Mehr",
"create_account_prompt": "<0>Warum vergibst du nicht abschließend ein Passwort, um dein Konto zu erhalten?</0><1>Du kannst deinen Namen behalten und ein Profilbild für zukünftige Anrufe festlegen.</1>", "No": "Nein",
"feedback_done": "<0>Danke für deine Rückmeldung!</0>", "Not now, return to home screen": "Nicht jetzt, zurück zur Startseite",
"feedback_prompt": "<0>Wir würden uns freuen, deine Rückmeldung zu hören, um deine Erfahrung verbessern zu können.</0>", "Not registered yet? <2>Create an account</2>": "Noch nicht registriert? <2>Konto erstellen</2>",
"headline": "{{displayName}}, dein Anruf wurde beendet.", "Password": "Passwort",
"not_now_button": "Nicht jetzt, zurück zur Startseite", "Passwords must match": "Passwörter müssen übereinstimmen",
"reconnect_button": "Erneut verbinden", "Profile": "Profil",
"survey_prompt": "Wie ist es gelaufen?" "Recaptcha dismissed": "Recaptcha abgelehnt",
}, "Recaptcha not loaded": "Recaptcha nicht geladen",
"call_name": "Name des Anrufs", "Register": "Registrieren",
"common": { "Registering…": "Registrierung …",
"audio": "Audio", "Remove": "Entfernen",
"avatar": "Profilbild", "Return to home screen": "Zurück zur Startseite",
"camera": "Kamera", "Select an option": "Wähle eine Option",
"copied": "Kopiert!", "Send debug logs": "Debug-Logs senden",
"display_name": "Anzeigename", "Sending…": "Senden ",
"encrypted": "Verschlüsselt", "Settings": "Einstellungen",
"error": "Fehler", "Share screen": "Bildschirm teilen",
"home": "Startseite", "Sign in": "Anmelden",
"loading": "Lade ", "Sign out": "Abmelden",
"microphone": "Mikrofon", "Speaker": "Wiedergabegerät",
"password": "Passwort", "Spotlight": "Rampenlicht",
"profile": "Profil", "Submit feedback": "Rückmeldung geben",
"settings": "Einstellungen", "This call already exists, would you like to join?": "Dieser Aufruf existiert bereits, möchtest Du teilnehmen?",
"unencrypted": "Nicht verschlüsselt", "User menu": "Benutzermenü",
"username": "Benutzername", "Username": "Benutzername",
"video": "Video" "Version: {{version}}": "Version: {{version}}",
}, "Video": "Video",
"disconnected_banner": "Die Verbindung zum Server wurde getrennt.", "Waiting for other participants…": "Warte auf weitere Teilnehmer ",
"full_screen_view_description": "<0>Übermittelte Problemberichte helfen uns, Fehler zu beheben.</0>", "Yes, join call": "Ja, Anruf beitreten",
"full_screen_view_h1": "<0>Hoppla, etwas ist schiefgelaufen.</0>", "Sending debug logs…": "Sende Debug-Protokolle …",
"hangup_button_label": "Anruf beenden", "Copy": "Kopieren",
"header_label": "Element Call-Startseite", "Element Call Home": "Element Call-Startseite",
"header_participants_label": "Teilnehmende", "<0>Submitting debug logs will help us track down the problem.</0>": "<0>Übermittelte Problemberichte helfen uns, Fehler zu beheben.</0>",
"invite_modal": { "<0>Oops, something's gone wrong.</0>": "<0>Hoppla, etwas ist schiefgelaufen.</0>",
"link_copied_toast": "Link in Zwischenablage kopiert", "Expose developer settings in the settings window.": "Zeige die Entwicklereinstellungen im Einstellungsfenster.",
"title": "Zu diesem Anruf einladen" "Developer Settings": "Entwicklereinstellungen",
}, "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.": "Mit der Teilnahme an der Beta akzeptierst du die Sammlung von anonymen Daten, die wir zur Verbesserung des Produkts verwenden. Weitere Informationen zu den von uns erhobenen Daten findest du in unserer <2>Datenschutzerklärung</2> und unseren <5>Cookie-Richtlinien</5>.",
"join_existing_call_modal": { "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.": "<0></0><1></1>Du kannst deine Zustimmung durch Abwählen dieses Kästchens zurückziehen. Falls du dich aktuell in einem Anruf befindest, wird diese Einstellung nach dem Ende des Anrufs wirksam.",
"join_button": "Ja, Anruf beitreten", "Feedback": "Rückmeldung",
"text": "Dieser Aufruf existiert bereits, möchtest Du teilnehmen?", "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.": "Falls du auf Probleme stößt oder einfach nur eine Rückmeldung geben möchtest, sende uns bitte eine kurze Beschreibung.",
"title": "An bestehendem Anruf teilnehmen?" "Your feedback": "Deine Rückmeldung",
}, "Thanks, we received your feedback!": "Danke, wir haben deine Rückmeldung erhalten!",
"layout_grid_label": "Raster", "Submitting…": "Sende ",
"layout_spotlight_label": "Rampenlicht", "Submit": "Absenden",
"lobby": { "{{count}} stars|other": "{{count}} Sterne",
"join_button": "Anruf beitreten", "{{displayName}}, your call has ended.": "{{displayName}}, dein Anruf wurde beendet.",
"leave_button": "Zurück zu kürzlichen Anrufen" "<0>We'd love to hear your feedback so we can improve your experience.</0>": "<0>Wir würden uns freuen, deine Rückmeldung zu hören, um deine Erfahrung verbessern zu können.</0>",
}, "How did it go?": "Wie ist es gelaufen?",
"log_in": "Anmelden", "{{count}} stars|one": "{{count}} Stern",
"logging_in": "Anmelden ", "<0>Thanks for your feedback!</0>": "<0>Danke für deine Rückmeldung!</0>",
"login_auth_links": "<0>Konto erstellen</0> Oder <2>Als Gast betreten</2>", "{{displayName}} is presenting": "{{displayName}} präsentiert",
"login_auth_links_prompt": "Noch nicht registriert?", "Show connection stats": "Verbindungsstatistiken zeigen",
"login_subheading": "Weiter zu Element", "By clicking \"Join call now\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Mit einem Klick auf „Anruf beitreten“ akzeptierst du unseren <2>Endbenutzer-Lizenzvertrag (EULA)</2>",
"login_title": "Anmelden", "By clicking \"Go\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Mit einem Klick auf „Los gehts“ akzeptierst du unseren <2>Endbenutzer-Lizenzvertrag (EULA)</2>",
"microphone_off": "Mikrofon aus", "This site is protected by ReCAPTCHA and the Google <2>Privacy Policy</2> and <6>Terms of Service</6> apply.<9></9>By clicking \"Register\", you agree to our <12>End User Licensing Agreement (EULA)</12>": "Diese Seite wird durch reCAPTCHA geschützt und es gelten Googles <2>Datenschutzerklärung</2> und <6>Nutzungsbedingungen</6>. <9></9>Mit einem Klick auf „Registrieren“ akzeptierst du unseren <2>Endbenutzer-Lizenzvertrag (EULA)</2>",
"microphone_on": "Mikrofon an", "Connectivity to the server has been lost.": "Die Verbindung zum Server wurde getrennt.",
"mute_microphone_button_label": "Mikrofon deaktivieren", "Thanks!": "Danke!",
"rageshake_button_error_caption": "Protokolle erneut senden", "You were disconnected from the call": "Deine Verbindung wurde getrennt",
"rageshake_request_modal": { "Reconnect": "Erneut verbinden",
"body": "Ein anderer Benutzer dieses Anrufs hat ein Problem. Um es besser diagnostizieren zu können, würden wir gerne ein Debug-Protokoll erstellen.", "Retry sending logs": "Protokolle erneut senden",
"title": "Debug-Log Anfrage" "Encrypted": "Verschlüsselt",
}, "End call": "Anruf beenden",
"rageshake_send_logs": "Debug-Logs senden", "Grid": "Raster",
"rageshake_sending": "Senden ", "Not encrypted": "Nicht verschlüsselt",
"rageshake_sending_logs": "Sende Debug-Protokolle …", "Microphone off": "Mikrofon aus",
"rageshake_sent": "Danke!", "Microphone on": "Mikrofon an",
"recaptcha_caption": "Diese Seite wird durch reCAPTCHA geschützt und es gelten Googles <2>Datenschutzerklärung</2> und <6>Nutzungsbedingungen</6>. <9></9>Mit einem Klick auf „Registrieren“ akzeptierst du unseren <2>Endbenutzer-Lizenzvertrag (EULA)</2>", "{{count, number}}|one": "{{count, number}}",
"recaptcha_dismissed": "Recaptcha abgelehnt", "{{count, number}}|other": "{{count, number}}",
"recaptcha_not_loaded": "Recaptcha nicht geladen", "Sharing screen": "Bildschirm wird geteilt",
"register": { "You": "Du",
"passwords_must_match": "Passwörter müssen übereinstimmen", "Continue in browser": "Weiter im Browser",
"registering": "Registrierung …" "Name of call": "Name des Anrufs",
}, "Open in the app": "In der App öffnen",
"register_auth_links": "<0>Du hast bereits ein Konto?</0><1><0>Anmelden</0> Oder <2>Als Gast betreten</2></1>", "Ready to join?": "Bereit, beizutreten?",
"register_confirm_password_label": "Passwort bestätigen", "Unmute microphone": "Mikrofon aktivieren",
"return_home_button": "Zurück zur Startseite", "Start video": "Video aktivieren",
"room_auth_view_eula_caption": "Mit einem Klick auf „Anruf beitreten“ akzeptierst du unseren <2>Endbenutzer-Lizenzvertrag (EULA)</2>", "Stop video": "Video deaktivieren",
"room_auth_view_join_button": "Anruf beitreten", "Back to recents": "Zurück zu kürzlichen Anrufen",
"screenshare_button_label": "Bildschirm teilen", "Select app": "App auswählen",
"select_input_unset_button": "Wähle eine Option", "Mute microphone": "Mikrofon deaktivieren",
"settings": { "Start new call": "Neuen Anruf beginnen",
"developer_settings_label": "Entwicklereinstellungen", "Call not found": "Anruf nicht gefunden",
"developer_settings_label_description": "Zeige die Entwicklereinstellungen im Einstellungsfenster.", "Calls are now end-to-end encrypted and need to be created from the home page. This helps make sure everyone's using the same encryption key.": "Anrufe sind nun Ende-zu-Ende-verschlüsselt und müssen auf der Startseite erstellt werden. Damit stellen wir sicher, dass alle denselben Schlüssel verwenden.",
"developer_tab_title": "Entwickler", "Your web browser does not support media end-to-end encryption. Supported Browsers are Chrome, Safari, Firefox >=117": "Dein Webbrowser unterstützt keine Medien-Ende-zu-Ende-Verschlüsselung. Unterstützte Browser sind Chrome, Safari, Firefox >=117",
"feedback_tab_body": "Falls du auf Probleme stößt oder einfach nur eine Rückmeldung geben möchtest, sende uns bitte eine kurze Beschreibung.", "Copy link": "Link kopieren",
"feedback_tab_description_label": "Deine Rückmeldung", "Invite": "Einladen",
"feedback_tab_h4": "Rückmeldung geben", "Invite to this call": "Zu diesem Anruf einladen",
"feedback_tab_send_logs_label": "Debug-Protokolle einschließen", "Link copied to clipboard": "Link in Zwischenablage kopiert",
"feedback_tab_thank_you": "Danke, wir haben deine Rückmeldung erhalten!", "Participants": "Teilnehmende"
"feedback_tab_title": "Rückmeldung",
"more_tab_title": "Mehr",
"opt_in_description": "<0></0><1></1>Du kannst deine Zustimmung durch Abwählen dieses Kästchens zurückziehen. Falls du dich aktuell in einem Anruf befindest, wird diese Einstellung nach dem Ende des Anrufs wirksam.",
"show_connection_stats_label": "Verbindungsstatistiken zeigen",
"speaker_device_selection_label": "Wiedergabegerät"
},
"star_rating_input_label_one": "{{count}} Stern",
"star_rating_input_label_other": "{{count}} Sterne",
"start_new_call": "Neuen Anruf beginnen",
"start_video_button_label": "Video aktivieren",
"stop_screenshare_button_label": "Bildschirm wird geteilt",
"stop_video_button_label": "Video deaktivieren",
"submitting": "Sende …",
"unauthenticated_view_body": "Noch nicht registriert? <2>Konto erstellen</2>",
"unauthenticated_view_eula_caption": "Mit einem Klick auf „Los gehts“ akzeptierst du unseren <2>Endbenutzer-Lizenzvertrag (EULA)</2>",
"unauthenticated_view_login_button": "Melde dich mit deinem Konto an",
"unmute_microphone_button_label": "Mikrofon aktivieren",
"version": "Version: {{version}}",
"video_tile": {
"sfu_participant_local": "Du"
},
"waiting_for_participants": "Warte auf weitere Teilnehmer …"
} }

View File

@@ -1,95 +1,83 @@
{ {
"a11y": { "Version: {{version}}": "Έκδοση: {{version}}",
"user_menu": "Μενού χρήστη" "User menu": "Μενού χρήστη",
}, "Submit feedback": "Υποβάλετε σχόλια",
"action": { "Sign in": "Σύνδεση",
"close": "Κλείσιμο", "Share screen": "Κοινή χρήση οθόνης",
"copy": "Αντιγραφή", "Sending…": "Αποστολή…",
"go": "Μετάβαση", "Select an option": "Επιλέξτε μια επιλογή",
"no": "Όχι", "Remove": "Αφαίρεση",
"register": "Εγγραφή", "Registering…": "Εγγραφή",
"remove": "Αφαίρεση", "Not registered yet? <2>Create an account</2>": "Δεν έχετε εγγραφεί ακόμα; <2>Δημιουργήστε λογαριασμό</2>",
"sign_in": ύνδεση", "Login to your account": υνδεθείτε στον λογαριασμό σας",
"sign_out": "Αποσύνδεση", "Logging in…": "Σύνδεση",
"submit": "Υποβολή" "Display name": "Εμφανιζόμενο όνομα",
}, "Developer Settings": "Ρυθμίσεις προγραμματιστή",
"analytics_notice": "Συμμετέχοντας σε αυτή τη δοκιμαστική έκδοση, συναινείτε στη συλλογή ανώνυμων δεδομένων, τα οποία χρησιμοποιούμε για τη βελτίωση του προϊόντος. Μπορείτε να βρείτε περισσότερες πληροφορίες σχετικά με το ποια δεδομένα καταγράφουμε στην <2>Πολιτική απορρήτου</2> και στην <5>Πολιτική cookies</5>.", "Debug log request": "Αίτημα αρχείου καταγραφής",
"call_ended_view": { "Avatar": "Avatar",
"create_account_button": "Δημιουργία λογαριασμού", "<0>Oops, something's gone wrong.</0>": "<0>Ωχ, κάτι πήγε στραβά.</0>",
"create_account_prompt": "<0>Γιατί να μην ολοκληρώσετε με τη δημιουργία ενός κωδικού πρόσβασης για τη διατήρηση του λογαριασμού σας;</0><1>Θα μπορείτε να διατηρήσετε το όνομά σας και να ορίσετε ένα avatar για χρήση σε μελλοντικές κλήσεις.</1>", "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Δημιουργήστε λογαριασμό</0> Ή <2>Συμμετέχετε ως επισκέπτης</2>",
"feedback_done": "<0>Ευχαριστώ για τα σχόλιά σας!</0>", "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>Έχετε ήδη λογαριασμό;</0><1><0>Συνδεθείτε</0> Ή <2>Συμμετέχετε ως επισκέπτης</2></1>",
"feedback_prompt": "<0>Θα θέλαμε να ακούσουμε τα σχόλιά σας ώστε να βελτιώσουμε την εμπειρία σας.</0>", "Yes, join call": "Ναι, συμμετοχή στην κλήση",
"headline": "{{displayName}}, η κλήση σας τερματίστηκε.", "Waiting for other participants…": "Αναμονή για άλλους συμμετέχοντες…",
"not_now_button": "Όχι τώρα, επιστροφή στην αρχική οθόνη", "Video": "Βίντεο",
"survey_prompt": "Πώς σας φάνηκε;" "Username": "Όνομα χρήστη",
}, "This call already exists, would you like to join?": "Αυτή η κλήση υπάρχει ήδη, θα θέλατε να συμμετάσχετε;",
"common": { "Speaker": "Ηχείο",
"audio": "Ήχος", "Sign out": "Αποσύνδεση",
"camera": "Κάμερα", "Settings": "Ρυθμίσεις",
"copied": "Αντιγράφηκε!", "Return to home screen": "Επιστροφή στην αρχική οθόνη",
"display_name": "Εμφανιζόμενο όνομα", "Register": "Εγγραφή",
"home": "Αρχική", "Profile": "Προφίλ",
"loading": "Φόρτωση…", "Passwords must match": "Οι κωδικοί πρέπει να ταιριάζουν",
"microphone": "Μικρόφωνο", "Password": "Κωδικός",
"password": "Κωδικός", "Not now, return to home screen": "Όχι τώρα, επιστροφή στην αρχική οθόνη",
"profile": "Προφίλ", "No": "Όχι",
"settings": "Ρυθμίσεις", "More": "Περισσότερα",
"username": "Όνομα χρήστη", "Microphone": "Μικρόφωνο",
"video": "Βίντεο" "Login": "Σύνδεση",
}, "Loading…": "Φόρτωση…",
"full_screen_view_description": "<0>Η υποβολή αρχείων καταγραφής σφαλμάτων θα μας βοηθήσει να εντοπίσουμε το πρόβλημα.</0>", "Join existing call?": "Συμμετοχή στην υπάρχουσα κλήση;",
"full_screen_view_h1": "<0>Ωχ, κάτι πήγε στραβά.</0>", "Join call now": "Συμμετοχή στην κλήση τώρα",
"header_label": "Element Κεντρική Οθόνη Κλήσεων", "Join call": "Συμμετοχή στην κλήση",
"join_existing_call_modal": { "Go": "Μετάβαση",
"join_button": "Ναι, συμμετοχή στην κλήση", "Full screen": "Πλήρη οθόνη",
"text": "Αυτή η κλήση υπάρχει ήδη, θα θέλατε να συμμετάσχετε;", "Exit full screen": "Έξοδος από πλήρη οθόνη",
"title": "Συμμετοχή στην υπάρχουσα κλήση;" "Create account": "Δημιουργία λογαριασμού",
}, "Copy": "Αντιγραφή",
"lobby": { "Copied!": "Αντιγράφηκε!",
"join_button": "Συμμετοχή στην κλήση" "Confirm password": "Επιβεβαίωση κωδικού",
}, "Close": "Κλείσιμο",
"logging_in": "Σύνδεση…", "Camera": "Κάμερα",
"login_auth_links": "<0>Δημιουργήστε λογαριασμό</0> Ή <2>Συμμετέχετε ως επισκέπτης</2>", "Audio": "Ήχος",
"login_title": "Σύνδεση", "Send debug logs": "Αποστολή αρχείων καταγραφής",
"rageshake_request_modal": { "Recaptcha dismissed": "Το recaptcha απορρίφθηκε",
"body": "Ένας άλλος χρήστης σε αυτή την κλήση έχει ένα πρόβλημα. Για την καλύτερη διάγνωση αυτών των προβλημάτων θα θέλαμε να συλλέξουμε ένα αρχείο καταγραφής σφαλμάτων.", "<0>Thanks for your feedback!</0>": "<0>Ευχαριστώ για τα σχόλιά σας!</0>",
"title": "Αίτημα αρχείου καταγραφής" "Local volume": "Τοπική ένταση",
}, "Home": "Αρχική",
"rageshake_send_logs": "Αποστολή αρχείων καταγραφής", "Show connection stats": "Εμφάνιση στατιστικών σύνδεσης",
"rageshake_sending": "Αποστολή…", "{{displayName}} is presenting": "{{displayName}} παρουσιάζει",
"rageshake_sending_logs": "Αποστολή αρχείων καταγραφής…", "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.": "<0></0><1></1>Μπορείτε να ανακαλέσετε τη συγκατάθεσή σας αποεπιλέγοντας αυτό το πλαίσιο. Εάν βρίσκεστε σε κλήση, η ρύθμιση αυτή θα τεθεί σε ισχύ στο τέλος της.",
"recaptcha_dismissed": "Το recaptcha απορρίφθηκε", "<0>We'd love to hear your feedback so we can improve your experience.</0>": "<0>Θα θέλαμε να ακούσουμε τα σχόλιά σας ώστε να βελτιώσουμε την εμπειρία σας.</0>",
"recaptcha_not_loaded": "Το Recaptcha δεν φορτώθηκε", "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>Γιατί να μην ολοκληρώσετε με τη δημιουργία ενός κωδικού πρόσβασης για τη διατήρηση του λογαριασμού σας;</0><1>Θα μπορείτε να διατηρήσετε το όνομά σας και να ορίσετε ένα avatar για χρήση σε μελλοντικές κλήσεις.</1>",
"register": { "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "Ένας άλλος χρήστης σε αυτή την κλήση έχει ένα πρόβλημα. Για την καλύτερη διάγνωση αυτών των προβλημάτων θα θέλαμε να συλλέξουμε ένα αρχείο καταγραφής σφαλμάτων.",
"passwords_must_match": "Οι κωδικοί πρέπει να ταιριάζουν", "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.": "Συμμετέχοντας σε αυτή τη δοκιμαστική έκδοση, συναινείτε στη συλλογή ανώνυμων δεδομένων, τα οποία χρησιμοποιούμε για τη βελτίωση του προϊόντος. Μπορείτε να βρείτε περισσότερες πληροφορίες σχετικά με το ποια δεδομένα καταγράφουμε στην <2>Πολιτική απορρήτου</2> και στην <5>Πολιτική cookies</5>.",
"registering": "Εγγραφή…" "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.": "Εάν αντιμετωπίζετε προβλήματα ή απλά θέλετε να μας δώσετε κάποια σχόλια, παρακαλούμε στείλτε μας μια σύντομη περιγραφή παρακάτω.",
}, "Expose developer settings in the settings window.": "Εμφάνιση ρυθμίσεων προγραμματιστή στο παράθυρο ρυθμίσεων.",
"register_auth_links": "<0>Έχετε ήδη λογαριασμό;</0><1><0>Συνδεθείτε</0> Ή <2>Συμμετέχετε ως επισκέπτης</2></1>", "Feedback": "Ανατροφοδότηση",
"register_confirm_password_label": "Επιβεβαίωση κωδικού", "Submitting…": "Υποβολή…",
"return_home_button": "Επιστροφή στην αρχική οθόνη", "Thanks, we received your feedback!": "Ευχαριστούμε, λάβαμε τα σχόλιά σας!",
"room_auth_view_join_button": "Συμμετοχή στην κλήση τώρα", "{{count}} stars|other": "{{count}} αστέρια",
"screenshare_button_label": "Κοινή χρήση οθόνης", "{{count}} stars|one": "{{count}} αστέρι",
"select_input_unset_button": "Επιλέξτε μια επιλογή", "{{displayName}}, your call has ended.": "{{displayName}}, η κλήση σας τερματίστηκε.",
"settings": { "<0>Submitting debug logs will help us track down the problem.</0>": "<0>Η υποβολή αρχείων καταγραφής σφαλμάτων θα μας βοηθήσει να εντοπίσουμε το πρόβλημα.</0>",
"developer_settings_label": "Ρυθμίσεις προγραμματιστή", "How did it go?": "Πώς σας φάνηκε;",
"developer_settings_label_description": "Εμφάνιση ρυθμίσεων προγραμματιστή στο παράθυρο ρυθμίσεων.", "Include debug logs": "Να συμπεριληφθούν αρχεία καταγραφής",
"developer_tab_title": "Προγραμματιστής", "Recaptcha not loaded": "Το Recaptcha δεν φορτώθηκε",
"feedback_tab_body": "Εάν αντιμετωπίζετε προβλήματα ή απλά θέλετε να μας δώσετε κάποια σχόλια, παρακαλούμε στείλτε μας μια σύντομη περιγραφή παρακάτω.", "Developer": "Προγραμματιστής",
"feedback_tab_description_label": "Τα σχόλιά σας", "Sending debug logs…": "Αποστολή αρχείων καταγραφής…",
"feedback_tab_h4": "Υποβάλετε σχόλια", "Submit": "Υποβολή",
"feedback_tab_send_logs_label": "Να συμπεριληφθούν αρχεία καταγραφής", "Your feedback": "Τα σχόλιά σας",
"feedback_tab_thank_you": "Ευχαριστούμε, λάβαμε τα σχόλιά σας!", "Spotlight": "Spotlight",
"feedback_tab_title": "Ανατροφοδότηση", "Element Call Home": "Element Κεντρική Οθόνη Κλήσεων"
"more_tab_title": "Περισσότερα",
"opt_in_description": "<0></0><1></1>Μπορείτε να ανακαλέσετε τη συγκατάθεσή σας αποεπιλέγοντας αυτό το πλαίσιο. Εάν βρίσκεστε σε κλήση, η ρύθμιση αυτή θα τεθεί σε ισχύ στο τέλος της.",
"show_connection_stats_label": "Εμφάνιση στατιστικών σύνδεσης",
"speaker_device_selection_label": "Ηχείο"
},
"star_rating_input_label_one": "{{count}} αστέρι",
"star_rating_input_label_other": "{{count}} αστέρια",
"submitting": "Υποβολή…",
"unauthenticated_view_body": "Δεν έχετε εγγραφεί ακόμα; <2>Δημιουργήστε λογαριασμό</2>",
"unauthenticated_view_login_button": "Συνδεθείτε στον λογαριασμό σας",
"version": "Έκδοση: {{version}}",
"waiting_for_participants": "Αναμονή για άλλους συμμετέχοντες…"
} }

View File

@@ -1,169 +1,120 @@
{ {
"a11y": { "{{count, number}}|one": "{{count, number}}",
"user_menu": "User menu" "{{count, number}}|other": "{{count, number}}",
}, "{{count}} stars|one": "{{count}} stars",
"action": { "{{count}} stars|other": "{{count}} stars",
"close": "Close", "{{displayName}} is presenting": "{{displayName}} is presenting",
"copy_link": "Copy link", "{{displayName}}, your call has ended.": "{{displayName}}, your call has ended.",
"edit": "Edit", "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.": "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.",
"go": "Go", "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>",
"invite": "Invite", "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Create an account</0> Or <2>Access as a guest</2>",
"no": "No", "<0>Oops, something's gone wrong.</0>": "<0>Oops, something's gone wrong.</0>",
"register": "Register", "<0>Submitting debug logs will help us track down the problem.</0>": "<0>Submitting debug logs will help us track down the problem.</0>",
"remove": "Remove", "<0>Thanks for your feedback!</0>": "<0>Thanks for your feedback!</0>",
"sign_in": "Sign in", "<0>We'd love to hear your feedback so we can improve your experience.</0>": "<0>We'd love to hear your feedback so we can improve your experience.</0>",
"sign_out": "Sign out", "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>",
"submit": "Submit", "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.",
"upload_file": "Upload file" "Audio": "Audio",
}, "Avatar": "Avatar",
"analytics_notice": "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.", "Back to recents": "Back to recents",
"app_selection_modal": { "By clicking \"Go\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "By clicking \"Go\", you agree to our <2>End User Licensing Agreement (EULA)</2>",
"continue_in_browser": "Continue in browser", "By clicking \"Join call now\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "By clicking \"Join call now\", you agree to our <2>End User Licensing Agreement (EULA)</2>",
"open_in_app": "Open in the app", "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.": "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.",
"text": "Ready to join?", "Call not found": "Call not found",
"title": "Select app" "Calls are now end-to-end encrypted and need to be created from the home page. This helps make sure everyone's using the same encryption key.": "Calls are now end-to-end encrypted and need to be created from the home page. This helps make sure everyone's using the same encryption key.",
}, "Camera": "Camera",
"application_opened_another_tab": "This application has been opened in another tab.", "Close": "Close",
"browser_media_e2ee_unsupported": "Your web browser does not support media end-to-end encryption. Supported Browsers are Chrome, Safari, Firefox >=117", "Confirm password": "Confirm password",
"browser_media_e2ee_unsupported_heading": "Incompatible Browser", "Connectivity to the server has been lost.": "Connectivity to the server has been lost.",
"call_ended_view": { "Continue in browser": "Continue in browser",
"body": "You were disconnected from the call", "Copied!": "Copied!",
"create_account_button": "Create account", "Copy": "Copy",
"create_account_prompt": "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>", "Copy link": "Copy link",
"feedback_done": "<0>Thanks for your feedback!</0>", "Create account": "Create account",
"feedback_prompt": "<0>We'd love to hear your feedback so we can improve your experience.</0>", "Debug log request": "Debug log request",
"headline": "{{displayName}}, your call has ended.", "Developer": "Developer",
"not_now_button": "Not now, return to home screen", "Developer Settings": "Developer Settings",
"reconnect_button": "Reconnect", "Display name": "Display name",
"survey_prompt": "How did it go?" "Element Call Home": "Element Call Home",
}, "Encrypted": "Encrypted",
"call_name": "Name of call", "End call": "End call",
"common": { "Exit full screen": "Exit full screen",
"analytics": "Analytics", "Expose developer settings in the settings window.": "Expose developer settings in the settings window.",
"audio": "Audio", "Feedback": "Feedback",
"avatar": "Avatar", "Full screen": "Full screen",
"back": "Back", "Go": "Go",
"camera": "Camera", "Grid": "Grid",
"display_name": "Display name", "Home": "Home",
"encrypted": "Encrypted", "How did it go?": "How did it go?",
"error": "Error", "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.": "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.",
"home": "Home", "Include debug logs": "Include debug logs",
"loading": "Loading…", "Invite": "Invite",
"microphone": "Microphone", "Invite to this call": "Invite to this call",
"next": "Next", "Join call": "Join call",
"options": "Options", "Join call now": "Join call now",
"password": "Password", "Join existing call?": "Join existing call?",
"profile": "Profile", "Link copied to clipboard": "Link copied to clipboard",
"settings": "Settings", "Loading": "Loading",
"unencrypted": "Not encrypted", "Local volume": "Local volume",
"username": "Username", "Logging in…": "Logging in…",
"video": "Video" "Login": "Login",
}, "Login to your account": "Login to your account",
"crypto_version": "Crypto version: {{version}}", "Microphone": "Microphone",
"device_id": "Device ID: {{id}}", "Microphone off": "Microphone off",
"disconnected_banner": "Connectivity to the server has been lost.", "Microphone on": "Microphone on",
"full_screen_view_description": "<0>Submitting debug logs will help us track down the problem.</0>", "More": "More",
"full_screen_view_h1": "<0>Oops, something's gone wrong.</0>", "Mute microphone": "Mute microphone",
"group_call_loader": { "Name of call": "Name of call",
"banned_body": "You have been banned from the room.", "No": "No",
"banned_heading": "Banned", "Not encrypted": "Not encrypted",
"call_ended_body": "You have been removed from the call.", "Not now, return to home screen": "Not now, return to home screen",
"call_ended_heading": "Call ended", "Not registered yet? <2>Create an account</2>": "Not registered yet? <2>Create an account</2>",
"failed_heading": "Failed to join", "Open in the app": "Open in the app",
"failed_text": "Call not found or is not accessible.", "Participants": "Participants",
"knock_reject_body": "The room members declined your request to join.", "Password": "Password",
"knock_reject_heading": "Not allowed to join", "Passwords must match": "Passwords must match",
"reason": "Reason" "Profile": "Profile",
}, "Ready to join?": "Ready to join?",
"hangup_button_label": "End call", "Recaptcha dismissed": "Recaptcha dismissed",
"header_label": "Element Call Home", "Recaptcha not loaded": "Recaptcha not loaded",
"header_participants_label": "Participants", "Reconnect": "Reconnect",
"invite_modal": { "Register": "Register",
"link_copied_toast": "Link copied to clipboard", "Registering…": "Registering…",
"title": "Invite to this call" "Remove": "Remove",
}, "Retry sending logs": "Retry sending logs",
"join_existing_call_modal": { "Return to home screen": "Return to home screen",
"join_button": "Yes, join call", "Select an option": "Select an option",
"text": "This call already exists, would you like to join?", "Select app": "Select app",
"title": "Join existing call?" "Send debug logs": "Send debug logs",
}, "Sending debug logs…": "Sending debug logs…",
"layout_grid_label": "Grid", "Sending…": "Sending…",
"layout_spotlight_label": "Spotlight", "Settings": "Settings",
"lobby": { "Share screen": "Share screen",
"ask_to_join": "Ask to join call", "Sharing screen": "Sharing screen",
"join_button": "Join call", "Show connection stats": "Show connection stats",
"leave_button": "Back to recents", "Sign in": "Sign in",
"waiting_for_invite": "Request sent" "Sign out": "Sign out",
}, "Speaker": "Speaker",
"log_in": "Log In", "Spotlight": "Spotlight",
"logging_in": "Logging in…", "Start new call": "Start new call",
"login_auth_links": "<0>Create an account</0> Or <2>Access as a guest</2>", "Start video": "Start video",
"login_auth_links_prompt": "Not registered yet?", "Stop video": "Stop video",
"login_subheading": "To continue to Element", "Submit": "Submit",
"login_title": "Login", "Submit feedback": "Submit feedback",
"matrix_id": "Matrix ID: {{id}}", "Submitting…": "Submitting…",
"microphone_off": "Microphone off", "Thanks, we received your feedback!": "Thanks, we received your feedback!",
"microphone_on": "Microphone on", "Thanks!": "Thanks!",
"mute_microphone_button_label": "Mute microphone", "This call already exists, would you like to join?": "This call already exists, would you like to join?",
"participant_count_one": "{{count, number}}", "This site is protected by ReCAPTCHA and the Google <2>Privacy Policy</2> and <6>Terms of Service</6> apply.<9></9>By clicking \"Register\", you agree to our <12>End User Licensing Agreement (EULA)</12>": "This site is protected by ReCAPTCHA and the Google <2>Privacy Policy</2> and <6>Terms of Service</6> apply.<9></9>By clicking \"Register\", you agree to our <12>End User Licensing Agreement (EULA)</12>",
"participant_count_other": "{{count, number}}", "Unmute microphone": "Unmute microphone",
"qr_code": "QR Code", "User menu": "User menu",
"rageshake_button_error_caption": "Retry sending logs", "Username": "Username",
"rageshake_request_modal": { "Version: {{version}}": "Version: {{version}}",
"body": "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.", "Video": "Video",
"title": "Debug log request" "Waiting for other participants…": "Waiting for other participants…",
}, "Yes, join call": "Yes, join call",
"rageshake_send_logs": "Send debug logs", "You": "You",
"rageshake_sending": "Sending…", "You were disconnected from the call": "You were disconnected from the call",
"rageshake_sending_logs": "Sending debug logs…", "Your feedback": "Your feedback",
"rageshake_sent": "Thanks!", "Your web browser does not support media end-to-end encryption. Supported Browsers are Chrome, Safari, Firefox >=117": "Your web browser does not support media end-to-end encryption. Supported Browsers are Chrome, Safari, Firefox >=117"
"recaptcha_caption": "This site is protected by ReCAPTCHA and the Google <2>Privacy Policy</2> and <6>Terms of Service</6> apply.<9></9>By clicking \"Register\", you agree to our <12>End User Licensing Agreement (EULA)</12>",
"recaptcha_dismissed": "Recaptcha dismissed",
"recaptcha_not_loaded": "Recaptcha not loaded",
"register": {
"passwords_must_match": "Passwords must match",
"registering": "Registering…"
},
"register_auth_links": "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>",
"register_confirm_password_label": "Confirm password",
"register_heading": "Create your account",
"return_home_button": "Return to home screen",
"room_auth_view_eula_caption": "By clicking \"Join call now\", you agree to our <2>End User Licensing Agreement (EULA)</2>",
"room_auth_view_join_button": "Join call now",
"screenshare_button_label": "Share screen",
"settings": {
"developer_settings_label": "Developer Settings",
"developer_settings_label_description": "Expose developer settings in the settings window.",
"developer_tab_title": "Developer",
"duplicate_tiles_label": "Number of additional tile copies per participant",
"feedback_tab_body": "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.",
"feedback_tab_description_label": "Your feedback",
"feedback_tab_h4": "Submit feedback",
"feedback_tab_send_logs_label": "Include debug logs",
"feedback_tab_thank_you": "Thanks, we received your feedback!",
"feedback_tab_title": "Feedback",
"more_tab_title": "More",
"opt_in_description": "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.",
"speaker_device_selection_label": "Speaker"
},
"star_rating_input_label_one": "{{count}} stars",
"star_rating_input_label_other": "{{count}} stars",
"start_new_call": "Start new call",
"start_video_button_label": "Start video",
"stop_screenshare_button_label": "Sharing screen",
"stop_video_button_label": "Stop video",
"submitting": "Submitting…",
"unauthenticated_view_body": "Not registered yet? <2>Create an account</2>",
"unauthenticated_view_eula_caption": "By clicking \"Go\", you agree to our <2>End User Licensing Agreement (EULA)</2>",
"unauthenticated_view_login_button": "Login to your account",
"unmute_microphone_button_label": "Unmute microphone",
"version": "{{productName}} version: {{version}}",
"video_tile": {
"always_show": "Always show",
"change_fit_contain": "Fit to frame",
"exit_full_screen": "Exit full screen",
"full_screen": "Full screen",
"mute_for_me": "Mute for me",
"volume": "Volume"
}
} }

View File

@@ -1,96 +1,86 @@
{ {
"a11y": { "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>¿Por qué no mantienes tu cuenta estableciendo una contraseña?</0><1>Podrás mantener tu nombre y establecer un avatar para usarlo en futuras llamadas</1>",
"user_menu": "Menú de usuario" "This call already exists, would you like to join?": "Esta llamada ya existe, ¿te gustaría unirte?",
}, "Register": "Registrarse",
"action": { "Not registered yet? <2>Create an account</2>": "¿No estás registrado todavía? <2>Crear una cuenta</2>",
"close": "Cerrar", "Login to your account": "Iniciar sesión en tu cuenta",
"copy": "Copiar", "Yes, join call": "Si, unirse a la llamada",
"go": "Comenzar", "Waiting for other participants…": "Esperando a los otros participantes…",
"register": "Registrarse", "Video": "Video",
"remove": "Eliminar", "Version: {{version}}": "Versión: {{version}}",
"sign_in": "Iniciar sesión", "Username": "Nombre de usuario",
"sign_out": "Cerrar sesión", "User menu": "Menú de usuario",
"submit": "Enviar" "Submit feedback": "Enviar comentarios",
}, "Spotlight": "Foco",
"analytics_notice": "Al participar en esta beta, consientes a la recogida de datos anónimos, los cuales usaremos para mejorar el producto. Puedes encontrar más información sobre que datos recogemos en nuestra <2>Política de privacidad</2> y en nuestra <5>Política sobre Cookies</5>.", "Speaker": "Altavoz",
"call_ended_view": { "Sign out": "Cerrar sesión",
"create_account_button": "Crear cuenta", "Sign in": "Iniciar sesión",
"create_account_prompt": "<0>¿Por qué no mantienes tu cuenta estableciendo una contraseña?</0><1>Podrás mantener tu nombre y establecer un avatar para usarlo en futuras llamadas</1>", "Share screen": "Compartir pantalla",
"feedback_done": "<0>¡Gracias por tus comentarios!</0>", "Settings": "Ajustes",
"feedback_prompt": "<0>Nos encantaría conocer tu opinión para que podamos mejorar tu experiencia</0>", "Sending…": "Enviando…",
"headline": "{{displayName}}, tu llamada ha finalizado.", "Sending debug logs…": "Enviando registros de depuración…",
"not_now_button": "Ahora no, volver a la pantalla de inicio", "Send debug logs": "Enviar registros de depuración",
"survey_prompt": "¿Cómo ha ido?" "Select an option": "Selecciona una opción",
}, "Return to home screen": "Volver a la pantalla de inicio",
"common": { "Remove": "Eliminar",
"camera": "Cámara", "Registering…": "Registrando…",
"copied": "¡Copiado!", "Recaptcha not loaded": "No se ha cargado el Recaptcha",
"display_name": "Nombre a mostrar", "Recaptcha dismissed": "Recaptcha cancelado",
"home": "Inicio", "Profile": "Perfil",
"loading": "Cargando…", "Passwords must match": "Las contraseñas deben coincidir",
"microphone": "Micrófono", "Password": "Contraseña",
"password": "Contraseña", "Not now, return to home screen": "Ahora no, volver a la pantalla de inicio",
"profile": "Perfil", "No": "No",
"settings": "Ajustes", "More": "s",
"username": "Nombre de usuario" "Microphone": "Micrófono",
}, "Login": "Iniciar sesión",
"full_screen_view_description": "<0>Subir los registros de depuración nos ayudará a encontrar el problema.</0>", "Logging in…": "Iniciando sesión…",
"full_screen_view_h1": "<0>Ups, algo ha salido mal.</0>", "Local volume": "Volumen local",
"header_label": "Inicio de Element Call", "Loading…": "Cargando…",
"join_existing_call_modal": { "Join existing call?": "¿Unirse a llamada existente?",
"join_button": "Si, unirse a la llamada", "Join call now": "Unirse a la llamada ahora",
"text": "Esta llamada ya existe, ¿te gustaría unirte?", "Join call": "Unirse a la llamada",
"title": "¿Unirse a llamada existente?" "Include debug logs": "Incluir registros de depuración",
}, "Home": "Inicio",
"layout_spotlight_label": "Foco", "Go": "Comenzar",
"lobby": { "Full screen": "Pantalla completa",
"join_button": "Unirse a la llamada" "Exit full screen": "Salir de pantalla completa",
}, "Display name": "Nombre a mostrar",
"logging_in": "Iniciando sesión…", "Developer": "Desarrollador",
"login_auth_links": "<0>Crear una cuenta</0> o <2>Acceder como invitado</2>", "Debug log request": "Petición de registros de depuración",
"login_title": "Iniciar sesión", "Create account": "Crear cuenta",
"rageshake_request_modal": { "Copied!": "¡Copiado!",
"body": "Otro usuario en esta llamada está teniendo problemas. Para diagnosticar estos problemas nos gustaría recopilar un registro de depuración.", "Confirm password": "Confirmar contraseña",
"title": "Petición de registros de depuración" "Close": "Cerrar",
}, "Camera": "Cámara",
"rageshake_send_logs": "Enviar registros de depuración", "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "Otro usuario en esta llamada está teniendo problemas. Para diagnosticar estos problemas nos gustaría recopilar un registro de depuración.",
"rageshake_sending": "Enviando…", "Audio": "Audio",
"rageshake_sending_logs": "Enviando registros de depuración…", "Avatar": "Avatar",
"recaptcha_caption": "Este sitio está protegido por ReCAPTCHA y se aplican la <2>Política de Privacidad</2> y los <6>Términos de Servicio de Google.<9></9>Al hacer clic en \"Registrar\", aceptas nuestro <12>Contrato de Licencia de Usuario Final (CLUF)</12>", "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Crear una cuenta</0> o <2>Acceder como invitado</2>",
"recaptcha_dismissed": "Recaptcha cancelado", "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>¿Ya tienes una cuenta?</0><1><0>Iniciar sesión</0> o <2>Acceder como invitado</2></1>",
"recaptcha_not_loaded": "No se ha cargado el Recaptcha", "Element Call Home": "Inicio de Element Call",
"register": { "Copy": "Copiar",
"passwords_must_match": "Las contraseñas deben coincidir", "<0>Submitting debug logs will help us track down the problem.</0>": "<0>Subir los registros de depuración nos ayudará a encontrar el problema.</0>",
"registering": "Registrando…" "<0>Oops, something's gone wrong.</0>": "<0>Ups, algo ha salido mal.</0>",
}, "Expose developer settings in the settings window.": "Muestra los ajustes de desarrollador en la ventana de ajustes.",
"register_auth_links": "<0>¿Ya tienes una cuenta?</0><1><0>Iniciar sesión</0> o <2>Acceder como invitado</2></1>", "Developer Settings": "Ajustes de desarrollador",
"register_confirm_password_label": "Confirmar contraseña", "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.": "Al participar en esta beta, consientes a la recogida de datos anónimos, los cuales usaremos para mejorar el producto. Puedes encontrar más información sobre que datos recogemos en nuestra <2>Política de privacidad</2> y en nuestra <5>Política sobre Cookies</5>.",
"return_home_button": "Volver a la pantalla de inicio", "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.": "<0></0><1></1>Puedes retirar tu consentimiento desmarcando esta casilla. Si estás en una llamada, este ajuste se aplicará al final de esta.",
"room_auth_view_eula_caption": "Al hacer clic en \"Unirse a la llamada ahora\", aceptas nuestro <2>Contrato de Licencia de Usuario Final (CLUF)</2>", "{{displayName}} is presenting": "{{displayName}} está presentando",
"room_auth_view_join_button": "Unirse a la llamada ahora", "<0>Thanks for your feedback!</0>": "<0>¡Gracias por tus comentarios!</0>",
"screenshare_button_label": "Compartir pantalla", "How did it go?": "¿Cómo ha ido?",
"select_input_unset_button": "Selecciona una opción", "This site is protected by ReCAPTCHA and the Google <2>Privacy Policy</2> and <6>Terms of Service</6> apply.<9></9>By clicking \"Register\", you agree to our <12>End User Licensing Agreement (EULA)</12>": "Este sitio está protegido por ReCAPTCHA y se aplican la <2>Política de Privacidad</2> y los <6>Términos de Servicio de Google.<9></9>Al hacer clic en \"Registrar\", aceptas nuestro <12>Contrato de Licencia de Usuario Final (CLUF)</12>",
"settings": { "Show connection stats": "Mostrar estadísticas de conexión",
"developer_settings_label": "Ajustes de desarrollador", "By clicking \"Go\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Al hacer clic en \"Comenzar\", aceptas nuestro <2>Contrato de Licencia de Usuario Final (CLUF)</2>",
"developer_settings_label_description": "Muestra los ajustes de desarrollador en la ventana de ajustes.", "Thanks, we received your feedback!": "¡Gracias, hemos recibido tus comentarios!",
"developer_tab_title": "Desarrollador", "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.": "Si tienes algún problema o simplemente quieres darnos tu opinión, por favor envíanos una breve descripción.",
"feedback_tab_body": "Si tienes algún problema o simplemente quieres darnos tu opinión, por favor envíanos una breve descripción.", "By clicking \"Join call now\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Al hacer clic en \"Unirse a la llamada ahora\", aceptas nuestro <2>Contrato de Licencia de Usuario Final (CLUF)</2>",
"feedback_tab_description_label": "Tus comentarios", "<0>We'd love to hear your feedback so we can improve your experience.</0>": "<0>Nos encantaría conocer tu opinión para que podamos mejorar tu experiencia</0>",
"feedback_tab_h4": "Enviar comentarios", "Feedback": "Danos tu opinión",
"feedback_tab_send_logs_label": "Incluir registros de depuración", "Submit": "Enviar",
"feedback_tab_thank_you": "¡Gracias, hemos recibido tus comentarios!", "{{count}} stars|one": "{{count}} estrella",
"feedback_tab_title": "Danos tu opinión", "{{count}} stars|other": "{{count}} estrellas",
"more_tab_title": "Más", "{{displayName}}, your call has ended.": "{{displayName}}, tu llamada ha finalizado.",
"opt_in_description": "<0></0><1></1>Puedes retirar tu consentimiento desmarcando esta casilla. Si estás en una llamada, este ajuste se aplicará al final de esta.", "Submitting…": "Enviando…",
"show_connection_stats_label": "Mostrar estadísticas de conexión", "Your feedback": "Tus comentarios"
"speaker_device_selection_label": "Altavoz"
},
"star_rating_input_label_one": "{{count}} estrella",
"star_rating_input_label_other": "{{count}} estrellas",
"submitting": "Enviando…",
"unauthenticated_view_body": "¿No estás registrado todavía? <2>Crear una cuenta</2>",
"unauthenticated_view_eula_caption": "Al hacer clic en \"Comenzar\", aceptas nuestro <2>Contrato de Licencia de Usuario Final (CLUF)</2>",
"unauthenticated_view_login_button": "Iniciar sesión en tu cuenta",
"version": "Versión: {{version}}",
"waiting_for_participants": "Esperando a los otros participantes…"
} }

View File

@@ -1,134 +1,120 @@
{ {
"a11y": { "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>Kas soovid salasõna seadistada ja sellega oma kasutajakonto alles jätta?</0><1>Nii saad säilitada oma nime ja määrata profiilipildi, mida saad kasutada tulevastes kõnedes</1>",
"user_menu": "Kasutajamenüü" "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Loo konto</0> Või <2>Sisene külalisena</2>",
}, "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>On sul juba konto?</0><1><0>Logi sisse</0> Või <2>Logi sisse külalisena</2></1>",
"action": { "Include debug logs": "Lisa veatuvastuslogid",
"close": "Sulge", "Home": "Avavaatesse",
"copy": "Kopeeri", "Go": "Jätka",
"copy_link": "Kopeeri link", "Full screen": "Täisekraan",
"go": "Jätka", "Exit full screen": "Välju täisekraanivaatest",
"invite": "Kutsu", "Display name": "Kuvatav nimi",
"no": "Ei", "Developer": "Arendaja",
"register": "Registreeru", "Debug log request": "Veaotsingulogi päring",
"remove": "Eemalda", "Create account": "Loo konto",
"sign_in": "Logi sisse", "Copied!": "Kopeeritud!",
"sign_out": "Logi välja", "Confirm password": "Kinnita salasõna",
"submit": "Saada" "Close": "Sulge",
}, "Camera": "Kaamera",
"analytics_notice": "Nõustudes selle beetaversiooni kasutamisega sa nõustud ka toote arendamiseks kasutatavate anonüümsete andmete kogumisega. Täpsemat teavet kogutavate andmete kohta leiad meie <2>Privaatsuspoliitikast</2> ja meie <5>Küpsiste kasutamise reeglitest</5>.", "Avatar": "Tunnuspilt",
"app_selection_modal": { "Audio": "Heli",
"continue_in_browser": "Jätka veebibrauseris", "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "Ühel teisel selles kõnes osalejal on lahenduse kasutamisel tekkinud probleem ning selle põhjuse leidmiseks me sooviksime koguda silumislogisid.",
"open_in_app": "Ava rakenduses", "Passwords must match": "Salasõnad ei klapi",
"text": "Oled valmis liituma?", "Password": "Salasõna",
"title": "Vali rakendus" "Not registered yet? <2>Create an account</2>": "Sa pole veel registreerunud? <2>Loo kasutajakonto</2>",
}, "Not now, return to home screen": "Mitte praegu, mine tagasi avalehele",
"browser_media_e2ee_unsupported": "Sinu veebibrauser ei toeta meedia läbivat krüptimist. Toetatud brauserid on Chrome, Chromium, Safari ja Firefox >=117", "No": "Ei",
"call_ended_view": { "More": "Rohkem",
"body": "Sinu ühendus kõnega katkes", "Microphone": "Mikrofon",
"create_account_button": "Loo konto", "Login to your account": "Logi oma kontosse sisse",
"create_account_prompt": "<0>Kas soovid salasõna seadistada ja sellega oma kasutajakonto alles jätta?</0><1>Nii saad säilitada oma nime ja määrata profiilipildi, mida saad kasutada tulevastes kõnedes</1>", "Login": "Sisselogimine",
"feedback_done": "<0>Täname Sind tagasiside eest!</0>", "Logging in…": "Sisselogimine …",
"feedback_prompt": "<0>Meie rakenduse paremaks muutmiseks me hea meelega ootame Sinu arvamusi.</0>", "Local volume": "Kohalik helitugevus",
"headline": "{{displayName}}, sinu kõne on lõppenud.", "Loading…": "Laadimine …",
"not_now_button": "Mitte praegu, mine tagasi avalehele", "Join existing call?": "Liitu juba käimasoleva kõnega?",
"reconnect_button": "Ühenda uuesti", "Join call now": "Liitu kõnega kohe",
"survey_prompt": "Kuidas sujus?" "Join call": "Kõnega liitumine",
}, "Submit feedback": "Jaga tagasisidet",
"call_name": "Kõne nimi", "Spotlight": "Rambivalgus",
"common": { "Speaker": "Kõlar",
"audio": "Heli", "Sign out": "Logi välja",
"avatar": "Tunnuspilt", "Sign in": "Logi sisse",
"camera": "Kaamera", "Share screen": "Jaga ekraani",
"copied": "Kopeeritud!", "Settings": "Seadistused",
"display_name": "Kuvatav nimi", "Sending…": "Saatmine…",
"encrypted": "Krüptitud", "Sending debug logs…": "Veaotsingulogide saatmine…",
"home": "Avavaatesse", "Send debug logs": "Saada veaotsingulogid",
"loading": "Laadimine …", "Select an option": "Vali oma eelistus",
"microphone": "Mikrofon", "Return to home screen": "Tagasi avalehele",
"password": "Salasõna", "Remove": "Eemalda",
"profile": "Profiil", "Registering…": "Registreerimine…",
"settings": "Seadistused", "Register": "Registreeru",
"unencrypted": "Krüptimata", "Recaptcha not loaded": "Robotilõks pole laetud",
"username": "Kasutajanimi" "Recaptcha dismissed": "Robotilõks on vahele jäetud",
}, "Profile": "Profiil",
"disconnected_banner": "Võrguühendus serveriga on katkenud.", "Waiting for other participants…": "Ootame teiste osalejate lisandumist…",
"full_screen_view_description": "<0>Kui saadad meile vealogid, siis on lihtsam vea põhjust otsida.</0>", "Video": "Video",
"full_screen_view_h1": "<0>Ohoo, midagi on nüüd katki.</0>", "Version: {{version}}": "Versioon: {{version}}",
"hangup_button_label": "Lõpeta kõne", "Username": "Kasutajanimi",
"header_participants_label": "Osalejad", "This call already exists, would you like to join?": "See kõne on juba olemas, kas soovid liituda?",
"invite_modal": { "User menu": "Kasutajamenüü",
"link_copied_toast": "Link on kopeeritud lõikelauale", "Yes, join call": "Jah, liitu kõnega",
"title": "Kutsu liituma selle kõnaga" "Element Call Home": "Element Call Home",
}, "Copy": "Kopeeri",
"join_existing_call_modal": { "<0>Submitting debug logs will help us track down the problem.</0>": "<0>Kui saadad meile vealogid, siis on lihtsam vea põhjust otsida.</0>",
"join_button": "Jah, liitu kõnega", "<0>Oops, something's gone wrong.</0>": "<0>Ohoo, midagi on nüüd katki.</0>",
"text": "See kõne on juba olemas, kas soovid liituda?", "Expose developer settings in the settings window.": "Näita seadistuste aknas arendajale vajalikke seadeid.",
"title": "Liitu juba käimasoleva kõnega?" "Developer Settings": "Arendaja seadistused",
}, "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.": "Nõustudes selle beetaversiooni kasutamisega sa nõustud ka toote arendamiseks kasutatavate anonüümsete andmete kogumisega. Täpsemat teavet kogutavate andmete kohta leiad meie <2>Privaatsuspoliitikast</2> ja meie <5>Küpsiste kasutamise reeglitest</5>.",
"layout_grid_label": "Ruudustik", "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.": "<0></0><1></1>Sa võid selle valiku eelmaldamisega alati oma nõusoleku tagasi võtta. Kui sul parasjagu on kõne pooleli, siis seadistuste muudatus jõustub pärast kõne lõppu.",
"layout_spotlight_label": "Rambivalgus", "Your feedback": "Sinu tagasiside",
"lobby": { "Thanks, we received your feedback!": "Tänud, me oleme sinu tagasiside kätte saanud!",
"join_button": "Kõnega liitumine", "Submitting…": "Saadan…",
"leave_button": "Tagasi hiljutiste kõnede juurde" "Submit": "Saada",
}, "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.": "Kui selle rakenduse kasutamisel tekib sul probleeme või lihtsalt soovid oma arvamust avaldada, siis palun täida alljärgnev lühike kirjeldus.",
"logging_in": "Sisselogimine …", "Feedback": "Tagasiside",
"login_auth_links": "<0>Loo konto</0> Või <2>Sisene külalisena</2>", "{{count}} stars|one": "{{count}} tärni",
"login_title": "Sisselogimine", "{{count}} stars|other": "{{count}} tärni",
"microphone_off": "Mikrofon ei tööta", "How did it go?": "Kuidas sujus?",
"microphone_on": "Mikrofon töötab", "{{displayName}}, your call has ended.": "{{displayName}}, sinu kõne on lõppenud.",
"mute_microphone_button_label": "Summuta mikrofon", "<0>Thanks for your feedback!</0>": "<0>Täname Sind tagasiside eest!</0>",
"rageshake_button_error_caption": "Proovi uuesti logisid saata", "<0>We'd love to hear your feedback so we can improve your experience.</0>": "<0>Meie rakenduse paremaks muutmiseks me hea meelega ootame Sinu arvamusi.</0>",
"rageshake_request_modal": { "Show connection stats": "Näita ühenduse statistikat",
"body": "Ühel teisel selles kõnes osalejal on lahenduse kasutamisel tekkinud probleem ning selle põhjuse leidmiseks me sooviksime koguda silumislogisid.", "{{displayName}} is presenting": "{{displayName}} on esitlemas",
"title": "Veaotsingulogi päring" "By clicking \"Go\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Klõpsides „Jätka“, nõustud sa meie <2>Lõppkasutaja litsentsilepinguga (EULA)</2>",
}, "By clicking \"Join call now\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Klõpsides „Liitu kõnega kohe“, nõustud sa meie <2>Lõppkasutaja litsentsilepinguga (EULA)</2>",
"rageshake_send_logs": "Saada veaotsingulogid", "This site is protected by ReCAPTCHA and the Google <2>Privacy Policy</2> and <6>Terms of Service</6> apply.<9></9>By clicking \"Register\", you agree to our <12>End User Licensing Agreement (EULA)</12>": "Selles saidis on kasutusel ReCAPTCHA ja kehtivad Google'i <2>Privaatsuspoliitika</2> ning <6>Teenusetingimused</6>.<9></9>Klõpsides „Registreeru“, sa nõustud meie <12>Lõppkasutaja litsentsilepingu (EULA) tingimustega</12>",
"rageshake_sending": "Saatmine…", "Connectivity to the server has been lost.": "Võrguühendus serveriga on katkenud.",
"rageshake_sending_logs": "Veaotsingulogide saatmine…", "Retry sending logs": "Proovi uuesti logisid saata",
"rageshake_sent": "Tänud!", "You were disconnected from the call": "Sinu ühendus kõnega katkes",
"recaptcha_caption": "Selles saidis on kasutusel ReCAPTCHA ja kehtivad Google'i <2>Privaatsuspoliitika</2> ning <6>Teenusetingimused</6>.<9></9>Klõpsides „Registreeru“, sa nõustud meie <12>Lõppkasutaja litsentsilepingu (EULA) tingimustega</12>", "Reconnect": "Ühenda uuesti",
"recaptcha_dismissed": "Robotilõks on vahele jäetud", "Thanks!": "Tänud!",
"recaptcha_not_loaded": "Robotilõks pole laetud", "Encrypted": "Krüptitud",
"register": { "End call": "Lõpeta kõne",
"passwords_must_match": "Salasõnad ei klapi", "Grid": "Ruudustik",
"registering": "Registreerimine…" "Microphone off": "Mikrofon ei tööta",
}, "Microphone on": "Mikrofon töötab",
"register_auth_links": "<0>On sul juba konto?</0><1><0>Logi sisse</0> Või <2>Logi sisse külalisena</2></1>", "Not encrypted": "Krüptimata",
"register_confirm_password_label": "Kinnita salasõna", "Sharing screen": "Ekraanivaade on jagamisel",
"return_home_button": "Tagasi avalehele", "{{count, number}}|one": "{{count, number}}",
"room_auth_view_eula_caption": "Klõpsides „Liitu kõnega kohe“, nõustud sa meie <2>Lõppkasutaja litsentsilepinguga (EULA)</2>", "{{count, number}}|other": "{{count, number}}",
"room_auth_view_join_button": "Liitu kõnega kohe", "You": "Sina",
"screenshare_button_label": "Jaga ekraani", "Continue in browser": "Jätka veebibrauseris",
"select_input_unset_button": "Vali oma eelistus", "Mute microphone": "Summuta mikrofon",
"settings": { "Name of call": "Kõne nimi",
"developer_settings_label": "Arendaja seadistused", "Open in the app": "Ava rakenduses",
"developer_settings_label_description": "Näita seadistuste aknas arendajale vajalikke seadeid.", "Ready to join?": "Oled valmis liituma?",
"developer_tab_title": "Arendaja", "Select app": "Vali rakendus",
"feedback_tab_body": "Kui selle rakenduse kasutamisel tekib sul probleeme või lihtsalt soovid oma arvamust avaldada, siis palun täida alljärgnev lühike kirjeldus.", "Start new call": "Algata uus kõne",
"feedback_tab_description_label": "Sinu tagasiside", "Back to recents": "Tagasi hiljutiste kõnede juurde",
"feedback_tab_h4": "Jaga tagasisidet", "Stop video": "Peata videovoog",
"feedback_tab_send_logs_label": "Lisa veatuvastuslogid", "Start video": "Lülita videovoog sisse",
"feedback_tab_thank_you": "Tänud, me oleme sinu tagasiside kätte saanud!", "Unmute microphone": "Lülita mikrofon sisse",
"feedback_tab_title": "Tagasiside", "Call not found": "Kõnet ei leidu",
"more_tab_title": "Rohkem", "Calls are now end-to-end encrypted and need to be created from the home page. This helps make sure everyone's using the same encryption key.": "Kõned on nüüd läbivalt krüptitud ning need pead looma kodulehelt. Sellega tagad, et kõik kasutavad samu krüptovõtmeid.",
"opt_in_description": "<0></0><1></1>Sa võid selle valiku eelmaldamisega alati oma nõusoleku tagasi võtta. Kui sul parasjagu on kõne pooleli, siis seadistuste muudatus jõustub pärast kõne lõppu.", "Your web browser does not support media end-to-end encryption. Supported Browsers are Chrome, Safari, Firefox >=117": "Sinu veebibrauser ei toeta meedia läbivat krüptimist. Toetatud brauserid on Chrome, Chromium, Safari ja Firefox >=117",
"show_connection_stats_label": "Näita ühenduse statistikat", "Invite": "Kutsu",
"speaker_device_selection_label": "Kõlar" "Link copied to clipboard": "Link on kopeeritud lõikelauale",
}, "Participants": "Osalejad",
"star_rating_input_label_one": "{{count}} tärni", "Copy link": "Kopeeri link",
"star_rating_input_label_other": "{{count}} tärni", "Invite to this call": "Kutsu liituma selle kõnaga"
"start_new_call": "Algata uus kõne",
"start_video_button_label": "Lülita videovoog sisse",
"stop_screenshare_button_label": "Ekraanivaade on jagamisel",
"stop_video_button_label": "Peata videovoog",
"submitting": "Saadan…",
"unauthenticated_view_body": "Sa pole veel registreerunud? <2>Loo kasutajakonto</2>",
"unauthenticated_view_eula_caption": "Klõpsides „Jätka“, nõustud sa meie <2>Lõppkasutaja litsentsilepinguga (EULA)</2>",
"unauthenticated_view_login_button": "Logi oma kontosse sisse",
"unmute_microphone_button_label": "Lülita mikrofon sisse",
"version": "Versioon: {{version}}",
"video_tile": {
"sfu_participant_local": "Sina"
},
"waiting_for_participants": "Ootame teiste osalejate lisandumist…"
} }

View File

@@ -1,78 +1,63 @@
{ {
"a11y": { "Video": "ویدیو",
"user_menu": "فهرست کاربر" "Username": "نام کاربری",
}, "Speaker": "بلندگو",
"action": { "Sign out": "خروج",
"close": "بستن", "Sign in": "ورود",
"copy": "رونوشت", "Settings": "تنظیمات",
"go": "رفتن", "Profile": "پروفایل",
"no": "خیر", "Password": "رمز عبور",
"register": "ثبت‌نام", "No": "خیر",
"remove": "حذف", "More": "بیشتر",
"sign_in": "ورود", "Microphone": "میکروفون",
"sign_out": "خروج" "Login to your account": "به حساب کاربری خود وارد شوید",
}, "Login": "ورود",
"call_ended_view": { "Loading…": "بارگزاری…",
"create_account_button": "ساخت حساب کاربری", "Join existing call?": "پیوست به تماس؟",
"create_account_prompt": "<0>چرا یک رمز عبور برای حساب کاربری خود تنظیم نمی‌کنید؟</0><1>شما می‌توانید نام خود را حفظ کنید و یک آواتار برای تماس‌های آینده بسازید</1>", "Join call now": "الان به تماس بپیوند",
"not_now_button": "الان نه، به صفحه اصلی برگردید" "Join call": "پیوستن به تماس",
}, "Home": "خانه",
"common": { "Go": "رفتن",
"audio": "صدا", "Full screen": "تمام صحفه",
"avatar": "آواتار", "Exit full screen": "خروج از حالت تمام صفحه",
"camera": "دوربین", "Display name": "نام نمایشی",
"copied": "کپی شد!", "Developer": "توسعه دهنده",
"display_name": "نام نمایشی", "Debug log request": "درخواست لاگ عیب‌یابی",
"home": "خانه", "Create account": "ساخت حساب کاربری",
"loading": "بارگزاری…", "Copied!": "کپی شد!",
"microphone": "میکروفون", "Confirm password": "تایید رمزعبور",
"password": "رمز عبور", "Close": "بستن",
"profile": "پروفایل", "Camera": "دوربین",
"settings": "تنظیمات", "Avatar": "آواتار",
"username": "نام کاربری", "Audio": "صدا",
"video": "ویدیو" "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "کاربر دیگری در این تماس مشکلی دارد. برای تشخیص بهتر مشکل، بهتر است ما لاگ عیب‌یابی را جمع‌آوری کنیم.",
}, "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>چرا یک رمز عبور برای حساب کاربری خود تنظیم نمی‌کنید؟</0><1>شما می‌توانید نام خود را حفظ کنید و یک آواتار برای تماس‌های آینده بسازید</1>",
"header_label": "خانهٔ تماس المنت", "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>ساخت حساب کاربری</0> Or <2>دسترسی به عنوان میهمان</2>",
"join_existing_call_modal": { "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>از قبل حساب کاربری دارید؟</0><1><0>ورود</0> Or <2>به عنوان یک میهمان وارد شوید</2></1>",
"join_button": "بله، به تماس بپیوندید", "Local volume": "حجم داخلی",
"text": "این تماس از قبل وجود دارد، می‌خواهید بپیوندید؟", "Spotlight": "نور افکن",
"title": "پیوست به تماس؟" "Share screen": "اشتراک گذاری صفحه نمایش",
}, "Sending…": "در حال ارسال…",
"layout_spotlight_label": "نور افکن", "Sending debug logs…": "در حال ارسال باگ‌های عیب‌یابی…",
"lobby": { "Send debug logs": "ارسال لاگ‌های عیب‌یابی",
"join_button": "پیوستن به تماس" "Select an option": "یک گزینه را انتخاب کنید",
}, "Return to home screen": "برگشت به صفحه اصلی",
"logging_in": "ورود…", "Remove": "حذف",
"login_auth_links": "<0>ساخت حساب کاربری</0> Or <2>دسترسی به عنوان میهمان</2>", "Registering…": "ثبت‌نام…",
"login_title": "ورود", "Register": "ثبت‌نام",
"rageshake_request_modal": { "Recaptcha not loaded": "کپچا بارگیری نشد",
"body": "کاربر دیگری در این تماس مشکلی دارد. برای تشخیص بهتر مشکل، بهتر است ما لاگ عیب‌یابی را جمع‌آوری کنیم.", "Recaptcha dismissed": "ریکپچا رد شد",
"title": "درخواست لاگ عیب‌یابی" "Passwords must match": "رمز عبور باید همخوانی داشته باشد",
}, "Not registered yet? <2>Create an account</2>": "هنوز ثبت‌نام نکرده‌اید؟ <2>ساخت حساب کاربری</2>",
"rageshake_send_logs": "ارسال لاگ‌های عیب‌یابی", "Not now, return to home screen": "الان نه، به صفحه اصلی برگردید",
"rageshake_sending": "در حال ارسال…", "Logging in…": "ورود…",
"rageshake_sending_logs": "در حال ارسال باگ‌های عیب‌یابی", "Include debug logs": "شامل لاگ‌های عیب‌یابی",
"recaptcha_dismissed": "ریکپچا رد شد", "Yes, join call": "بله، به تماس بپیوندید",
"recaptcha_not_loaded": "کپچا بارگیری نشد", "Waiting for other participants…": "در انتظار برای دیگر شرکت‌کنندگان…",
"register": { "Version: {{version}}": "نسخه: {{نسخه}}",
"passwords_must_match": "رمز عبور باید همخوانی داشته باشد", "User menu": "فهرست کاربر",
"registering": "ثبت‌نام…" "This call already exists, would you like to join?": "این تماس از قبل وجود دارد، می‌خواهید بپیوندید؟",
}, "Submit feedback": "بازخورد ارائه دهید",
"register_auth_links": "<0>از قبل حساب کاربری دارید؟</0><1><0>ورود</0> Or <2>به عنوان یک میهمان وارد شوید</2></1>", "Element Call Home": "خانهٔ تماس المنت",
"register_confirm_password_label": "تایید رمزعبور", "Copy": "رونوشت"
"return_home_button": "برگشت به صفحه اصلی",
"room_auth_view_join_button": "الان به تماس بپیوند",
"screenshare_button_label": "اشتراک گذاری صفحه نمایش",
"select_input_unset_button": "یک گزینه را انتخاب کنید",
"settings": {
"developer_tab_title": "توسعه دهنده",
"feedback_tab_h4": "بازخورد ارائه دهید",
"feedback_tab_send_logs_label": "شامل لاگ‌های عیب‌یابی",
"more_tab_title": "بیشتر",
"speaker_device_selection_label": "بلندگو"
},
"unauthenticated_view_body": "هنوز ثبت‌نام نکرده‌اید؟ <2>ساخت حساب کاربری</2>",
"unauthenticated_view_login_button": "به حساب کاربری خود وارد شوید",
"version": "نسخه: {{نسخه}}",
"waiting_for_participants": "در انتظار برای دیگر شرکت‌کنندگان…"
} }

View File

@@ -1,132 +1,120 @@
{ {
"a11y": { "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Créer un compte</0> Or <2>Accès invité</2>",
"user_menu": "Menu utilisateur" "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>Pourquoi ne pas créer un mot de passe pour conserver votre compte ?</0><1>Vous pourrez garder votre nom et définir un avatar pour vos futurs appels</1>",
}, "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "Un autre utilisateur dans cet appel a un problème. Pour nous permettre de résoudre le problème, nous aimerions récupérer un journal de débogage.",
"action": { "Audio": "Audio",
"close": "Fermer", "Avatar": "Avatar",
"copy": "Copier", "Camera": "Caméra",
"copy_link": "Copier le lien", "Close": "Fermer",
"go": "Commencer", "Confirm password": "Confirmer le mot de passe",
"invite": "Inviter", "Copied!": "Copié !",
"no": "Non", "Create account": "Créer un compte",
"register": "Senregistrer", "Debug log request": "Demande dun journal de débogage",
"remove": "Supprimer", "Developer": "Développeur",
"sign_in": "Connexion", "Display name": "Nom daffichage",
"sign_out": "Déconnexion", "Exit full screen": "Quitter le plein écran",
"submit": "Envoyer" "Full screen": "Plein écran",
}, "Go": "Commencer",
"analytics_notice": "En participant à cette beta, vous consentez à la collecte de données anonymes, qui seront utilisées pour améliorer le produit. Vous trouverez plus dinformations sur les données collectées dans notre <2>Politique de vie privée</2> et notre <5>Politique de cookies</5>.", "Home": "Accueil",
"app_selection_modal": { "Include debug logs": "Inclure les journaux de débogage",
"continue_in_browser": "Continuer dans le navigateur", "Join call": "Rejoindre lappel",
"open_in_app": "Ouvrir dans lapplication", "Join call now": "Rejoindre lappel maintenant",
"text": "Prêt à rejoindre ?", "Join existing call?": "Rejoindre un appel existant ?",
"title": "Choisissez lapplication" "Loading…": "Chargement…",
}, "Local volume": "Volume local",
"browser_media_e2ee_unsupported": "Votre navigateur web ne prend pas en charge le chiffrement de bout-en-bout des médias. Les navigateurs pris en charge sont Chrome, Safari, Firefox >= 117", "Logging in…": "Connexion…",
"call_ended_view": { "Login": "Connexion",
"body": "Vous avez été déconnecté de lappel", "Login to your account": "Connectez vous à votre compte",
"create_account_button": "Créer un compte", "Microphone": "Microphone",
"create_account_prompt": "<0>Pourquoi ne pas créer un mot de passe pour conserver votre compte ?</0><1>Vous pourrez garder votre nom et définir un avatar pour vos futurs appels</1>", "More": "Plus",
"feedback_done": "<0>Merci pour votre commentaire !</0>", "No": "Non",
"feedback_prompt": "<0>Nous aimerions avoir vos commentaires afin que nous puissions améliorer votre expérience.</0>", "Not now, return to home screen": "Pas maintenant, retourner à laccueil",
"headline": "{{displayName}}, votre appel est terminé.", "Not registered yet? <2>Create an account</2>": "Pas encore de compte ? <2>En créer un</2>",
"not_now_button": "Pas maintenant, retourner à laccueil", "Password": "Mot de passe",
"reconnect_button": "Se reconnecter", "Passwords must match": "Les mots de passe doivent correspondre",
"survey_prompt": "Comment cela sest-il passé ?" "Profile": "Profil",
}, "Recaptcha dismissed": "Recaptcha refusé",
"call_name": "Nom de lappel", "Recaptcha not loaded": "Recaptcha non chargé",
"common": { "Register": "Senregistrer",
"camera": "Caméra", "Registering…": "Enregistrement…",
"copied": "Copié !", "Remove": "Supprimer",
"display_name": "Nom daffichage", "Return to home screen": "Retour à laccueil",
"encrypted": "Chiffré", "Select an option": "Sélectionnez une option",
"home": "Accueil", "Send debug logs": "Envoyer les journaux de débogage",
"loading": "Chargement…", "Sending": "Envoi…",
"password": "Mot de passe", "Settings": "Paramètres",
"profile": "Profil", "Share screen": "Partage décran",
"settings": "Paramètres", "Sign in": "Connexion",
"unencrypted": "Non chiffré", "Sign out": "Déconnexion",
"username": "Nom dutilisateur", "Spotlight": "Premier plan",
"video": "Vidéo" "Submit feedback": "Envoyer un commentaire",
}, "This call already exists, would you like to join?": "Cet appel existe déjà, voulez-vous le rejoindre ?",
"disconnected_banner": "La connexion avec le serveur a été perdue.", "Yes, join call": "Oui, rejoindre lappel",
"full_screen_view_description": "<0>Soumettre les journaux de débogage nous aidera à déterminer le problème.</0>", "Waiting for other participants…": "En attente dautres participants…",
"full_screen_view_h1": "<0>Oups, quelque chose sest mal passé.</0>", "Video": "Vidéo",
"hangup_button_label": "Terminer lappel", "Version: {{version}}": "Version : {{version}}",
"header_label": "Accueil Element Call", "Username": "Nom dutilisateur",
"invite_modal": { "User menu": "Menu utilisateur",
"link_copied_toast": "Lien copié dans le presse-papier", "Speaker": "Intervenant",
"title": "Inviter dans cet appel" "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>Vous avez déjà un compte ?</0><1><0>Se connecter</0> Ou <2>Accès invité</2></1>",
}, "Sending debug logs…": "Envoi des journaux de débogage…",
"join_existing_call_modal": { "Element Call Home": "Accueil Element Call",
"join_button": "Oui, rejoindre lappel", "Copy": "Copier",
"text": "Cet appel existe déjà, voulez-vous le rejoindre ?", "<0>Submitting debug logs will help us track down the problem.</0>": "<0>Soumettre les journaux de débogage nous aidera à déterminer le problème.</0>",
"title": "Rejoindre un appel existant ?" "<0>Oops, something's gone wrong.</0>": "<0>Oups, quelque chose sest mal passé.</0>",
}, "Expose developer settings in the settings window.": "Affiche les paramètres développeurs dans la fenêtre des paramètres.",
"layout_grid_label": "Grille", "Developer Settings": "Paramètres développeurs",
"layout_spotlight_label": "Premier plan", "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.": "En participant à cette beta, vous consentez à la collecte de données anonymes, qui seront utilisées pour améliorer le produit. Vous trouverez plus dinformations sur les données collectées dans notre <2>Politique de vie privée</2> et notre <5>Politique de cookies</5>.",
"lobby": { "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.": "<0></0><1></1>Vous pouvez retirer votre consentement en décochant cette case. Si vous êtes actuellement en communication, ce paramètre prendra effet à la fin de lappel.",
"join_button": "Rejoindre lappel", "Your feedback": "Votre commentaire",
"leave_button": "Revenir à lhistorique des appels" "Thanks, we received your feedback!": "Merci, nous avons reçu vos commentaires !",
}, "Submitting…": "Envoi…",
"logging_in": "Connexion…", "Submit": "Envoyer",
"login_auth_links": "<0>Créer un compte</0> Or <2>Accès invité</2>", "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.": "Si vous rencontrez des problèmes, ou vous voulez simplement faire un commentaire, faites-en une courte description ci-dessous.",
"login_title": "Connexion", "Feedback": "Commentaires",
"microphone_off": "Microphone éteint", "{{count}} stars|other": "{{count}} favoris",
"microphone_on": "Microphone allumé", "<0>We'd love to hear your feedback so we can improve your experience.</0>": "<0>Nous aimerions avoir vos commentaires afin que nous puissions améliorer votre expérience.</0>",
"mute_microphone_button_label": "Couper le microphone", "{{count}} stars|one": "{{count}} favori",
"rageshake_button_error_caption": "Réessayer denvoyer les journaux", "{{displayName}}, your call has ended.": "{{displayName}}, votre appel est terminé.",
"rageshake_request_modal": { "<0>Thanks for your feedback!</0>": "<0>Merci pour votre commentaire !</0>",
"body": "Un autre utilisateur dans cet appel a un problème. Pour nous permettre de résoudre le problème, nous aimerions récupérer un journal de débogage.", "How did it go?": "Comment cela sest-il passé ?",
"title": "Demande dun journal de débogage" "{{displayName}} is presenting": "{{displayName}} est à lécran",
}, "Show connection stats": "Afficher les statistiques de la connexion",
"rageshake_send_logs": "Envoyer les journaux de débogage", "By clicking \"Join call now\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "En cliquant sur « Rejoindre lappel maintenant », vous acceptez notre <2>Contrat de Licence Utilisateur Final (CLUF)</2>",
"rageshake_sending": "Envoi…", "By clicking \"Go\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "En cliquant sur « Commencer », vous acceptez notre <2>Contrat de Licence Utilisateur Final (CLUF)</2>",
"rageshake_sending_logs": "Envoi des journaux de débogage…", "This site is protected by ReCAPTCHA and the Google <2>Privacy Policy</2> and <6>Terms of Service</6> apply.<9></9>By clicking \"Register\", you agree to our <12>End User Licensing Agreement (EULA)</12>": "Ce site est protégé par ReCAPTCHA, la <2>politique de confidentialité</2> et les <6>conditions dutilisation</6> de Google sappliquent.<9></9>En cliquant sur « Senregistrer » vous acceptez également notre <12>Contrat de Licence Utilisateur Final (CLUF)</12>",
"rageshake_sent": "Merci !", "Reconnect": "Se reconnecter",
"recaptcha_caption": "Ce site est protégé par ReCAPTCHA, la <2>politique de confidentialité</2> et les <6>conditions dutilisation</6> de Google sappliquent.<9></9>En cliquant sur « Senregistrer » vous acceptez également notre <12>Contrat de Licence Utilisateur Final (CLUF)</12>", "Retry sending logs": "Réessayer denvoyer les journaux",
"recaptcha_dismissed": "Recaptcha refusé", "Thanks!": "Merci !",
"recaptcha_not_loaded": "Recaptcha non chargé", "You were disconnected from the call": "Vous avez été déconnecté de lappel",
"register": { "Connectivity to the server has been lost.": "La connexion avec le serveur a été perdue.",
"passwords_must_match": "Les mots de passe doivent correspondre", "{{count, number}}|other": "{{count, number}}",
"registering": "Enregistrement…" "Encrypted": "Chiffré",
}, "End call": "Terminer lappel",
"register_auth_links": "<0>Vous avez déjà un compte ?</0><1><0>Se connecter</0> Ou <2>Accès invité</2></1>", "Grid": "Grille",
"register_confirm_password_label": "Confirmer le mot de passe", "Microphone off": "Microphone éteint",
"return_home_button": "Retour à laccueil", "Microphone on": "Microphone allumé",
"room_auth_view_eula_caption": "En cliquant sur « Rejoindre lappel maintenant », vous acceptez notre <2>Contrat de Licence Utilisateur Final (CLUF)</2>", "Sharing screen": "Lécran est partagé",
"room_auth_view_join_button": "Rejoindre lappel maintenant", "{{count, number}}|one": "{{count, number}}",
"screenshare_button_label": "Partage décran", "Not encrypted": "Non chiffré",
"select_input_unset_button": "Sélectionnez une option", "You": "Vous",
"settings": { "Continue in browser": "Continuer dans le navigateur",
"developer_settings_label": "Paramètres développeurs", "Mute microphone": "Couper le microphone",
"developer_settings_label_description": "Affiche les paramètres développeurs dans la fenêtre des paramètres.", "Name of call": "Nom de lappel",
"developer_tab_title": "Développeur", "Open in the app": "Ouvrir dans lapplication",
"feedback_tab_body": "Si vous rencontrez des problèmes, ou vous voulez simplement faire un commentaire, faites-en une courte description ci-dessous.", "Ready to join?": "Prêt à rejoindre ?",
"feedback_tab_description_label": "Votre commentaire", "Select app": "Choisissez lapplication",
"feedback_tab_h4": "Envoyer un commentaire", "Start new call": "Démarrer un nouvel appel",
"feedback_tab_send_logs_label": "Inclure les journaux de débogage", "Back to recents": "Revenir à lhistorique des appels",
"feedback_tab_thank_you": "Merci, nous avons reçu vos commentaires !", "Start video": "Démarrer la vidéo",
"feedback_tab_title": "Commentaires", "Stop video": "Arrêter la vidéo",
"more_tab_title": "Plus", "Unmute microphone": "Allumer le microphone",
"opt_in_description": "<0></0><1></1>Vous pouvez retirer votre consentement en décochant cette case. Si vous êtes actuellement en communication, ce paramètre prendra effet à la fin de lappel.", "Call not found": "Appel non trouvé",
"show_connection_stats_label": "Afficher les statistiques de la connexion", "Calls are now end-to-end encrypted and need to be created from the home page. This helps make sure everyone's using the same encryption key.": "Les appels sont maintenant chiffrés de bout-en-bout et doivent être créés depuis la page daccueil. Cela permet dêtre sûr que tout le monde utilise la même clé de chiffrement.",
"speaker_device_selection_label": "Intervenant" "Your web browser does not support media end-to-end encryption. Supported Browsers are Chrome, Safari, Firefox >=117": "Votre navigateur web ne prend pas en charge le chiffrement de bout-en-bout des médias. Les navigateurs pris en charge sont Chrome, Safari, Firefox >= 117",
}, "Copy link": "Copier le lien",
"star_rating_input_label_one": "{{count}} favori", "Invite": "Inviter",
"star_rating_input_label_other": "{{count}} favoris", "Invite to this call": "Inviter dans cet appel",
"start_new_call": "Démarrer un nouvel appel", "Link copied to clipboard": "Lien copié dans le presse-papier",
"start_video_button_label": "Démarrer la vidéo", "Participants": "Participants"
"stop_screenshare_button_label": "Lécran est partagé",
"stop_video_button_label": "Arrêter la vidéo",
"submitting": "Envoi…",
"unauthenticated_view_body": "Pas encore de compte ? <2>En créer un</2>",
"unauthenticated_view_eula_caption": "En cliquant sur « Commencer », vous acceptez notre <2>Contrat de Licence Utilisateur Final (CLUF)</2>",
"unauthenticated_view_login_button": "Connectez vous à votre compte",
"unmute_microphone_button_label": "Allumer le microphone",
"version": "Version : {{version}}",
"video_tile": {
"sfu_participant_local": "Vous"
},
"waiting_for_participants": "En attente dautres participants…"
} }

View File

@@ -1,133 +1,120 @@
{ {
"a11y": { "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>Sudah punya akun?</0><1><0>Masuk</0> Atau <2>Akses sebagai tamu</2></1>",
"user_menu": "Menu pengguna" "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Buat akun</0> Atau <2>Akses sebagai tamu</2>",
}, "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>Kenapa tidak selesaikan dengan mengatur sebuah kata sandi untuk menjaga akun Anda?</0><1>Anda akan dapat tetap menggunakan nama Anda dan atur sebuah avatar untuk digunakan dalam panggilan di masa mendatang</1>",
"action": { "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "Pengguna yang lain di panggilan ini sedang mengalami masalah. Supaya dapat mendiagnosa masalah ini, kami ingin mengumpulkan sebuah catatan pengawakutuan.",
"close": "Tutup", "Audio": "Audio",
"copy": "Salin", "Avatar": "Avatar",
"copy_link": "Salin tautan", "Camera": "Kamera",
"go": "Bergabung", "Close": "Tutup",
"invite": "Undang", "Confirm password": "Konfirmasi kata sandi",
"no": "Tidak", "Copied!": "Disalin!",
"register": "Daftar", "Create account": "Buat akun",
"remove": "Hapus", "Debug log request": "Permintaan catatan pengawakutuan",
"sign_in": "Masuk", "Developer": "Pengembang",
"sign_out": "Keluar", "Display name": "Nama tampilan",
"submit": "Kirim" "Exit full screen": "Keluar dari layar penuh",
}, "Full screen": "Layar penuh",
"analytics_notice": "Dengan bergabung dalam beta ini, Anda mengizinkan kami untuk mengumpulkan data anonim, yang kami gunakan untuk meningkatkan produk ini. Anda dapat mempelajari lebih lanjut tentang data apa yang kami lacak dalam <2>Kebijakan Privasi</2> dan <5>Kebijakan Kuki</5> kami.", "Go": "Bergabung",
"app_selection_modal": { "Home": "Beranda",
"continue_in_browser": "Lanjutkan dalam peramban", "Include debug logs": "Termasuk catatan pengawakutuan",
"open_in_app": "Buka dalam aplikasi", "Join call": "Bergabung ke panggilan",
"text": "Siap untuk bergabung?", "Join call now": "Bergabung ke panggilan sekarang",
"title": "Pilih plikasi" "Join existing call?": "Bergabung ke panggilan yang sudah ada?",
}, "Loading…": "Memuat…",
"browser_media_e2ee_unsupported": "Peramban web Anda tidak mendukung enkripsi media ujung ke ujung. Peramban yang didukung adalah Chrome, Safari, dan Firefox >=117", "Local volume": "Volume lokal",
"call_ended_view": { "Logging in…": "Memasuki…",
"body": "Anda terputus dari panggilan", "Login": "Masuk",
"create_account_button": "Buat akun", "Login to your account": "Masuk ke akun Anda",
"create_account_prompt": "<0>Kenapa tidak selesaikan dengan mengatur sebuah kata sandi untuk menjaga akun Anda?</0><1>Anda akan dapat tetap menggunakan nama Anda dan atur sebuah avatar untuk digunakan dalam panggilan di masa mendatang</1>", "Microphone": "Mikrofon",
"feedback_done": "<0>Terima kasih atas masukan Anda!</0>", "More": "Lainnya",
"feedback_prompt": "<0>Kami ingin mendengar masukan Anda supaya kami bisa meningkatkan pengalaman Anda.</0>", "No": "Tidak",
"headline": "{{displayName}}, panggilan Anda telah berakhir.", "Not now, return to home screen": "Tidak sekarang, kembali ke layar beranda",
"not_now_button": "Tidak sekarang, kembali ke layar beranda", "Not registered yet? <2>Create an account</2>": "Belum terdaftar? <2>Buat sebuah akun</2>",
"reconnect_button": "Hubungkan ulang", "Password": "Kata sandi",
"survey_prompt": "Bagaimana rasanya?" "Passwords must match": "Kata sandi harus cocok",
}, "Profile": "Profil",
"call_name": "Nama panggilan", "Recaptcha dismissed": "Recaptcha ditutup",
"common": { "Recaptcha not loaded": "Recaptcha tidak dimuat",
"camera": "Kamera", "Register": "Daftar",
"copied": "Disalin!", "Registering…": "Mendaftarkan…",
"display_name": "Nama tampilan", "Remove": "Hapus",
"encrypted": "Terenkripsi", "Return to home screen": "Kembali ke layar beranda",
"home": "Beranda", "Select an option": "Pilih sebuah opsi",
"loading": "Memuat…", "Send debug logs": "Kirim catatan pengawakutuan",
"microphone": "Mikrofon", "Sending…": "Mengirimkan…",
"password": "Kata sandi", "Settings": "Pengaturan",
"profile": "Profil", "Share screen": "Bagikan layar",
"settings": "Pengaturan", "Sign in": "Masuk",
"unencrypted": "Tidak terenkripsi", "Sign out": "Keluar",
"username": "Nama pengguna" "Speaker": "Pembicara",
}, "Spotlight": "Sorotan",
"disconnected_banner": "Koneksi ke server telah hilang.", "Submit feedback": "Kirim masukan",
"full_screen_view_description": "<0>Mengirim catatan pengawakutuan akan membantu kami melacak masalahnya.</0>", "This call already exists, would you like to join?": "Panggilan ini sudah ada, apakah Anda ingin bergabung?",
"full_screen_view_h1": "<0>Aduh, ada yang salah.</0>", "User menu": "Menu pengguna",
"hangup_button_label": "Akhiri panggilan", "Username": "Nama pengguna",
"header_label": "Beranda Element Call", "Version: {{version}}": "Versi: {{version}}",
"header_participants_label": "Peserta", "Video": "Video",
"invite_modal": { "Waiting for other participants…": "Menunggu peserta lain…",
"link_copied_toast": "Tautan disalin ke papan klip", "Yes, join call": "Ya, bergabung ke panggilan",
"title": "Undang ke panggilan ini" "Sending debug logs…": "Mengirimkan catatan pengawakutuan…",
}, "Element Call Home": "Beranda Element Call",
"join_existing_call_modal": { "Copy": "Salin",
"join_button": "Ya, bergabung ke panggilan", "<0>Submitting debug logs will help us track down the problem.</0>": "<0>Mengirim catatan pengawakutuan akan membantu kami melacak masalahnya.</0>",
"text": "Panggilan ini sudah ada, apakah Anda ingin bergabung?", "<0>Oops, something's gone wrong.</0>": "<0>Aduh, ada yang salah.</0>",
"title": "Bergabung ke panggilan yang sudah ada?" "Expose developer settings in the settings window.": "Ekspos pengaturan pengembang dalam jendela pengaturan.",
}, "Developer Settings": "Pengaturan Pengembang",
"layout_grid_label": "Kisi", "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.": "Dengan bergabung dalam beta ini, Anda mengizinkan kami untuk mengumpulkan data anonim, yang kami gunakan untuk meningkatkan produk ini. Anda dapat mempelajari lebih lanjut tentang data apa yang kami lacak dalam <2>Kebijakan Privasi</2> dan <5>Kebijakan Kuki</5> kami.",
"layout_spotlight_label": "Sorotan", "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.": "<0></0><1></1>Anda dapat mengurungkan kembali izin dengan mencentang kotak ini. Jika Anda saat ini dalam panggilan, pengaturan ini akan diterapkan di akhir panggilan.",
"lobby": { "Feedback": "Masukan",
"join_button": "Bergabung ke panggilan", "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.": "Jika Anda mengalami masalah atau hanya ingin memberikan masukan, silakan kirimkan kami deskripsi pendek di bawah.",
"leave_button": "Kembali ke terkini" "Submit": "Kirim",
}, "Submitting…": "Mengirim…",
"logging_in": "Memasuki…", "Thanks, we received your feedback!": "Terima kasih, kami telah menerima masukan Anda!",
"login_auth_links": "<0>Buat akun</0> Atau <2>Akses sebagai tamu</2>", "Your feedback": "Masukan Anda",
"login_title": "Masuk", "{{displayName}}, your call has ended.": "{{displayName}}, panggilan Anda telah berakhir.",
"microphone_off": "Mikrofon dimatikan", "<0>Thanks for your feedback!</0>": "<0>Terima kasih atas masukan Anda!</0>",
"microphone_on": "Mikrofon dinyalakan", "How did it go?": "Bagaimana rasanya?",
"mute_microphone_button_label": "Matikan mikrofon", "{{count}} stars|one": "{{count}} bintang",
"rageshake_button_error_caption": "Kirim ulang catatan", "<0>We'd love to hear your feedback so we can improve your experience.</0>": "<0>Kami ingin mendengar masukan Anda supaya kami bisa meningkatkan pengalaman Anda.</0>",
"rageshake_request_modal": { "Show connection stats": "Tampilkan statistik koneksi",
"body": "Pengguna yang lain di panggilan ini sedang mengalami masalah. Supaya dapat mendiagnosa masalah ini, kami ingin mengumpulkan sebuah catatan pengawakutuan.", "{{displayName}} is presenting": "{{displayName}} sedang menampilkan",
"title": "Permintaan catatan pengawakutuan" "{{count}} stars|other": "{{count}} bintang",
}, "By clicking \"Go\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Dengan mengeklik \"Bergabung\", Anda menyetujui <2>Perjanjian Lisensi Pengguna Akhir (EULA)</2>",
"rageshake_send_logs": "Kirim catatan pengawakutuan", "This site is protected by ReCAPTCHA and the Google <2>Privacy Policy</2> and <6>Terms of Service</6> apply.<9></9>By clicking \"Register\", you agree to our <12>End User Licensing Agreement (EULA)</12>": "Situs ini dilindungi oleh reCAPTCHA dan <2>Kebijakan Privasi</2> dan <6>Ketentuan Layanan</6> Google berlaku.<9></9>Dengan mengeklik \"Daftar\", Anda menyetujui <12>Perjanjian Lisensi Pengguna Akhir (EULA)</12> kami",
"rageshake_sending": "Mengirimkan…", "By clicking \"Join call now\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Dengan mengeklik \"Bergabung ke panggilan sekarang\", Anda menyetujui <2>Perjanjian Lisensi Pengguna Akhir (EULA)</2> kami",
"rageshake_sending_logs": "Mengirimkan catatan pengawakutuan…", "Connectivity to the server has been lost.": "Koneksi ke server telah hilang.",
"rageshake_sent": "Terima kasih!", "Retry sending logs": "Kirim ulang catatan",
"recaptcha_caption": "Situs ini dilindungi oleh reCAPTCHA dan <2>Kebijakan Privasi</2> dan <6>Ketentuan Layanan</6> Google berlaku.<9></9>Dengan mengeklik \"Daftar\", Anda menyetujui <12>Perjanjian Lisensi Pengguna Akhir (EULA)</12> kami", "You were disconnected from the call": "Anda terputus dari panggilan",
"recaptcha_dismissed": "Recaptcha ditutup", "Reconnect": "Hubungkan ulang",
"recaptcha_not_loaded": "Recaptcha tidak dimuat", "Thanks!": "Terima kasih!",
"register": { "{{count, number}}|other": "{{count, number}}",
"passwords_must_match": "Kata sandi harus cocok", "Encrypted": "Terenkripsi",
"registering": "Mendaftarkan…" "End call": "Akhiri panggilan",
}, "Grid": "Kisi",
"register_auth_links": "<0>Sudah punya akun?</0><1><0>Masuk</0> Atau <2>Akses sebagai tamu</2></1>", "Microphone off": "Mikrofon dimatikan",
"register_confirm_password_label": "Konfirmasi kata sandi", "Microphone on": "Mikrofon dinyalakan",
"return_home_button": "Kembali ke layar beranda", "Not encrypted": "Tidak terenkripsi",
"room_auth_view_eula_caption": "Dengan mengeklik \"Bergabung ke panggilan sekarang\", Anda menyetujui <2>Perjanjian Lisensi Pengguna Akhir (EULA)</2> kami", "Sharing screen": "Berbagi layar",
"room_auth_view_join_button": "Bergabung ke panggilan sekarang", "{{count, number}}|one": "{{count, number}}",
"screenshare_button_label": "Bagikan layar", "You": "Anda",
"select_input_unset_button": "Pilih sebuah opsi", "Continue in browser": "Lanjutkan dalam peramban",
"settings": { "Mute microphone": "Matikan mikrofon",
"developer_settings_label": "Pengaturan Pengembang", "Name of call": "Nama panggilan",
"developer_settings_label_description": "Ekspos pengaturan pengembang dalam jendela pengaturan.", "Open in the app": "Buka dalam aplikasi",
"developer_tab_title": "Pengembang", "Ready to join?": "Siap untuk bergabung?",
"feedback_tab_body": "Jika Anda mengalami masalah atau hanya ingin memberikan masukan, silakan kirimkan kami deskripsi pendek di bawah.", "Select app": "Pilih plikasi",
"feedback_tab_description_label": "Masukan Anda", "Start new call": "Mulai panggilan baru",
"feedback_tab_h4": "Kirim masukan", "Start video": "Nyalakan video",
"feedback_tab_send_logs_label": "Termasuk catatan pengawakutuan", "Stop video": "Matikan video",
"feedback_tab_thank_you": "Terima kasih, kami telah menerima masukan Anda!", "Unmute microphone": "Nyalakan mikrofon",
"feedback_tab_title": "Masukan", "Back to recents": "Kembali ke terkini",
"more_tab_title": "Lainnya", "Call not found": "Panggilan tidak ditemukan",
"opt_in_description": "<0></0><1></1>Anda dapat mengurungkan kembali izin dengan mencentang kotak ini. Jika Anda saat ini dalam panggilan, pengaturan ini akan diterapkan di akhir panggilan.", "Calls are now end-to-end encrypted and need to be created from the home page. This helps make sure everyone's using the same encryption key.": "Panggilan sekarang terenkripsi secara ujung ke ujung dan harus dibuat dari laman beranda. Ini memastikan bahwa semuanya menggunakan kunci enkripsi yang sama.",
"show_connection_stats_label": "Tampilkan statistik koneksi", "Your web browser does not support media end-to-end encryption. Supported Browsers are Chrome, Safari, Firefox >=117": "Peramban web Anda tidak mendukung enkripsi media ujung ke ujung. Peramban yang didukung adalah Chrome, Safari, dan Firefox >=117",
"speaker_device_selection_label": "Pembicara" "Invite": "Undang",
}, "Invite to this call": "Undang ke panggilan ini",
"star_rating_input_label_one": "{{count}} bintang", "Participants": "Peserta",
"star_rating_input_label_other": "{{count}} bintang", "Copy link": "Salin tautan",
"start_new_call": "Mulai panggilan baru", "Link copied to clipboard": "Tautan disalin ke papan klip"
"start_video_button_label": "Nyalakan video",
"stop_screenshare_button_label": "Berbagi layar",
"stop_video_button_label": "Matikan video",
"submitting": "Mengirim…",
"unauthenticated_view_body": "Belum terdaftar? <2>Buat sebuah akun</2>",
"unauthenticated_view_eula_caption": "Dengan mengeklik \"Bergabung\", Anda menyetujui <2>Perjanjian Lisensi Pengguna Akhir (EULA)</2>",
"unauthenticated_view_login_button": "Masuk ke akun Anda",
"unmute_microphone_button_label": "Nyalakan mikrofon",
"version": "Versi: {{version}}",
"video_tile": {
"sfu_participant_local": "Anda"
},
"waiting_for_participants": "Menunggu peserta lain…"
} }

View File

@@ -1,130 +1,120 @@
{ {
"a11y": { "{{count, number}}|one": "{{count, number}}",
"user_menu": "Menu utente" "{{count, number}}|other": "{{count, number}}",
}, "{{count}} stars|one": "{{count}} stelle",
"action": { "{{count}} stars|other": "{{count}} stelle",
"close": "Chiudi", "{{displayName}} is presenting": "{{displayName}} sta presentando",
"copy": "Copia", "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>Hai già un profilo?</0><1><0>Accedi</0> o <2>Accedi come ospite</2></1>",
"copy_link": "Copia collegamento", "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Crea un profilo</0> o <2>Accedi come ospite</2>",
"go": "Vai", "<0>Oops, something's gone wrong.</0>": "<0>Ops, qualcosa è andato storto.</0>",
"invite": "Invita", "<0>Submitting debug logs will help us track down the problem.</0>": "<0>L'invio di registri di debug ci aiuterà ad individuare il problema.</0>",
"register": "Registra", "<0>Thanks for your feedback!</0>": "<0>Grazie per la tua opinione!</0>",
"remove": "Rimuovi", "<0>We'd love to hear your feedback so we can improve your experience.</0>": "<0>Vorremmo sapere la tua opinione in modo da migliorare l'esperienza.</0>",
"sign_in": "Accedi", "Audio": "Audio",
"sign_out": "Disconnetti", "Avatar": "Avatar",
"submit": "Invia" "By clicking \"Go\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Cliccando \"Vai\", accetti il nostro <2>accordo di licenza con l'utente finale (EULA)</2>",
}, "Camera": "Fotocamera",
"analytics_notice": "Partecipando a questa beta, acconsenti alla raccolta di dati anonimi che usiamo per migliorare il prodotto. Puoi trovare più informazioni su quali dati monitoriamo nella nostra <2>informativa sulla privacy</2> e nell'<5>informativa sui cookie</5>.", "Close": "Chiudi",
"app_selection_modal": { "Confirm password": "Conferma password",
"continue_in_browser": "Continua nel browser", "Connectivity to the server has been lost.": "La connessione al server è stata persa.",
"open_in_app": "Apri nell'app", "Copied!": "Copiato!",
"text": "Tutto pronto per entrare?", "Copy": "Copia",
"title": "Seleziona app" "Create account": "Crea profilo",
}, "Debug log request": "Richiesta registro di debug",
"browser_media_e2ee_unsupported": "Il tuo browser non supporta la crittografia end-to-end dei media. I browser supportati sono Chrome, Safari, Firefox >=117", "Developer": "Sviluppatore",
"call_ended_view": { "Developer Settings": "Impostazioni per sviluppatori",
"body": "Sei stato disconnesso dalla chiamata", "Display name": "Il tuo nome",
"create_account_button": "Crea profilo", "Element Call Home": "Inizio di Element Call",
"create_account_prompt": "<0>Ti va di terminare impostando una password per mantenere il profilo?</0><1>Potrai mantenere il tuo nome e impostare un avatar da usare in chiamate future</1>", "Encrypted": "Cifrata",
"feedback_done": "<0>Grazie per la tua opinione!</0>", "End call": "Termina chiamata",
"feedback_prompt": "<0>Vorremmo sapere la tua opinione in modo da migliorare l'esperienza.</0>", "Exit full screen": "Esci da schermo intero",
"headline": "{{displayName}}, la chiamata è terminata.", "Expose developer settings in the settings window.": "Mostra le impostazioni per sviluppatori nella finestra delle impostazioni.",
"not_now_button": "Non ora, torna alla schermata principale", "Feedback": "Feedback",
"reconnect_button": "Riconnetti", "Full screen": "Schermo intero",
"survey_prompt": "Com'è andata?" "Go": "Vai",
}, "Grid": "Griglia",
"call_name": "Nome della chiamata", "Home": "Pagina iniziale",
"common": { "How did it go?": "Com'è andata?",
"camera": "Fotocamera", "Include debug logs": "Includi registri di debug",
"copied": "Copiato!", "Join call": "Entra in chiamata",
"display_name": "Il tuo nome", "Join call now": "Entra in chiamata ora",
"encrypted": "Cifrata", "Loading…": "Caricamento…",
"home": "Pagina iniziale", "Local volume": "Volume locale",
"loading": "Caricamento…", "Logging in…": "Accesso…",
"microphone": "Microfono", "Login": "Accedi",
"profile": "Profilo", "Login to your account": "Accedi al tuo profilo",
"settings": "Impostazioni", "Microphone": "Microfono",
"unencrypted": "Non cifrata", "Microphone off": "Microfono spento",
"username": "Nome utente" "Microphone on": "Microfono acceso",
}, "More": "Altro",
"disconnected_banner": "La connessione al server è stata persa.", "No": "No",
"full_screen_view_description": "<0>L'invio di registri di debug ci aiuterà ad individuare il problema.</0>", "Not encrypted": "Non cifrata",
"full_screen_view_h1": "<0>Ops, qualcosa è andato storto.</0>", "Join existing call?": "Entrare in una chiamata esistente?",
"hangup_button_label": "Termina chiamata", "Not registered yet? <2>Create an account</2>": "Non hai ancora un profilo? <2>Creane uno</2>",
"header_label": "Inizio di Element Call", "Password": "Password",
"header_participants_label": "Partecipanti", "Passwords must match": "Le password devono coincidere",
"invite_modal": { "Profile": "Profilo",
"link_copied_toast": "Collegamento copiato negli appunti", "Recaptcha dismissed": "Recaptcha annullato",
"title": "Invita a questa chiamata" "Recaptcha not loaded": "Recaptcha non caricato",
}, "Reconnect": "Riconnetti",
"join_existing_call_modal": { "Register": "Registra",
"join_button": "Sì, entra in chiamata", "Registering…": "Registrazione…",
"text": "Questa chiamata esiste già, vuoi entrare?", "Remove": "Rimuovi",
"title": "Entrare in una chiamata esistente?" "Retry sending logs": "Riprova l'invio dei registri",
}, "Return to home screen": "Torna alla schermata di iniziale",
"layout_grid_label": "Griglia", "Select an option": "Seleziona un'opzione",
"layout_spotlight_label": "In primo piano", "Send debug logs": "Invia registri di debug",
"lobby": { "Sending debug logs…": "Invio dei registri di debug…",
"join_button": "Entra in chiamata", "Sending…": "Invio…",
"leave_button": "Torna ai recenti" "Settings": "Impostazioni",
}, "Share screen": "Condividi schermo",
"logging_in": "Accesso…", "Sharing screen": "Condivisione schermo",
"login_auth_links": "<0>Crea un profilo</0> o <2>Accedi come ospite</2>", "Show connection stats": "Mostra statistiche connessione",
"login_title": "Accedi", "Sign in": "Accedi",
"microphone_off": "Microfono spento", "Sign out": "Disconnetti",
"microphone_on": "Microfono acceso", "Speaker": "Altoparlante",
"mute_microphone_button_label": "Spegni il microfono", "Submit": "Invia",
"rageshake_button_error_caption": "Riprova l'invio dei registri", "Submit feedback": "Invia commento",
"rageshake_request_modal": { "Spotlight": "In primo piano",
"body": "Un altro utente in questa chiamata sta avendo problemi. Per diagnosticare meglio questi problemi, vorremmo raccogliere un registro di debug.", "Thanks, we received your feedback!": "Grazie, abbiamo ricevuto il tuo commento!",
"title": "Richiesta registro di debug" "Thanks!": "Grazie!",
}, "This call already exists, would you like to join?": "Questa chiamata esiste già, vuoi entrare?",
"rageshake_send_logs": "Invia registri di debug", "This site is protected by ReCAPTCHA and the Google <2>Privacy Policy</2> and <6>Terms of Service</6> apply.<9></9>By clicking \"Register\", you agree to our <12>End User Licensing Agreement (EULA)</12>": "Questo sito è protetto da ReCAPTCHA e si applicano l'<2>informativa sulla privacy</2> e i <6>termini di servizio</6> di Google.<9></9>Cliccando \"Registra\", accetti il nostro <12>accordo di licenza con l'utente finale (EULA)</12>",
"rageshake_sending": "Invio…", "User menu": "Menu utente",
"rageshake_sending_logs": "Invio dei registri di debug…", "Username": "Nome utente",
"rageshake_sent": "Grazie!", "Version: {{version}}": "Versione: {{version}}",
"recaptcha_caption": "Questo sito è protetto da ReCAPTCHA e si applicano l'<2>informativa sulla privacy</2> e i <6>termini di servizio</6> di Google.<9></9>Cliccando \"Registra\", accetti il nostro <12>accordo di licenza con l'utente finale (EULA)</12>", "Video": "Video",
"recaptcha_dismissed": "Recaptcha annullato", "Waiting for other participants…": "In attesa di altri partecipanti…",
"recaptcha_not_loaded": "Recaptcha non caricato", "Yes, join call": "Sì, entra in chiamata",
"register": { "You were disconnected from the call": "Sei stato disconnesso dalla chiamata",
"passwords_must_match": "Le password devono coincidere", "Your feedback": "Il tuo commento",
"registering": "Registrazione…" "{{displayName}}, your call has ended.": "{{displayName}}, la chiamata è terminata.",
}, "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.": "<0></0><1></1>Puoi revocare il consenso deselezionando questa casella. Se attualmente sei in una chiamata, avrà effetto al termine di essa.",
"register_auth_links": "<0>Hai già un profilo?</0><1><0>Accedi</0> o <2>Accedi come ospite</2></1>", "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>Ti va di terminare impostando una password per mantenere il profilo?</0><1>Potrai mantenere il tuo nome e impostare un avatar da usare in chiamate future</1>",
"register_confirm_password_label": "Conferma password", "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.": "Se stai riscontrando problemi o semplicemente vuoi dare un'opinione, inviaci una breve descrizione qua sotto.",
"return_home_button": "Torna alla schermata di iniziale", "Not now, return to home screen": "Non ora, torna alla schermata principale",
"room_auth_view_eula_caption": "Cliccando \"Entra in chiamata ora\", accetti il nostro <2>accordo di licenza con l'utente finale (EULA)</2>", "Submitting…": "Invio…",
"room_auth_view_join_button": "Entra in chiamata ora", "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "Un altro utente in questa chiamata sta avendo problemi. Per diagnosticare meglio questi problemi, vorremmo raccogliere un registro di debug.",
"screenshare_button_label": "Condividi schermo", "By clicking \"Join call now\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Cliccando \"Entra in chiamata ora\", accetti il nostro <2>accordo di licenza con l'utente finale (EULA)</2>",
"select_input_unset_button": "Seleziona un'opzione", "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.": "Partecipando a questa beta, acconsenti alla raccolta di dati anonimi che usiamo per migliorare il prodotto. Puoi trovare più informazioni su quali dati monitoriamo nella nostra <2>informativa sulla privacy</2> e nell'<5>informativa sui cookie</5>.",
"settings": { "You": "Tu",
"developer_settings_label": "Impostazioni per sviluppatori", "Continue in browser": "Continua nel browser",
"developer_settings_label_description": "Mostra le impostazioni per sviluppatori nella finestra delle impostazioni.", "Mute microphone": "Spegni il microfono",
"developer_tab_title": "Sviluppatore", "Select app": "Seleziona app",
"feedback_tab_body": "Se stai riscontrando problemi o semplicemente vuoi dare un'opinione, inviaci una breve descrizione qua sotto.", "Name of call": "Nome della chiamata",
"feedback_tab_description_label": "Il tuo commento", "Open in the app": "Apri nell'app",
"feedback_tab_h4": "Invia commento", "Ready to join?": "Tutto pronto per entrare?",
"feedback_tab_send_logs_label": "Includi registri di debug", "Start video": "Avvia video",
"feedback_tab_thank_you": "Grazie, abbiamo ricevuto il tuo commento!", "Stop video": "Ferma video",
"more_tab_title": "Altro", "Unmute microphone": "Riaccendi il microfono",
"opt_in_description": "<0></0><1></1>Puoi revocare il consenso deselezionando questa casella. Se attualmente sei in una chiamata, avrà effetto al termine di essa.", "Back to recents": "Torna ai recenti",
"show_connection_stats_label": "Mostra statistiche connessione", "Start new call": "Inizia una nuova chiamata",
"speaker_device_selection_label": "Altoparlante" "Call not found": "Chiamata non trovata",
}, "Calls are now end-to-end encrypted and need to be created from the home page. This helps make sure everyone's using the same encryption key.": "Le chiamate ora sono cifrate end-to-end e devono essere create dalla pagina principale. Ciò assicura che chiunque usi la stessa chiave di crittografia.",
"star_rating_input_label_one": "{{count}} stelle", "Your web browser does not support media end-to-end encryption. Supported Browsers are Chrome, Safari, Firefox >=117": "Il tuo browser non supporta la crittografia end-to-end dei media. I browser supportati sono Chrome, Safari, Firefox >=117",
"star_rating_input_label_other": "{{count}} stelle", "Copy link": "Copia collegamento",
"start_new_call": "Inizia una nuova chiamata", "Invite": "Invita",
"start_video_button_label": "Avvia video", "Invite to this call": "Invita a questa chiamata",
"stop_screenshare_button_label": "Condivisione schermo", "Participants": "Partecipanti",
"stop_video_button_label": "Ferma video", "Link copied to clipboard": "Collegamento copiato negli appunti"
"submitting": "Invio…",
"unauthenticated_view_body": "Non hai ancora un profilo? <2>Creane uno</2>",
"unauthenticated_view_eula_caption": "Cliccando \"Vai\", accetti il nostro <2>accordo di licenza con l'utente finale (EULA)</2>",
"unauthenticated_view_login_button": "Accedi al tuo profilo",
"unmute_microphone_button_label": "Riaccendi il microfono",
"version": "Versione: {{version}}",
"video_tile": {
"sfu_participant_local": "Tu"
},
"waiting_for_participants": "In attesa di altri partecipanti…"
} }

View File

@@ -1,73 +1,57 @@
{ {
"a11y": { "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>既にアカウントをお持ちですか?</0><1><0>ログイン</0>または<2>ゲストとしてアクセス</2></1>",
"user_menu": "ユーザーメニュー" "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>アカウントを作成</0>または<2>ゲストとしてアクセス</2>",
}, "<0>Oops, something's gone wrong.</0>": "<0>何かがうまく行きませんでした。</0>",
"action": { "Camera": "カメラ",
"close": "閉じる", "Avatar": "アバター",
"copy": "コピー", "Audio": "音声",
"go": "続行", "Confirm password": "パスワードを確認",
"no": "いいえ", "Close": "閉じる",
"register": "登録", "Copied!": "コピーしました!",
"remove": "削除", "Copy": "コピー",
"sign_in": "サインイン", "Create account": "アカウントを作成",
"sign_out": "サインアウト" "Go": "続行",
}, "Element Call Home": "Element Call ホーム",
"call_ended_view": { "Display name": "表示名",
"create_account_button": "アカウントを作成" "Developer": "開発者",
}, "Full screen": "全画面表示",
"common": { "Exit full screen": "全画面表示を終了",
"audio": "音声", "Include debug logs": "デバッグログを含める",
"avatar": "アバター", "Home": "ホーム",
"camera": "カメラ", "Join existing call?": "既存の通話に参加しますか?",
"copied": "コピーしました!", "Join call now": "今すぐ通話に参加",
"display_name": "表示名", "Join call": "通話に参加",
"home": "ホーム", "Not registered yet? <2>Create an account</2>": "アカウントがありませんか? <2>アカウントを作成</2>",
"loading": "読み込んでいます…", "Microphone": "マイク",
"microphone": "マイク", "Login": "ログイン",
"password": "パスワード", "Logging in…": "ログインしています…",
"profile": "プロフィール", "Loading…": "読み込んでいます…",
"settings": "設定", "Version: {{version}}": "バージョン:{{version}}",
"username": "ユーザー名", "Username": "ユーザー名",
"video": "ビデオ" "User menu": "ユーザーメニュー",
}, "Submit feedback": "フィードバックを送信",
"full_screen_view_h1": "<0>何かがうまく行きませんでした。</0>", "Spotlight": "スポットライト",
"header_label": "Element Call ホーム", "Send debug logs": "デバッグログを送信",
"join_existing_call_modal": { "Sign out": "サインアウト",
"join_button": "はい、通話に参加", "Sign in": "サインイン",
"text": "この通話は既に存在します。参加しますか?", "Share screen": "画面共有",
"title": "既存の通話に参加しますか?" "Settings": "設定",
}, "Sending…": "送信しています…",
"layout_spotlight_label": "スポットライト", "Sending debug logs…": "デバッグログを送信しています…",
"lobby": { "Return to home screen": "ホーム画面に戻る",
"join_button": "通話に参加" "Registering…": "登録しています…",
}, "Register": "登録",
"logging_in": "ログインしています…", "Profile": "プロフィール",
"login_auth_links": "<0>アカウントを作成</0>または<2>ゲストとしてアクセス</2>", "Passwords must match": "パスワードが一致する必要があります",
"login_title": "ログイン", "Password": "パスワード",
"rageshake_request_modal": { "Speaker": "スピーカー",
"title": "デバッグログを要求" "Video": "ビデオ",
}, "Waiting for other participants…": "他の参加者を待機しています…",
"rageshake_send_logs": "デバッグログを送信", "Yes, join call": "はい、通話に参加",
"rageshake_sending": "送信しています…", "Select an option": "オプションを選択",
"rageshake_sending_logs": "デバッグログを送信しています…", "Debug log request": "デバッグログを要求",
"register": { "Login to your account": "アカウントにログイン",
"passwords_must_match": "パスワードが一致する必要があります", "Remove": "削除",
"registering": "登録しています…" "No": "いいえ",
}, "This call already exists, would you like to join?": "この通話は既に存在します。参加しますか?"
"register_auth_links": "<0>既にアカウントをお持ちですか?</0><1><0>ログイン</0>または<2>ゲストとしてアクセス</2></1>",
"register_confirm_password_label": "パスワードを確認",
"return_home_button": "ホーム画面に戻る",
"room_auth_view_join_button": "今すぐ通話に参加",
"screenshare_button_label": "画面共有",
"select_input_unset_button": "オプションを選択",
"settings": {
"developer_tab_title": "開発者",
"feedback_tab_h4": "フィードバックを送信",
"feedback_tab_send_logs_label": "デバッグログを含める",
"speaker_device_selection_label": "スピーカー"
},
"unauthenticated_view_body": "アカウントがありませんか? <2>アカウントを作成</2>",
"unauthenticated_view_login_button": "アカウントにログイン",
"version": "バージョン:{{version}}",
"waiting_for_participants": "他の参加者を待機しています…"
} }

View File

@@ -0,0 +1,4 @@
{
"<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "",
"<0>Create an account</0> Or <2>Access as a guest</2>": ""
}

View File

@@ -1,104 +1,91 @@
{ {
"a11y": { "{{count}} stars|one": "{{count}} zvaigzne",
"user_menu": "Lietotāja izvēlne" "{{count}} stars|other": "{{count}} zvaigznes",
}, "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>Jau ir konts?</0><1><0>Pieteikties</0> vai <2>Piekļūt kā viesim</2></1>",
"action": { "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Izveidot kontu</0> vai <2>Piekļūt kā viesim</2>",
"close": "Aizvērt", "<0>Oops, something's gone wrong.</0>": "<0>Ak vai, kaut kas nogāja greizi!</0>",
"copy": "Ievietot starpliktuvē", "<0>Submitting debug logs will help us track down the problem.</0>": "<0>Atkļūdošanas žurnāla ierakstu iesūtīšana palīdzēs mums atklāt nepilnību.</0>",
"go": "Aiziet", "<0>We'd love to hear your feedback so we can improve your experience.</0>": "<0>Mums patiktu saņemt Tavu atsauksmi, lai mēs varētu uzlabot Tavu pieredzi.</0>",
"no": "Nē", "<0>Thanks for your feedback!</0>": "<0>Paldies par atsauksmi!</0>",
"register": "Reģistrēties", "Audio": "Skaņa",
"remove": "Noņemt", "Avatar": "Attēls",
"sign_in": "Pieteikties", "By clicking \"Go\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Klikšķināšana uz \"Aiziet\" apliecina piekrišanu mūsu <2>galalietotāja licencēšanas nolīgumam (GLLN)</2>",
"sign_out": "Atteikties", "Camera": "Kamera",
"submit": "Iesniegt" "Close": "Aizvērt",
}, "Confirm password": "Apstiprināt paroli",
"analytics_notice": "Piedalīšanās šajā beta apliecina piekrišanu anonīmu datu ievākšanai, ko mēs izmantojam, lai uzlabotu izstrādājumu. Vairāk informācijas par datiem, ko mēs ievācam, var atrast mūsu <2>privātuma nosacījumos</2> un <5>sīkdatņu nosacījumos</5>.", "Connectivity to the server has been lost.": "Ir zaudēts savienojums ar serveri.",
"call_ended_view": { "Copied!": "Ievietots starpliktuvē.",
"body": "Tu tiki atvienots no zvana", "Copy": "Ievietot starpliktuvē",
"create_account_button": "Izveidot kontu", "Create account": "Izveidot kontu",
"create_account_prompt": "<0>Kādēļ nepabeigt ar paroles iestatīšanu, lai paturētu savu kontu?</0><1>Būs iespējams paturēt savu vārdu un iestatīt attēlu izmantošanai turpmākajos zvanos</1>", "Debug log request": "Atkļūdošanas žurnāla pieprasījums",
"feedback_done": "<0>Paldies par atsauksmi!</0>", "Developer": "Izstrādātājs",
"feedback_prompt": "<0>Mums patiktu saņemt Tavu atsauksmi, lai mēs varētu uzlabot Tavu pieredzi.</0>", "Developer Settings": "Izstrādātāja iestatījumi",
"headline": "{{displayName}}, Tavs zvans ir beidzies.", "Display name": "Attēlojamais vārds",
"not_now_button": "Ne tagad, atgriezties sākuma ekrānā", "Element Call Home": "Element Call sākums",
"reconnect_button": "Atkārtoti savienoties", "Exit full screen": "Iziet no pilnekrāna",
"survey_prompt": "Kā Tev veicās?" "Expose developer settings in the settings window.": "Izstādīt izstrādātāja iestatījumus iestatījumu logā.",
}, "Feedback": "Atsauksmes",
"common": { "Full screen": "Pilnekrāns",
"audio": "Skaņa", "Go": "Aiziet",
"avatar": "Attēls", "By clicking \"Join call now\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Klikšķināšana uz \"Pievienoties zvanam tagad\" apliecina piekrišanu mūsu <2>galalietotāja licencēšanas nolīgumam (GLLN)</2>",
"camera": "Kamera", "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.": "Piedalīšanās šajā beta apliecina piekrišanu anonīmu datu ievākšanai, ko mēs izmantojam, lai uzlabotu izstrādājumu. Vairāk informācijas par datiem, ko mēs ievācam, var atrast mūsu <2>privātuma nosacījumos</2> un <5>sīkdatņu nosacījumos</5>.",
"copied": "Ievietots starpliktuvē.", "{{displayName}} is presenting": "{{displayName}} uzstājas",
"display_name": "Attēlojamais vārds", "{{displayName}}, your call has ended.": "{{displayName}}, Tavs zvans ir beidzies.",
"home": "Sākums", "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.": "<0></0><1></1>Savu piekrišanu var atsaukt ar atzīmes noņemšanu no šīs rūtiņas. Ja pašreiz atrodies zvanā, šis iestatījums stāsies spēkā zvana beigās.",
"loading": "Lādējas…", "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>Kādēļ nepabeigt ar paroles iestatīšanu, lai paturētu savu kontu?</0><1>Būs iespējams paturēt savu vārdu un iestatīt attēlu izmantošanai turpmākajos zvanos</1>",
"microphone": "Mikrofons", "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "Citam lietotājam šajā zvanā ir sarežģījumi. Lai labāk atklātu šīs nepilnības, mēs gribētu iegūt atkļūdošanas žurnālu.",
"password": "Parole", "Home": "Sākums",
"profile": "Profils", "Waiting for other participants…": "Gaida citus dalībniekus…",
"settings": "Iestatījumi", "Yes, join call": "Jā, pievienoties zvanam",
"username": "Lietotājvārds" "Your feedback": "Tava atsauksme",
}, "How did it go?": "Kā Tev veicās?",
"disconnected_banner": "Ir zaudēts savienojums ar serveri.", "Include debug logs": "Iekļaut atkļūdošanas žurnāla ierakstus",
"full_screen_view_description": "<0>Atkļūdošanas žurnāla ierakstu iesūtīšana palīdzēs mums atklāt nepilnību.</0>", "Join call": "Pievienoties zvanam",
"full_screen_view_h1": "<0>Ak vai, kaut kas nogāja greizi!</0>", "Join call now": "Pievienoties zvanam tagad",
"header_label": "Element Call sākums", "Join existing call?": "Pievienoties esošam zvanam?",
"join_existing_call_modal": { "Loading…": "Lādējas…",
"join_button": "Jā, pievienoties zvanam", "Local volume": "Vietējais skaļums",
"text": "Šis zvans jau pastāv. Vai vēlies pievienoties?", "Logging in…": "Piesakās…",
"title": "Pievienoties esošam zvanam?" "Login": "Pieteikties",
}, "Login to your account": "Pieteikties kontā",
"layout_spotlight_label": "Starmešu gaisma", "Microphone": "Mikrofons",
"lobby": { "More": "Vairāk",
"join_button": "Pievienoties zvanam" "No": "Nē",
}, "Not now, return to home screen": "Ne tagad, atgriezties sākuma ekrānā",
"logging_in": "Piesakās…", "Password": "Parole",
"login_auth_links": "<0>Izveidot kontu</0> vai <2>Piekļūt kā viesim</2>", "Passwords must match": "Parolēm ir jāsakrīt",
"login_title": "Pieteikties", "Profile": "Profils",
"rageshake_button_error_caption": "Atkārtoti mēģināt žurnāla ierakstu nosūtīšanu", "Recaptcha dismissed": "ReCaptcha atmesta",
"rageshake_request_modal": { "Recaptcha not loaded": "ReCaptcha nav ielādēta",
"body": "Citam lietotājam šajā zvanā ir sarežģījumi. Lai labāk atklātu šīs nepilnības, mēs gribētu iegūt atkļūdošanas žurnālu.", "Reconnect": "Atkārtoti savienoties",
"title": "Atkļūdošanas žurnāla pieprasījums" "Register": "Reģistrēties",
}, "Registering…": "Reģistrē…",
"rageshake_send_logs": "Nosūtīt atkļūdošanas žurnāla ierakstus", "Remove": "Noņemt",
"rageshake_sending": "Nosūta…", "Retry sending logs": "Atkārtoti mēģināt žurnāla ierakstu nosūtīšanu",
"rageshake_sending_logs": "Nosūta atkļūdošanas žurnāla ierakstus…", "Return to home screen": "Atgriezties sākuma ekrānā",
"rageshake_sent": "Paldies!", "Select an option": "Atlasīt iespēju",
"recaptcha_caption": "Šo vietni aizsargā ReCAPTCHA, un ir attiecināmi Google <2>privātuma nosacījumi</2> un <6>pakalpojuma noteikumi</6>.<9></9>Klikšķināšana uz \"Reģistrēties\" sniedz piekrišanu mūsu <12>galalietotāja licencēšanas nolīgumam (GLLN)</12>", "Send debug logs": "Nosūtīt atkļūdošanas žurnāla ierakstus",
"recaptcha_dismissed": "ReCaptcha atmesta", "Sending debug logs…": "Nosūta atkļūdošanas žurnāla ierakstus…",
"recaptcha_not_loaded": "ReCaptcha nav ielādēta", "Sending…": "Nosūta…",
"register": { "Settings": "Iestatījumi",
"passwords_must_match": "Parolēm ir jāsakrīt", "Share screen": "Kopīgot ekrānu",
"registering": "Reģistrē…" "Show connection stats": "Rādīt savienojuma apkopojumu",
}, "Sign in": "Pieteikties",
"register_auth_links": "<0>Jau ir konts?</0><1><0>Pieteikties</0> vai <2>Piekļūt kā viesim</2></1>", "Sign out": "Atteikties",
"register_confirm_password_label": "Apstiprināt paroli", "Speaker": "Runātājs",
"return_home_button": "Atgriezties sākuma ekrānā", "Spotlight": "Starmešu gaisma",
"room_auth_view_eula_caption": "Klikšķināšana uz \"Pievienoties zvanam tagad\" apliecina piekrišanu mūsu <2>galalietotāja licencēšanas nolīgumam (GLLN)</2>", "Submit": "Iesniegt",
"room_auth_view_join_button": "Pievienoties zvanam tagad", "Submit feedback": "Iesniegt atsauksmi",
"screenshare_button_label": "Kopīgot ekrānu", "Submitting…": "Iesniedz…",
"select_input_unset_button": "Atlasīt iespēju", "Thanks, we received your feedback!": "Paldies, mēs saņēmām atsauksmi!",
"settings": { "Thanks!": "Paldies!",
"developer_settings_label": "Izstrādātāja iestatījumi", "This call already exists, would you like to join?": "Šis zvans jau pastāv. Vai vēlies pievienoties?",
"developer_settings_label_description": "Izstādīt izstrādātāja iestatījumus iestatījumu logā.", "This site is protected by ReCAPTCHA and the Google <2>Privacy Policy</2> and <6>Terms of Service</6> apply.<9></9>By clicking \"Register\", you agree to our <12>End User Licensing Agreement (EULA)</12>": "Šo vietni aizsargā ReCAPTCHA, un ir attiecināmi Google <2>privātuma nosacījumi</2> un <6>pakalpojuma noteikumi</6>.<9></9>Klikšķināšana uz \"Reģistrēties\" sniedz piekrišanu mūsu <12>galalietotāja licencēšanas nolīgumam (GLLN)</12>",
"developer_tab_title": "Izstrādātājs", "User menu": "Lietotāja izvēlne",
"feedback_tab_body": "Ja tiek piedzīvoti sarežģījumi vai vienkārši ir vēlme sniegt kādu atsauksmi, lūgums zemāk nosūtīt mums īsu aprakstu.", "Username": "Lietotājvārds",
"feedback_tab_description_label": "Tava atsauksme", "Video": "Video",
"feedback_tab_h4": "Iesniegt atsauksmi", "You were disconnected from the call": "Tu tiki atvienots no zvana",
"feedback_tab_send_logs_label": "Iekļaut atkļūdošanas žurnāla ierakstus", "Version: {{version}}": "Versija: {{version}}",
"feedback_tab_thank_you": "Paldies, mēs saņēmām atsauksmi!", "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.": "Ja tiek piedzīvoti sarežģījumi vai vienkārši ir vēlme sniegt kādu atsauksmi, lūgums zemāk nosūtīt mums īsu aprakstu.",
"feedback_tab_title": "Atsauksmes", "Not registered yet? <2>Create an account</2>": "Vēl neesi reģistrējies? <2>Izveidot kontu</2>"
"more_tab_title": "Vairāk",
"opt_in_description": "<0></0><1></1>Savu piekrišanu var atsaukt ar atzīmes noņemšanu no šīs rūtiņas. Ja pašreiz atrodies zvanā, šis iestatījums stāsies spēkā zvana beigās.",
"show_connection_stats_label": "Rādīt savienojuma apkopojumu",
"speaker_device_selection_label": "Runātājs"
},
"star_rating_input_label_one": "{{count}} zvaigzne",
"star_rating_input_label_other": "{{count}} zvaigznes",
"submitting": "Iesniedz…",
"unauthenticated_view_body": "Vēl neesi reģistrējies? <2>Izveidot kontu</2>",
"unauthenticated_view_eula_caption": "Klikšķināšana uz \"Aiziet\" apliecina piekrišanu mūsu <2>galalietotāja licencēšanas nolīgumam (GLLN)</2>",
"unauthenticated_view_login_button": "Pieteikties kontā",
"version": "Versija: {{version}}",
"waiting_for_participants": "Gaida citus dalībniekus…"
} }

View File

@@ -1,136 +1,120 @@
{ {
"a11y": { "Login": "Zaloguj się",
"user_menu": "Menu użytkownika" "Go": "Przejdź",
}, "Yes, join call": "Tak, dołącz do połączenia",
"action": { "Waiting for other participants…": "Oczekiwanie na pozostałych uczestników…",
"close": "Zamknij", "Video": "Wideo",
"copy": "Kopiuj", "Version: {{version}}": "Wersja: {{version}}",
"copy_link": "Kopiuj link", "Username": "Nazwa użytkownika",
"go": "Przejdź", "User menu": "Menu użytkownika",
"invite": "Zaproś", "This call already exists, would you like to join?": "Te połączenie już istnieje, czy chcesz do niego dołączyć?",
"no": "Nie", "Submit feedback": "Prześlij opinię",
"register": "Zarejestruj", "Spotlight": "Centrum uwagi",
"remove": "Usuń", "Speaker": "Głośnik",
"sign_in": "Zaloguj się", "Sign out": "Wyloguj się",
"sign_out": "Wyloguj się", "Sign in": "Zaloguj się",
"submit": "Wyślij" "Share screen": "Udostępnij ekran",
}, "Settings": "Ustawienia",
"analytics_notice": "Uczestnicząc w tej becie, upoważniasz nas do zbierania anonimowych danych, które wykorzystamy do ulepszenia produktu. Dowiedz się więcej na temat danych, które zbieramy w naszej <2>Polityce prywatności</2> i <5>Polityce ciasteczek</5>.", "Sending…": "Wysyłanie…",
"app_selection_modal": { "Sending debug logs…": "Wysyłanie dzienników debugowania…",
"continue_in_browser": "Kontynuuj w przeglądarce", "Send debug logs": "Wyślij dzienniki debugowania",
"open_in_app": "Otwórz w aplikacji", "Select an option": "Wybierz opcję",
"text": "Gotowy, by dołączyć?", "Return to home screen": "Powróć do strony głównej",
"title": "Wybierz aplikację" "Remove": "Usuń",
}, "Registering…": "Rejestrowanie…",
"browser_media_e2ee_unsupported": "Twoja przeglądarka nie wspiera szyfrowania end-to-end. Wspierane przeglądarki to Chrome, Safari, Firefox >=117", "Register": "Zarejestruj",
"call_ended_view": { "Recaptcha not loaded": "Recaptcha nie została załadowana",
"body": "Rozłączono Cię z połączenia", "Recaptcha dismissed": "Recaptcha odrzucona",
"create_account_button": "Utwórz konto", "Profile": "Profil",
"create_account_prompt": "<0>Może zechcesz ustawić hasło, aby zachować swoje konto?</0><1>Będziesz w stanie utrzymać swoją nazwę i ustawić awatar do wyświetlania podczas połączeń w przyszłości</1>", "Passwords must match": "Hasła muszą pasować",
"feedback_done": "<0>Dziękujemy za Twoją opinię!</0>", "Password": "Hasło",
"feedback_prompt": "<0>Z przyjemnością wysłuchamy Twojej opinii, aby poprawić Twoje doświadczenia.</0>", "Not registered yet? <2>Create an account</2>": "Nie masz konta? <2>Utwórz je</2>",
"headline": "{{displayName}}, Twoje połączenie zostało zakończone.", "Not now, return to home screen": "Nie teraz, powróć do ekranu domowego",
"not_now_button": "Nie teraz, powróć do ekranu domowego", "No": "Nie",
"reconnect_button": "Połącz ponownie", "More": "Więcej",
"survey_prompt": "Jak poszło?" "Microphone": "Mikrofon",
}, "Login to your account": "Zaloguj się do swojego konta",
"call_name": "Nazwa połączenia", "Logging in…": "Logowanie…",
"common": { "Local volume": "Głośność lokalna",
"audio": "Dźwięk", "Loading…": "Ładowanie…",
"avatar": "Awatar", "Join existing call?": "Dołączyć do istniejącego połączenia?",
"camera": "Kamera", "Join call now": "Dołącz do połączenia teraz",
"copied": "Skopiowano!", "Join call": "Dołącz do połączenia",
"display_name": "Nazwa wyświetlana", "Include debug logs": "Dołącz dzienniki debugowania",
"encrypted": "Szyfrowane", "Home": "Strona domowa",
"home": "Strona domowa", "Full screen": "Pełny ekran",
"loading": "Ładowanie…", "Exit full screen": "Opuść pełny ekran",
"microphone": "Mikrofon", "Display name": "Nazwa wyświetlana",
"password": "Hasło", "Developer": "Programista",
"profile": "Profil", "Debug log request": "Prośba o dzienniki debugowania",
"settings": "Ustawienia", "Create account": "Utwórz konto",
"unencrypted": "Nie szyfrowane", "Copied!": "Skopiowano!",
"username": "Nazwa użytkownika", "Confirm password": "Potwierdź hasło",
"video": "Wideo" "Close": "Zamknij",
}, "Camera": "Kamera",
"disconnected_banner": "Utracono połączenie z serwerem.", "Avatar": "Awatar",
"full_screen_view_description": "<0>Wysłanie dzienników debuggowania pomoże nam ustalić przyczynę problemu.</0>", "Audio": "Dźwięk",
"full_screen_view_h1": "<0>Ojej, coś poszło nie tak.</0>", "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "Inny użytkownik w tym połączeniu napotkał problem. Aby lepiej zdiagnozować tę usterkę, chcielibyśmy zebrać dzienniki debugowania.",
"hangup_button_label": "Zakończ połączenie", "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>Może zechcesz ustawić hasło, aby zachować swoje konto?</0><1>Będziesz w stanie utrzymać swoją nazwę i ustawić awatar do wyświetlania podczas połączeń w przyszłości</1>",
"header_label": "Strona główna Element Call", "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Utwórz konto</0> lub <2>Dołącz jako gość</2>",
"header_participants_label": "Uczestnicy", "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>Masz już konto?</0><1><0>Zaloguj się</0> lub <2>Dołącz jako gość</2></1>",
"invite_modal": { "Copy": "Kopiuj",
"link_copied_toast": "Skopiowano link do schowka", "<0>Submitting debug logs will help us track down the problem.</0>": "<0>Wysłanie dzienników debuggowania pomoże nam ustalić przyczynę problemu.</0>",
"title": "Zaproś do połączenia" "<0>Oops, something's gone wrong.</0>": "<0>Ojej, coś poszło nie tak.</0>",
}, "Expose developer settings in the settings window.": "Wyświetl opcje programisty w oknie ustawień.",
"join_existing_call_modal": { "Element Call Home": "Strona główna Element Call",
"join_button": "Tak, dołącz do połączenia", "Developer Settings": "Opcje programisty",
"text": "Te połączenie już istnieje, czy chcesz do niego dołączyć?", "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.": "<0></0><1></1>Możesz wycofać swoją zgodę poprzez odznaczenie tego pola. Jeśli już jesteś w trakcie rozmowy, opcja zostanie zastosowana po jej zakończeniu.",
"title": "Dołączyć do istniejącego połączenia?" "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.": "Uczestnicząc w tej becie, upoważniasz nas do zbierania anonimowych danych, które wykorzystamy do ulepszenia produktu. Dowiedz się więcej na temat danych, które zbieramy w naszej <2>Polityce prywatności</2> i <5>Polityce ciasteczek</5>.",
}, "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.": "Jeśli posiadasz problemy lub chciałbyś zgłosić swoją opinię, wyślij nam krótki opis.",
"layout_grid_label": "Siatka", "Thanks, we received your feedback!": "Dziękujemy, otrzymaliśmy Twoją opinię!",
"layout_spotlight_label": "Centrum uwagi", "Feedback": "Opinia użytkownika",
"lobby": { "Submitting…": "Wysyłanie…",
"join_button": "Dołącz do połączenia", "Submit": "Wyślij",
"leave_button": "Wróć do ostatnie" "Your feedback": "Twoje opinie",
}, "{{count}} stars|other": "{{count}} gwiazdki",
"logging_in": "Logowanie…", "{{count}} stars|one": "{{count}} gwiazdki",
"login_auth_links": "<0>Utwórz konto</0> lub <2>Dołącz jako gość</2>", "{{displayName}}, your call has ended.": "{{displayName}}, Twoje połączenie zostało zakończone.",
"login_title": "Zaloguj się", "<0>Thanks for your feedback!</0>": "<0>Dziękujemy za Twoją opinię!</0>",
"microphone_off": "Mikrofon wyłączony", "<0>We'd love to hear your feedback so we can improve your experience.</0>": "<0>Z przyjemnością wysłuchamy Twojej opinii, aby poprawić Twoje doświadczenia.</0>",
"microphone_on": "Mikrofon włączony", "How did it go?": "Jak poszło?",
"mute_microphone_button_label": "Wycisz mikrofon", "{{displayName}} is presenting": "{{displayName}} prezentuje",
"rageshake_button_error_caption": "Wyślij logi ponownie", "Show connection stats": "Pokaż statystyki połączenia",
"rageshake_request_modal": { "By clicking \"Go\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Klikając \"Przejdź\", zgadzasz się na naszą <2>Umowę licencyjną (EULA)</2>",
"body": "Inny użytkownik w tym połączeniu napotkał problem. Aby lepiej zdiagnozować tę usterkę, chcielibyśmy zebrać dzienniki debugowania.", "This site is protected by ReCAPTCHA and the Google <2>Privacy Policy</2> and <6>Terms of Service</6> apply.<9></9>By clicking \"Register\", you agree to our <12>End User Licensing Agreement (EULA)</12>": "Ta witryna jest chroniona przez ReCAPTCHA, więc obowiązują <2>Polityka prywatności</2> i <6>Warunki usług</6> Google. Klikając \"Zarejestruj\", zgadzasz się na naszą <12>Umowę licencyjną (EULA)</12>",
"title": "Prośba o dzienniki debugowania" "By clicking \"Join call now\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Klikając \"Dołącz teraz do rozmowy\", zgadzasz się na naszą <2>Umowę licencyjną (EULA)</2>",
}, "Retry sending logs": "Wyślij logi ponownie",
"rageshake_send_logs": "Wyślij dzienniki debugowania", "Thanks!": "Dziękujemy!",
"rageshake_sending": "Wysyłanie…", "You were disconnected from the call": "Rozłączono Cię z połączenia",
"rageshake_sending_logs": "Wysyłanie dzienników debugowania…", "Connectivity to the server has been lost.": "Utracono połączenie z serwerem.",
"rageshake_sent": "Dziękujemy!", "Reconnect": "Połącz ponownie",
"recaptcha_caption": "Ta witryna jest chroniona przez ReCAPTCHA, więc obowiązują <2>Polityka prywatności</2> i <6>Warunki usług</6> Google. Klikając \"Zarejestruj\", zgadzasz się na naszą <12>Umowę licencyjną (EULA)</12>", "{{count, number}}|other": "{{count, number}}",
"recaptcha_dismissed": "Recaptcha odrzucona", "Encrypted": "Szyfrowane",
"recaptcha_not_loaded": "Recaptcha nie została załadowana", "End call": "Zakończ połączenie",
"register": { "Grid": "Siatka",
"passwords_must_match": "Hasła muszą pasować", "Microphone off": "Mikrofon wyłączony",
"registering": "Rejestrowanie…" "Microphone on": "Mikrofon włączony",
}, "Not encrypted": "Nie szyfrowane",
"register_auth_links": "<0>Masz już konto?</0><1><0>Zaloguj się</0> lub <2>Dołącz jako gość</2></1>", "Sharing screen": "Udostępnianie ekranu",
"register_confirm_password_label": "Potwierdź hasło", "{{count, number}}|one": "{{count, number}}",
"return_home_button": "Powróć do strony głównej", "Continue in browser": "Kontynuuj w przeglądarce",
"room_auth_view_eula_caption": "Klikając \"Dołącz teraz do rozmowy\", zgadzasz się na naszą <2>Umowę licencyjną (EULA)</2>", "Mute microphone": "Wycisz mikrofon",
"room_auth_view_join_button": "Dołącz do połączenia teraz", "Name of call": "Nazwa połączenia",
"screenshare_button_label": "Udostępnij ekran", "Open in the app": "Otwórz w aplikacji",
"select_input_unset_button": "Wybierz opcję", "Ready to join?": "Gotowy, by dołączyć?",
"settings": { "Select app": "Wybierz aplikację",
"developer_settings_label": "Opcje programisty", "Start new call": "Rozpocznij nowe połączenie",
"developer_settings_label_description": "Wyświetl opcje programisty w oknie ustawień.", "Start video": "Rozpocznij wideo",
"developer_tab_title": "Programista", "Back to recents": "Wróć do ostatnie",
"feedback_tab_body": "Jeśli posiadasz problemy lub chciałbyś zgłosić swoją opinię, wyślij nam krótki opis.", "Stop video": "Zakończ wideo",
"feedback_tab_description_label": "Twoje opinie", "Unmute microphone": "Odcisz mikrofon",
"feedback_tab_h4": "Prześlij opinię", "Call not found": "Nie znaleziono połączenia",
"feedback_tab_send_logs_label": "Dołącz dzienniki debugowania", "Calls are now end-to-end encrypted and need to be created from the home page. This helps make sure everyone's using the same encryption key.": "Połączenia są teraz szyfrowane end-to-end i muszą zostać utworzone ze strony głównej. Pomaga to upewnić się, że każdy korzysta z tego samego klucza szyfrującego.",
"feedback_tab_thank_you": "Dziękujemy, otrzymaliśmy Twoją opinię!", "You": "Ty",
"feedback_tab_title": "Opinia użytkownika", "Your web browser does not support media end-to-end encryption. Supported Browsers are Chrome, Safari, Firefox >=117": "Twoja przeglądarka nie wspiera szyfrowania end-to-end. Wspierane przeglądarki to Chrome, Safari, Firefox >=117",
"more_tab_title": "Więcej", "Invite": "Zaproś",
"opt_in_description": "<0></0><1></1>Możesz wycofać swoją zgodę poprzez odznaczenie tego pola. Jeśli już jesteś w trakcie rozmowy, opcja zostanie zastosowana po jej zakończeniu.", "Link copied to clipboard": "Skopiowano link do schowka",
"show_connection_stats_label": "Pokaż statystyki połączenia", "Participants": "Uczestnicy",
"speaker_device_selection_label": "Głośnik" "Copy link": "Kopiuj link",
}, "Invite to this call": "Zaproś do połączenia"
"star_rating_input_label_one": "{{count}} gwiazdki",
"star_rating_input_label_other": "{{count}} gwiazdki",
"start_new_call": "Rozpocznij nowe połączenie",
"start_video_button_label": "Rozpocznij wideo",
"stop_screenshare_button_label": "Udostępnianie ekranu",
"stop_video_button_label": "Zakończ wideo",
"submitting": "Wysyłanie…",
"unauthenticated_view_body": "Nie masz konta? <2>Utwórz je</2>",
"unauthenticated_view_eula_caption": "Klikając \"Przejdź\", zgadzasz się na naszą <2>Umowę licencyjną (EULA)</2>",
"unauthenticated_view_login_button": "Zaloguj się do swojego konta",
"unmute_microphone_button_label": "Odcisz mikrofon",
"version": "Wersja: {{version}}",
"video_tile": {
"sfu_participant_local": "Ty"
},
"waiting_for_participants": "Oczekiwanie na pozostałych uczestników…"
} }

View File

@@ -1,97 +1,83 @@
{ {
"a11y": { "Register": "Зарегистрироваться",
"user_menu": "Меню пользователя" "Registering…": "Регистрация…",
}, "Logging in…": "Вход…",
"action": { "Waiting for other participants…": "Ожидание других участников…",
"close": "Закрыть", "This call already exists, would you like to join?": "Этот звонок уже существует, хотите присоединиться?",
"copy": "Копировать", "Submit feedback": "Отправить отзыв",
"go": "Далее", "Sending debug logs…": "Отправка журнала отладки…",
"no": "Нет", "Select an option": "Выберите вариант",
"register": "Зарегистрироваться", "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>Почему бы не задать пароль, тем самым сохранив аккаунт?</0><1>Так вы можете оставить своё имя и задать аватар для будущих звонков.</1>",
"remove": "Удалить", "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Создать аккаунт</0> или <2>Зайти как гость</2>",
"sign_in": "Войти", "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>Уже есть аккаунт?</0><1><0>Войти с ним</0> или <2>Зайти как гость</2></1>",
"sign_out": "Выйти", "Yes, join call": "Да, присоединиться",
"submit": "Отправить" "Video": "Видео",
}, "Version: {{version}}": "Версия: {{version}}",
"analytics_notice": "Участвуя в этой бета-версии, вы соглашаетесь на сбор анонимных данных, которые мы используем для улучшения продукта. Более подробную информацию о том, какие данные мы отслеживаем, вы можете найти в нашей <2> Политике конфиденциальности</2> и нашей <5> Политике использования файлов cookie</5>.", "Username": "Имя пользователя",
"call_ended_view": { "User menu": "Меню пользователя",
"create_account_button": "Создать аккаунт", "Spotlight": "Внимание",
"create_account_prompt": "<0>Почему бы не задать пароль, тем самым сохранив аккаунт?</0><1>Так вы можете оставить своё имя и задать аватар для будущих звонков.</1>", "Speaker": "Динамик",
"feedback_done": "<0>Спасибо за обратную связь!</0>", "Sign out": "Выйти",
"feedback_prompt": "<0>Мы будем рады видеть ваши отзывы, чтобы мы могли улучшить ваш опыт.</0>", "Sign in": "Войти",
"headline": "{{displayName}}, ваш звонок окончен.", "Share screen": "Поделиться экраном",
"not_now_button": "Не сейчас, вернуться в Начало", "Settings": "Настройки",
"survey_prompt": "Как всё прошло?" "Sending…": "Отправка…",
}, "Local volume": "Местная громкость",
"common": { "Include debug logs": "Приложить журнал отладки",
"audio": "Аудио", "Debug log request": "Запрос журнала отладки",
"avatar": "Аватар", "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "У одного из участников звонка есть неполадки. Чтобы лучше диагностировать похожие проблемы, нам нужен журнал отладки.",
"camera": "Камера", "Send debug logs": "Отправить журнал отладки",
"copied": "Скопировано!", "Return to home screen": "Вернуться в Начало",
"display_name": "Видимое имя", "Remove": "Удалить",
"home": "Начало", "Recaptcha not loaded": "Невозможно начать проверку",
"loading": "Загрузка…", "Recaptcha dismissed": "Проверка не пройдена",
"microphone": "Микрофон", "Profile": "Профиль",
"password": "Пароль", "Passwords must match": "Пароли должны совпадать",
"profile": "Профиль", "Password": ароль",
"settings": "Настройки", "Not registered yet? <2>Create an account</2>": "Ещё не зарегистрированы? <2>Создайте аккаунт</2>",
"username": "Имя пользователя", "Not now, return to home screen": "Не сейчас, вернуться в Начало",
"video": "Видео" "No": "Нет",
}, "More": "Больше",
"full_screen_view_description": "<0>Отправка журналов поможет нам найти и устранить проблему.</0>", "Microphone": "Микрофон",
"full_screen_view_h1": "<0>Упс, что-то пошло не так.</0>", "Login to your account": "Войдите в свой аккаунт",
"header_label": "Главная Element Call", "Login": "Вход",
"join_existing_call_modal": { "Loading…": "Загрузка…",
"join_button": "Да, присоединиться", "Join existing call?": "Присоединиться к существующему звонку?",
"text": "Этот звонок уже существует, хотите присоединиться?", "Join call now": рисоединиться сейчас",
"title": "Присоединиться к существующему звонку?" "Join call": "Присоединиться",
}, "Home": "Начало",
"layout_spotlight_label": "Внимание", "Go": "Далее",
"lobby": { "Full screen": "Полноэкранный режим",
"join_button": "Присоединиться" "Exit full screen": "Выйти из полноэкранного режима",
}, "Display name": "Видимое имя",
"logging_in": "Вход…", "Developer": "Разработчику",
"login_auth_links": "<0>Создать аккаунт</0> или <2>Зайти как гость</2>", "Create account": "Создать аккаунт",
"login_title": "Вход", "Copied!": "Скопировано!",
"rageshake_request_modal": { "Confirm password": "Подтвердите пароль",
"body": "У одного из участников звонка есть неполадки. Чтобы лучше диагностировать похожие проблемы, нам нужен журнал отладки.", "Close": "Закрыть",
"title": "Запрос журнала отладки" "Camera": "Камера",
}, "Avatar": "Аватар",
"rageshake_send_logs": "Отправить журнал отладки", "Audio": "Аудио",
"rageshake_sending": "Отправка…", "Element Call Home": "Главная Element Call",
"rageshake_sending_logs": "Отправка журнала отладки…", "Copy": "Копировать",
"recaptcha_dismissed": "Проверка не пройдена", "<0>Submitting debug logs will help us track down the problem.</0>": "<0>Отправка журналов поможет нам найти и устранить проблему.</0>",
"recaptcha_not_loaded": "Невозможно начать проверку", "<0>Oops, something's gone wrong.</0>": "<0>Упс, что-то пошло не так.</0>",
"register": { "Expose developer settings in the settings window.": "Раскрыть настройки разработчика в окне настроек.",
"passwords_must_match": "Пароли должны совпадать", "Developer Settings": "Настройки Разработчика",
"registering": "Регистрация…" "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.": "Участвуя в этой бета-версии, вы соглашаетесь на сбор анонимных данных, которые мы используем для улучшения продукта. Более подробную информацию о том, какие данные мы отслеживаем, вы можете найти в нашей <2> Политике конфиденциальности</2> и нашей <5> Политике использования файлов cookie</5>.",
}, "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.": "<0></0><1></1>Вы можете отозвать согласие, сняв этот флажок. Если вы в данный момент находитесь в разговоре, эта настройка вступит в силу по окончании разговора.",
"register_auth_links": "<0>Уже есть аккаунт?</0><1><0>Войти с ним</0> или <2>Зайти как гость</2></1>", "{{displayName}} is presenting": "{{displayName}} представляет",
"register_confirm_password_label": "Подтвердите пароль", "<0>We'd love to hear your feedback so we can improve your experience.</0>": "<0>Мы будем рады видеть ваши отзывы, чтобы мы могли улучшить ваш опыт.</0>",
"return_home_button": "Вернуться в Начало", "Thanks, we received your feedback!": "Спасибо. Мы получили ваш отзыв!",
"room_auth_view_join_button": "Присоединиться сейчас", "Feedback": "Отзыв",
"screenshare_button_label": "Поделиться экраном", "Submit": "Отправить",
"select_input_unset_button": "Выберите вариант", "Submitting…": "Отправляем…",
"settings": { "{{count}} stars|one": "{{count}} отмечен",
"developer_settings_label": "Настройки Разработчика", "{{count}} stars|other": "{{count}} отмеченных",
"developer_settings_label_description": "Раскрыть настройки разработчика в окне настроек.", "{{displayName}}, your call has ended.": "{{displayName}}, ваш звонок окончен.",
"developer_tab_title": "Разработчику", "<0>Thanks for your feedback!</0>": "<0>Спасибо за обратную связь!</0>",
"feedback_tab_body": "Если у вас возникли проблемы или вы просто хотите оставить отзыв, отправьте нам краткое описание ниже.", "Your feedback": "Ваш отзыв",
"feedback_tab_description_label": "Ваш отзыв", "How did it go?": "Как всё прошло?",
"feedback_tab_h4": "Отправить отзыв", "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.": "Если у вас возникли проблемы или вы просто хотите оставить отзыв, отправьте нам краткое описание ниже.",
"feedback_tab_send_logs_label": "Приложить журнал отладки", "Show connection stats": "Показать статистику соединения"
"feedback_tab_thank_you": "Спасибо. Мы получили ваш отзыв!",
"feedback_tab_title": "Отзыв",
"more_tab_title": "Больше",
"opt_in_description": "<0></0><1></1>Вы можете отозвать согласие, сняв этот флажок. Если вы в данный момент находитесь в разговоре, эта настройка вступит в силу по окончании разговора.",
"show_connection_stats_label": "Показать статистику соединения",
"speaker_device_selection_label": "Динамик"
},
"star_rating_input_label_one": "{{count}} отмечен",
"star_rating_input_label_other": "{{count}} отмеченных",
"submitting": "Отправляем…",
"unauthenticated_view_body": "Ещё не зарегистрированы? <2>Создайте аккаунт</2>",
"unauthenticated_view_login_button": "Войдите в свой аккаунт",
"version": "Версия: {{version}}",
"waiting_for_participants": "Ожидание других участников…"
} }

View File

@@ -1,134 +1,120 @@
{ {
"a11y": { "Spotlight": "Stredobod",
"user_menu": "Používateľské menu" "Local volume": "Lokálna hlasitosť",
}, "Include debug logs": "Zahrnúť záznamy o ladení",
"action": { "Element Call Home": "Domov Element Call",
"close": "Zatvoriť", "Waiting for other participants…": "Čaká sa na ďalších účastníkov…",
"copy": "Kopírovať", "Submit feedback": "Odoslať spätnú väzbu",
"copy_link": "Kopírovať odkaz", "Share screen": "Zdieľať obrazovku",
"go": "Prejsť", "Sending…": "Odosielanie…",
"invite": "Pozvať", "Sending debug logs…": "Odosielanie záznamov o ladení…",
"no": "Nie", "Send debug logs": "Odoslať záznamy o ladení",
"register": "Registrovať sa", "Select an option": "Vyberte možnosť",
"remove": "Odstrániť", "Return to home screen": "Návrat na domovskú obrazovku",
"sign_in": "Prihlásiť sa", "Remove": "Odstrániť",
"sign_out": "Odhlásiť sa", "Registering…": "Registrácia…",
"submit": "Odoslať" "Register": "Registrovať sa",
}, "Recaptcha not loaded": "Recaptcha sa nenačítala",
"analytics_notice": "Účasťou v tejto beta verzii súhlasíte so zhromažďovaním anonymných údajov, ktoré použijeme na zlepšenie produktu. Viac informácií o tom, ktoré údaje sledujeme, nájdete v našich <2>Zásadách ochrany osobných údajov</2> a <5>Zásadách používania súborov cookie</5>.", "Recaptcha dismissed": "Recaptcha zamietnutá",
"app_selection_modal": { "Profile": "Profil",
"continue_in_browser": "Pokračovať v prehliadači", "Passwords must match": "Heslá sa musia zhodovať",
"open_in_app": "Otvoriť v aplikácii", "Password": "Heslo",
"text": "Ste pripravení sa pridať?", "Not registered yet? <2>Create an account</2>": "Ešte nie ste zaregistrovaný? <2>Vytvorte si účet</2>",
"title": "Vybrať aplikáciu" "Not now, return to home screen": "Teraz nie, vrátiť sa na domovskú obrazovku",
}, "No": "Nie",
"browser_media_e2ee_unsupported": "Váš webový prehliadač nepodporuje end-to-end šifrovanie médií. Podporované prehliadače sú Chrome, Safari, Firefox >=117", "More": "Viac",
"call_ended_view": { "Microphone": "Mikrofón",
"body": "Boli ste odpojení z hovoru", "Login to your account": "Prihláste sa do svojho konta",
"create_account_button": "Vytvoriť účet", "Login": "Prihlásiť sa",
"create_account_prompt": "<0>Prečo neskončiť nastavením hesla, aby ste si zachovali svoj účet? </0><1>Budete si môcť ponechať svoje meno a nastaviť obrázok, ktorý sa bude používať pri budúcich hovoroch</1>", "Logging in…": "Prihlasovanie…",
"feedback_done": "<0> Ďakujeme za vašu spätnú väzbu!</0>", "Loading…": "Načítanie…",
"feedback_prompt": "<0> Radi si vypočujeme vašu spätnú väzbu, aby sme mohli zlepšiť vaše skúsenosti.</0>", "Join existing call?": "Pripojiť sa k existujúcemu hovoru?",
"headline": "{{displayName}}, váš hovor skončil.", "Join call now": "Pripojiť sa k hovoru teraz",
"not_now_button": "Teraz nie, vrátiť sa na domovskú obrazovku", "Join call": "Pripojiť sa k hovoru",
"reconnect_button": "Znovu pripojiť", "Home": "Domov",
"survey_prompt": "Ako to išlo?" "Go": "Prejsť",
}, "Full screen": "Zobrazenie na celú obrazovku",
"call_name": "Názov hovoru", "Exit full screen": "Ukončiť zobrazenie na celú obrazovku",
"common": { "Yes, join call": "Áno, pripojiť sa k hovoru",
"avatar": "Obrázok", "Video": "Video",
"camera": "Kamera", "Version: {{version}}": "Verzia: {{version}}",
"copied": "Skopírované!", "Username": "Meno používateľa",
"display_name": "Zobrazované meno", "User menu": "Používateľské menu",
"encrypted": "Šifrované", "This call already exists, would you like to join?": "Tento hovor už existuje, chceli by ste sa k nemu pripojiť?",
"home": "Domov", "Speaker": "Reproduktor",
"loading": "Načítanie…", "Sign out": "Odhlásiť sa",
"microphone": "Mikrofón", "Sign in": "Prihlásiť sa",
"password": "Heslo", "Settings": "Nastavenia",
"profile": "Profil", "Display name": "Zobrazované meno",
"settings": "Nastavenia", "Developer": "Vývojár",
"unencrypted": "Nie je zašifrované", "Debug log request": "Žiadosť o záznam ladenia",
"username": "Meno používateľa" "Create account": "Vytvoriť účet",
}, "Copy": "Kopírovať",
"disconnected_banner": "Spojenie so serverom sa stratilo.", "Copied!": "Skopírované!",
"full_screen_view_description": "<0>Odoslanie záznamov ladenia nám pomôže nájsť problém.</0>", "Confirm password": "Potvrdiť heslo",
"full_screen_view_h1": "<0>Hups, niečo sa pokazilo.</0>", "Close": "Zatvoriť",
"hangup_button_label": "Ukončiť hovor", "Camera": "Kamera",
"header_label": "Domov Element Call", "Avatar": "Obrázok",
"header_participants_label": "Účastníci", "Audio": "Audio",
"invite_modal": { "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "Ďalší používateľ v tomto hovore má problém. Aby sme mohli lepšie diagnostikovať tieto problémy, chceli by sme získať záznam o ladení.",
"link_copied_toast": "Odkaz skopírovaný do schránky", "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>Prečo neskončiť nastavením hesla, aby ste si zachovali svoj účet? </0><1>Budete si môcť ponechať svoje meno a nastaviť obrázok, ktorý sa bude používať pri budúcich hovoroch</1>",
"title": "Pozvať na tento hovor" "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Vytvoriť konto</0> Alebo <2>Prihlásiť sa ako hosť</2>",
}, "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>Už máte konto?</0><1><0>Prihláste sa</0> Alebo <2>Prihlásiť sa ako hosť</2></1>",
"join_existing_call_modal": { "<0>Submitting debug logs will help us track down the problem.</0>": "<0>Odoslanie záznamov ladenia nám pomôže nájsť problém.</0>",
"join_button": "Áno, pripojiť sa k hovoru", "<0>Oops, something's gone wrong.</0>": "<0>Hups, niečo sa pokazilo.</0>",
"text": "Tento hovor už existuje, chceli by ste sa k nemu pripojiť?", "Expose developer settings in the settings window.": "Zobraziť nastavenia pre vývojárov v okne nastavení.",
"title": "Pripojiť sa k existujúcemu hovoru?" "Developer Settings": "Nastavenia pre vývojárov",
}, "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.": "Účasťou v tejto beta verzii súhlasíte so zhromažďovaním anonymných údajov, ktoré použijeme na zlepšenie produktu. Viac informácií o tom, ktoré údaje sledujeme, nájdete v našich <2>Zásadách ochrany osobných údajov</2> a <5>Zásadách používania súborov cookie</5>.",
"layout_grid_label": "Sieť", "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.": "<0></0><1></1>Súhlas môžete odvolať zrušením označenia tohto políčka. Ak práve prebieha hovor, toto nastavenie nadobudne platnosť po skončení hovoru.",
"layout_spotlight_label": "Stredobod", "Your feedback": "Vaša spätná väzba",
"lobby": { "Thanks, we received your feedback!": "Ďakujeme, dostali sme vašu spätnú väzbu!",
"join_button": "Pripojiť sa k hovoru", "Submitting…": "Odosielanie…",
"leave_button": "Späť k nedávnym" "Submit": "Odoslať",
}, "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.": "Ak máte problémy alebo jednoducho chcete poskytnúť spätnú väzbu, pošlite nám krátky popis nižšie.",
"logging_in": "Prihlasovanie…", "Feedback": "Spätná väzba",
"login_auth_links": "<0>Vytvoriť konto</0> Alebo <2>Prihlásiť sa ako hosť</2>", "{{count}} stars|one": "{{count}} hviezdička",
"login_title": "Prihlásiť sa", "How did it go?": "Ako to išlo?",
"microphone_off": "Mikrofón vypnutý", "{{count}} stars|other": "{{count}} hviezdičiek",
"microphone_on": "Mikrofón zapnutý", "{{displayName}}, your call has ended.": "{{displayName}}, váš hovor skončil.",
"mute_microphone_button_label": "Stlmiť mikrofón", "<0>Thanks for your feedback!</0>": "<0> Ďakujeme za vašu spätnú väzbu!</0>",
"rageshake_button_error_caption": "Opakovať odoslanie záznamov", "<0>We'd love to hear your feedback so we can improve your experience.</0>": "<0> Radi si vypočujeme vašu spätnú väzbu, aby sme mohli zlepšiť vaše skúsenosti.</0>",
"rageshake_request_modal": { "{{displayName}} is presenting": "{{displayName}} prezentuje",
"body": "Ďalší používateľ v tomto hovore má problém. Aby sme mohli lepšie diagnostikovať tieto problémy, chceli by sme získať záznam o ladení.", "Show connection stats": "Zobraziť štatistiky pripojenia",
"title": "Žiadosť o záznam ladenia" "By clicking \"Join call now\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Kliknutím na \"Pripojiť sa k hovoru teraz\" súhlasíte s našou <2>Licenčnou zmluvou s koncovým používateľom (EULA)</2>",
}, "By clicking \"Go\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Kliknutím na tlačidlo \"Prejsť\" vyjadrujete súhlas s našou <2>Licenčnou zmluvou s koncovým používateľom (EULA)</2>",
"rageshake_send_logs": "Odoslať záznamy o ladení", "This site is protected by ReCAPTCHA and the Google <2>Privacy Policy</2> and <6>Terms of Service</6> apply.<9></9>By clicking \"Register\", you agree to our <12>End User Licensing Agreement (EULA)</12>": "Táto stránka je chránená systémom ReCAPTCHA a platia na ňu <2>Pravidlá ochrany osobných údajov spoločnosti Google</2> a <6>Podmienky poskytovania služieb</6>.<9></9>Kliknutím na tlačidlo \"Registrovať sa\" súhlasíte s našou <12>Licenčnou zmluvou s koncovým používateľom (EULA)</12>",
"rageshake_sending": "Odosielanie…", "Connectivity to the server has been lost.": "Spojenie so serverom sa stratilo.",
"rageshake_sending_logs": "Odosielanie záznamov o ladení…", "Retry sending logs": "Opakovať odoslanie záznamov",
"rageshake_sent": "Ďakujeme!", "Reconnect": "Znovu pripojiť",
"recaptcha_caption": "Táto stránka je chránená systémom ReCAPTCHA a platia na ňu <2>Pravidlá ochrany osobných údajov spoločnosti Google</2> a <6>Podmienky poskytovania služieb</6>.<9></9>Kliknutím na tlačidlo \"Registrovať sa\" súhlasíte s našou <12>Licenčnou zmluvou s koncovým používateľom (EULA)</12>", "Thanks!": "Ďakujeme!",
"recaptcha_dismissed": "Recaptcha zamietnutá", "You were disconnected from the call": "Boli ste odpojení z hovoru",
"recaptcha_not_loaded": "Recaptcha sa nenačítala", "{{count, number}}|other": "{{count, number}}",
"register": { "Encrypted": "Šifrované",
"passwords_must_match": "Heslá sa musia zhodovať", "End call": "Ukončiť hovor",
"registering": "Registrácia…" "Microphone off": "Mikrofón vypnutý",
}, "Microphone on": "Mikrofón zapnutý",
"register_auth_links": "<0>Už máte konto?</0><1><0>Prihláste sa</0> Alebo <2>Prihlásiť sa ako hosť</2></1>", "Grid": "Sieť",
"register_confirm_password_label": "Potvrdiť heslo", "Not encrypted": "Nie je zašifrované",
"return_home_button": "Návrat na domovskú obrazovku", "Sharing screen": "Zdieľanie obrazovky",
"room_auth_view_eula_caption": "Kliknutím na \"Pripojiť sa k hovoru teraz\" súhlasíte s našou <2>Licenčnou zmluvou s koncovým používateľom (EULA)</2>", "{{count, number}}|one": "{{count, number}}",
"room_auth_view_join_button": "Pripojiť sa k hovoru teraz", "You": "Vy",
"screenshare_button_label": "Zdieľať obrazovku", "Continue in browser": "Pokračovať v prehliadači",
"select_input_unset_button": "Vyberte možnosť", "Mute microphone": "Stlmiť mikrofón",
"settings": { "Name of call": "Názov hovoru",
"developer_settings_label": "Nastavenia pre vývojárov", "Open in the app": "Otvoriť v aplikácii",
"developer_settings_label_description": "Zobraziť nastavenia pre vývojárov v okne nastavení.", "Ready to join?": "Ste pripravení sa pridať?",
"developer_tab_title": "Vývojár", "Select app": "Vybrať aplikáciu",
"feedback_tab_body": "Ak máte problémy alebo jednoducho chcete poskytnúť spätnú väzbu, pošlite nám krátky popis nižšie.", "Start new call": "Spustiť nový hovor",
"feedback_tab_description_label": "Vaša spätná väzba", "Start video": "Spustiť video",
"feedback_tab_h4": "Odoslať spätnú väzbu", "Stop video": "Zastaviť video",
"feedback_tab_send_logs_label": "Zahrnúť záznamy o ladení", "Back to recents": "Späť k nedávnym",
"feedback_tab_thank_you": "Ďakujeme, dostali sme vašu spätnú väzbu!", "Unmute microphone": "Zrušiť stlmenie mikrofónu",
"feedback_tab_title": "Spätná väzba", "Call not found": "Hovor nebol nájdený",
"more_tab_title": "Viac", "Calls are now end-to-end encrypted and need to be created from the home page. This helps make sure everyone's using the same encryption key.": "Hovory sú teraz end-to-end šifrované a je potrebné ich vytvoriť z domovskej stránky. To pomáha zabezpečiť, aby všetci používali rovnaký šifrovací kľúč.",
"opt_in_description": "<0></0><1></1>Súhlas môžete odvolať zrušením označenia tohto políčka. Ak práve prebieha hovor, toto nastavenie nadobudne platnosť po skončení hovoru.", "Your web browser does not support media end-to-end encryption. Supported Browsers are Chrome, Safari, Firefox >=117": "Váš webový prehliadač nepodporuje end-to-end šifrovanie médií. Podporované prehliadače sú Chrome, Safari, Firefox >=117",
"show_connection_stats_label": "Zobraziť štatistiky pripojenia", "Invite": "Pozvať",
"speaker_device_selection_label": "Reproduktor" "Link copied to clipboard": "Odkaz skopírovaný do schránky",
}, "Participants": "Účastníci",
"star_rating_input_label_one": "{{count}} hviezdička", "Copy link": "Kopírovať odkaz",
"star_rating_input_label_other": "{{count}} hviezdičiek", "Invite to this call": "Pozvať na tento hovor"
"start_new_call": "Spustiť nový hovor",
"start_video_button_label": "Spustiť video",
"stop_screenshare_button_label": "Zdieľanie obrazovky",
"stop_video_button_label": "Zastaviť video",
"submitting": "Odosielanie…",
"unauthenticated_view_body": "Ešte nie ste zaregistrovaný? <2>Vytvorte si účet</2>",
"unauthenticated_view_eula_caption": "Kliknutím na tlačidlo \"Prejsť\" vyjadrujete súhlas s našou <2>Licenčnou zmluvou s koncovým používateľom (EULA)</2>",
"unauthenticated_view_login_button": "Prihláste sa do svojho konta",
"unmute_microphone_button_label": "Zrušiť stlmenie mikrofónu",
"version": "Verzia: {{version}}",
"video_tile": {
"sfu_participant_local": "Vy"
},
"waiting_for_participants": "Čaká sa na ďalších účastníkov…"
} }

View File

@@ -0,0 +1 @@
{}

View File

@@ -1,7 +1,8 @@
{ {
"call_ended_view": { "{{count}} stars|one": "{{count}} stjärna",
"headline": "{{displayName}}, ditt samtal har avslutats." "{{count}} stars|other": "{{count}} stjärnor",
}, "{{count, number}}|one": "{{count, number}}",
"star_rating_input_label_one": "{{count}} stjärna", "{{count, number}}|other": "{{count, number}}",
"star_rating_input_label_other": "{{count}} stjärnor" "{{displayName}} is presenting": "{{displayName}} presenterar",
"{{displayName}}, your call has ended.": "{{displayName}}, ditt samtal har avslutats."
} }

View File

@@ -1,63 +1,51 @@
{ {
"action": { "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>Hesabınızı tutmak için niye bir parola açmıyorsunuz?</0><1>Böylece ileriki aramalarda adınızı ve avatarınızı kullanabileceksiniz</1>",
"close": "Kapat", "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "Bu aramadaki başka bir kullanıcı sorun yaşıyor. Sorunu daha iyi çözebilmemiz için hata ayıklama kütüğünü almak isteriz.",
"go": "Git", "Audio": "Ses",
"no": "Hayır", "Avatar": "Avatar",
"register": "Kaydol", "Camera": "Kamera",
"remove": "Çıkar", "Close": "Kapat",
"sign_in": "Gir", "Confirm password": "Parolayı tekrar edin",
"sign_out": ık" "Copied!": "Kopyalandı",
}, "Create account": "Hesap aç",
"call_ended_view": { "Debug log request": "Hata ayıklama kütük istemi",
"create_account_button": "Hesap aç", "Developer": "Geliştirici",
"create_account_prompt": "<0>Hesabınızı tutmak için niye bir parola açmıyorsunuz?</0><1>Böylece ileriki aramalarda adınızı ve avatarınızı kullanabileceksiniz</1>", "Display name": "Ekran adı",
"not_now_button": "Şimdi değil, ev ekranına dön" "Exit full screen": "Tam ekranı terk et",
}, "Full screen": "Tam ekran",
"common": { "Go": "Git",
"audio": "Ses", "Home": "Ev",
"camera": "Kamera", "Include debug logs": "Hata ayıklama kütüğünü dahil et",
"copied": "Kopyalandı", "Join call": "Aramaya katıl",
"display_name": "Ekran adı", "Join call now": "Aramaya katıl",
"home": "Ev", "Join existing call?": "Mevcut aramaya katıl?",
"loading": "Yükleniyor…", "Loading": "Yükleniyor…",
"microphone": "Mikrofon", "Local volume": "Yerel ses seviyesi",
"password": "Parola", "Logging in…": "Giriliyor…",
"settings": "Ayarlar" "Login": "Gir",
}, "Login to your account": "Hesabınıza girin",
"join_existing_call_modal": { "Microphone": "Mikrofon",
"text": "Bu arama zaten var, katılmak ister misiniz?", "More": "Daha",
"title": "Mevcut aramaya katıl?" "No": "Hayır",
}, "Not now, return to home screen": "Şimdi değil, ev ekranına dön",
"lobby": { "Not registered yet? <2>Create an account</2>": "Kaydolmadınız mı? <2>Hesap açın</2>",
"join_button": "Aramaya katıl" "Password": "Parola",
}, "Passwords must match": "Parolalar aynı olmalı",
"logging_in": "Giriliyor…", "Recaptcha dismissed": "reCAPTCHA atlandı",
"login_auth_links": "<0>Hesap oluştur</0> yahut <2>Konuk olarak gir</2>", "Recaptcha not loaded": "reCAPTCHA yüklenmedi",
"login_title": "Gir", "Register": "Kaydol",
"rageshake_request_modal": { "Registering…": "Kaydediyor…",
"body": "Bu aramadaki başka bir kullanıcı sorun yaşıyor. Sorunu daha iyi çözebilmemiz için hata ayıklama kütüğünü almak isteriz.", "Remove": "Çıkar",
"title": "Hata ayıklama kütük istemi" "Return to home screen": "Ev ekranına geri dön",
}, "Select an option": "Bir seçenek seç",
"rageshake_send_logs": "Hata ayıklama kütüğünü gönder", "Send debug logs": "Hata ayıklama kütüğünü gönder",
"rageshake_sending": "Gönderiliyor…", "Sending": "Gönderiliyor…",
"recaptcha_dismissed": "reCAPTCHA atlandı", "Settings": "Ayarlar",
"recaptcha_not_loaded": "reCAPTCHA yüklenmedi", "Share screen": "Ekran paylaş",
"register": { "Sign in": "Gir",
"passwords_must_match": "Parolalar aynı olmalı", "Sign out": ık",
"registering": "Kaydediyor…" "Submit feedback": "Geri bildirim ver",
}, "This call already exists, would you like to join?": "Bu arama zaten var, katılmak ister misiniz?",
"register_auth_links": "<0>Mevcut hesabınız mı var?</0><1><0>Gir</0> yahut <2>Konuk girişi</2></1>", "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Hesap oluştur</0> yahut <2>Konuk olarak gir</2>",
"register_confirm_password_label": "Parolayı tekrar edin", "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>Mevcut hesabınız mı var?</0><1><0>Gir</0> yahut <2>Konuk girişi</2></1>"
"return_home_button": "Ev ekranına geri dön",
"room_auth_view_join_button": "Aramaya katıl",
"screenshare_button_label": "Ekran paylaş",
"select_input_unset_button": "Bir seçenek seç",
"settings": {
"developer_tab_title": "Geliştirici",
"feedback_tab_h4": "Geri bildirim ver",
"feedback_tab_send_logs_label": "Hata ayıklama kütüğünü dahil et",
"more_tab_title": "Daha"
},
"unauthenticated_view_body": "Kaydolmadınız mı? <2>Hesap açın</2>",
"unauthenticated_view_login_button": "Hesabınıza girin"
} }

View File

@@ -1,136 +1,120 @@
{ {
"a11y": { "Loading…": "Завантаження…",
"user_menu": "Меню користувача" "Yes, join call": "Так, приєднатися до виклику",
}, "Waiting for other participants…": "Очікування на інших учасників…",
"action": { "Video": "Відео",
"close": "Закрити", "Version: {{version}}": "Версія: {{version}}",
"copy": "Копіювати", "Username": "Ім'я користувача",
"copy_link": "Скопіювати посилання", "User menu": "Меню користувача",
"go": "Далі", "This call already exists, would you like to join?": "Цей виклик уже існує, бажаєте приєднатися?",
"invite": "Запросити", "Submit feedback": "Надіслати відгук",
"no": "Ні", "Spotlight": "У центрі уваги",
"register": "Зареєструватися", "Speaker": "Динамік",
"remove": "Вилучити", "Sign out": "Вийти",
"sign_in": "Увійти", "Sign in": "Увійти",
"sign_out": "Вийти", "Share screen": "Поділитися екраном",
"submit": "Надіслати" "Settings": "Налаштування",
}, "Sending…": "Надсилання…",
"analytics_notice": "Користуючись дочасним доступом, ви даєте згоду на збір анонімних даних, які ми використовуємо для вдосконалення продукту. Ви можете знайти більше інформації про те, які дані ми відстежуємо в нашій <2>Політиці Приватності</2> і нашій <5>Політиці про куки</5>.", "Sending debug logs…": "Надсилання журналу налагодження…",
"app_selection_modal": { "Send debug logs": "Надіслати журнал налагодження",
"continue_in_browser": "Продовжити у браузері", "Select an option": "Вибрати опцію",
"open_in_app": "Відкрити у застосунку", "Return to home screen": "Повернутися на екран домівки",
"text": "Готові приєднатися?", "Remove": "Вилучити",
"title": "Вибрати застосунок" "Registering…": "Реєстрація…",
}, "Register": "Зареєструватися",
"browser_media_e2ee_unsupported": "Ваш браузер не підтримує наскрізне шифрування мультимедійних даних. Підтримувані браузери: Chrome, Safari, Firefox >=117", "Recaptcha not loaded": "Recaptcha не завантажено",
"call_ended_view": { "Recaptcha dismissed": "Recaptcha не пройдено",
"body": "Вас від'єднано від виклику", "Profile": "Профіль",
"create_account_button": "Створити обліковий запис", "Passwords must match": "Паролі відрізняються",
"create_account_prompt": "<0>Чому б не завершити, налаштувавши пароль для збереження свого облікового запису?</0><1>Ви зможете зберегти своє ім'я та встановити аватарку для подальшого користування під час майбутніх викликів</1>", "Password": "Пароль",
"feedback_done": "<0>Дякуємо за ваш відгук!</0>", "Not registered yet? <2>Create an account</2>": "Ще не зареєстровані? <2>Створіть обліковий запис</2>",
"feedback_prompt": "<0>Ми будемо раді почути ваші відгуки, щоб поліпшити роботу застосунку.</0>", "Not now, return to home screen": "Не зараз, повернутися на екран домівки",
"headline": "{{displayName}}, ваш виклик завершено.", "No": "Ні",
"not_now_button": "Не зараз, повернутися на екран домівки", "More": "Докладніше",
"reconnect_button": "Під'єднати повторно", "Microphone": "Мікрофон",
"survey_prompt": "Вам усе сподобалось?" "Login to your account": "Увійдіть до свого облікового запису",
}, "Login": "Увійти",
"call_name": "Назва виклику", "Logging in…": "Вхід…",
"common": { "Local volume": "Локальна гучність",
"audio": "Звук", "Join existing call?": "Приєднатися до наявного виклику?",
"avatar": "Аватар", "Join call now": "Приєднатися до виклику зараз",
"camera": "Камера", "Join call": "Приєднатися до виклику",
"copied": "Скопійовано!", "Include debug logs": "Долучити журнали налагодження",
"display_name": "Псевдонім", "Home": "Домівка",
"encrypted": "Зашифровано", "Go": "Далі",
"home": "Домівка", "Full screen": "Повноекранний режим",
"loading": "Завантаження…", "Exit full screen": "Вийти з повноекранного режиму",
"microphone": "Мікрофон", "Display name": "Псевдонім",
"password": "Пароль", "Developer": "Розробнику",
"profile": "Профіль", "Debug log request": "Запит журналу налагодження",
"settings": "Налаштування", "Create account": "Створити обліковий запис",
"unencrypted": "Не зашифровано", "Copied!": "Скопійовано!",
"username": "Ім'я користувача", "Confirm password": "Підтвердити пароль",
"video": "Відео" "Close": "Закрити",
}, "Camera": "Камера",
"disconnected_banner": "Втрачено зв'язок з сервером.", "Avatar": "Аватар",
"full_screen_view_description": "<0>Надсилання журналів налагодження допоможе нам виявити проблему.</0>", "Audio": "Звук",
"full_screen_view_h1": "<0>Йой, щось пішло не за планом.</0>", "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "Інший користувач у цьому виклику має проблему. Щоб краще визначити ці проблеми, ми хотіли б зібрати журнал налагодження.",
"hangup_button_label": "Завершити виклик", "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>Чому б не завершити, налаштувавши пароль для збереження свого облікового запису?</0><1>Ви зможете зберегти своє ім'я та встановити аватарку для подальшого користування під час майбутніх викликів</1>",
"header_label": "Домівка Element Call", "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Створити обліковий запис</0> або <2>Отримати доступ як гість</2>",
"header_participants_label": "Учасники", "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>Уже маєте обліковий запис?</0><1><0>Увійти</0> Or <2>Отримати доступ як гість</2></1>",
"invite_modal": { "Element Call Home": "Домівка Element Call",
"link_copied_toast": "Посилання скопійовано до буфера обміну", "Copy": "Копіювати",
"title": "Запросити до цього виклику" "<0>Submitting debug logs will help us track down the problem.</0>": "<0>Надсилання журналів налагодження допоможе нам виявити проблему.</0>",
}, "<0>Oops, something's gone wrong.</0>": "<0>Йой, щось пішло не за планом.</0>",
"join_existing_call_modal": { "Expose developer settings in the settings window.": "Відкрийте налаштування розробника у вікні налаштувань.",
"join_button": "Так, приєднатися до виклику", "Developer Settings": "Налаштування розробника",
"text": "Цей виклик уже існує, бажаєте приєднатися?", "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.": "Користуючись дочасним доступом, ви даєте згоду на збір анонімних даних, які ми використовуємо для вдосконалення продукту. Ви можете знайти більше інформації про те, які дані ми відстежуємо в нашій <2>Політиці Приватності</2> і нашій <5>Політиці про куки</5>.",
"title": "Приєднатися до наявного виклику?" "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.": "<0></0><1></1>Ви можете відкликати згоду, прибравши цей прапорець. Якщо ви зараз розмовляєте, це налаштування застосується після завершення виклику.",
}, "Your feedback": "Ваш відгук",
"layout_grid_label": "Сітка", "Thanks, we received your feedback!": "Дякуємо, ми отримали ваш відгук!",
"layout_spotlight_label": "У центрі уваги", "Submitting…": "Надсилання…",
"lobby": { "Submit": "Надіслати",
"join_button": "Приєднатися до виклику", "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.": "Якщо у вас виникли проблеми або ви просто хочете залишити відгук, надішліть нам короткий опис нижче.",
"leave_button": "Повернутися до недавніх" "Feedback": "Відгук",
}, "<0>Thanks for your feedback!</0>": "<0>Дякуємо за ваш відгук!</0>",
"logging_in": "Вхід…", "{{count}} stars|one": "{{count}} зірок",
"login_auth_links": "<0>Створити обліковий запис</0> або <2>Отримати доступ як гість</2>", "{{count}} stars|other": "{{count}} зірок",
"login_title": "Увійти", "{{displayName}}, your call has ended.": "{{displayName}}, ваш виклик завершено.",
"microphone_off": "Мікрофон вимкнено", "<0>We'd love to hear your feedback so we can improve your experience.</0>": "<0>Ми будемо раді почути ваші відгуки, щоб поліпшити роботу застосунку.</0>",
"microphone_on": "Мікрофон увімкнено", "How did it go?": "Вам усе сподобалось?",
"mute_microphone_button_label": "Вимкнути мікрофон", "{{displayName}} is presenting": "{{displayName}} представляє",
"rageshake_button_error_caption": "Повторити надсилання журналів", "Show connection stats": "Показати стан з'єднання",
"rageshake_request_modal": { "By clicking \"Go\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Натискаючи \"Далі\", ви погоджуєтеся з нашою <2>Ліцензійною угодою з кінцевим користувачем (EULA)</2>",
"body": "Інший користувач у цьому виклику має проблему. Щоб краще визначити ці проблеми, ми хотіли б зібрати журнал налагодження.", "By clicking \"Join call now\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "Натискаючи \"Приєднатися до виклику зараз\", ви погоджуєтеся з нашою <2>Ліцензійною угодою з кінцевим користувачем (EULA)</2>",
"title": "Запит журналу налагодження" "This site is protected by ReCAPTCHA and the Google <2>Privacy Policy</2> and <6>Terms of Service</6> apply.<9></9>By clicking \"Register\", you agree to our <12>End User Licensing Agreement (EULA)</12>": "Цей сайт захищений ReCAPTCHA і до нього застосовується <2>Політика приватності</2> і <6>Умови надання послуг</6> Google.<9></9>Натискаючи \"Зареєструватися\", ви погоджуєтеся з нашою <12>Ліцензійною угодою з кінцевим користувачем (EULA)</12>",
}, "Connectivity to the server has been lost.": "Втрачено зв'язок з сервером.",
"rageshake_send_logs": "Надіслати журнал налагодження", "Reconnect": "Під'єднати повторно",
"rageshake_sending": "Надсилання…", "Retry sending logs": "Повторити надсилання журналів",
"rageshake_sending_logs": "Надсилання журналу налагодження…", "You were disconnected from the call": "Вас від'єднано від виклику",
"rageshake_sent": "Дякуємо!", "Thanks!": "Дякуємо!",
"recaptcha_caption": "Цей сайт захищений ReCAPTCHA і до нього застосовується <2>Політика приватності</2> і <6>Умови надання послуг</6> Google.<9></9>Натискаючи \"Зареєструватися\", ви погоджуєтеся з нашою <12>Ліцензійною угодою з кінцевим користувачем (EULA)</12>", "{{count, number}}|other": "{{count, number}}",
"recaptcha_dismissed": "Recaptcha не пройдено", "Encrypted": "Зашифровано",
"recaptcha_not_loaded": "Recaptcha не завантажено", "Microphone on": "Мікрофон увімкнено",
"register": { "Not encrypted": "Не зашифровано",
"passwords_must_match": "Паролі відрізняються", "Sharing screen": "Презентація екрана",
"registering": "Реєстрація…" "{{count, number}}|one": "{{count, number}}",
}, "End call": "Завершити виклик",
"register_auth_links": "<0>Уже маєте обліковий запис?</0><1><0>Увійти</0> Or <2>Отримати доступ як гість</2></1>", "Grid": "Сітка",
"register_confirm_password_label": "Підтвердити пароль", "Microphone off": "Мікрофон вимкнено",
"return_home_button": "Повернутися на екран домівки", "You": "Ви",
"room_auth_view_eula_caption": "Натискаючи \"Приєднатися до виклику зараз\", ви погоджуєтеся з нашою <2>Ліцензійною угодою з кінцевим користувачем (EULA)</2>", "Mute microphone": "Вимкнути мікрофон",
"room_auth_view_join_button": "Приєднатися до виклику зараз", "Open in the app": "Відкрити у застосунку",
"screenshare_button_label": "Поділитися екраном", "Ready to join?": "Готові приєднатися?",
"select_input_unset_button": "Вибрати опцію", "Select app": "Вибрати застосунок",
"settings": { "Start video": "Розпочати відео",
"developer_settings_label": "Налаштування розробника", "Stop video": "Зупинити відео",
"developer_settings_label_description": "Відкрийте налаштування розробника у вікні налаштувань.", "Unmute microphone": "Увімкнути мікрофон",
"developer_tab_title": "Розробнику", "Continue in browser": "Продовжити у браузері",
"feedback_tab_body": "Якщо у вас виникли проблеми або ви просто хочете залишити відгук, надішліть нам короткий опис нижче.", "Name of call": "Назва виклику",
"feedback_tab_description_label": "Ваш відгук", "Start new call": "Розпочати новий виклик",
"feedback_tab_h4": "Надіслати відгук", "Back to recents": "Повернутися до недавніх",
"feedback_tab_send_logs_label": "Долучити журнали налагодження", "Call not found": "Виклик не знайдено",
"feedback_tab_thank_you": "Дякуємо, ми отримали ваш відгук!", "Calls are now end-to-end encrypted and need to be created from the home page. This helps make sure everyone's using the same encryption key.": "Відтепер виклики захищено наскрізним шифруванням, і їх потрібно створювати з домашньої сторінки. Це допомагає переконатися, що всі користувачі використовують один і той самий ключ шифрування.",
"feedback_tab_title": "Відгук", "Your web browser does not support media end-to-end encryption. Supported Browsers are Chrome, Safari, Firefox >=117": "Ваш браузер не підтримує наскрізне шифрування мультимедійних даних. Підтримувані браузери: Chrome, Safari, Firefox >=117",
"more_tab_title": "Докладніше", "Invite": "Запросити",
"opt_in_description": "<0></0><1></1>Ви можете відкликати згоду, прибравши цей прапорець. Якщо ви зараз розмовляєте, це налаштування застосується після завершення виклику.", "Link copied to clipboard": "Посилання скопійовано до буфера обміну",
"show_connection_stats_label": "Показати стан з'єднання", "Participants": "Учасники",
"speaker_device_selection_label": "Динамік" "Copy link": "Скопіювати посилання",
}, "Invite to this call": "Запросити до цього виклику"
"star_rating_input_label_one": "{{count}} зірок",
"star_rating_input_label_other": "{{count}} зірок",
"start_new_call": "Розпочати новий виклик",
"start_video_button_label": "Розпочати відео",
"stop_screenshare_button_label": "Презентація екрана",
"stop_video_button_label": "Зупинити відео",
"submitting": "Надсилання…",
"unauthenticated_view_body": "Ще не зареєстровані? <2>Створіть обліковий запис</2>",
"unauthenticated_view_eula_caption": "Натискаючи \"Далі\", ви погоджуєтеся з нашою <2>Ліцензійною угодою з кінцевим користувачем (EULA)</2>",
"unauthenticated_view_login_button": "Увійдіть до свого облікового запису",
"unmute_microphone_button_label": "Увімкнути мікрофон",
"version": "Версія: {{version}}",
"video_tile": {
"sfu_participant_local": "Ви"
},
"waiting_for_participants": "Очікування на інших учасників…"
} }

View File

@@ -1,75 +1,62 @@
{ {
"action": { "Login": "Đăng nhập",
"close": "Đóng", "Join call": "Tham gia cuộc gọi",
"copy": "Sao chép", "Password": "Mật khẩu",
"no": "Không", "Settings": "Cài đặt",
"register": ăng ", "Sending…": ang gửi…",
"sign_in": "Đăng nhập", "Sign in": "Đăng nhập",
"sign_out": "Đăng xuất", "Submit": "Gửi",
"submit": "Gửi" "Video": "Truyền hình",
}, "Username": "Tên người dùng",
"call_ended_view": { "Yes, join call": "Vâng, tham gia cuộc gọi",
"create_account_button": "Tạo tài khoản", "Your feedback": "Phản hồi của bạn",
"create_account_prompt": "<0>Tại sao lại không hoàn thiện bằng cách đặt mật khẩu để giữ tài khoản của bạn?</0><1>Bạn sẽ có thể giữ tên và đặt ảnh đi diện cho những cuộc gọi tiếp theo.</1>", "Waiting for other participants…": "Đang đi những người khác…",
"feedback_done": "<0>Cảm hơn vì đã phản hồi!</0>", "Version: {{version}}": "Phiên bản: {{version}}",
"feedback_prompt": "<0>Chúng tôi muốn nghe phản hồi của bạn để còn cải thiện trải nghiệm cho bạn.</0>", "Submit feedback": "Gửi phản hồi",
"headline": "{{displayName}}, cuộc gọi đã kết thúc." "Speaker": "Loa",
}, "Sign out": "Đăng xuất",
"common": { "Share screen": "Chia sẻ màn hình",
"audio": "Âm thanh", "No": "Không",
"avatar": "Ảnh đại diện", "Join call now": "Tham gia cuộc gọi",
"camera": "Máy quay", "Create account": "Tạo tài khoản",
"copied": "Đã sao chép!", "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>Tạo tài khoản</0> Hay <2>Tham gia dưới tên khác</2>",
"display_name": "Tên hiển thị", "<0>Submitting debug logs will help us track down the problem.</0>": "<0>Gửi nhật ký gỡ lỗi sẽ giúp chúng tôi theo dõi vấn đề.</0>",
"loading": "Đang tải…", "Avatar": "Ảnh đại diện",
"microphone": "Micrô", "Audio": "Âm thanh",
"password": "Mật khẩu", "Camera": "Máy quay",
"profile": "Hồ sơ", "Copied!": "Đã sao chép!",
"settings": "Cài đặt", "Confirm password": "Xác nhận mật khẩu",
"username": "Tên người dùng", "Close": "Đóng",
"video": "Truyền hình" "Copy": "Sao chép",
}, "Display name": "Tên hiển thị",
"full_screen_view_description": "<0>Gửi nhật ký gỡ lỗi sẽ giúp chúng tôi theo dõi vấn đề.</0>", "Developer Settings": "Cài đặt phát triển",
"full_screen_view_h1": "<0>Ối, có cái gì đó sai.</0>", "Developer": "Nhà phát triển",
"join_existing_call_modal": { "Feedback": "Phản hồi",
"join_button": "Vâng, tham gia cuộc gọi", "Full screen": "Toàn màn hình",
"text": "Cuộc gọi đã tồn tại, bạn có muốn tham gia không?", "Include debug logs": "Kèm theo nhật ký gỡ lỗi",
"title": "Tham gia cuộc gọi?" "Join existing call?": "Tham gia cuộc gọi?",
}, "Loading…": "Đang tải…",
"layout_spotlight_label": "Tiêu điểm", "Logging in…": "Đang đăng nhập…",
"lobby": { "Login to your account": "Đăng nhập vào tài khoản của bạn",
"join_button": "Tham gia cuộc gọi" "Microphone": "Micrô",
}, "Not registered yet? <2>Create an account</2>": "Chưa đăng ký? <2>Tạo tài khoản</2>",
"logging_in": "Đang đăng nhập…", "Passwords must match": "Mật khẩu phải khớp",
"login_auth_links": "<0>Tạo tài khoản</0> Hay <2>Tham gia dưới tên khác</2>", "Register": "Đăng ký",
"login_title": "Đăng nhập", "Spotlight": "Tiêu điểm",
"rageshake_request_modal": { "Submitting…": "Đang gửi…",
"body": "Một người dùng khác trong cuộc gọi đang gặp vấn đề. Để có thể chẩn đoán tốt hơn chúng tôi muốn thu thập nhật ký gỡ lỗi.", "Thanks, we received your feedback!": "Cảm ơn, chúng tôi đã nhận được phản hồi!",
"title": "Yêu cầu nhật ký gỡ lỗi" "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>Đã có tài khoản?</0><1><0>Đăng nhập</0> Hay <2>Tham gia dưới tên Khách</2></1>",
}, "Exit full screen": "Rời chế độ toàn màn hình",
"rageshake_sending": "Đang gửi…", "Profile": "Hồ sơ",
"recaptcha_not_loaded": "Chưa tải được Recaptcha", "Registering…": "Đang đăng ký…",
"register": { "This call already exists, would you like to join?": "Cuộc gọi đã tồn tại, bạn có muốn tham gia không?",
"passwords_must_match": "Mật khẩu phải khớp", "Recaptcha not loaded": "Chưa tải được Recaptcha",
"registering": "Đang đăng ký…" "Debug log request": "Yêu cầu nhật ký gỡ lỗi",
}, "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "Một người dùng khác trong cuộc gọi đang gặp vấn đề. Để có thể chẩn đoán tốt hơn chúng tôi muốn thu thập nhật ký gỡ lỗi.",
"register_auth_links": "<0>Đã có tài khoản?</0><1><0>Đăng nhập</0> Hay <2>Tham gia dưới tên Khách</2></1>", "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>Tại sao lại không hoàn thiện bằng cách đặt mật khẩu để giữ tài khoản của bạn?</0><1>Bạn sẽ có thể giữ tên và đặt ảnh đại diện cho những cuộc gọi tiếp theo.</1>",
"register_confirm_password_label": "Xác nhận mật khẩu", "<0>Oops, something's gone wrong.</0>": "<0>Ối, có cái gì đó sai.</0>",
"room_auth_view_join_button": "Tham gia cuộc gọi", "{{displayName}} is presenting": "{{displayName}} đang trình bày",
"screenshare_button_label": "Chia sẻ màn hình", "{{displayName}}, your call has ended.": "{{displayName}}, cuộc gọi đã kết thúc.",
"settings": { "<0>We'd love to hear your feedback so we can improve your experience.</0>": "<0>Chúng tôi muốn nghe phản hồi của bạn để còn cải thiện trải nghiệm cho bạn.</0>",
"developer_settings_label": "Cài đặt phát triển", "<0>Thanks for your feedback!</0>": "<0>Cảm hơn vì đã phản hồi!</0>"
"developer_tab_title": "Nhà phát triển",
"feedback_tab_description_label": "Phản hồi của bạn",
"feedback_tab_h4": "Gửi phản hồi",
"feedback_tab_send_logs_label": "Kèm theo nhật ký gỡ lỗi",
"feedback_tab_thank_you": "Cảm ơn, chúng tôi đã nhận được phản hồi!",
"feedback_tab_title": "Phản hồi",
"speaker_device_selection_label": "Loa"
},
"submitting": "Đang gửi…",
"unauthenticated_view_body": "Chưa đăng ký? <2>Tạo tài khoản</2>",
"unauthenticated_view_login_button": "Đăng nhập vào tài khoản của bạn",
"version": "Phiên bản: {{version}}",
"waiting_for_participants": "Đang đợi những người khác…"
} }

View File

@@ -1,129 +1,115 @@
{ {
"a11y": { "Yes, join call": "是,加入通话",
"user_menu": "用户菜单" "Waiting for other participants…": "等待其他参与者……",
}, "Video": "视频",
"action": { "Version: {{version}}": "版本:{{version}}",
"close": "关闭", "Username": "用户名",
"copy": "复制", "User menu": "用户菜单",
"go": "开始", "This call already exists, would you like to join?": "该通话已存在,你想加入吗?",
"no": "", "Submit feedback": "提交反馈",
"register": "注册", "Spotlight": "聚焦模式",
"remove": "移除", "Speaker": "发言人",
"sign_in": "登", "Sign out": "登",
"sign_out": "登", "Sign in": "登",
"submit": "提交" "Audio": "音频",
}, "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "这个通话中的另一个用户出现了问题。为了更好地诊断这些问题,我们想收集调试日志。",
"analytics_notice": "参与测试即表示您同意我们收集匿名数据,用于改进产品。您可以在我们的<2>隐私政策</2>和<5>Cookie政策</5>中找到有关我们跟踪哪些数据以及更多信息。", "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>为何不设置密码来保留你的账户?</0><1>保留昵称并设置头像,以便在未来的通话中使用。</1>",
"app_selection_modal": { "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>创建账户</0> Or <2>以访客身份继续</2>",
"continue_in_browser": "在浏览器中继续", "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>已有账户?</0><1><0>登录</0> Or <2>以访客身份继续</2></1>",
"open_in_app": "在应用中打开", "Share screen": "屏幕共享",
"text": "准备好加入了吗?", "Settings": "设置",
"title": "选择应用程序" "Sending…": "正在发送……",
}, "Sending debug logs…": "正在发送调试日志……",
"browser_media_e2ee_unsupported": "您的浏览器不支持媒体端对端加密。支持的浏览器有 Chrome、Safari、Firefox >=117", "Send debug logs": "发送调试日志",
"call_ended_view": { "Select an option": "选择一个选项",
"body": "通话已中断", "Return to home screen": "返回主页",
"create_account_button": "创建账户", "Remove": "移除",
"create_account_prompt": "<0>为何不设置密码来保留你的账户?</0><1>保留昵称并设置头像,以便在未来的通话中使用。</1>", "Registering…": "正在注册……",
"feedback_done": "<0>感谢反馈!</0>", "Register": "注册",
"feedback_prompt": "<0>我们需要您的反馈以提升用户体验。</0>", "Recaptcha not loaded": "recaptcha未加载",
"headline": "{{displayName}},通话已结束。", "Recaptcha dismissed": "人机验证失败",
"not_now_button": "暂不,返回主页", "Profile": "个人信息",
"reconnect_button": "重新连接", "Passwords must match": "密码必须匹配",
"survey_prompt": "进展如何?" "Password": "密码",
}, "Not registered yet? <2>Create an account</2>": "还没有注册? <2>创建账户<2>",
"call_name": "通话名称", "Not now, return to home screen": "暂不,返回主页",
"common": { "No": "否",
"audio": "音频", "More": "更多",
"avatar": "头像", "Microphone": "麦克风",
"camera": "摄像头", "Login to your account": "登录你的账户",
"copied": "已复制!", "Login": "登录",
"display_name": "显示名称", "Logging in…": "登录中……",
"encrypted": "已加密", "Local volume": "本地音量",
"home": "主页", "Loading…": "加载中……",
"loading": "加载中……", "Join existing call?": "是否加入现有的通话?",
"microphone": "麦克风", "Join call now": "现在加入通话",
"password": "密码", "Join call": "加入通话",
"profile": "个人信息", "Include debug logs": "包含调试日志",
"settings": "设置", "Home": "主页",
"unencrypted": "未加密", "Go": "开始",
"username": "用户名", "Full screen": "全屏",
"video": "视频" "Exit full screen": "退出全屏",
}, "Element Call Home": "Element Call主页",
"disconnected_banner": "与服务器的连接中断。", "Display name": "显示名称",
"full_screen_view_description": "<0>提交日志以帮助我们修复问题。</0>", "Developer": "开发者",
"full_screen_view_h1": "<0>哎哟,出问题了。</0>", "Debug log request": "调试日志请求",
"hangup_button_label": "通话结束", "Create account": "创建账户",
"header_label": "Element Call主页", "Copy": "复制",
"join_existing_call_modal": { "Copied!": "已复制!",
"join_button": "是,加入通话", "Confirm password": "确认密码",
"text": "该通话已存在,你想加入吗?", "Close": "关闭",
"title": "是否加入现有的通话?" "Camera": "摄像头",
}, "Avatar": "头像",
"layout_grid_label": "网格", "<0>Oops, something's gone wrong.</0>": "<0>哎哟,出问题了。</0>",
"layout_spotlight_label": "聚焦模式", "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.": "<0></0><1></1>您可以取消选中复选框来撤回同意。如果正在通话中,此设置将在通话结束时生效。",
"lobby": { "Encrypted": "已加密",
"join_button": "加入通话", "End call": "通话结束",
"leave_button": "返回最近通话" "Grid": "网格",
}, "Microphone off": "麦克风关闭",
"logging_in": "登录中……", "Microphone on": "麦克风开启",
"login_auth_links": "<0>创建账户</0> Or <2>以访客身份继续</2>", "Not encrypted": "未加密",
"login_title": "登录", "{{count, number}}|one": "{{count, number}}",
"microphone_off": "麦克风关闭", "{{count, number}}|other": "{{count, number}}",
"microphone_on": "麦克风开启", "Sharing screen": "屏幕共享",
"mute_microphone_button_label": "静音麦克风", "You": "",
"rageshake_button_error_caption": "重传日志", "Continue in browser": "在浏览器中继续",
"rageshake_request_modal": { "Mute microphone": "静音麦克风",
"body": "这个通话中的另一个用户出现了问题。为了更好地诊断这些问题,我们想收集调试日志。", "Name of call": "通话名称",
"title": "调试日志请求" "Open in the app": "在应用中打开",
}, "Ready to join?": "准备好加入了吗?",
"rageshake_send_logs": "发送调试日志", "Back to recents": "返回最近通话",
"rageshake_sending": "正在发送……", "Select app": "选择应用程序",
"rageshake_sending_logs": "正在发送调试日志……", "Start new call": "开始新通话",
"rageshake_sent": "谢谢!", "Start video": "开始视频",
"recaptcha_caption": "该站点受 ReCAPTCHA 保护适用于Google的 <2>隐私政策</2>和 <6>服务条款</6>。 <9></9>点击 \"注册\",即表示您同意我们的 <12>最终用户许可协议 (EULA)</12>", "Stop video": "停止视频",
"recaptcha_dismissed": "人机验证失败", "Unmute microphone": "取消麦克风静音",
"recaptcha_not_loaded": "recaptcha未加载", "Call not found": "未找到通话",
"register": { "Calls are now end-to-end encrypted and need to be created from the home page. This helps make sure everyone's using the same encryption key.": "现在,通话是端对端加密的,需要从主页创建。这有助于确保每个人都使用相同的加密密钥。",
"passwords_must_match": "密码必须匹配", "Your web browser does not support media end-to-end encryption. Supported Browsers are Chrome, Safari, Firefox >=117": "您的浏览器不支持媒体端对端加密。支持的浏览器有 Chrome、Safari、Firefox >=117",
"registering": "正在注册……" "{{count}} stars|other": "{{count}} 个星",
}, "{{displayName}} is presenting": "{{displayName}}正在展示",
"register_auth_links": "<0>已有账户?</0><1><0>登录</0> Or <2>以访客身份继续</2></1>", "{{displayName}}, your call has ended.": "{{displayName}},通话已结束。",
"register_confirm_password_label": "确认密码", "<0>Submitting debug logs will help us track down the problem.</0>": "<0>提交日志以帮助我们修复问题。</0>",
"return_home_button": "返回主页", "<0>We'd love to hear your feedback so we can improve your experience.</0>": "<0>我们需要您的反馈以提升用户体验。</0>",
"room_auth_view_eula_caption": "点击 \"加入通话\",即表示您同意我们的<2>最终用户许可协议 (EULA)</2>", "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.": "参与测试即表示您同意我们收集匿名数据,用于改进产品。您可以在我们的<2>隐私政策</2>和<5>Cookie政策</5>中找到有关我们跟踪哪些数据以及更多信息。",
"room_auth_view_join_button": "现在加入通话", "Expose developer settings in the settings window.": "在设置中显示开发者设置。",
"screenshare_button_label": "屏幕共享", "Show connection stats": "显示连接统计信息",
"select_input_unset_button": "选择一个选项", "Thanks, we received your feedback!": "谢谢,我们收到了反馈!",
"settings": { "By clicking \"Go\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "点击 \"开始\",即表示您同意我们的<2>最终用户许可协议 (EULA)</2>",
"developer_settings_label": "开发者设置", "By clicking \"Join call now\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "点击 \"加入通话\",即表示您同意我们的<2>最终用户许可协议 (EULA)</2>",
"developer_settings_label_description": "在设置中显示开发者设置。", "{{count}} stars|one": "{{count}} 个星",
"developer_tab_title": "开发者", "<0>Thanks for your feedback!</0>": "<0>感谢反馈!</0>",
"feedback_tab_body": "如果遇到问题或想提供一些反馈意见,请在下面向我们发送简短描述。", "Your feedback": "您的反馈",
"feedback_tab_description_label": "您的反馈", "Connectivity to the server has been lost.": "与服务器的连接中断。",
"feedback_tab_h4": "提交反馈", "Developer Settings": "开发者设置",
"feedback_tab_send_logs_label": "包含调试日志", "Feedback": "反馈",
"feedback_tab_thank_you": "谢谢,我们收到了反馈!", "Submit": "提交",
"feedback_tab_title": "反馈", "Reconnect": "重新连接",
"more_tab_title": "更多", "How did it go?": "进展如何?",
"opt_in_description": "<0></0><1></1>您可以取消选中复选框来撤回同意。如果正在通话中,此设置将在通话结束时生效。", "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.": "如果遇到问题或想提供一些反馈意见,请在下面向我们发送简短描述。",
"show_connection_stats_label": "显示连接统计信息", "Retry sending logs": "重传日志",
"speaker_device_selection_label": "发言人" "Submitting…": "提交中…",
}, "Thanks!": "谢谢!",
"star_rating_input_label_one": "{{count}} 个星", "This site is protected by ReCAPTCHA and the Google <2>Privacy Policy</2> and <6>Terms of Service</6> apply.<9></9>By clicking \"Register\", you agree to our <12>End User Licensing Agreement (EULA)</12>": "该站点受 ReCAPTCHA 保护适用于Google的 <2>隐私政策</2>和 <6>服务条款</6>。 <9></9>点击 \"注册\",即表示您同意我们的 <12>最终用户许可协议 (EULA)</12>",
"star_rating_input_label_other": "{{count}} 个星", "You were disconnected from the call": "通话已中断"
"start_new_call": "开始新通话",
"start_video_button_label": "开始视频",
"stop_screenshare_button_label": "屏幕共享",
"stop_video_button_label": "停止视频",
"submitting": "提交中…",
"unauthenticated_view_body": "还没有注册? <2>创建账户<2>",
"unauthenticated_view_eula_caption": "点击 \"开始\",即表示您同意我们的<2>最终用户许可协议 (EULA)</2>",
"unauthenticated_view_login_button": "登录你的账户",
"unmute_microphone_button_label": "取消麦克风静音",
"version": "版本:{{version}}",
"video_tile": {
"sfu_participant_local": "你"
},
"waiting_for_participants": "等待其他参与者……"
} }

View File

@@ -1,136 +1,120 @@
{ {
"a11y": { "<0>Create an account</0> Or <2>Access as a guest</2>": "<0>建立帳號</0> 或<2>以訪客身份登入</2>",
"user_menu": "使用者選單" "<0>Already have an account?</0><1><0>Log in</0> Or <2>Access as a guest</2></1>": "<0>已經有帳號?</0><1><0>登入</0> 或<2>以訪客身份登入</2></1>",
}, "Expose developer settings in the settings window.": "在設定視窗中顯示開發者設定。",
"action": { "Developer Settings": "開發者設定",
"close": "關閉", "<0>Submitting debug logs will help us track down the problem.</0>": "<0>送出除錯紀錄,可幫助我們修正問題。</0>",
"copy": "複製", "<0>Oops, something's gone wrong.</0>": "<0>喔喔,有些地方怪怪的。</0>",
"copy_link": "複製連結", "Yes, join call": "是,加入對話",
"go": "前往", "Waiting for other participants…": "等待其他參加者…",
"invite": "邀請", "Video": "視訊",
"no": "否", "Version: {{version}}": "版本: {{version}}",
"register": "註冊", "Username": "使用者名稱",
"remove": "移除", "User menu": "使用者選單",
"sign_in": "登入", "This call already exists, would you like to join?": "通話已經開始,請問您要加入嗎?",
"sign_out": "登出", "Submit feedback": "遞交回覆",
"submit": "遞交" "Spotlight": "聚焦",
}, "Speaker": "發言者",
"analytics_notice": "參與此測試版即表示您同意蒐集匿名資料,我們使用這些資料來改進產品。您可以在我們的<2>隱私政策</2>與我們的 <5>Cookie 政策</5> 中找到關於我們追蹤哪些資料的更多資訊。", "Sign out": "登出",
"app_selection_modal": { "Sign in": "登入",
"continue_in_browser": "在瀏覽器中繼續", "Share screen": "分享畫面",
"open_in_app": "在應用程式中開啟", "Settings": "設定",
"text": "準備好加入了?", "Sending…": "傳送中…",
"title": "選取應用程式" "Sending debug logs…": "傳送除錯記錄檔中…",
}, "Send debug logs": "傳送除錯紀錄",
"browser_media_e2ee_unsupported": "您的網路瀏覽器不支援媒體端到端加密。支援的瀏覽器包含了 Chrome、Safari、Firefox >=117", "Select an option": "選擇一個選項",
"call_ended_view": { "Return to home screen": "回到首頁",
"body": "您已從通話斷線", "Remove": "移除",
"create_account_button": "建立帳號", "Registering…": "註冊中…",
"create_account_prompt": "<0>何不設定密碼以保留此帳號?</0><1>您可以保留暱稱並設定頭像,以便未來通話時使用</1>", "Register": "註冊",
"feedback_done": "<0>感謝您的回饋!</0>", "Recaptcha not loaded": "驗證碼未載入",
"feedback_prompt": "<0>我們想要聽到您的回饋,如此我們才能改善您的體驗。</0>", "Recaptcha dismissed": "略過驗證碼",
"headline": "{{displayName}},您的通話已結束。", "Profile": "個人檔案",
"not_now_button": "現在不行,回到首頁", "Passwords must match": "密碼必須相符",
"reconnect_button": "重新連線", "Password": "密碼",
"survey_prompt": "進展如何?" "Not registered yet? <2>Create an account</2>": "還沒註冊嗎?<2>建立帳號</2>",
}, "Not now, return to home screen": "現在不行,回到首頁",
"call_name": "通話名稱", "No": "",
"common": { "More": "更多",
"audio": "語音", "Microphone": "麥克風",
"avatar": "大頭照", "Login to your account": "登入您的帳號",
"camera": "相機", "Login": "登入",
"copied": "已複製!", "Logging in…": "登入中…",
"display_name": "顯示名稱", "Local volume": "您的音量",
"encrypted": "已加密", "Loading…": "載入中…",
"home": "首頁", "Join existing call?": "加入已開始的通話嗎?",
"loading": "載入中…", "Join call now": "現在加入通話",
"microphone": "麥克風", "Join call": "加入通話",
"password": "密碼", "Include debug logs": "包含除錯紀錄",
"profile": "個人檔案", "Home": "首頁",
"settings": "設定", "Go": "前往",
"unencrypted": "未加密", "Full screen": "全螢幕",
"username": "使用者名稱", "Exit full screen": "退出全螢幕",
"video": "視訊" "Element Call Home": "Element Call 首頁",
}, "Display name": "顯示名稱",
"disconnected_banner": "到伺服器的連線已遺失。", "Developer": "開發者",
"full_screen_view_description": "<0>送出除錯紀錄,可幫助我們修正問題。</0>", "Debug log request": "請求偵錯報告",
"full_screen_view_h1": "<0>喔喔,有些地方怪怪的。</0>", "Create account": "建立帳號",
"hangup_button_label": "結束通話", "Copy": "複製",
"header_label": "Element Call 首頁", "Copied!": "已複製!",
"header_participants_label": "參與者", "Confirm password": "確認密碼",
"invite_modal": { "Close": "關閉",
"link_copied_toast": "連結已複製到剪貼簿", "Camera": "相機",
"title": "邀請到此通話" "Avatar": "大頭照",
}, "Audio": "語音",
"join_existing_call_modal": { "Another user on this call is having an issue. In order to better diagnose these issues we'd like to collect a debug log.": "這通對話中的另一位使用者遇到了某些問題。為了診斷問題,我們將會建立除錯紀錄。",
"join_button": "是,加入對話", "<0>Why not finish by setting up a password to keep your account?</0><1>You'll be able to keep your name and set an avatar for use on future calls</1>": "<0>何不設定密碼以保留此帳號?</0><1>您可以保留暱稱並設定頭像,以便未來通話時使用</1>",
"text": "通話已經開始,請問您要加入嗎?", "By participating in this beta, you consent to the collection of anonymous data, which we use to improve the product. You can find more information about which data we track in our <2>Privacy Policy</2> and our <5>Cookie Policy</5>.": "參與此測試版即表示您同意蒐集匿名資料,我們使用這些資料來改進產品。您可以在我們的<2>隱私政策</2>與我們的 <5>Cookie 政策</5> 中找到關於我們追蹤哪些資料的更多資訊。",
"title": "加入已開始的通話嗎?" "<0></0><1></1>You may withdraw consent by unchecking this box. If you are currently in a call, this setting will take effect at the end of the call.": "<0></0><1></1>您可以透過取消核取此方塊來撤回同意。若您目前正在通話中,此設定將在通話結束時生效。",
}, "Your feedback": "您的回饋",
"layout_grid_label": "網格", "Thanks, we received your feedback!": "感謝,我們已經收到您的回饋了!",
"layout_spotlight_label": "聚焦", "Submitting…": "正在遞交……",
"lobby": { "Submit": "遞交",
"join_button": "加入通話", "If you are experiencing issues or simply would like to provide some feedback, please send us a short description below.": "若您遇到問題或只是想提供一些回饋,請在下方傳送簡短說明給我們。",
"leave_button": "回到最近的通話" "Feedback": "回饋",
}, "{{count}} stars|other": "{{count}} 個星星",
"logging_in": "登入中…", "<0>Thanks for your feedback!</0>": "<0>感謝您的回饋!</0>",
"login_auth_links": "<0>建立帳號</0> 或<2>以訪客身份登入</2>", "<0>We'd love to hear your feedback so we can improve your experience.</0>": "<0>我們想要聽到您的回饋,如此我們才能改善您的體驗。</0>",
"login_title": "登入", "{{count}} stars|one": "{{count}} 個星星",
"microphone_off": "麥克風關閉", "{{displayName}}, your call has ended.": "{{displayName}},您的通話已結束。",
"microphone_on": "麥克風開啟", "How did it go?": "進展如何?",
"mute_microphone_button_label": "將麥克風靜音", "{{displayName}} is presenting": "{{displayName}} 正在展示",
"rageshake_button_error_caption": "重試傳送紀錄檔", "Show connection stats": "顯示連線統計資料",
"rageshake_request_modal": { "By clicking \"Go\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "點擊「前往」即表示您同意我們的<2>終端使用者授權協議 (EULA)</2>",
"body": "這通對話中的另一位使用者遇到了某些問題。為了診斷問題,我們將會建立除錯紀錄。", "By clicking \"Join call now\", you agree to our <2>End User Licensing Agreement (EULA)</2>": "點擊「立刻加入通話」即表示您同意我們的<2>終端使用者授權協議 (EULA)</2>",
"title": "請求偵錯報告" "This site is protected by ReCAPTCHA and the Google <2>Privacy Policy</2> and <6>Terms of Service</6> apply.<9></9>By clicking \"Register\", you agree to our <12>End User Licensing Agreement (EULA)</12>": "此網站被 ReCAPTCHA 保護,並適用 Google 的<2>隱私權政策</2>與<6>服務條款</6>。<9></9>點擊「註冊」即表示您同意我們的<12>終端使用者授權協議 (EULA)</12>",
}, "Connectivity to the server has been lost.": "到伺服器的連線已遺失。",
"rageshake_send_logs": "傳送除錯紀錄", "Reconnect": "重新連線",
"rageshake_sending": "傳送中…", "Retry sending logs": "重試傳送紀錄檔",
"rageshake_sending_logs": "傳送除錯記錄檔中…", "Thanks!": "感謝!",
"rageshake_sent": "感謝!", "You were disconnected from the call": "您已從通話斷線",
"recaptcha_caption": "此網站被 ReCAPTCHA 保護,並適用 Google 的<2>隱私權政策</2>與<6>服務條款</6>。<9></9>點擊「註冊」即表示您同意我們的<12>終端使用者授權協議 (EULA)</12>", "{{count, number}}|one": "{{count, number}}",
"recaptcha_dismissed": "略過驗證碼", "{{count, number}}|other": "{{count, number}}",
"recaptcha_not_loaded": "驗證碼未載入", "Encrypted": "已加密",
"register": { "End call": "結束通話",
"passwords_must_match": "密碼必須相符", "Grid": "網格",
"registering": "註冊中…" "Microphone off": "麥克風關閉",
}, "Microphone on": "麥克風開啟",
"register_auth_links": "<0>已經有帳號?</0><1><0>登入</0> 或<2>以訪客身份登入</2></1>", "Not encrypted": "未加密",
"register_confirm_password_label": "確認密碼", "Sharing screen": "分享畫面",
"return_home_button": "回到首頁", "You": "",
"room_auth_view_eula_caption": "點擊「立刻加入通話」即表示您同意我們的<2>終端使用者授權協議 (EULA)</2>", "Continue in browser": "在瀏覽器中繼續",
"room_auth_view_join_button": "現在加入通話", "Mute microphone": "將麥克風靜音",
"screenshare_button_label": "分享畫面", "Name of call": "通話名稱",
"select_input_unset_button": "選擇一個選項", "Open in the app": "在應用程式中開啟",
"settings": { "Ready to join?": "準備好加入了?",
"developer_settings_label": "開發者設定", "Select app": "選取應用程式",
"developer_settings_label_description": "在設定視窗中顯示開發者設定。", "Start new call": "開始新通話",
"developer_tab_title": "開發者", "Start video": "開始影片",
"feedback_tab_body": "若您遇到問題或只是想提供一些回饋,請在下方傳送簡短說明給我們。", "Back to recents": "回到最近的通話",
"feedback_tab_description_label": "您的回饋", "Stop video": "停止影片",
"feedback_tab_h4": "遞交回覆", "Unmute microphone": "將麥克風取消靜音",
"feedback_tab_send_logs_label": "包含除錯紀錄", "Call not found": "找不到通話",
"feedback_tab_thank_you": "感謝,我們已經收到您的回饋了!", "Calls are now end-to-end encrypted and need to be created from the home page. This helps make sure everyone's using the same encryption key.": "通話現在是端對端加密的,必須從首頁建立。這有助於確保每個人都使用相同的加密金鑰。",
"feedback_tab_title": "回饋", "Your web browser does not support media end-to-end encryption. Supported Browsers are Chrome, Safari, Firefox >=117": "您的網路瀏覽器不支援媒體端到端加密。支援的瀏覽器包含了 Chrome、Safari、Firefox >=117",
"more_tab_title": "更多", "Copy link": "複製連結",
"opt_in_description": "<0></0><1></1>您可以透過取消核取此方塊來撤回同意。若您目前正在通話中,此設定將在通話結束時生效。", "Invite": "邀請",
"show_connection_stats_label": "顯示連線統計資料", "Invite to this call": "邀請到此通話",
"speaker_device_selection_label": "發言者" "Link copied to clipboard": "連結已複製到剪貼簿",
}, "Participants": "參與者"
"star_rating_input_label_one": "{{count}} 個星星",
"star_rating_input_label_other": "{{count}} 個星星",
"start_new_call": "開始新通話",
"start_video_button_label": "開始影片",
"stop_screenshare_button_label": "分享畫面",
"stop_video_button_label": "停止影片",
"submitting": "正在遞交……",
"unauthenticated_view_body": "還沒註冊嗎?<2>建立帳號</2>",
"unauthenticated_view_eula_caption": "點擊「前往」即表示您同意我們的<2>終端使用者授權協議 (EULA)</2>",
"unauthenticated_view_login_button": "登入您的帳號",
"unmute_microphone_button_label": "將麥克風取消靜音",
"version": "版本: {{version}}",
"video_tile": {
"sfu_participant_local": "您"
},
"waiting_for_participants": "等待其他參加者…"
} }

View File

@@ -3,46 +3,9 @@
"extends": ["config:base"], "extends": ["config:base"],
"packageRules": [ "packageRules": [
{ {
"groupName": "all non-major dependencies", "description": "Disable renoavte for packages we want to monitor ourselves",
"groupSlug": "all-minor-patch", "matchPackagePatterns": ["matrix-js-sdk"],
"matchUpdateTypes": ["minor", "patch"],
"extends": ["schedule:weekly"]
},
{
"groupName": "GitHub Actions",
"matchDepTypes": ["action"],
"pinDigests": true,
"extends": ["schedule:monthly"]
},
{
"description": "Disable Renovate for packages we want to monitor ourselves",
"groupName": "manually updated packages",
"matchDepNames": ["matrix-js-sdk"],
"enabled": false "enabled": false
},
{
"groupName": "matrix-widget-api",
"matchDepNames": ["matrix-widget-api"]
},
{
"groupName": "Compound",
"matchPackagePrefixes": ["@vector-im/compound-"],
"schedule": "before 5am on Tuesday and Friday"
},
{
"groupName": "LiveKit client",
"matchDepNames": ["livekit-client"]
},
{
"groupName": "LiveKit components",
"matchPackagePrefixes": ["@livekit/components-"]
},
{
"groupName": "Vaul",
"matchDepNames": ["vaul"],
"extends": ["schedule:monthly"],
"prHeader": "Please review modals on mobile for visual regressions."
} }
], ]
"semanticCommits": "disabled"
} }

View File

@@ -15,7 +15,6 @@ limitations under the License.
*/ */
import "matrix-js-sdk/src/@types/global"; import "matrix-js-sdk/src/@types/global";
import { Controls } from "../controls";
declare global { declare global {
interface Document { interface Document {
@@ -25,7 +24,14 @@ declare global {
} }
interface Window { interface Window {
controls: Controls; // TODO: https://gitlab.matrix.org/matrix-org/olm/-/issues/10
OLM_OPTIONS: Record<string, string>;
}
// TypeScript doesn't know about the experimental setSinkId method, so we
// declare it ourselves
interface MediaElement extends HTMLVideoElement {
setSinkId: (id: string) => void;
} }
interface HTMLElement { interface HTMLElement {

View File

@@ -22,8 +22,8 @@ import {
useLocation, useLocation,
} from "react-router-dom"; } from "react-router-dom";
import * as Sentry from "@sentry/react"; import * as Sentry from "@sentry/react";
import { OverlayProvider } from "@react-aria/overlays";
import { History } from "history"; import { History } from "history";
import { TooltipProvider } from "@vector-im/compound-web";
import { HomePage } from "./home/HomePage"; import { HomePage } from "./home/HomePage";
import { LoginPage } from "./auth/LoginPage"; import { LoginPage } from "./auth/LoginPage";
@@ -34,21 +34,19 @@ import { CrashView, LoadingView } from "./FullScreenView";
import { DisconnectedBanner } from "./DisconnectedBanner"; import { DisconnectedBanner } from "./DisconnectedBanner";
import { Initializer } from "./initializer"; import { Initializer } from "./initializer";
import { MediaDevicesProvider } from "./livekit/MediaDevicesContext"; import { MediaDevicesProvider } from "./livekit/MediaDevicesContext";
import { widget } from "./widget";
import { useTheme } from "./useTheme";
const SentryRoute = Sentry.withSentryRouting(Route); const SentryRoute = Sentry.withSentryRouting(Route);
interface SimpleProviderProps { interface BackgroundProviderProps {
children: JSX.Element; children: JSX.Element;
} }
const BackgroundProvider: FC<SimpleProviderProps> = ({ children }) => { const BackgroundProvider: FC<BackgroundProviderProps> = ({ children }) => {
const { pathname } = useLocation(); const { pathname } = useLocation();
useEffect(() => { useEffect(() => {
let backgroundImage = ""; let backgroundImage = "";
if (!["/login", "/register"].includes(pathname) && !widget) { if (!["/login", "/register"].includes(pathname)) {
backgroundImage = "var(--background-gradient)"; backgroundImage = "var(--background-gradient)";
} }
@@ -58,10 +56,6 @@ const BackgroundProvider: FC<SimpleProviderProps> = ({ children }) => {
return <>{children}</>; return <>{children}</>;
}; };
const ThemeProvider: FC<SimpleProviderProps> = ({ children }) => {
useTheme();
return children;
};
interface AppProps { interface AppProps {
history: History; history: History;
@@ -69,11 +63,10 @@ interface AppProps {
export const App: FC<AppProps> = ({ history }) => { export const App: FC<AppProps> = ({ history }) => {
const [loaded, setLoaded] = useState(false); const [loaded, setLoaded] = useState(false);
useEffect(() => { useEffect(() => {
Initializer.init()?.then(() => { Initializer.init()?.then(() => {
if (loaded) return;
setLoaded(true); setLoaded(true);
widget?.api.sendContentLoaded();
}); });
}); });
@@ -84,13 +77,12 @@ export const App: FC<AppProps> = ({ history }) => {
// @ts-ignore // @ts-ignore
<Router history={history}> <Router history={history}>
<BackgroundProvider> <BackgroundProvider>
<ThemeProvider>
<TooltipProvider>
{loaded ? ( {loaded ? (
<Suspense fallback={null}> <Suspense fallback={null}>
<ClientProvider> <ClientProvider>
<MediaDevicesProvider> <MediaDevicesProvider>
<Sentry.ErrorBoundary fallback={errorPage}> <Sentry.ErrorBoundary fallback={errorPage}>
<OverlayProvider>
<DisconnectedBanner /> <DisconnectedBanner />
<Switch> <Switch>
<SentryRoute exact path="/"> <SentryRoute exact path="/">
@@ -106,6 +98,7 @@ export const App: FC<AppProps> = ({ history }) => {
<RoomPage /> <RoomPage />
</SentryRoute> </SentryRoute>
</Switch> </Switch>
</OverlayProvider>
</Sentry.ErrorBoundary> </Sentry.ErrorBoundary>
</MediaDevicesProvider> </MediaDevicesProvider>
</ClientProvider> </ClientProvider>
@@ -113,8 +106,6 @@ export const App: FC<AppProps> = ({ history }) => {
) : ( ) : (
<LoadingView /> <LoadingView />
)} )}
</TooltipProvider>
</ThemeProvider>
</BackgroundProvider> </BackgroundProvider>
</Router> </Router>
); );

View File

@@ -17,7 +17,7 @@ limitations under the License.
import { useMemo, FC } from "react"; import { useMemo, FC } from "react";
import { Avatar as CompoundAvatar } from "@vector-im/compound-web"; import { Avatar as CompoundAvatar } from "@vector-im/compound-web";
import { getAvatarUrl } from "./utils/matrix"; import { getAvatarUrl } from "./matrix-utils";
import { useClient } from "./ClientContext"; import { useClient } from "./ClientContext";
export enum Size { export enum Size {

View File

@@ -1,5 +1,5 @@
/* /*
Copyright 2024 New Vector Ltd Copyright 2023 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License"); Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License. you may not use this file except in compliance with the License.
@@ -14,10 +14,9 @@ See the License for the specific language governing permissions and
limitations under the License. limitations under the License.
*/ */
.tile.draggable { .banner {
cursor: grab; flex: 1;
} border-radius: 8px;
padding: 16px;
.tile.draggable:active { background-color: var(--cpd-color-bg-subtle-primary);
cursor: grabbing;
} }

View File

@@ -14,16 +14,14 @@ See the License for the specific language governing permissions and
limitations under the License. limitations under the License.
*/ */
import "i18next"; import { FC, ReactNode } from "react";
// import all namespaces (for the default language, only)
import app from "../../public/locales/en-GB/app.json";
declare module "i18next" { import styles from "./Banner.module.css";
interface CustomTypeOptions {
defaultNS: "app"; interface Props {
keySeparator: "."; children: ReactNode;
resources: {
app: typeof app;
};
}
} }
export const Banner: FC<Props> = ({ children }) => {
return <div className={styles.banner}>{children}</div>;
};

View File

@@ -25,18 +25,17 @@ import {
useMemo, useMemo,
} from "react"; } from "react";
import { useHistory } from "react-router-dom"; import { useHistory } from "react-router-dom";
import { import { ClientEvent, MatrixClient } from "matrix-js-sdk/src/client";
ClientEvent,
ICreateClientOpts,
MatrixClient,
} from "matrix-js-sdk/src/client";
import { logger } from "matrix-js-sdk/src/logger"; import { logger } from "matrix-js-sdk/src/logger";
import { useTranslation } from "react-i18next"; import { useTranslation } from "react-i18next";
import { ISyncStateData, SyncState } from "matrix-js-sdk/src/sync"; import { ISyncStateData, SyncState } from "matrix-js-sdk/src/sync";
import { MatrixError } from "matrix-js-sdk/src/matrix";
import { ErrorView } from "./FullScreenView"; import { ErrorView } from "./FullScreenView";
import { fallbackICEServerAllowed, initClient } from "./utils/matrix"; import {
CryptoStoreIntegrityError,
fallbackICEServerAllowed,
initClient,
} from "./matrix-utils";
import { widget } from "./widget"; import { widget } from "./widget";
import { import {
PosthogAnalytics, PosthogAnalytics,
@@ -258,7 +257,9 @@ export const ClientProvider: FC<Props> = ({ children }) => {
"message", "message",
useCallback(() => { useCallback(() => {
initClientState?.client.stopClient(); initClientState?.client.stopClient();
setAlreadyOpenedErr(translatedError("application_opened_another_tab", t)); setAlreadyOpenedErr(
translatedError("This application has been opened in another tab.", t),
);
}, [initClientState?.client, setAlreadyOpenedErr, t]), }, [initClientState?.client, setAlreadyOpenedErr, t]),
); );
@@ -318,7 +319,7 @@ export const ClientProvider: FC<Props> = ({ children }) => {
initClientState.client.on(ClientEvent.Sync, onSync); initClientState.client.on(ClientEvent.Sync, onSync);
} }
return (): void => { return () => {
if (initClientState.client) { if (initClientState.client) {
initClientState.client.removeListener(ClientEvent.Sync, onSync); initClientState.client.removeListener(ClientEvent.Sync, onSync);
} }
@@ -361,13 +362,13 @@ async function loadClient(): Promise<InitResult | null> {
/* eslint-disable camelcase */ /* eslint-disable camelcase */
const { user_id, device_id, access_token, passwordlessUser } = session; const { user_id, device_id, access_token, passwordlessUser } = session;
const initClientParams: ICreateClientOpts = { const initClientParams = {
baseUrl: Config.defaultHomeserverUrl()!, baseUrl: Config.defaultHomeserverUrl()!,
accessToken: access_token, accessToken: access_token,
userId: user_id, userId: user_id,
deviceId: device_id, deviceId: device_id,
fallbackICEServerAllowed: fallbackICEServerAllowed, fallbackICEServerAllowed: fallbackICEServerAllowed,
livekitServiceURL: Config.get().livekit?.livekit_service_url, livekitServiceURL: Config.get().livekit!.livekit_service_url,
}; };
try { try {
@@ -377,17 +378,22 @@ async function loadClient(): Promise<InitResult | null> {
passwordlessUser, passwordlessUser,
}; };
} catch (err) { } catch (err) {
if (err instanceof MatrixError && err.errcode === "M_UNKNOWN_TOKEN") { if (err instanceof CryptoStoreIntegrityError) {
// We can't use this session anymore, so let's log it out // We can't use this session anymore, so let's log it out
logger.log( try {
"The session from local store is invalid; continuing without a client", const client = await initClient(initClientParams, false); // Don't need the crypto store just to log out)
await client.logout(true);
} catch (err) {
logger.warn(
"The previous session was lost, and we couldn't log it out, " +
err +
"either",
); );
clearSession(); }
// returning null = "no client` pls register" (undefined = "loading" which is the current value when reaching this line)
return null;
} }
throw err; throw err;
} }
/* eslint-enable camelcase */
} catch (err) { } catch (err) {
clearSession(); clearSession();
throw err; throw err;

View File

@@ -45,7 +45,7 @@ export const DisconnectedBanner: FC<Props> = ({
{shouldShowBanner && ( {shouldShowBanner && (
<div className={classNames(styles.banner, className)} {...rest}> <div className={classNames(styles.banner, className)} {...rest}>
{children} {children}
{t("disconnected_banner")} {t("Connectivity to the server has been lost.")}
</div> </div>
)} )}
</> </>

View File

@@ -20,15 +20,13 @@ import classNames from "classnames";
import { Trans, useTranslation } from "react-i18next"; import { Trans, useTranslation } from "react-i18next";
import * as Sentry from "@sentry/react"; import * as Sentry from "@sentry/react";
import { logger } from "matrix-js-sdk/src/logger"; import { logger } from "matrix-js-sdk/src/logger";
import { Button } from "@vector-im/compound-web";
import { Header, HeaderLogo, LeftNav, RightNav } from "./Header"; import { Header, HeaderLogo, LeftNav, RightNav } from "./Header";
import { LinkButton } from "./button"; import { LinkButton, Button } from "./button";
import styles from "./FullScreenView.module.css"; import styles from "./FullScreenView.module.css";
import { TranslatedError } from "./TranslatedError"; import { TranslatedError } from "./TranslatedError";
import { Config } from "./config/Config"; import { Config } from "./config/Config";
import { RageshakeButton } from "./settings/RageshakeButton"; import { RageshakeButton } from "./settings/RageshakeButton";
import { useUrlParams } from "./UrlParams";
interface FullScreenViewProps { interface FullScreenViewProps {
className?: string; className?: string;
@@ -39,11 +37,12 @@ export const FullScreenView: FC<FullScreenViewProps> = ({
className, className,
children, children,
}) => { }) => {
const { hideHeader } = useUrlParams();
return ( return (
<div className={classNames(styles.page, className)}> <div className={classNames(styles.page, className)}>
<Header> <Header>
<LeftNav>{!hideHeader && <HeaderLogo />}</LeftNav> <LeftNav>
<HeaderLogo />
</LeftNav>
<RightNav /> <RightNav />
</Header> </Header>
<div className={styles.container}> <div className={styles.container}>
@@ -59,7 +58,6 @@ interface ErrorViewProps {
export const ErrorView: FC<ErrorViewProps> = ({ error }) => { export const ErrorView: FC<ErrorViewProps> = ({ error }) => {
const location = useLocation(); const location = useLocation();
const { confineToRoom } = useUrlParams();
const { t } = useTranslation(); const { t } = useTranslation();
useEffect(() => { useEffect(() => {
@@ -73,23 +71,32 @@ export const ErrorView: FC<ErrorViewProps> = ({ error }) => {
return ( return (
<FullScreenView> <FullScreenView>
<h1>{t("common.error")}</h1> <h1>Error</h1>
<p> <p>
{error instanceof TranslatedError {error instanceof TranslatedError
? error.translatedMessage ? error.translatedMessage
: error.message} : error.message}
</p> </p>
<RageshakeButton description={`***Error View***: ${error.message}`} /> <RageshakeButton description={`***Error View***: ${error.message}`} />
{!confineToRoom && {location.pathname === "/" ? (
(location.pathname === "/" ? ( <Button
<Button className={styles.homeLink} onClick={onReload}> size="lg"
{t("return_home_button")} variant="default"
className={styles.homeLink}
onPress={onReload}
>
{t("Return to home screen")}
</Button> </Button>
) : ( ) : (
<LinkButton className={styles.homeLink} to="/"> <LinkButton
{t("return_home_button")} size="lg"
variant="default"
className={styles.homeLink}
to="/"
>
{t("Return to home screen")}
</LinkButton> </LinkButton>
))} )}
</FullScreenView> </FullScreenView>
); );
}; };
@@ -103,18 +110,23 @@ export const CrashView: FC = () => {
return ( return (
<FullScreenView> <FullScreenView>
<Trans i18nKey="full_screen_view_h1"> <Trans>
<h1>Oops, something's gone wrong.</h1> <h1>Oops, something's gone wrong.</h1>
</Trans> </Trans>
{Config.get().rageshake?.submit_url && ( {Config.get().rageshake?.submit_url && (
<Trans i18nKey="full_screen_view_description"> <Trans>
<p>Submitting debug logs will help us track down the problem.</p> <p>Submitting debug logs will help us track down the problem.</p>
</Trans> </Trans>
)} )}
<RageshakeButton description="***Soft Crash***" /> <RageshakeButton description="***Soft Crash***" />
<Button className={styles.wideButton} onClick={onReload}> <Button
{t("return_home_button")} size="lg"
variant="default"
className={styles.wideButton}
onPress={onReload}
>
{t("Return to home screen")}
</Button> </Button>
</FullScreenView> </FullScreenView>
); );
@@ -125,7 +137,7 @@ export const LoadingView: FC = () => {
return ( return (
<FullScreenView> <FullScreenView>
<h1>{t("common.loading")}</h1> <h1>{t("Loading")}</h1>
</FullScreenView> </FullScreenView>
); );
}; };

View File

@@ -1,5 +1,5 @@
/* /*
Copyright 2022-2024 New Vector Ltd Copyright 2022 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License"); Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License. you may not use this file except in compliance with the License.
@@ -33,7 +33,6 @@ limitations under the License.
} }
.headerLogo { .headerLogo {
color: var(--cpd-color-text-primary);
display: none; display: none;
align-items: center; align-items: center;
text-decoration: none; text-decoration: none;
@@ -90,7 +89,6 @@ limitations under the License.
.nameLine { .nameLine {
grid-area: name; grid-area: name;
flex-grow: 1; flex-grow: 1;
min-width: 0;
display: flex; display: flex;
align-items: center; align-items: center;
gap: var(--cpd-space-1x); gap: var(--cpd-space-1x);
@@ -98,6 +96,8 @@ limitations under the License.
.nameLine > h1 { .nameLine > h1 {
margin: 0; margin: 0;
/* XXX I can't actually get this ellipsis overflow to trigger, because
constraint propagation in a nested flexbox layout is a massive pain */
overflow: hidden; overflow: hidden;
text-overflow: ellipsis; text-overflow: ellipsis;
} }
@@ -108,7 +108,6 @@ limitations under the License.
.participantsLine { .participantsLine {
grid-area: participants; grid-area: participants;
color: var(--cpd-color-text-secondary);
display: flex; display: flex;
align-items: center; align-items: center;
gap: var(--cpd-space-1-5x); gap: var(--cpd-space-1-5x);

View File

@@ -1,5 +1,5 @@
/* /*
Copyright 2022-2024 New Vector Ltd Copyright 2022 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License"); Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License. you may not use this file except in compliance with the License.
@@ -15,11 +15,11 @@ limitations under the License.
*/ */
import classNames from "classnames"; import classNames from "classnames";
import { FC, HTMLAttributes, ReactNode, forwardRef } from "react"; import { FC, HTMLAttributes, ReactNode } from "react";
import { Link } from "react-router-dom"; import { Link } from "react-router-dom";
import { useTranslation } from "react-i18next"; import { useTranslation } from "react-i18next";
import { Heading, Text } from "@vector-im/compound-web"; import { Heading, Text } from "@vector-im/compound-web";
import { UserProfileIcon } from "@vector-im/compound-design-tokens/assets/web/icons"; import UserProfileIcon from "@vector-im/compound-design-tokens/icons/user-profile.svg?react";
import styles from "./Header.module.css"; import styles from "./Header.module.css";
import Logo from "./icons/Logo.svg?react"; import Logo from "./icons/Logo.svg?react";
@@ -32,21 +32,13 @@ interface HeaderProps extends HTMLAttributes<HTMLElement> {
className?: string; className?: string;
} }
export const Header = forwardRef<HTMLElement, HeaderProps>( export const Header: FC<HeaderProps> = ({ children, className, ...rest }) => {
({ children, className, ...rest }, ref) => {
return ( return (
<header <header className={classNames(styles.header, className)} {...rest}>
ref={ref}
className={classNames(styles.header, className)}
{...rest}
>
{children} {children}
</header> </header>
); );
}, };
);
Header.displayName = "Header";
interface LeftNavProps extends HTMLAttributes<HTMLElement> { interface LeftNavProps extends HTMLAttributes<HTMLElement> {
children: ReactNode; children: ReactNode;
@@ -113,7 +105,7 @@ export const HeaderLogo: FC<HeaderLogoProps> = ({ className }) => {
<Link <Link
className={classNames(styles.headerLogo, className)} className={classNames(styles.headerLogo, className)}
to="/" to="/"
aria-label={t("header_label")} aria-label={t("Element Call Home")}
> >
<Logo /> <Logo />
</Link> </Link>
@@ -125,7 +117,7 @@ interface RoomHeaderInfoProps {
name: string; name: string;
avatarUrl: string | null; avatarUrl: string | null;
encrypted: boolean; encrypted: boolean;
participantCount: number | null; participantCount: number;
} }
export const RoomHeaderInfo: FC<RoomHeaderInfoProps> = ({ export const RoomHeaderInfo: FC<RoomHeaderInfoProps> = ({
@@ -158,15 +150,15 @@ export const RoomHeaderInfo: FC<RoomHeaderInfoProps> = ({
</Heading> </Heading>
<EncryptionLock encrypted={encrypted} /> <EncryptionLock encrypted={encrypted} />
</div> </div>
{(participantCount ?? 0) > 0 && ( {participantCount > 0 && (
<div className={styles.participantsLine}> <div className={styles.participantsLine}>
<UserProfileIcon <UserProfileIcon
width={20} width={20}
height={20} height={20}
aria-label={t("header_participants_label")} aria-label={t("Participants")}
/> />
<Text as="span" size="sm" weight="medium"> <Text as="span" size="sm" weight="medium">
{t("participant_count", { count: participantCount ?? 0 })} {t("{{count, number}}", { count: participantCount })}
</Text> </Text>
</div> </div>
)} )}

49
src/ListBox.module.css Normal file
View File

@@ -0,0 +1,49 @@
/*
Copyright 2022 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
.listBox {
margin: 0;
padding: 0;
max-height: 150px;
overflow-y: auto;
list-style: none;
background-color: transparent;
border: 1px solid var(--cpd-color-border-interactive-secondary);
background-color: var(--cpd-color-bg-canvas-default);
border-radius: 8px;
}
.option {
display: flex;
align-items: center;
justify-content: space-between;
background-color: transparent;
color: var(--cpd-color-text-primary);
padding: 8px 16px;
outline: none;
cursor: pointer;
font-size: var(--font-size-body);
min-height: 32px;
}
.option.focused {
background-color: rgba(111, 120, 130, 0.2);
}
.option.disabled {
color: var(--cpd-color-text-disabled);
background-color: var(--stopgap-bgColor3);
}

116
src/ListBox.tsx Normal file
View File

@@ -0,0 +1,116 @@
/*
Copyright 2022 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
import {
MutableRefObject,
PointerEvent,
ReactNode,
useCallback,
useRef,
} from "react";
import { useListBox, useOption, AriaListBoxOptions } from "@react-aria/listbox";
import { ListState } from "@react-stately/list";
import { Node } from "@react-types/shared";
import classNames from "classnames";
import styles from "./ListBox.module.css";
interface ListBoxProps<T> extends AriaListBoxOptions<T> {
optionClassName: string;
state: ListState<T>;
className?: string;
listBoxRef?: MutableRefObject<HTMLUListElement>;
}
export function ListBox<T>({
state,
optionClassName,
className,
listBoxRef,
...rest
}: ListBoxProps<T>): ReactNode {
const ref = useRef<HTMLUListElement>(null);
const listRef = listBoxRef ?? ref;
const { listBoxProps } = useListBox(rest, state, listRef);
return (
<ul
{...listBoxProps}
ref={listRef}
className={classNames(styles.listBox, className)}
>
{[...state.collection].map((item) => (
<Option
key={item.key}
item={item}
state={state}
className={optionClassName}
/>
))}
</ul>
);
}
interface OptionProps<T> {
className: string;
state: ListState<T>;
item: Node<T>;
}
function Option<T>({ item, state, className }: OptionProps<T>): ReactNode {
const ref = useRef(null);
const { optionProps, isSelected, isFocused, isDisabled } = useOption(
{ key: item.key },
state,
ref,
);
// Hack: remove the onPointerUp event handler and re-wire it to
// onClick. Chrome Android triggers a click event after the onpointerup
// event which leaks through to elements underneath the z-indexed select
// popover. preventDefault / stopPropagation don't have any effect, even
// adding just a dummy onClick handler still doesn't work, but it's fine
// if we handle just onClick.
// https://github.com/vector-im/element-call/issues/762
const origPointerUp = optionProps.onPointerUp;
delete optionProps.onPointerUp;
optionProps.onClick = useCallback(
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
(e) => {
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
origPointerUp(e as unknown as PointerEvent<HTMLElement>);
},
[origPointerUp],
);
return (
<li
{...optionProps}
ref={ref}
className={classNames(styles.option, className, {
[styles.selected]: isSelected,
[styles.focused]: isFocused,
[styles.disables]: isDisabled,
})}
>
{item.rendered}
</li>
);
}

73
src/Menu.module.css Normal file
View File

@@ -0,0 +1,73 @@
/*
Copyright 2022 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
.menu {
width: 100%;
padding: 0;
margin: 0;
list-style: none;
}
.menuItem {
cursor: pointer;
height: 48px;
display: flex;
align-items: center;
padding: 0 12px;
color: var(--cpd-color-text-primary);
font-size: var(--font-size-body);
text-overflow: ellipsis;
overflow: hidden;
white-space: nowrap;
}
.menuItem > * {
margin: 0 10px 0 0;
}
.menuItem > :last-child {
margin-right: 0;
}
.menuItem.focused,
.menuItem:hover {
background-color: var(--cpd-color-bg-action-secondary-hovered);
}
.menuItem:active {
background-color: var(--cpd-color-bg-action-secondary-pressed);
}
.menuItem.focused:first-child,
.menuItem:hover:first-child {
border-top-left-radius: 8px;
border-top-right-radius: 8px;
}
.menuItem.focused:last-child,
.menuItem:hover:last-child {
border-bottom-left-radius: 8px;
border-bottom-right-radius: 8px;
}
.checkIcon {
position: absolute;
right: 16px;
}
.checkIcon * {
stroke: var(--cpd-color-text-primary);
}

102
src/Menu.tsx Normal file
View File

@@ -0,0 +1,102 @@
/*
Copyright 2022 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
import { Key, ReactNode, useRef, useState } from "react";
import { AriaMenuOptions, useMenu, useMenuItem } from "@react-aria/menu";
import { TreeState, useTreeState } from "@react-stately/tree";
import { mergeProps } from "@react-aria/utils";
import { useFocus } from "@react-aria/interactions";
import classNames from "classnames";
import { Node } from "@react-types/shared";
import styles from "./Menu.module.css";
interface MenuProps<T> extends AriaMenuOptions<T> {
className?: string;
onClose: () => void;
onAction: (value: Key) => void;
label?: string;
}
export function Menu<T extends object>({
className,
onAction,
onClose,
label,
...rest
}: MenuProps<T>): ReactNode {
const state = useTreeState<T>({ ...rest, selectionMode: "none" });
const menuRef = useRef(null);
const { menuProps } = useMenu<T>(rest, state, menuRef);
return (
<ul
{...mergeProps(menuProps, rest)}
ref={menuRef}
className={classNames(styles.menu, className)}
>
{[...state.collection].map((item) => (
<MenuItem
key={item.key}
item={item}
state={state}
onAction={onAction}
onClose={onClose}
/>
))}
</ul>
);
}
interface MenuItemProps<T> {
item: Node<T>;
state: TreeState<T>;
onAction: (value: Key) => void;
onClose: () => void;
}
function MenuItem<T>({
item,
state,
onAction,
onClose,
}: MenuItemProps<T>): ReactNode {
const ref = useRef(null);
const { menuItemProps } = useMenuItem(
{
key: item.key,
onAction,
onClose,
},
state,
ref,
);
const [isFocused, setFocused] = useState(false);
const { focusProps } = useFocus({ onFocusChange: setFocused });
return (
<li
{...mergeProps(menuItemProps, focusProps)}
ref={ref}
className={classNames(styles.menuItem, {
[styles.focused]: isFocused,
})}
>
{item.rendered}
</li>
);
}

View File

@@ -134,10 +134,6 @@ body[data-platform="ios"] .drawer {
padding-block: var(--cpd-space-9x) var(--cpd-space-10x); padding-block: var(--cpd-space-9x) var(--cpd-space-10x);
} }
.modal.tabbed .body {
padding-block-start: 0;
}
.handle { .handle {
content: ""; content: "";
position: absolute; position: absolute;

View File

@@ -15,6 +15,7 @@ limitations under the License.
*/ */
import { FC, ReactNode, useCallback } from "react"; import { FC, ReactNode, useCallback } from "react";
import { AriaDialogProps } from "@react-types/dialog";
import { useTranslation } from "react-i18next"; import { useTranslation } from "react-i18next";
import { import {
Root as DialogRoot, Root as DialogRoot,
@@ -26,7 +27,7 @@ import {
} from "@radix-ui/react-dialog"; } from "@radix-ui/react-dialog";
import { Drawer } from "vaul"; import { Drawer } from "vaul";
import { VisuallyHidden } from "@radix-ui/react-visually-hidden"; import { VisuallyHidden } from "@radix-ui/react-visually-hidden";
import { CloseIcon } from "@vector-im/compound-design-tokens/assets/web/icons"; import CloseIcon from "@vector-im/compound-design-tokens/icons/close.svg?react";
import classNames from "classnames"; import classNames from "classnames";
import { Heading, Glass } from "@vector-im/compound-web"; import { Heading, Glass } from "@vector-im/compound-web";
@@ -34,7 +35,8 @@ import styles from "./Modal.module.css";
import overlayStyles from "./Overlay.module.css"; import overlayStyles from "./Overlay.module.css";
import { useMediaQuery } from "./useMediaQuery"; import { useMediaQuery } from "./useMediaQuery";
export interface Props { // TODO: Support tabs
export interface Props extends AriaDialogProps {
title: string; title: string;
children: ReactNode; children: ReactNode;
className?: string; className?: string;
@@ -50,11 +52,6 @@ export interface Props {
* will be non-dismissable. * will be non-dismissable.
*/ */
onDismiss?: () => void; onDismiss?: () => void;
/**
* Whether the modal content has tabs.
*/
// TODO: Better tabs support
tabbed?: boolean;
} }
/** /**
@@ -67,7 +64,6 @@ export const Modal: FC<Props> = ({
className, className,
open, open,
onDismiss, onDismiss,
tabbed,
...rest ...rest
}) => { }) => {
const { t } = useTranslation(); const { t } = useTranslation();
@@ -96,7 +92,6 @@ export const Modal: FC<Props> = ({
overlayStyles.overlay, overlayStyles.overlay,
styles.modal, styles.modal,
styles.drawer, styles.drawer,
{ [styles.tabbed]: tabbed },
)} )}
{...rest} {...rest}
> >
@@ -128,7 +123,6 @@ export const Modal: FC<Props> = ({
overlayStyles.animate, overlayStyles.animate,
styles.modal, styles.modal,
styles.dialog, styles.dialog,
{ [styles.tabbed]: tabbed },
)} )}
> >
<div className={styles.content}> <div className={styles.content}>
@@ -142,7 +136,7 @@ export const Modal: FC<Props> = ({
<DialogClose <DialogClose
className={styles.close} className={styles.close}
data-testid="modal_close" data-testid="modal_close"
aria-label={t("action.close")} aria-label={t("Close")}
> >
<CloseIcon width={20} height={20} /> <CloseIcon width={20} height={20} />
</DialogClose> </DialogClose>

View File

@@ -16,6 +16,7 @@ limitations under the License.
.bg { .bg {
position: fixed; position: fixed;
z-index: 100;
inset: 0; inset: 0;
background: rgba(3, 12, 27, 0.528); background: rgba(3, 12, 27, 0.528);
} }
@@ -48,6 +49,7 @@ limitations under the License.
.overlay { .overlay {
position: fixed; position: fixed;
z-index: 101;
} }
.overlay.animate { .overlay.animate {

View File

@@ -36,8 +36,3 @@ if (/android/i.test(navigator.userAgent)) {
} else { } else {
platform = "desktop"; platform = "desktop";
} }
export const isFirefox = (): boolean => {
const { userAgent } = navigator;
return userAgent.includes("Firefox");
};

View File

@@ -1,34 +0,0 @@
/*
Copyright 2024 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
import { describe, expect, test } from "vitest";
import { render, configure } from "@testing-library/react";
import { QrCode } from "./QrCode";
configure({
defaultHidden: true,
});
describe("QrCode", () => {
test("renders", async () => {
const { container, findByRole } = render(
<QrCode data="foo" className="bar" />,
);
(await findByRole("img")) as HTMLImageElement;
expect(container.firstChild).toMatchSnapshot();
});
});

View File

@@ -1,57 +0,0 @@
/*
Copyright 2024 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
import { FC, useEffect, useState } from "react";
import { toDataURL } from "qrcode";
import classNames from "classnames";
import { t } from "i18next";
import styles from "./QrCode.module.css";
interface Props {
data: string;
className?: string;
}
export const QrCode: FC<Props> = ({ data, className }) => {
const [url, setUrl] = useState<string | null>(null);
useEffect(() => {
let isCancelled = false;
toDataURL(data, { errorCorrectionLevel: "L" })
.then((url) => {
if (!isCancelled) {
setUrl(url);
}
})
.catch((reason) => {
if (!isCancelled) {
setUrl(null);
}
});
return (): void => {
isCancelled = true;
};
}, [data]);
return (
<div className={classNames(styles.qrCode, className)}>
{url && <img src={url} alt={t("qr_code")} />}
</div>
);
};

View File

@@ -1,66 +0,0 @@
/*
Copyright 2023 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
.slider {
display: flex;
align-items: center;
position: relative;
}
.track {
flex-grow: 1;
border-radius: var(--cpd-radius-pill-effect);
background: var(--cpd-color-bg-subtle-primary);
height: var(--cpd-space-2x);
outline: var(--cpd-border-width-1) solid
var(--cpd-color-border-interactive-primary);
outline-offset: calc(-1 * var(--cpd-border-width-1));
cursor: pointer;
transition: outline-color ease 0.15s;
}
.track[data-disabled] {
cursor: initial;
outline-color: var(--cpd-color-border-disabled);
}
.highlight {
background: var(--cpd-color-bg-action-primary-rest);
position: absolute;
block-size: 100%;
border-radius: var(--cpd-radius-pill-effect);
transition: background-color ease 0.15s;
}
.highlight[data-disabled] {
background: var(--cpd-color-bg-action-primary-disabled);
}
.handle {
display: block;
block-size: var(--cpd-space-4x);
inline-size: var(--cpd-space-4x);
border-radius: var(--cpd-radius-pill-effect);
background: var(--cpd-color-bg-action-primary-rest);
box-shadow: 0 0 0 2px var(--cpd-color-bg-canvas-default);
cursor: pointer;
transition: background-color ease 0.15s;
}
.handle[data-disabled] {
cursor: initial;
background: var(--cpd-color-bg-action-primary-disabled);
}

View File

@@ -1,68 +0,0 @@
/*
Copyright 2023 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
import { FC, useCallback } from "react";
import { Root, Track, Range, Thumb } from "@radix-ui/react-slider";
import classNames from "classnames";
import styles from "./Slider.module.css";
interface Props {
className?: string;
label: string;
value: number;
onValueChange: (value: number) => void;
min: number;
max: number;
step: number;
disabled?: boolean;
}
/**
* A slider control allowing a value to be selected from a range.
*/
export const Slider: FC<Props> = ({
className,
label,
value,
onValueChange: onValueChangeProp,
min,
max,
step,
disabled,
}) => {
const onValueChange = useCallback(
([v]: number[]) => onValueChangeProp(v),
[onValueChangeProp],
);
return (
<Root
className={classNames(className, styles.slider)}
value={[value]}
onValueChange={onValueChange}
min={min}
max={max}
step={step}
disabled={disabled}
>
<Track className={styles.track}>
<Range className={styles.highlight} />
</Track>
<Thumb className={styles.handle} aria-label={label} />
</Root>
);
};

View File

@@ -1,85 +0,0 @@
/*
Copyright 2023 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
import { describe, expect, test, vi } from "vitest";
import { render, configure } from "@testing-library/react";
import userEvent from "@testing-library/user-event";
import { Toast } from "../src/Toast";
import { withFakeTimers } from "./utils/test";
configure({
defaultHidden: true,
});
// Test Explanation:
// This test the toast. We need to use { document: window.document } because the toast listens
// for user input on `window`.
describe("Toast", () => {
test("renders", () => {
const { queryByRole } = render(
<Toast open={false} onDismiss={() => {}}>
Hello world!
</Toast>,
);
expect(queryByRole("dialog")).toBe(null);
const { getByRole } = render(
<Toast open={true} onDismiss={() => {}}>
Hello world!
</Toast>,
);
expect(getByRole("dialog")).toMatchSnapshot();
});
test("dismisses when Esc is pressed", async () => {
const user = userEvent.setup({ document: window.document });
const onDismiss = vi.fn();
render(
<Toast open={true} onDismiss={onDismiss}>
Hello world!
</Toast>,
);
await user.keyboard("[Escape]");
expect(onDismiss).toHaveBeenCalled();
});
test("dismisses when background is clicked", async () => {
const user = userEvent.setup();
const onDismiss = vi.fn();
const { getByRole, unmount } = render(
<Toast open={true} onDismiss={onDismiss}>
Hello world!
</Toast>,
);
const background = getByRole("dialog").previousSibling! as Element;
await user.click(background);
expect(onDismiss).toHaveBeenCalled();
unmount();
});
test("dismisses itself after the specified timeout", () => {
withFakeTimers(() => {
const onDismiss = vi.fn();
render(
<Toast open={true} onDismiss={onDismiss} autoDismiss={2000}>
Hello world!
</Toast>,
);
vi.advanceTimersByTime(2000);
expect(onDismiss).toHaveBeenCalled();
});
});
});

View File

@@ -76,7 +76,7 @@ export const Toast: FC<Props> = ({
useEffect(() => { useEffect(() => {
if (open && autoDismiss !== undefined) { if (open && autoDismiss !== undefined) {
const timeout = setTimeout(onDismiss, autoDismiss); const timeout = setTimeout(onDismiss, autoDismiss);
return (): void => clearTimeout(timeout); return () => clearTimeout(timeout);
} }
}, [open, autoDismiss, onDismiss]); }, [open, autoDismiss, onDismiss]);
@@ -86,7 +86,7 @@ export const Toast: FC<Props> = ({
<DialogOverlay <DialogOverlay
className={classNames(overlayStyles.bg, overlayStyles.animate)} className={classNames(overlayStyles.bg, overlayStyles.animate)}
/> />
<DialogContent aria-describedby={undefined} asChild> <DialogContent asChild>
<DialogClose <DialogClose
className={classNames( className={classNames(
overlayStyles.overlay, overlayStyles.overlay,

30
src/Tooltip.module.css Normal file
View File

@@ -0,0 +1,30 @@
/*
Copyright 2022 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
.tooltip {
background-color: var(--cpd-color-bg-subtle-secondary);
flex-direction: row;
justify-content: center;
align-items: center;
padding: 10px;
color: var(--cpd-color-text-primary);
border-radius: 8px;
max-width: 135px;
width: max-content;
font-size: var(--font-size-caption);
font-weight: 500;
text-align: center;
}

114
src/Tooltip.tsx Normal file
View File

@@ -0,0 +1,114 @@
/*
Copyright 2022 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
import {
ForwardedRef,
forwardRef,
ReactElement,
ReactNode,
useRef,
} from "react";
import {
TooltipTriggerState,
useTooltipTriggerState,
} from "@react-stately/tooltip";
import { FocusableProvider } from "@react-aria/focus";
import { useTooltipTrigger, useTooltip } from "@react-aria/tooltip";
import { mergeProps, useObjectRef } from "@react-aria/utils";
import classNames from "classnames";
import { OverlayContainer, useOverlayPosition } from "@react-aria/overlays";
import { Placement } from "@react-types/overlays";
import styles from "./Tooltip.module.css";
interface TooltipProps {
className?: string;
state: TooltipTriggerState;
children: ReactNode;
}
const Tooltip = forwardRef<HTMLDivElement, TooltipProps>(
(
{ state, className, children, ...rest }: TooltipProps,
ref: ForwardedRef<HTMLDivElement>,
) => {
const { tooltipProps } = useTooltip(rest, state);
return (
<div
className={classNames(styles.tooltip, className)}
{...mergeProps(rest, tooltipProps)}
ref={ref}
>
{children}
</div>
);
},
);
interface TooltipTriggerProps {
children: ReactElement;
placement?: Placement;
delay?: number;
tooltip: () => string;
}
export const TooltipTrigger = forwardRef<HTMLElement, TooltipTriggerProps>(
(
{ children, placement, tooltip, ...rest }: TooltipTriggerProps,
ref: ForwardedRef<HTMLElement>,
) => {
const tooltipTriggerProps = { delay: 250, ...rest };
const tooltipState = useTooltipTriggerState(tooltipTriggerProps);
const triggerRef = useObjectRef<HTMLElement>(ref);
const overlayRef = useRef<HTMLDivElement>(null);
const { triggerProps, tooltipProps } = useTooltipTrigger(
tooltipTriggerProps,
tooltipState,
triggerRef,
);
const { overlayProps } = useOverlayPosition({
placement: placement || "top",
targetRef: triggerRef,
overlayRef,
isOpen: tooltipState.isOpen,
offset: 12,
});
return (
<FocusableProvider ref={triggerRef} {...triggerProps}>
<children.type
{...mergeProps<typeof children.props | typeof rest>(
children.props,
rest,
)}
/>
{tooltipState.isOpen && (
<OverlayContainer>
<Tooltip
state={tooltipState}
ref={overlayRef}
{...mergeProps(tooltipProps, overlayProps)}
>
{tooltip()}
</Tooltip>
</OverlayContainer>
)}
</FocusableProvider>
);
},
);

View File

@@ -14,7 +14,7 @@ See the License for the specific language governing permissions and
limitations under the License. limitations under the License.
*/ */
import type { DefaultNamespace, ParseKeys, TFunction, TOptions } from "i18next"; import i18n from "i18next";
/** /**
* An error with messages in both English and the user's preferred language. * An error with messages in both English and the user's preferred language.
@@ -27,11 +27,8 @@ export abstract class TranslatedError extends Error {
*/ */
public readonly translatedMessage: string; public readonly translatedMessage: string;
public constructor( public constructor(messageKey: string, translationFn: typeof i18n.t) {
messageKey: ParseKeys<DefaultNamespace, TOptions>, super(translationFn(messageKey, { lng: "en-GB" }));
translationFn: TFunction<DefaultNamespace>,
) {
super(translationFn(messageKey, { lng: "en-GB" } as TOptions));
this.translatedMessage = translationFn(messageKey); this.translatedMessage = translationFn(messageKey);
} }
} }
@@ -41,6 +38,6 @@ class TranslatedErrorImpl extends TranslatedError {}
// i18next-parser can't detect calls to a constructor, so we expose a bare // i18next-parser can't detect calls to a constructor, so we expose a bare
// function instead // function instead
export const translatedError = ( export const translatedError = (
messageKey: ParseKeys<DefaultNamespace, TOptions>, messageKey: string,
t: TFunction<"app", undefined>, t: typeof i18n.t,
): TranslatedError => new TranslatedErrorImpl(messageKey, t); ): TranslatedError => new TranslatedErrorImpl(messageKey, t);

View File

@@ -16,11 +16,10 @@ limitations under the License.
import { useMemo } from "react"; import { useMemo } from "react";
import { useLocation } from "react-router-dom"; import { useLocation } from "react-router-dom";
import { logger } from "matrix-js-sdk/src/logger";
import { Config } from "./config/Config"; import { Config } from "./config/Config";
import { EncryptionSystem } from "./e2ee/sharedKeyManagement";
import { E2eeType } from "./e2ee/e2eeType"; export const PASSWORD_STRING = "password=";
interface RoomIdentifier { interface RoomIdentifier {
roomAlias: string | null; roomAlias: string | null;
@@ -33,7 +32,7 @@ interface RoomIdentifier {
// the situations that call for this behavior ('isEmbedded'). This makes it // the situations that call for this behavior ('isEmbedded'). This makes it
// clearer what each flag means, and helps us avoid coupling Element Call's // clearer what each flag means, and helps us avoid coupling Element Call's
// behavior to the needs of specific consumers. // behavior to the needs of specific consumers.
export interface UrlParams { interface UrlParams {
// Widget api related params // Widget api related params
widgetId: string | null; widgetId: string | null;
parentUrl: string | null; parentUrl: string | null;
@@ -116,39 +115,12 @@ export interface UrlParams {
* E2EE password * E2EE password
*/ */
password: string | null; password: string | null;
/**
* Whether we the app should use per participant keys for E2EE.
*/
perParticipantE2EE: boolean;
/** /**
* Setting this flag skips the lobby and brings you in the call directly. * Setting this flag skips the lobby and brings you in the call directly.
* In the widget this can be combined with preload to pass the device settings * In the widget this can be combined with preload to pass the device settings
* with the join widget action. * with the join widget action.
*/ */
skipLobby: boolean; skipLobby: boolean;
/**
* Setting this flag makes element call show the lobby after leaving a call.
* This is useful for video rooms.
*/
returnToLobby: boolean;
/**
* The theme to use for element call.
* can be "light", "dark", "light-high-contrast" or "dark-high-contrast".
*/
theme: string | null;
/** This defines the homeserver that is going to be used when joining a room.
* It has to be set to a non default value for links to rooms
* that are not on the default homeserver,
* that is in use for the current user.
*/
viaServers: string | null;
/**
* This defines the homeserver that is going to be used when registering
* a new (guest) user.
* This can be user to configure a non default guest user server when
* creating a spa link.
*/
homeserver: string | null;
} }
// This is here as a stopgap, but what would be far nicer is a function that // This is here as a stopgap, but what would be far nicer is a function that
@@ -245,12 +217,7 @@ export const getUrlParams = (
fontScale: Number.isNaN(fontScale) ? null : fontScale, fontScale: Number.isNaN(fontScale) ? null : fontScale,
analyticsID: parser.getParam("analyticsID"), analyticsID: parser.getParam("analyticsID"),
allowIceFallback: parser.getFlagParam("allowIceFallback"), allowIceFallback: parser.getFlagParam("allowIceFallback"),
perParticipantE2EE: parser.getFlagParam("perParticipantE2EE"),
skipLobby: parser.getFlagParam("skipLobby"), skipLobby: parser.getFlagParam("skipLobby"),
returnToLobby: parser.getFlagParam("returnToLobby"),
theme: parser.getParam("theme"),
viaServers: parser.getParam("viaServers"),
homeserver: parser.getParam("homeserver"),
}; };
}; };
@@ -329,32 +296,3 @@ export const useRoomIdentifier = (): RoomIdentifier => {
[pathname, search, hash], [pathname, search, hash],
); );
}; };
export function generateUrlSearchParams(
roomId: string,
encryptionSystem: EncryptionSystem,
viaServers?: string[],
): URLSearchParams {
const params = new URLSearchParams();
// The password shouldn't need URL encoding here (we generate URL-safe ones) but encode
// it in case it came from another client that generated a non url-safe one
switch (encryptionSystem?.kind) {
case E2eeType.SHARED_KEY: {
const encodedPassword = encodeURIComponent(encryptionSystem.secret);
if (encodedPassword !== encryptionSystem.secret) {
logger.info(
"Encoded call password used non URL-safe chars: buggy client?",
);
}
params.set("password", encodedPassword);
break;
}
case E2eeType.PER_PARTICIPANT:
params.set("perParticipantE2EE", "true");
break;
}
params.set("roomId", roomId);
viaServers?.forEach((s) => params.set("viaServers", s));
return params;
}

View File

@@ -21,14 +21,6 @@ limitations under the License.
flex-shrink: 0; flex-shrink: 0;
} }
.userButton {
appearance: none;
background: none;
border: none;
margin: 0;
cursor: pointer;
}
.userButton svg * { .userButton svg * {
fill: var(--cpd-color-icon-primary); fill: var(--cpd-color-icon-primary);
} }

View File

@@ -14,17 +14,21 @@ See the License for the specific language governing permissions and
limitations under the License. limitations under the License.
*/ */
import { FC, useMemo, useState } from "react"; import { FC, ReactNode, useCallback, useMemo } from "react";
import { Item } from "@react-stately/collections";
import { useLocation } from "react-router-dom"; import { useLocation } from "react-router-dom";
import { useTranslation } from "react-i18next"; import { useTranslation } from "react-i18next";
import { Menu, MenuItem } from "@vector-im/compound-web";
import { LinkButton } from "./button"; import { Button, LinkButton } from "./button";
import { PopoverMenuTrigger } from "./popover/PopoverMenu";
import { Menu } from "./Menu";
import { TooltipTrigger } from "./Tooltip";
import { Avatar, Size } from "./Avatar"; import { Avatar, Size } from "./Avatar";
import UserIcon from "./icons/User.svg?react"; import UserIcon from "./icons/User.svg?react";
import SettingsIcon from "./icons/Settings.svg?react"; import SettingsIcon from "./icons/Settings.svg?react";
import LoginIcon from "./icons/Login.svg?react"; import LoginIcon from "./icons/Login.svg?react";
import LogoutIcon from "./icons/Logout.svg?react"; import LogoutIcon from "./icons/Logout.svg?react";
import { Body } from "./typography/Typography";
import styles from "./UserMenu.module.css"; import styles from "./UserMenu.module.css";
interface Props { interface Props {
@@ -62,13 +66,13 @@ export const UserMenu: FC<Props> = ({
arr.push({ arr.push({
key: "settings", key: "settings",
icon: SettingsIcon, icon: SettingsIcon,
label: t("common.settings"), label: t("Settings"),
}); });
if (isPasswordlessUser && !preventNavigation) { if (isPasswordlessUser && !preventNavigation) {
arr.push({ arr.push({
key: "login", key: "login",
label: t("action.sign_in"), label: t("Sign in"),
icon: LoginIcon, icon: LoginIcon,
dataTestid: "usermenu_login", dataTestid: "usermenu_login",
}); });
@@ -77,7 +81,7 @@ export const UserMenu: FC<Props> = ({
if (!isPasswordlessUser && !preventNavigation) { if (!isPasswordlessUser && !preventNavigation) {
arr.push({ arr.push({
key: "logout", key: "logout",
label: t("action.sign_out"), label: t("Sign out"),
icon: LogoutIcon, icon: LogoutIcon,
dataTestid: "usermenu_logout", dataTestid: "usermenu_logout",
}); });
@@ -87,26 +91,21 @@ export const UserMenu: FC<Props> = ({
return arr; return arr;
}, [isAuthenticated, isPasswordlessUser, displayName, preventNavigation, t]); }, [isAuthenticated, isPasswordlessUser, displayName, preventNavigation, t]);
const [open, setOpen] = useState(false); const tooltip = useCallback(() => t("Profile"), [t]);
if (!isAuthenticated) { if (!isAuthenticated) {
return ( return (
<LinkButton to={{ pathname: "/login", state: { from: location } }}> <LinkButton to={{ pathname: "/login", state: { from: location } }}>
{t("log_in")} Log in
</LinkButton> </LinkButton>
); );
} }
return ( return (
<Menu <PopoverMenuTrigger placement="bottom right">
title={t("a11y.user_menu")} <TooltipTrigger tooltip={tooltip} placement="bottom left">
showTitle={false} <Button
align="end" variant="icon"
open={open}
onOpenChange={setOpen}
trigger={
<button
aria-label={t("common.profile")}
className={styles.userButton} className={styles.userButton}
data-testid="usermenu_open" data-testid="usermenu_open"
> >
@@ -120,18 +119,26 @@ export const UserMenu: FC<Props> = ({
) : ( ) : (
<UserIcon /> <UserIcon />
)} )}
</button> </Button>
} </TooltipTrigger>
> {
// eslint-disable-next-line @typescript-eslint/no-explicit-any
(props: any): ReactNode => (
<Menu {...props} label={t("User menu")} onAction={onAction}>
{items.map(({ key, icon: Icon, label, dataTestid }) => ( {items.map(({ key, icon: Icon, label, dataTestid }) => (
<MenuItem <Item key={key} textValue={label}>
key={key} <Icon
Icon={Icon} width={24}
label={label} height={24}
data-test-id={dataTestid} className={styles.menuIcon}
onSelect={() => onAction(key)} data-testid={dataTestid}
/> />
<Body overflowEllipsis>{label}</Body>
</Item>
))} ))}
</Menu> </Menu>
)
}
</PopoverMenuTrigger>
); );
}; };

View File

@@ -19,7 +19,7 @@ import { useHistory, useLocation } from "react-router-dom";
import { useClientLegacy } from "./ClientContext"; import { useClientLegacy } from "./ClientContext";
import { useProfile } from "./profile/useProfile"; import { useProfile } from "./profile/useProfile";
import { defaultSettingsTab, SettingsModal } from "./settings/SettingsModal"; import { SettingsModal } from "./settings/SettingsModal";
import { UserMenu } from "./UserMenu"; import { UserMenu } from "./UserMenu";
interface Props { interface Props {
@@ -37,17 +37,17 @@ export const UserMenuContainer: FC<Props> = ({ preventNavigation = false }) => {
[setSettingsModalOpen], [setSettingsModalOpen],
); );
const [settingsTab, setSettingsTab] = useState(defaultSettingsTab); const [defaultSettingsTab, setDefaultSettingsTab] = useState<string>();
const onAction = useCallback( const onAction = useCallback(
async (value: string) => { async (value: string) => {
switch (value) { switch (value) {
case "user": case "user":
setSettingsTab("profile"); setDefaultSettingsTab("profile");
setSettingsModalOpen(true); setSettingsModalOpen(true);
break; break;
case "settings": case "settings":
setSettingsTab("audio"); setDefaultSettingsTab("audio");
setSettingsModalOpen(true); setSettingsModalOpen(true);
break; break;
case "logout": case "logout":
@@ -76,10 +76,9 @@ export const UserMenuContainer: FC<Props> = ({ preventNavigation = false }) => {
{client && ( {client && (
<SettingsModal <SettingsModal
client={client} client={client}
defaultTab={defaultSettingsTab}
open={settingsModalOpen} open={settingsModalOpen}
onDismiss={onDismissSettingsModal} onDismiss={onDismissSettingsModal}
tab={settingsTab}
onTabChange={setSettingsTab}
/> />
)} )}
</> </>

View File

@@ -1,12 +0,0 @@
// Vitest Snapshot v1, https://vitest.dev/guide/snapshot.html
exports[`QrCode > renders 1`] = `
<div
class="qrCode bar"
>
<img
alt="qr_code"
src="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAHQAAAB0CAYAAABUmhYnAAAAAklEQVR4AewaftIAAALBSURBVO3BQW7kQAwEwSxC//9yro88NSBI4/UQjIg/WGMUa5RijVKsUYo1SrFGKdYoxRqlWKMUa5RijVKsUYo1SrFGKdYoxRrl4qEk/CaVkyR0Kl0STlS6JPwmlSeKNUqxRinWKBcvU3lTEk6S8ITKHSpvSsKbijVKsUYp1igXH5aEO1Q+SaVLQqdyRxLuUPmkYo1SrFGKNcrFl1PpknCShE5lkmKNUqxRijXKxZdLQqdyotIloVP5ZsUapVijFGuUiw9T+UuS8CaVv6RYoxRrlGKNcvGyJPwlSehUuiTckYS/rFijFGuUYo0Sf/DFkvAmlW9WrFGKNUqxRrl4KAknKl0SOpWTJJyodEk4UbkjCXeodEk4UXlTsUYp1ijFGuXiIZUuCXck4USlS0KXhE7lk1TelIRO5YlijVKsUYo1ysXLVLok3KHSJaFT6ZLQJaFTOUnCicodSehUTpLwpmKNUqxRijXKxUNJ6FSeSEKn0iXhROUkCZ3Kb0pCp/KmYo1SrFGKNcrFh6mcJKFT6ZJwotIloVPpVLokdCpdEjqVLgmdyh1J6FSeKNYoxRqlWKPEH3yxJHQqJ0noVO5IwolKl4ROpUtCp/JEsUYp1ijFGuXioST8JpU7ktCpnCShUzlROVHpktCpvKlYoxRrlGKNcvEylTcl4USlS8JJEt6UhBOVTqVLQqfyRLFGKdYoxRrl4sOScIfKEyonSehUTpJwh0qXhN9UrFGKNUqxRrn4ckn4JJU7kvA/FWuUYo1SrFEuvpxKl4QTlS4JncodSehU7kjCm4o1SrFGKdYoFx+m8klJOFE5UemScKJyRxI6lU7lTcUapVijFGuUi5cl4X9SOUnCicoTSThJQqfypmKNUqxRijVK/MEao1ijFGuUYo1SrFGKNUqxRinWKMUapVijFGuUYo1SrFGKNUqxRinWKP8AKoQP/lIBoMIAAAAASUVORK5CYII="
/>
</div>
`;

View File

@@ -1,21 +0,0 @@
// Vitest Snapshot v1, https://vitest.dev/guide/snapshot.html
exports[`Toast > renders 1`] = `
<button
aria-labelledby="radix-:r4:"
class="overlay animate toast"
data-state="open"
id="radix-:r3:"
role="dialog"
style="pointer-events: auto;"
tabindex="-1"
type="button"
>
<h3
class="_typography_yh5dq_162 _font-body-sm-semibold_yh5dq_45"
id="radix-:r4:"
>
Hello world!
</h3>
</button>
`;

View File

@@ -20,7 +20,7 @@ import { Trans } from "react-i18next";
import { Link } from "../typography/Typography"; import { Link } from "../typography/Typography";
export const AnalyticsNotice: FC = () => ( export const AnalyticsNotice: FC = () => (
<Trans i18nKey="analytics_notice"> <Trans>
By participating in this beta, you consent to the collection of anonymous By participating in this beta, you consent to the collection of anonymous
data, which we use to improve the product. You can find more information data, which we use to improve the product. You can find more information
about which data we track in our{" "} about which data we track in our{" "}

View File

@@ -16,10 +16,11 @@ limitations under the License.
import posthog, { CaptureOptions, PostHog, Properties } from "posthog-js"; import posthog, { CaptureOptions, PostHog, Properties } from "posthog-js";
import { logger } from "matrix-js-sdk/src/logger"; import { logger } from "matrix-js-sdk/src/logger";
import { MatrixClient } from "matrix-js-sdk/src/matrix"; import { MatrixClient } from "matrix-js-sdk";
import { Buffer } from "buffer"; import { Buffer } from "buffer";
import { widget } from "../widget"; import { widget } from "../widget";
import { getSetting, setSetting, getSettingKey } from "../settings/useSetting";
import { import {
CallEndedTracker, CallEndedTracker,
CallStartedTracker, CallStartedTracker,
@@ -30,11 +31,10 @@ import {
UndecryptableToDeviceEventTracker, UndecryptableToDeviceEventTracker,
QualitySurveyEventTracker, QualitySurveyEventTracker,
CallDisconnectedEventTracker, CallDisconnectedEventTracker,
CallConnectDurationTracker,
} from "./PosthogEvents"; } from "./PosthogEvents";
import { Config } from "../config/Config"; import { Config } from "../config/Config";
import { getUrlParams } from "../UrlParams"; import { getUrlParams } from "../UrlParams";
import { optInAnalytics } from "../settings/settings"; import { localStorageBus } from "../useLocalStorage";
/* Posthog analytics tracking. /* Posthog analytics tracking.
* *
@@ -130,7 +130,7 @@ export class PosthogAnalytics {
const { analyticsID } = getUrlParams(); const { analyticsID } = getUrlParams();
// if the embedding platform (element web) already got approval to communicating with posthog // if the embedding platform (element web) already got approval to communicating with posthog
// element call can also send events to posthog // element call can also send events to posthog
optInAnalytics.setValue(Boolean(analyticsID)); setSetting("opt-in-analytics", Boolean(analyticsID));
} }
this.posthog.init(posthogConfig.project_api_key, { this.posthog.init(posthogConfig.project_api_key, {
@@ -144,13 +144,15 @@ export class PosthogAnalytics {
advanced_disable_decide: true, advanced_disable_decide: true,
}); });
this.enabled = true; this.enabled = true;
} else if (import.meta.env.MODE !== "test") { } else {
logger.info( logger.info(
"Posthog is not enabled because there is no api key or no host given in the config", "Posthog is not enabled because there is no api key or no host given in the config",
); );
this.enabled = false; this.enabled = false;
} }
this.startListeningToSettingsChanges(); // Triggers maybeIdentifyUser this.startListeningToSettingsChanges();
const optInAnalytics = getSetting("opt-in-analytics", false);
this.updateAnonymityAndIdentifyUser(optInAnalytics);
} }
private sanitizeProperties = ( private sanitizeProperties = (
@@ -333,7 +335,8 @@ export class PosthogAnalytics {
} }
public onLoginStatusChanged(): void { public onLoginStatusChanged(): void {
this.maybeIdentifyUser(); const optInAnalytics = getSetting("opt-in-analytics", false);
this.updateAnonymityAndIdentifyUser(optInAnalytics);
} }
private updateSuperProperties(): void { private updateSuperProperties(): void {
@@ -356,12 +359,20 @@ export class PosthogAnalytics {
return this.eventSignup.getSignupEndTime() > new Date(0); return this.eventSignup.getSignupEndTime() > new Date(0);
} }
private async maybeIdentifyUser(): Promise<void> { private async updateAnonymityAndIdentifyUser(
pseudonymousOptIn: boolean,
): Promise<void> {
// Update this.anonymity based on the user's analytics opt-in settings
const anonymity = pseudonymousOptIn
? Anonymity.Pseudonymous
: Anonymity.Disabled;
this.setAnonymity(anonymity);
// We may not yet have a Matrix client at this point, if not, bail. This should get // We may not yet have a Matrix client at this point, if not, bail. This should get
// triggered again by onLoginStatusChanged once we do have a client. // triggered again by onLoginStatusChanged once we do have a client.
if (!window.matrixclient) return; if (!window.matrixclient) return;
if (this.anonymity === Anonymity.Pseudonymous) { if (anonymity === Anonymity.Pseudonymous) {
this.setRegistrationType( this.setRegistrationType(
window.matrixclient.isGuest() || window.passwordlessUser window.matrixclient.isGuest() || window.passwordlessUser
? RegistrationType.Guest ? RegistrationType.Guest
@@ -377,7 +388,7 @@ export class PosthogAnalytics {
} }
} }
if (this.anonymity !== Anonymity.Disabled) { if (anonymity !== Anonymity.Disabled) {
this.updateSuperProperties(); this.updateSuperProperties();
} }
} }
@@ -407,9 +418,8 @@ export class PosthogAnalytics {
// * When the user changes their preferences on this device // * When the user changes their preferences on this device
// Note that for new accounts, pseudonymousAnalyticsOptIn won't be set, so updateAnonymityFromSettings // Note that for new accounts, pseudonymousAnalyticsOptIn won't be set, so updateAnonymityFromSettings
// won't be called (i.e. this.anonymity will be left as the default, until the setting changes) // won't be called (i.e. this.anonymity will be left as the default, until the setting changes)
optInAnalytics.value.subscribe((optIn) => { localStorageBus.on(getSettingKey("opt-in-analytics"), (optInAnalytics) => {
this.setAnonymity(optIn ? Anonymity.Pseudonymous : Anonymity.Disabled); this.updateAnonymityAndIdentifyUser(optInAnalytics);
this.maybeIdentifyUser();
}); });
} }
@@ -434,5 +444,4 @@ export class PosthogAnalytics {
public eventUndecryptableToDevice = new UndecryptableToDeviceEventTracker(); public eventUndecryptableToDevice = new UndecryptableToDeviceEventTracker();
public eventQualitySurvey = new QualitySurveyEventTracker(); public eventQualitySurvey = new QualitySurveyEventTracker();
public eventCallDisconnected = new CallDisconnectedEventTracker(); public eventCallDisconnected = new CallDisconnectedEventTracker();
public eventCallConnectDuration = new CallConnectDurationTracker();
} }

View File

@@ -15,7 +15,6 @@ limitations under the License.
*/ */
import { DisconnectReason } from "livekit-client"; import { DisconnectReason } from "livekit-client";
import { logger } from "matrix-js-sdk/src/logger";
import { import {
IPosthogEvent, IPosthogEvent,
@@ -202,38 +201,3 @@ export class CallDisconnectedEventTracker {
}); });
} }
} }
interface CallConnectDuration extends IPosthogEvent {
eventName: "CallConnectDuration";
totalDuration: number;
websocketDuration: number;
peerConnectionDuration: number;
}
export class CallConnectDurationTracker {
private connectStart = 0;
private websocketConnected = 0;
public cacheConnectStart(): void {
this.connectStart = Date.now();
}
public cacheWsConnect(): void {
this.websocketConnected = Date.now();
}
public track(options = { log: false }): void {
const now = Date.now();
const totalDuration = now - this.connectStart;
const websocketDuration = this.websocketConnected - this.connectStart;
const peerConnectionDuration = now - this.websocketConnected;
PosthogAnalytics.instance.trackEvent<CallConnectDuration>({
eventName: "CallConnectDuration",
totalDuration,
websocketDuration,
peerConnectionDuration,
});
if (options.log)
logger.log(
`Time to connect:\ntotal: ${totalDuration}ms\npeerConnection: ${websocketDuration}ms\nwebsocket: ${peerConnectionDuration}ms`,
);
}
}

View File

@@ -72,7 +72,7 @@ export class PosthogSpanProcessor implements SpanProcessor {
try { try {
return JSON.parse(data); return JSON.parse(data);
} catch (e) { } catch (e) {
logger.warn("Invalid prev call data", data, "error:", e); logger.warn("Invalid prev call data", data);
return null; return null;
} }
} }

44
src/array-utils.ts Normal file
View File

@@ -0,0 +1,44 @@
/*
Copyright 2023 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
/**
* Gets the index of the last element in the array to satsify the given
* predicate.
*/
// TODO: remove this once TypeScript recognizes the existence of
// Array.prototype.findLastIndex
export function findLastIndex<T>(
array: T[],
predicate: (item: T, index: number) => boolean,
): number | null {
for (let i = array.length - 1; i >= 0; i--) {
if (predicate(array[i], i)) return i;
}
return null;
}
/**
* Counts the number of elements in an array that satsify the given predicate.
*/
export const count = <T>(
array: T[],
predicate: (item: T, index: number) => boolean,
): number =>
array.reduce(
(acc, item, index) => (predicate(item, index) ? acc + 1 : acc),
0,
);

View File

@@ -17,11 +17,11 @@ limitations under the License.
import { FC, FormEvent, useCallback, useRef, useState } from "react"; import { FC, FormEvent, useCallback, useRef, useState } from "react";
import { useHistory, useLocation, Link } from "react-router-dom"; import { useHistory, useLocation, Link } from "react-router-dom";
import { Trans, useTranslation } from "react-i18next"; import { Trans, useTranslation } from "react-i18next";
import { Button } from "@vector-im/compound-web";
import Logo from "../icons/LogoLarge.svg?react"; import Logo from "../icons/LogoLarge.svg?react";
import { useClient } from "../ClientContext"; import { useClient } from "../ClientContext";
import { FieldRow, InputField, ErrorMessage } from "../input/Input"; import { FieldRow, InputField, ErrorMessage } from "../input/Input";
import { Button } from "../button";
import styles from "./LoginPage.module.css"; import styles from "./LoginPage.module.css";
import { useInteractiveLogin } from "./useInteractiveLogin"; import { useInteractiveLogin } from "./useInteractiveLogin";
import { usePageTitle } from "../usePageTitle"; import { usePageTitle } from "../usePageTitle";
@@ -30,10 +30,10 @@ import { Config } from "../config/Config";
export const LoginPage: FC = () => { export const LoginPage: FC = () => {
const { t } = useTranslation(); const { t } = useTranslation();
usePageTitle(t("login_title")); usePageTitle(t("Login"));
const { client, setClient } = useClient(); const { setClient } = useClient();
const login = useInteractiveLogin(client); const login = useInteractiveLogin();
const homeserver = Config.defaultHomeserverUrl(); // TODO: Make this configurable const homeserver = Config.defaultHomeserverUrl(); // TODO: Make this configurable
const usernameRef = useRef<HTMLInputElement>(null); const usernameRef = useRef<HTMLInputElement>(null);
const passwordRef = useRef<HTMLInputElement>(null); const passwordRef = useRef<HTMLInputElement>(null);
@@ -82,12 +82,7 @@ export const LoginPage: FC = () => {
}, },
[login, location, history, homeserver, setClient], [login, location, history, homeserver, setClient],
); );
// we need to limit the length of the homserver name to not cover the whole loginview input with the string.
let shortendHomeserverName = Config.defaultServerName()?.slice(0, 25);
shortendHomeserverName =
shortendHomeserverName?.length !== Config.defaultServerName()?.length
? shortendHomeserverName + "..."
: shortendHomeserverName;
return ( return (
<> <>
<div className={styles.container}> <div className={styles.container}>
@@ -95,19 +90,19 @@ export const LoginPage: FC = () => {
<div className={styles.formContainer}> <div className={styles.formContainer}>
<Logo width="auto" height="auto" className={styles.logo} /> <Logo width="auto" height="auto" className={styles.logo} />
<h2>{t("log_in")}</h2> <h2>Log In</h2>
<h4>{t("login_subheading")}</h4> <h4>To continue to Element</h4>
<form onSubmit={onSubmitLoginForm}> <form onSubmit={onSubmitLoginForm}>
<FieldRow> <FieldRow>
<InputField <InputField
type="text" type="text"
ref={usernameRef} ref={usernameRef}
placeholder={t("common.username")} placeholder={t("Username")}
label={t("common.username")} label={t("Username")}
autoCorrect="off" autoCorrect="off"
autoCapitalize="none" autoCapitalize="none"
prefix="@" prefix="@"
suffix={`:${shortendHomeserverName}`} suffix={`:${Config.defaultServerName()}`}
data-testid="login_username" data-testid="login_username"
/> />
</FieldRow> </FieldRow>
@@ -115,8 +110,8 @@ export const LoginPage: FC = () => {
<InputField <InputField
type="password" type="password"
ref={passwordRef} ref={passwordRef}
placeholder={t("common.password")} placeholder={t("Password")}
label={t("common.password")} label={t("Password")}
data-testid="login_password" data-testid="login_password"
/> />
</FieldRow> </FieldRow>
@@ -131,15 +126,15 @@ export const LoginPage: FC = () => {
disabled={loading} disabled={loading}
data-testid="login_login" data-testid="login_login"
> >
{loading ? t("logging_in") : t("login_title")} {loading ? t("Logging in") : t("Login")}
</Button> </Button>
</FieldRow> </FieldRow>
</form> </form>
</div> </div>
<div className={styles.authLinks}> <div className={styles.authLinks}>
<p>{t("login_auth_links_prompt")}</p> <p>Not registered yet?</p>
<p> <p>
<Trans i18nKey="login_auth_links"> <Trans>
<Link to="/register">Create an account</Link> <Link to="/register">Create an account</Link>
{" Or "} {" Or "}
<Link to="/">Access as a guest</Link> <Link to="/">Access as a guest</Link>

View File

@@ -28,9 +28,9 @@ import { captureException } from "@sentry/react";
import { sleep } from "matrix-js-sdk/src/utils"; import { sleep } from "matrix-js-sdk/src/utils";
import { Trans, useTranslation } from "react-i18next"; import { Trans, useTranslation } from "react-i18next";
import { logger } from "matrix-js-sdk/src/logger"; import { logger } from "matrix-js-sdk/src/logger";
import { Button } from "@vector-im/compound-web";
import { FieldRow, InputField, ErrorMessage } from "../input/Input"; import { FieldRow, InputField, ErrorMessage } from "../input/Input";
import { Button } from "../button";
import { useClientLegacy } from "../ClientContext"; import { useClientLegacy } from "../ClientContext";
import { useInteractiveRegistration } from "./useInteractiveRegistration"; import { useInteractiveRegistration } from "./useInteractiveRegistration";
import styles from "./LoginPage.module.css"; import styles from "./LoginPage.module.css";
@@ -44,7 +44,7 @@ import { Config } from "../config/Config";
export const RegisterPage: FC = () => { export const RegisterPage: FC = () => {
const { t } = useTranslation(); const { t } = useTranslation();
usePageTitle(t("action.register")); usePageTitle(t("Register"));
const { loading, authenticated, passwordlessUser, client, setClient } = const { loading, authenticated, passwordlessUser, client, setClient } =
useClientLegacy(); useClientLegacy();
@@ -56,7 +56,7 @@ export const RegisterPage: FC = () => {
const [error, setError] = useState<Error>(); const [error, setError] = useState<Error>();
const [password, setPassword] = useState(""); const [password, setPassword] = useState("");
const [passwordConfirmation, setPasswordConfirmation] = useState(""); const [passwordConfirmation, setPasswordConfirmation] = useState("");
const { recaptchaKey, register } = useInteractiveRegistration(client); const { recaptchaKey, register } = useInteractiveRegistration();
const { execute, reset, recaptchaId } = useRecaptcha(recaptchaKey); const { execute, reset, recaptchaId } = useRecaptcha(recaptchaKey);
const onSubmitRegisterForm = useCallback( const onSubmitRegisterForm = useCallback(
@@ -140,9 +140,7 @@ export const RegisterPage: FC = () => {
useEffect(() => { useEffect(() => {
if (password && passwordConfirmation && password !== passwordConfirmation) { if (password && passwordConfirmation && password !== passwordConfirmation) {
confirmPasswordRef.current?.setCustomValidity( confirmPasswordRef.current?.setCustomValidity(t("Passwords must match"));
t("register.passwords_must_match"),
);
} else { } else {
confirmPasswordRef.current?.setCustomValidity(""); confirmPasswordRef.current?.setCustomValidity("");
} }
@@ -166,14 +164,14 @@ export const RegisterPage: FC = () => {
<div className={styles.content}> <div className={styles.content}>
<div className={styles.formContainer}> <div className={styles.formContainer}>
<Logo width="auto" height="auto" className={styles.logo} /> <Logo width="auto" height="auto" className={styles.logo} />
<h2>{t("register_heading")}</h2> <h2>Create your account</h2>
<form onSubmit={onSubmitRegisterForm}> <form onSubmit={onSubmitRegisterForm}>
<FieldRow> <FieldRow>
<InputField <InputField
type="text" type="text"
name="userName" name="userName"
placeholder={t("common.username")} placeholder={t("Username")}
label={t("common.username")} label={t("Username")}
autoCorrect="off" autoCorrect="off"
autoCapitalize="none" autoCapitalize="none"
prefix="@" prefix="@"
@@ -190,8 +188,8 @@ export const RegisterPage: FC = () => {
setPassword(e.target.value) setPassword(e.target.value)
} }
value={password} value={password}
placeholder={t("common.password")} placeholder={t("Password")}
label={t("common.password")} label={t("Password")}
data-testid="register_password" data-testid="register_password"
/> />
</FieldRow> </FieldRow>
@@ -204,14 +202,14 @@ export const RegisterPage: FC = () => {
setPasswordConfirmation(e.target.value) setPasswordConfirmation(e.target.value)
} }
value={passwordConfirmation} value={passwordConfirmation}
placeholder={t("register_confirm_password_label")} placeholder={t("Confirm password")}
label={t("register_confirm_password_label")} label={t("Confirm password")}
ref={confirmPasswordRef} ref={confirmPasswordRef}
data-testid="register_confirm_password" data-testid="register_confirm_password"
/> />
</FieldRow> </FieldRow>
<Caption> <Caption>
<Trans i18nKey="recaptcha_caption"> <Trans>
This site is protected by ReCAPTCHA and the Google{" "} This site is protected by ReCAPTCHA and the Google{" "}
<Link href="https://www.google.com/policies/privacy/"> <Link href="https://www.google.com/policies/privacy/">
Privacy Policy Privacy Policy
@@ -239,16 +237,14 @@ export const RegisterPage: FC = () => {
disabled={registering} disabled={registering}
data-testid="register_register" data-testid="register_register"
> >
{registering {registering ? t("Registering…") : t("Register")}
? t("register.registering")
: t("action.register")}
</Button> </Button>
</FieldRow> </FieldRow>
<div id={recaptchaId} /> <div id={recaptchaId} />
</form> </form>
</div> </div>
<div className={styles.authLinks}> <div className={styles.authLinks}>
<Trans i18nKey="register_auth_links"> <Trans>
<p>Already have an account?</p> <p>Already have an account?</p>
<p> <p>
<Link to="/login">Log in</Link> <Link to="/login">Log in</Link>

View File

@@ -16,23 +16,12 @@ limitations under the License.
import { useCallback } from "react"; import { useCallback } from "react";
import { InteractiveAuth } from "matrix-js-sdk/src/interactive-auth"; import { InteractiveAuth } from "matrix-js-sdk/src/interactive-auth";
import { import { createClient, MatrixClient } from "matrix-js-sdk/src/matrix";
createClient,
LoginResponse,
MatrixClient,
} from "matrix-js-sdk/src/matrix";
import { initClient } from "../utils/matrix"; import { initClient } from "../matrix-utils";
import { Session } from "../ClientContext"; import { Session } from "../ClientContext";
/**
* This provides the login method to login using user credentials. export function useInteractiveLogin(): (
* @param oldClient If there is an already authenticated client it should be passed to this hook
* this allows the interactive login to sign out the client before logging in.
* @returns A async method that can be called/awaited to log in with the provided credentials.
*/
export function useInteractiveLogin(
oldClient?: MatrixClient,
): (
homeserver: string, homeserver: string,
username: string, username: string,
password: string, password: string,
@@ -43,13 +32,12 @@ export function useInteractiveLogin(
username: string, username: string,
password: string, password: string,
) => Promise<[MatrixClient, Session]> ) => Promise<[MatrixClient, Session]>
>( >(async (homeserver: string, username: string, password: string) => {
async (homeserver: string, username: string, password: string) => {
const authClient = createClient({ baseUrl: homeserver }); const authClient = createClient({ baseUrl: homeserver });
const interactiveAuth = new InteractiveAuth({ const interactiveAuth = new InteractiveAuth({
matrixClient: authClient, matrixClient: authClient,
doRequest: (): Promise<LoginResponse> => doRequest: () =>
authClient.login("m.login.password", { authClient.login("m.login.password", {
identifier: { identifier: {
type: "m.id.user", type: "m.id.user",
@@ -75,8 +63,6 @@ export function useInteractiveLogin(
passwordlessUser: false, passwordlessUser: false,
}; };
// To not confuse the rust crypto sessions we need to logout the old client before initializing the new one.
await oldClient?.logout(true);
const client = await initClient( const client = await initClient(
{ {
baseUrl: homeserver, baseUrl: homeserver,
@@ -88,7 +74,5 @@ export function useInteractiveLogin(
); );
/* eslint-enable camelcase */ /* eslint-enable camelcase */
return [client, session]; return [client, session];
}, }, []);
[oldClient],
);
} }

View File

@@ -16,20 +16,13 @@ limitations under the License.
import { useState, useEffect, useCallback, useRef } from "react"; import { useState, useEffect, useCallback, useRef } from "react";
import { InteractiveAuth } from "matrix-js-sdk/src/interactive-auth"; import { InteractiveAuth } from "matrix-js-sdk/src/interactive-auth";
import { import { createClient, MatrixClient } from "matrix-js-sdk/src/matrix";
createClient,
MatrixClient,
RegisterResponse,
} from "matrix-js-sdk/src/matrix";
import { initClient } from "../utils/matrix"; import { initClient } from "../matrix-utils";
import { Session } from "../ClientContext"; import { Session } from "../ClientContext";
import { Config } from "../config/Config"; import { Config } from "../config/Config";
import { widget } from "../widget";
export const useInteractiveRegistration = ( export const useInteractiveRegistration = (): {
oldClient?: MatrixClient,
): {
privacyPolicyUrl?: string; privacyPolicyUrl?: string;
recaptchaKey?: string; recaptchaKey?: string;
register: ( register: (
@@ -55,8 +48,6 @@ export const useInteractiveRegistration = (
} }
useEffect(() => { useEffect(() => {
if (widget) return;
// An empty registerRequest is used to get the privacy policy and recaptcha key.
authClient.current!.registerRequest({}).catch((error) => { authClient.current!.registerRequest({}).catch((error) => {
setPrivacyPolicyUrl( setPrivacyPolicyUrl(
error.data?.params["m.login.terms"]?.policies?.privacy_policy?.en?.url, error.data?.params["m.login.terms"]?.policies?.privacy_policy?.en?.url,
@@ -75,7 +66,7 @@ export const useInteractiveRegistration = (
): Promise<[MatrixClient, Session]> => { ): Promise<[MatrixClient, Session]> => {
const interactiveAuth = new InteractiveAuth({ const interactiveAuth = new InteractiveAuth({
matrixClient: authClient.current!, matrixClient: authClient.current!,
doRequest: (auth): Promise<RegisterResponse> => doRequest: (auth) =>
authClient.current!.registerRequest({ authClient.current!.registerRequest({
username, username,
password, password,
@@ -107,7 +98,7 @@ export const useInteractiveRegistration = (
/* eslint-disable camelcase,@typescript-eslint/no-explicit-any */ /* eslint-disable camelcase,@typescript-eslint/no-explicit-any */
const { user_id, access_token, device_id } = const { user_id, access_token, device_id } =
(await interactiveAuth.attemptAuth()) as any; (await interactiveAuth.attemptAuth()) as any;
await oldClient?.logout(true);
const client = await initClient( const client = await initClient(
{ {
baseUrl: Config.defaultHomeserverUrl()!, baseUrl: Config.defaultHomeserverUrl()!,
@@ -138,7 +129,7 @@ export const useInteractiveRegistration = (
return [client, session]; return [client, session];
}, },
[oldClient], [],
); );
return { privacyPolicyUrl, recaptchaKey, register }; return { privacyPolicyUrl, recaptchaKey, register };

View File

@@ -20,6 +20,7 @@ import { useTranslation } from "react-i18next";
import { logger } from "matrix-js-sdk/src/logger"; import { logger } from "matrix-js-sdk/src/logger";
import { translatedError } from "../TranslatedError"; import { translatedError } from "../TranslatedError";
declare global { declare global {
interface Window { interface Window {
mxOnRecaptchaLoaded: () => void; mxOnRecaptchaLoaded: () => void;
@@ -79,14 +80,14 @@ export function useRecaptcha(sitekey?: string): {
if (!window.grecaptcha) { if (!window.grecaptcha) {
logger.log("Recaptcha not loaded"); logger.log("Recaptcha not loaded");
return Promise.reject(translatedError("recaptcha_not_loaded", t)); return Promise.reject(translatedError("Recaptcha not loaded", t));
} }
return new Promise((resolve, reject) => { return new Promise((resolve, reject) => {
const observer = new MutationObserver((mutationsList) => { const observer = new MutationObserver((mutationsList) => {
for (const item of mutationsList) { for (const item of mutationsList) {
if ((item.target as HTMLElement)?.style?.visibility !== "visible") { if ((item.target as HTMLElement)?.style?.visibility !== "visible") {
reject(translatedError("recaptcha_dismissed", t)); reject(translatedError("Recaptcha dismissed", t));
observer.disconnect(); observer.disconnect();
return; return;
} }

View File

@@ -21,7 +21,6 @@ import { useClient } from "../ClientContext";
import { useInteractiveRegistration } from "../auth/useInteractiveRegistration"; import { useInteractiveRegistration } from "../auth/useInteractiveRegistration";
import { generateRandomName } from "../auth/generateRandomName"; import { generateRandomName } from "../auth/generateRandomName";
import { useRecaptcha } from "../auth/useRecaptcha"; import { useRecaptcha } from "../auth/useRecaptcha";
import { widget } from "../widget";
interface UseRegisterPasswordlessUserType { interface UseRegisterPasswordlessUserType {
privacyPolicyUrl?: string; privacyPolicyUrl?: string;
@@ -40,11 +39,6 @@ export function useRegisterPasswordlessUser(): UseRegisterPasswordlessUserType {
if (!setClient) { if (!setClient) {
throw new Error("No client context"); throw new Error("No client context");
} }
if (widget) {
throw new Error(
"Registration was skipped: We should never try to register password-less user in embedded mode.",
);
}
try { try {
const recaptchaResponse = await execute(); const recaptchaResponse = await execute();

Some files were not shown because too many files have changed in this diff Show More