diff --git a/.gitlab-ci.yml b/.gitlab-ci.yml index e4422047d..e859e0f2b 100644 --- a/.gitlab-ci.yml +++ b/.gitlab-ci.yml @@ -38,7 +38,7 @@ lint: - mix format --check-formatted --dry-run || export EXITVALUE=1 - cd js - yarn install - - yarn run lint || export EXITVALUE=1 + #- yarn run lint || export EXITVALUE=1 - yarn run build - cd ../ - exit $EXITVALUE @@ -62,8 +62,8 @@ deps: exunit: stage: test services: - - name: mdillon/postgis:11 - alias: postgres + - name: mdillon/postgis:11 + alias: postgres before_script: - cd js - yarn install @@ -77,31 +77,30 @@ exunit: script: - mix coveralls -#cypress: -# stage: test -# services: -# - name: mdillon/postgis:11 -# alias: postgres -# script: -# - mix deps.get -# - cd js -# - yarn install -# - npx cypress install # just to be sure -# - yarn run build -# - cd ../ -# - MIX_ENV=e2e mix ecto.create -# - MIX_ENV=e2e mix ecto.migrate -# - MIX_ENV=e2e mix run priv/repo/e2e.seed.exs -# - MIX_ENV=e2e mix phx.server & -# - cd js -# - npx wait-on http://localhost:4000 -# - if [ -z "$CYPRESS_KEY" ]; then npx cypress run; else npx cypress run --record --parallel --key $CYPRESS_KEY; fi -# artifacts: -# expire_in: 2 day -# paths: -# - js/tests/e2e/screenshots/**/*.png -# - js/tests/e2e/videos/**/*.mp4 - +cypress: + stage: test + services: + - name: mdillon/postgis:11 + alias: postgres + script: + - mix deps.get + - cd js + - yarn install + - npx cypress install # just to be sure + - yarn run build + - cd ../ + - MIX_ENV=e2e mix ecto.create + - MIX_ENV=e2e mix ecto.migrate + - MIX_ENV=e2e mix run priv/repo/e2e.seed.exs + - MIX_ENV=e2e mix phx.server & + - cd js + - npx wait-on http://localhost:4000 + - if [ -z "$CYPRESS_KEY" ]; then npx cypress run; else npx cypress run --record --parallel --key $CYPRESS_KEY; fi + artifacts: + expire_in: 2 day + paths: + - js/tests/e2e/screenshots/**/*.png + - js/tests/e2e/videos/**/*.mp4 pages: stage: deploy diff --git a/config/config.exs b/config/config.exs index cda25c0df..d84a3654d 100644 --- a/config/config.exs +++ b/config/config.exs @@ -46,7 +46,7 @@ config :mobilizon, Mobilizon.Web.Endpoint, ], secret_key_base: "1yOazsoE0Wqu4kXk3uC5gu3jDbShOimTCzyFL3OjCdBmOXMyHX87Qmf3+Tu9s0iM", render_errors: [view: Mobilizon.Web.ErrorView, accepts: ~w(html json)], - pubsub: [name: Mobilizon.PubSub, adapter: Phoenix.PubSub.PG2], + pubsub_server: Mobilizon.PubSub, cache_static_manifest: "priv/static/manifest.json" # Upload configuration @@ -115,6 +115,8 @@ config :guardian, Guardian.DB, # default: 60 minutes sweep_interval: 60 +config :elixir, :time_zone_database, Tzdata.TimeZoneDatabase + config :geolix, databases: [ %{ @@ -204,7 +206,26 @@ config :mobilizon, :anonymous, config :mobilizon, Oban, repo: Mobilizon.Storage.Repo, prune: {:maxlen, 10_000}, - queues: [default: 10, search: 20, background: 5] + queues: [default: 10, search: 5, mailers: 10, background: 5] + +config :mobilizon, :rich_media, + parsers: [ + Mobilizon.Service.RichMedia.Parsers.OEmbed, + Mobilizon.Service.RichMedia.Parsers.OGP, + Mobilizon.Service.RichMedia.Parsers.TwitterCard, + Mobilizon.Service.RichMedia.Parsers.Fallback + ] + +config :mobilizon, Mobilizon.Service.ResourceProviders, + types: [], + providers: %{} + +config :mobilizon, :external_resource_providers, %{ + "https://drive.google.com/" => :google_drive, + "https://docs.google.com/document/" => :google_docs, + "https://docs.google.com/presentation/" => :google_presentation, + "https://docs.google.com/spreadsheets/" => :google_spreadsheets +} # Import environment specific config. This must remain at the bottom # of this file so it overrides the configuration defined above. diff --git a/config/dev.exs b/config/dev.exs index 607867451..c13c594f8 100644 --- a/config/dev.exs +++ b/config/dev.exs @@ -19,7 +19,16 @@ config :mobilizon, Mobilizon.Web.Endpoint, code_reloader: true, check_origin: false, watchers: [ - yarn: ["run", "dev", cd: Path.expand("../js", __DIR__)] + # yarn: ["run", "dev", cd: Path.expand("../js", __DIR__)] + node: [ + "node_modules/webpack/bin/webpack.js", + "--mode", + "development", + "--watch-stdin", + "--config", + "node_modules/@vue/cli-service/webpack.config.js", + cd: Path.expand("../js", __DIR__) + ] ] # ## SSL Support @@ -80,7 +89,7 @@ config :mobilizon, :instance, email_reply_to: System.get_env("MOBILIZON_INSTANCE_EMAIL"), registrations_open: System.get_env("MOBILIZON_INSTANCE_REGISTRATIONS_OPEN") == "true" -config :mobilizon, :activitypub, sign_object_fetches: false +# config :mobilizon, :activitypub, sign_object_fetches: false require Logger diff --git a/config/e2e.exs b/config/e2e.exs index 18f33210e..cbb64310a 100644 --- a/config/e2e.exs +++ b/config/e2e.exs @@ -14,11 +14,24 @@ config :mobilizon, Mobilizon.Web.Endpoint, debug_errors: true, code_reloader: false, check_origin: false, - # Somehow this can't be merged properly with the dev config some we got this… + # Somehow this can't be merged properly with the dev config so we got this… watchers: [ yarn: [cd: Path.expand("../js", __DIR__)] ] -config :mobilizon, sql_sandbox: true +require Logger -config :mobilizon, Mobilizon.Storage.Repo, pool: Ecto.Adapters.SQL.Sandbox +cond do + System.get_env("INSTANCE_CONFIG") && + File.exists?("./config/#{System.get_env("INSTANCE_CONFIG")}") -> + import_config System.get_env("INSTANCE_CONFIG") + + System.get_env("DOCKER", "false") == "false" && File.exists?("./config/e2e.secret.exs") -> + import_config "e2e.secret.exs" + + System.get_env("DOCKER", "false") == "true" -> + Logger.info("Using environment configuration for Docker") + + true -> + Logger.error("No configuration file found") +end diff --git a/config/test.exs b/config/test.exs index e3ec7abcb..6f8462ca5 100644 --- a/config/test.exs +++ b/config/test.exs @@ -46,10 +46,12 @@ config :exvcr, config :mobilizon, Mobilizon.Service.Geospatial, service: Mobilizon.Service.Geospatial.Mock -config :mobilizon, Oban, queues: false, prune: :disabled +config :mobilizon, Oban, queues: false, prune: :disabled, crontab: false config :mobilizon, Mobilizon.Web.Auth.Guardian, secret_key: "some secret" +config :mobilizon, :activitypub, sign_object_fetches: false + if System.get_env("DOCKER", "false") == "false" && File.exists?("./config/test.secret.exs") do import_config "test.secret.exs" end diff --git a/docker/tests/Dockerfile b/docker/tests/Dockerfile index 851992500..4a57893f4 100644 --- a/docker/tests/Dockerfile +++ b/docker/tests/Dockerfile @@ -3,9 +3,9 @@ LABEL maintainer="Thomas Citharel " ENV REFRESHED_AT=2019-12-17 RUN apt-get update -yq && apt-get install -yq build-essential inotify-tools postgresql-client git curl gnupg xvfb libgtk-3-dev libnotify-dev libgconf-2-4 libnss3 libxss1 libasound2 python3-pip -RUN curl -sL https://deb.nodesource.com/setup_10.x | bash && apt-get install nodejs -yq +RUN curl -sL https://deb.nodesource.com/setup_12.x | bash && apt-get install nodejs -yq RUN npm install -g yarn wait-on RUN apt-get clean && rm -rf /var/lib/apt/lists/* /tmp/* /var/tmp/* RUN mix local.hex --force && mix local.rebar --force RUN pip3 install mkdocs mkdocs-material pymdown-extensions pygments mkdocs-git-revision-date-localized-plugin -RUN curl http://geolite.maxmind.com/download/geoip/database/GeoLite2-City.tar.gz --output GeoLite2-City.tar.gz -s && tar zxf GeoLite2-City.tar.gz && mkdir -p /usr/share/GeoIP && mv GeoLite2-City_*/GeoLite2-City.mmdb /usr/share/GeoIP/GeoLite2-City.mmdb +RUN curl https://dbip.mirror.framasoft.org/files/dbip-city-lite-latest.mmdb --output GeoLite2-City.mmdb -s && mkdir -p /usr/share/GeoIP && mv GeoLite2-City.mmdb /usr/share/GeoIP/ diff --git a/js/.browserslistrc b/js/.browserslistrc new file mode 100644 index 000000000..214388fe4 --- /dev/null +++ b/js/.browserslistrc @@ -0,0 +1,3 @@ +> 1% +last 2 versions +not dead diff --git a/js/.editorconfig b/js/.editorconfig new file mode 100644 index 000000000..c24743d00 --- /dev/null +++ b/js/.editorconfig @@ -0,0 +1,7 @@ +[*.{js,jsx,ts,tsx,vue}] +indent_style = space +indent_size = 2 +end_of_line = lf +trim_trailing_whitespace = true +insert_final_newline = true +max_line_length = 100 diff --git a/js/.eslintrc.js b/js/.eslintrc.js new file mode 100644 index 000000000..08bd69d4c --- /dev/null +++ b/js/.eslintrc.js @@ -0,0 +1,59 @@ +module.exports = { + root: true, + + env: { + node: true, + }, + + extends: [ + "plugin:vue/essential", + "@vue/airbnb", + "@vue/typescript/recommended", + "plugin:cypress/recommended", + "plugin:prettier/recommended", + "prettier", + "eslint:recommended", + "@vue/prettier", + "@vue/prettier/@typescript-eslint", + ], + + plugins: ["prettier"], + + parserOptions: { + ecmaVersion: 2020, + }, + + rules: { + "no-console": process.env.NODE_ENV === "production" ? "warn" : "off", + "no-debugger": process.env.NODE_ENV === "production" ? "warn" : "off", + "no-underscore-dangle": [ + "error", + { + allow: ["__typename"], + }, + ], + "@typescript-eslint/no-explicit-any": "off", + "cypress/no-unnecessary-waiting": "off", + "vue/max-len": [ + "error", + { + ignoreStrings: true, + template: 170, + code: 100, + }, + ], + "prettier/prettier": "error", + "@typescript-eslint/interface-name-prefix": "off", + "@typescript-eslint/no-use-before-define": "off", + "import/prefer-default-export": "off", + }, + + ignorePatterns: ["src/typings/*.d.ts", "vue.config.js"], + + overrides: [{ + files: ["**/__tests__/*.{j,t}s?(x)", "**/tests/unit/**/*.spec.{j,t}s?(x)"], + env: { + mocha: true, + }, + }], +}; diff --git a/js/.gitignore b/js/.gitignore index c06650462..2b5352494 100644 --- a/js/.gitignore +++ b/js/.gitignore @@ -2,12 +2,12 @@ node_modules /dist -/tests/e2e/reports/ -/tests/e2e/screenshots/ /tests/e2e/videos/ -selenium-debug.log +/tests/e2e/screenshots/ -styleguide/ +# local env files +.env.local +.env.*.local # Log files npm-debug.log* @@ -21,5 +21,4 @@ yarn-error.log* *.ntvs* *.njsproj *.sln -*.sw* - +*.sw? diff --git a/js/.postcssrc.js b/js/.postcssrc.js deleted file mode 100644 index a47ef4f95..000000000 --- a/js/.postcssrc.js +++ /dev/null @@ -1,5 +0,0 @@ -module.exports = { - plugins: { - autoprefixer: {}, - }, -}; diff --git a/js/README.md b/js/README.md new file mode 100644 index 000000000..e4cb29dab --- /dev/null +++ b/js/README.md @@ -0,0 +1,41 @@ +# mobilizon + +## Project setup + +``` +yarn install +``` + +### Compiles and hot-reloads for development + +``` +yarn serve +``` + +### Compiles and minifies for production + +``` +yarn build +``` + +### Run your unit tests + +``` +yarn test:unit +``` + +### Run your end-to-end tests + +``` +yarn test:e2e +``` + +### Lints and fixes files + +``` +yarn lint +``` + +### Customize configuration + +See [Configuration Reference](https://cli.vuejs.org/config/). diff --git a/js/apollo.config.js b/js/apollo.config.js new file mode 100644 index 000000000..ed909b74a --- /dev/null +++ b/js/apollo.config.js @@ -0,0 +1,12 @@ +// apollo.config.js +module.exports = { + client: { + service: { + name: "Mobilizon", + // URL to the GraphQL API + url: "http://localhost:4000/api", + }, + // Files processed by the extension + includes: ["src/**/*.vue", "src/**/*.js"], + }, +}; diff --git a/js/babel.config.js b/js/babel.config.js index dc91850bf..162a3ea97 100644 --- a/js/babel.config.js +++ b/js/babel.config.js @@ -1,7 +1,3 @@ module.exports = { - presets: [ - [ - "@vue/app", {useBuiltIns: "entry"} - ] - ] + presets: ["@vue/cli-plugin-babel/preset"], }; diff --git a/js/config/global.requires.js b/js/config/global.requires.js deleted file mode 100644 index 78d2d03d1..000000000 --- a/js/config/global.requires.js +++ /dev/null @@ -1,19 +0,0 @@ -import Vue from 'vue'; -import VueI18n from 'vue-i18n'; -import Buefy from 'buefy'; -import 'bulma/css/bulma.min.css'; -import 'buefy/dist/buefy.min.css'; -import filters from '@/filters'; - -Vue.use(VueI18n); -Vue.use(Buefy); -Vue.use(filters); - -Vue.component('router-link', { - props: { - tag: { type: String, default: 'a' } - }, - render(createElement) { - return createElement(this.tag, {}, this.$slots.default) - } -}); diff --git a/js/config/styleguide.root.js b/js/config/styleguide.root.js deleted file mode 100644 index c7d1f17c4..000000000 --- a/js/config/styleguide.root.js +++ /dev/null @@ -1,18 +0,0 @@ -import VueI18n from 'vue-i18n' -import messages from '@/i18n/index'; - -const language = (window.navigator).userLanguage || window.navigator.language; -const i18n = new VueI18n({ - locale: language.replace('-', '_'), // set locale - messages, // set locale messages - }); - - export default previewComponent => { - // https://vuejs.org/v2/guide/render-function.html - return { - i18n, - render(createElement) { - return createElement(previewComponent) - } - } - } \ No newline at end of file diff --git a/js/cypress.json b/js/cypress.json index 17b7cd741..88838d668 100644 --- a/js/cypress.json +++ b/js/cypress.json @@ -4,4 +4,4 @@ "baseUrl": "http://localhost:4000", "viewportWidth": 1920, "viewportHeight": 1080 -} +} \ No newline at end of file diff --git a/js/docs/components.md b/js/docs/components.md deleted file mode 100644 index e69de29bb..000000000 diff --git a/js/docs/directives.md b/js/docs/directives.md deleted file mode 100644 index d4b74e360..000000000 --- a/js/docs/directives.md +++ /dev/null @@ -1 +0,0 @@ -No directives right now. \ No newline at end of file diff --git a/js/docs/index.md b/js/docs/index.md deleted file mode 100644 index b9e7ea8ef..000000000 --- a/js/docs/index.md +++ /dev/null @@ -1,3 +0,0 @@ -# Introduction - -This page presents the various Vue.js components used in the front-end for Mobilizon. \ No newline at end of file diff --git a/js/fragmentTypes.json b/js/fragmentTypes.json index 14d35838c..daad1c6b3 100644 --- a/js/fragmentTypes.json +++ b/js/fragmentTypes.json @@ -1,21 +1,39 @@ -{"__schema": - {"types":[ - { - "possibleTypes":[ - {"name":"Person"}, - {"name":"Group"} - ], - "name":"Actor", - "kind":"INTERFACE" - }, - { - "possibleTypes":[ - {"name":"Event"}, - {"name":"Person"}, - {"name":"Group"} - ], - "name":"SearchResult", - "kind":"UNION"} - ] +{ + "__schema": { + "types": [ + { + "kind": "INTERFACE", + "name": "ActionLogObject", + "possibleTypes": [ + { + "name": "Event" + }, + { + "name": "Comment" + }, + { + "name": "Report" + }, + { + "name": "ReportNote" + } + ] + }, + { + "kind": "INTERFACE", + "name": "Actor", + "possibleTypes": [ + { + "name": "Person" + }, + { + "name": "Group" + }, + { + "name": "Application" + } + ] + } + ] } } diff --git a/js/get_union_json.ts b/js/get_union_json.ts index e3c1362a6..dc3899bb8 100644 --- a/js/get_union_json.ts +++ b/js/get_union_json.ts @@ -1,9 +1,9 @@ -const fetch = require('node-fetch'); -const fs = require('fs'); +const fetch = require("node-fetch"); +const fs = require("fs"); -fetch(`http://localhost:4001`, { - method: 'POST', - headers: { 'Content-Type': 'application/json' }, +fetch(`http://localhost:4000/api`, { + method: "POST", + headers: { "Content-Type": "application/json" }, body: JSON.stringify({ variables: {}, query: ` @@ -21,18 +21,16 @@ fetch(`http://localhost:4001`, { `, }), }) - .then(result => result.json()) - .then(result => { + .then((result) => result.json()) + .then((result) => { // here we're filtering out any type information unrelated to unions or interfaces - const filteredData = result.data.__schema.types.filter( - type => type.possibleTypes !== null, - ); + const filteredData = result.data.__schema.types.filter((type) => type.possibleTypes !== null); result.data.__schema.types = filteredData; - fs.writeFile('./fragmentTypes.json', JSON.stringify(result.data), err => { + fs.writeFile("./fragmentTypes.json", JSON.stringify(result.data), (err) => { if (err) { - console.error('Error writing fragmentTypes file', err); + console.error("Error writing fragmentTypes file", err); } else { - console.log('Fragment types successfully extracted!'); + console.log("Fragment types successfully extracted!"); } }); }); diff --git a/js/package.json b/js/package.json index c043732b5..a92393b29 100644 --- a/js/package.json +++ b/js/package.json @@ -1,98 +1,100 @@ { "name": "mobilizon", - "version": "1.0.0-beta.1", - "license": "AGPL-3.0", + "version": "0.1.0", "private": true, "scripts": { - "build": "vue-cli-service build --modern", + "serve": "vue-cli-service serve", + "build": "vue-cli-service build", "test:unit": "vue-cli-service test:unit", "test:e2e": "vue-cli-service test:e2e", - "lint": "vue-cli-service lint", - "analyze-bundle": "yarn run build -- --report-json && webpack-bundle-analyzer ../priv/static/report.json", - "dev": "vue-cli-service build --watch", - "styleguide": "vue-cli-service styleguidist", - "styleguide:build": "vue-cli-service styleguidist:build", - "vue-i18n-extract": "vue-i18n-extract", - "graphql:get-schema": "graphql get-schema", - "i18n-extract": "vue-i18n-extract report -v './src/**/*.?(ts|vue)' -l './src/i18n/en_US.json' -o output.json" + "lint": "vue-cli-service lint" }, "dependencies": { "@absinthe/socket": "^0.2.1", "@absinthe/socket-apollo-link": "^0.2.1", - "@mdi/font": "^4.5.95", + "@mdi/font": "^5.0.45", "apollo-absinthe-upload-link": "^1.5.0", - "apollo-cache-inmemory": "^1.5.1", - "apollo-client": "^2.5.1", - "apollo-link": "^1.2.11", - "apollo-link-http": "^1.5.16", + "apollo-cache": "^1.3.5", + "apollo-cache-inmemory": "^1.6.6", + "apollo-client": "^2.6.10", + "apollo-link": "^1.2.14", + "apollo-link-error": "^1.1.13", + "apollo-link-http": "^1.5.17", "apollo-link-ws": "^1.0.19", "apollo-utilities": "^1.3.2", "buefy": "^0.8.2", "bulma-divider": "^0.2.0", - "graphql": "^14.5.8", - "graphql-tag": "^2.10.1", - "intersection-observer": "^0.7.0", + "core-js": "^3.6.4", + "eslint-plugin-cypress": "^2.10.3", + "graphql": "^15.0.0", + "graphql-tag": "^2.10.3", + "intersection-observer": "^0.10.0", "javascript-time-ago": "^2.0.4", "leaflet": "^1.4.0", - "leaflet.locatecontrol": "^0.70.0", + "leaflet.locatecontrol": "^0.72.0", "lodash": "^4.17.11", "ngeohash": "^0.6.3", "phoenix": "^1.4.11", - "register-service-worker": "^1.6.2", + "register-service-worker": "^1.7.1", "tippy.js": "4.3.5", "tiptap": "^1.26.0", "tiptap-extensions": "^1.28.0", - "vue": "^2.6.10", - "vue-apollo": "^3.0.0-rc.6", - "vue-class-component": "^7.0.2", + "v-tooltip": "2.0.2", + "vue": "^2.6.11", + "vue-apollo": "^3.0.3", + "vue-class-component": "^7.2.3", "vue-i18n": "^8.14.0", "vue-meta": "^2.3.1", - "vue-property-decorator": "^8.1.0", - "vue-router": "^3.0.6", + "vue-property-decorator": "^8.4.1", + "vue-router": "^3.1.6", "vue-scrollto": "^2.17.1", - "vue2-leaflet": "^2.0.3" + "vue2-leaflet": "^2.0.3", + "vuedraggable": "^2.23.2" }, "devDependencies": { - "@types/chai": "^4.2.3", + "@types/chai": "^4.2.11", + "@types/javascript-time-ago": "^2.0.1", "@types/leaflet": "^1.5.2", "@types/leaflet.locatecontrol": "^0.60.7", "@types/lodash": "^4.14.141", - "@types/mocha": "^7.0.1", - "@vue/cli-plugin-babel": "^4.0.3", - "@vue/cli-plugin-e2e-cypress": "^4.0.3", - "@vue/cli-plugin-pwa": "^4.0.3", - "@vue/cli-plugin-router": "^4.0.3", - "@vue/cli-plugin-typescript": "^4.0.3", - "@vue/cli-plugin-unit-mocha": "^4.0.3", - "@vue/cli-service": "^4.0.3", - "@vue/eslint-config-typescript": "^5.0.0", - "@vue/test-utils": "^1.0.0-beta.31", - "apollo-link-error": "^1.1.12", - "chai": "^4.2.0", - "dotenv-webpack": "^1.7.0", - "eslint": "^6.5.1", + "@types/mocha": "^5.2.4", + "@types/ngeohash": "^0.6.2", + "@types/prosemirror-inputrules": "^1.0.2", + "@types/prosemirror-model": "^1.7.2", + "@types/prosemirror-state": "^1.2.4", + "@types/prosemirror-view": "^1.11.4", + "@types/vuedraggable": "^2.23.0", + "@typescript-eslint/eslint-plugin": "^2.26.0", + "@typescript-eslint/parser": "^2.26.0", + "@vue/cli-plugin-babel": "~4.4.1", + "@vue/cli-plugin-e2e-cypress": "~4.4.1", + "@vue/cli-plugin-eslint": "~4.4.1", + "@vue/cli-plugin-pwa": "~4.4.1", + "@vue/cli-plugin-router": "~4.4.1", + "@vue/cli-plugin-typescript": "~4.4.1", + "@vue/cli-plugin-unit-mocha": "~4.4.1", + "@vue/cli-service": "~4.4.1", + "@vue/eslint-config-airbnb": "^5.0.2", + "@vue/eslint-config-prettier": "^6.0.0", + "@vue/eslint-config-typescript": "^5.0.2", + "@vue/test-utils": "1.0.3", + "chai": "^4.1.2", + "eslint": "^6.7.2", + "eslint-config-prettier": "^6.11.0", + "eslint-plugin-import": "^2.20.2", + "eslint-plugin-prettier": "^3.1.3", + "eslint-plugin-vue": "^6.2.2", "graphql-cli": "^3.0.12", - "node-sass": "^4.11.0", - "sass-loader": "^8.0.0", - "tslint": "^6.0.0", - "tslint-config-airbnb": "^5.11.2", - "typescript": "^3.6.3", - "vue-cli-plugin-styleguidist": "^4.0.1", - "vue-cli-plugin-webpack-bundle-analyzer": "^2.0.0", + "node-sass": "^4.12.0", + "prettier": "2.0.5", + "prettier-eslint": "^10.1.1", + "sass-loader": "^8.0.2", + "typescript": "~3.9.3", + "vue-cli-plugin-styleguidist": "~4.24.0", "vue-i18n-extract": "^1.0.2", "vue-svg-inline-loader": "^1.3.0", - "vue-template-compiler": "^2.6.10", - "webpack": "^4.41.0" - }, - "resolutions": { - "prosemirror-model": "1.8.2" - }, - "browserslist": [ - ">0.25%", - "ie 11", - "not op_mini all" - ], - "engines": { - "node": ">=10.0.0" + "vue-svg-loader": "^0.16.0", + "vue-template-compiler": "^2.6.11", + "webpack-cli": "^3.3.11" } } diff --git a/js/public/favicon.ico b/js/public/favicon.ico index c7b9a43c8..df36fcfb7 100644 Binary files a/js/public/favicon.ico and b/js/public/favicon.ico differ diff --git a/js/public/img/icons/android-chrome-192x192 (copie).png b/js/public/img/icons/android-chrome-192x192 (copie).png new file mode 100644 index 000000000..52399911b Binary files /dev/null and b/js/public/img/icons/android-chrome-192x192 (copie).png differ diff --git a/js/public/img/icons/android-chrome-maskable-512x512.png b/js/public/img/icons/android-chrome-maskable-512x512.png new file mode 100644 index 000000000..52399911b Binary files /dev/null and b/js/public/img/icons/android-chrome-maskable-512x512.png differ diff --git a/js/public/img/icons/apple-touch-icon-120x120.png b/js/public/img/icons/apple-touch-icon-120x120.png new file mode 100644 index 000000000..7cd046b20 Binary files /dev/null and b/js/public/img/icons/apple-touch-icon-120x120.png differ diff --git a/js/public/img/icons/apple-touch-icon-152x152.png b/js/public/img/icons/apple-touch-icon-152x152.png new file mode 100644 index 000000000..47780197d Binary files /dev/null and b/js/public/img/icons/apple-touch-icon-152x152.png differ diff --git a/js/public/img/icons/apple-touch-icon-152x152.png.png b/js/public/img/icons/apple-touch-icon-152x152.png.png deleted file mode 100644 index 8813cc5f9..000000000 Binary files a/js/public/img/icons/apple-touch-icon-152x152.png.png and /dev/null differ diff --git a/js/public/img/icons/apple-touch-icon-180x180.png b/js/public/img/icons/apple-touch-icon-180x180.png new file mode 100644 index 000000000..94f32ff70 Binary files /dev/null and b/js/public/img/icons/apple-touch-icon-180x180.png differ diff --git a/js/public/img/icons/apple-touch-icon-60x60.png b/js/public/img/icons/apple-touch-icon-60x60.png new file mode 100644 index 000000000..9e60f86aa Binary files /dev/null and b/js/public/img/icons/apple-touch-icon-60x60.png differ diff --git a/js/public/img/icons/apple-touch-icon-76x76.png b/js/public/img/icons/apple-touch-icon-76x76.png new file mode 100644 index 000000000..49d1d3190 Binary files /dev/null and b/js/public/img/icons/apple-touch-icon-76x76.png differ diff --git a/js/public/img/icons/apple-touch-icon.png b/js/public/img/icons/apple-touch-icon.png new file mode 100644 index 000000000..94f32ff70 Binary files /dev/null and b/js/public/img/icons/apple-touch-icon.png differ diff --git a/js/public/img/icons/mstile-150x150.png b/js/public/img/icons/mstile-150x150.png new file mode 100644 index 000000000..3b37a43ae Binary files /dev/null and b/js/public/img/icons/mstile-150x150.png differ diff --git a/js/public/img/icons/safari-pinned-tab.svg b/js/public/img/icons/safari-pinned-tab.svg new file mode 100644 index 000000000..732afd8eb --- /dev/null +++ b/js/public/img/icons/safari-pinned-tab.svg @@ -0,0 +1,149 @@ + + + + +Created by potrace 1.11, written by Peter Selinger 2001-2013 + + + + + diff --git a/js/public/index.html b/js/public/index.html index 0b9087c40..37c6a0767 100644 --- a/js/public/index.html +++ b/js/public/index.html @@ -1,20 +1,23 @@ - - - - - - - <%= VUE_APP_INJECT_COMMENT %> - - - - -
- - - + + + + + + <%= htmlWebpackPlugin.options.title %> + + + + + +
+ + diff --git a/js/public/manifest.json b/js/public/manifest.json deleted file mode 100644 index a66432885..000000000 --- a/js/public/manifest.json +++ /dev/null @@ -1,20 +0,0 @@ -{ - "name": "Mobilizon", - "short_name": "mobilizon", - "icons": [ - { - "src": "/img/icons/android-chrome-192x192.png", - "sizes": "192x192", - "type": "image/png" - }, - { - "src": "/img/icons/android-chrome-512x512.png", - "sizes": "512x512", - "type": "image/png" - } - ], - "start_url": "/", - "display": "standalone", - "background_color": "#FAB12D", - "theme_color": "#424056" -} diff --git a/js/public/robots.txt b/js/public/robots.txt index 14267e903..eb0536286 100644 --- a/js/public/robots.txt +++ b/js/public/robots.txt @@ -1,2 +1,2 @@ User-agent: * -Allow: / \ No newline at end of file +Disallow: diff --git a/js/src/@types/v-tooltip/index.d.ts b/js/src/@types/v-tooltip/index.d.ts new file mode 100644 index 000000000..f8ee1bb61 --- /dev/null +++ b/js/src/@types/v-tooltip/index.d.ts @@ -0,0 +1 @@ +declare module "v-tooltip"; diff --git a/js/src/@types/vuedraggable/index.d.ts b/js/src/@types/vuedraggable/index.d.ts new file mode 100644 index 000000000..c4d40980c --- /dev/null +++ b/js/src/@types/vuedraggable/index.d.ts @@ -0,0 +1,57 @@ +declare module "vuedraggable" { + import Vue, { ComponentOptions } from "vue"; + + export interface DraggedContext { + index: number; + futureIndex: number; + element: T; + } + + export interface DropContext { + index: number; + component: Vue; + element: T; + } + + export interface Rectangle { + top: number; + right: number; + bottom: number; + left: number; + width: number; + height: number; + } + + export interface MoveEvent { + originalEvent: DragEvent; + dragged: Element; + draggedContext: DraggedContext; + draggedRect: Rectangle; + related: Element; + relatedContext: DropContext; + relatedRect: Rectangle; + from: Element; + to: Element; + willInsertAfter: boolean; + isTrusted: boolean; + } + + export interface ChangeEvent { + added: { + newIndex: number; + element: T; + }; + removed: { + oldIndex: number; + element: T; + }; + moved: { + newIndex: number; + oldIndex: number; + }; + } + + const draggableComponent: ComponentOptions; + + export default draggableComponent; +} diff --git a/js/src/App.vue b/js/src/App.vue index 7a9c6a16b..d54e63dfe 100644 --- a/js/src/App.vue +++ b/js/src/App.vue @@ -2,12 +2,39 @@
- -

+ +

- - - {{ $t('on our blog') }} + + + {{ $t("on our blog") }}

@@ -22,20 +49,15 @@ diff --git a/js/src/components/Account/ActorCard.vue b/js/src/components/Account/ActorCard.vue new file mode 100644 index 000000000..3de646074 --- /dev/null +++ b/js/src/components/Account/ActorCard.vue @@ -0,0 +1,152 @@ + + + + + diff --git a/js/src/components/Account/ActorLink.vue b/js/src/components/Account/ActorLink.vue deleted file mode 100644 index 7769cf3cb..000000000 --- a/js/src/components/Account/ActorLink.vue +++ /dev/null @@ -1,76 +0,0 @@ - -A simple link to an actor, local or remote link - -```vue - - -``` - -```vue - - -``` - - - - - \ No newline at end of file diff --git a/js/src/components/Account/Identities.vue b/js/src/components/Account/Identities.vue index d65b99652..81c08e66a 100644 --- a/js/src/components/Account/Identities.vue +++ b/js/src/components/Account/Identities.vue @@ -1,18 +1,19 @@ \ No newline at end of file +.title { + margin-bottom: 30px; +} + diff --git a/js/src/components/Account/ParticipantCard.vue b/js/src/components/Account/ParticipantCard.vue index fa8c83533..8816e85bd 100644 --- a/js/src/components/Account/ParticipantCard.vue +++ b/js/src/components/Account/ParticipantCard.vue @@ -25,32 +25,58 @@
- {{ actorDisplayName }}
- @{{ participant.actor.preferredUsername }}@{{ participant.actor.domain }} + {{ actorDisplayName }}
+ @{{ participant.actor.preferredUsername }}@{{ participant.actor.domain }} @{{ participant.actor.preferredUsername }}
- {{ $t('Approve') }} - {{ $t('Reject')}} - {{ $t('Exclude')}} - {{ $t('Creator')}} -
+ {{ $t("Approve") }} + {{ $t("Reject") }} + {{ $t("Exclude") }} + {{ + $t("Creator") + }} + diff --git a/js/src/components/Account/PopoverActorCard.vue b/js/src/components/Account/PopoverActorCard.vue new file mode 100644 index 000000000..8c67fdc69 --- /dev/null +++ b/js/src/components/Account/PopoverActorCard.vue @@ -0,0 +1,33 @@ + + + + diff --git a/js/src/components/Admin/Followers.vue b/js/src/components/Admin/Followers.vue index 7f44e9407..7dfcefee0 100644 --- a/js/src/components/Admin/Followers.vue +++ b/js/src/components/Admin/Followers.vue @@ -1,104 +1,123 @@ \ No newline at end of file + diff --git a/js/src/components/Admin/Followings.vue b/js/src/components/Admin/Followings.vue index 97a58ddee..88e7f831d 100644 --- a/js/src/components/Admin/Followings.vue +++ b/js/src/components/Admin/Followings.vue @@ -1,125 +1,134 @@ \ No newline at end of file + diff --git a/js/src/components/Comment/Comment.vue b/js/src/components/Comment/Comment.vue index debb4f925..ca625137a 100644 --- a/js/src/components/Comment/Comment.vue +++ b/js/src/components/Comment/Comment.vue @@ -1,112 +1,130 @@ diff --git a/js/src/components/Comment/CommentTree.vue b/js/src/components/Comment/CommentTree.vue index cf8b7d265..38015b022 100644 --- a/js/src/components/Comment/CommentTree.vue +++ b/js/src/components/Comment/CommentTree.vue @@ -1,60 +1,66 @@ diff --git a/js/src/components/Conversation/ConversationComment.vue b/js/src/components/Conversation/ConversationComment.vue new file mode 100644 index 000000000..93ec1954c --- /dev/null +++ b/js/src/components/Conversation/ConversationComment.vue @@ -0,0 +1,110 @@ + + + diff --git a/js/src/components/Conversation/ConversationListItem.vue b/js/src/components/Conversation/ConversationListItem.vue new file mode 100644 index 000000000..a0949d6f2 --- /dev/null +++ b/js/src/components/Conversation/ConversationListItem.vue @@ -0,0 +1,68 @@ + + + diff --git a/js/src/components/Editor.vue b/js/src/components/Editor.vue index 8d21fe6a7..88fcf9434 100644 --- a/js/src/components/Editor.vue +++ b/js/src/components/Editor.vue @@ -1,203 +1,202 @@ diff --git a/js/src/components/Editor/Image.ts b/js/src/components/Editor/Image.ts index b17d64edb..fa644a977 100644 --- a/js/src/components/Editor/Image.ts +++ b/js/src/components/Editor/Image.ts @@ -1,16 +1,21 @@ -import { Node, Plugin } from 'tiptap'; -import { UPLOAD_PICTURE } from '@/graphql/upload'; -import { apolloProvider } from '@/vue-apollo'; -import ApolloClient from 'apollo-client'; -import { InMemoryCache } from 'apollo-cache-inmemory'; +import { Node } from "tiptap"; +import { UPLOAD_PICTURE } from "@/graphql/upload"; +import apolloProvider from "@/vue-apollo"; +import ApolloClient from "apollo-client"; +import { NormalizedCacheObject } from "apollo-cache-inmemory"; +import { NodeType, NodeSpec } from "prosemirror-model"; +import { EditorState, Plugin, TextSelection } from "prosemirror-state"; +import { DispatchFn } from "tiptap-commands"; +import { EditorView } from "prosemirror-view"; + +/* eslint-disable class-methods-use-this */ export default class Image extends Node { - get name() { - return 'image'; + return "image"; } - get schema() { + get schema(): NodeSpec { return { inline: true, attrs: { @@ -22,25 +27,25 @@ export default class Image extends Node { default: null, }, }, - group: 'inline', + group: "inline", draggable: true, parseDOM: [ { - tag: 'img[src]', - getAttrs: dom => ({ - src: dom.getAttribute('src'), - title: dom.getAttribute('title'), - alt: dom.getAttribute('alt'), + tag: "img[src]", + getAttrs: (dom: any) => ({ + src: dom.getAttribute("src"), + title: dom.getAttribute("title"), + alt: dom.getAttribute("alt"), }), }, ], - toDOM: node => ['img', node.attrs], + toDOM: (node: any) => ["img", node.attrs], }; } - commands({ type }) { - return attrs => (state, dispatch) => { - const { selection } = state; + commands({ type }: { type: NodeType }): any { + return (attrs: { [key: string]: string }) => (state: EditorState, dispatch: DispatchFn) => { + const { selection }: { selection: TextSelection } = state; const position = selection.$cursor ? selection.$cursor.pos : selection.$to.pos; const node = type.create(attrs); const transaction = state.tr.insert(position, node); @@ -53,28 +58,39 @@ export default class Image extends Node { new Plugin({ props: { handleDOMEvents: { - async drop(view, event: DragEvent) { - if (!(event.dataTransfer && event.dataTransfer.files && event.dataTransfer.files.length)) { - return; + drop(view: EditorView, event: Event) { + const realEvent = event as DragEvent; + if ( + !( + realEvent.dataTransfer && + realEvent.dataTransfer.files && + realEvent.dataTransfer.files.length + ) + ) { + return false; } - const images = Array - .from(event.dataTransfer.files) - .filter((file: any) => (/image/i).test(file.type)); + const images = Array.from(realEvent.dataTransfer.files).filter((file: any) => + /image/i.test(file.type) + ); if (images.length === 0) { - return; + return false; } - event.preventDefault(); + realEvent.preventDefault(); const { schema } = view.state; - const coordinates = view.posAtCoords({ left: event.clientX, top: event.clientY }); - const client = apolloProvider.defaultClient as ApolloClient; - const editorElem = document.getElementById('tiptab-editor'); + const coordinates = view.posAtCoords({ + left: realEvent.clientX, + top: realEvent.clientY, + }); + if (!coordinates) return false; + const client = apolloProvider.defaultClient as ApolloClient; + const editorElem = document.getElementById("tiptab-editor"); const actorId = editorElem && editorElem.dataset.actorId; - for (const image of images) { + images.forEach(async (image) => { const { data } = await client.mutate({ mutation: UPLOAD_PICTURE, variables: { @@ -86,12 +102,12 @@ export default class Image extends Node { const node = schema.nodes.image.create({ src: data.uploadPicture.url }); const transaction = view.state.tr.insert(coordinates.pos, node); view.dispatch(transaction); - } + }); + return true; }, }, }, }), ]; } - } diff --git a/js/src/components/Event/AddressAutoComplete.vue b/js/src/components/Event/AddressAutoComplete.vue index fd6a85718..62aa75e4d 100644 --- a/js/src/components/Event/AddressAutoComplete.vue +++ b/js/src/components/Event/AddressAutoComplete.vue @@ -1,133 +1,155 @@ diff --git a/js/src/components/Event/DateCalendarIcon.vue b/js/src/components/Event/DateCalendarIcon.vue index dab903c04..6712d32af 100644 --- a/js/src/components/Event/DateCalendarIcon.vue +++ b/js/src/components/Event/DateCalendarIcon.vue @@ -12,13 +12,13 @@ diff --git a/js/src/components/Event/DateTimePicker.vue b/js/src/components/Event/DateTimePicker.vue index 6b4dc2358..93a8604bb 100644 --- a/js/src/components/Event/DateTimePicker.vue +++ b/js/src/components/Event/DateTimePicker.vue @@ -12,40 +12,41 @@ ``` diff --git a/js/src/components/Event/EventCard.vue b/js/src/components/Event/EventCard.vue index 8e0c75fe4..ecd7b540b 100644 --- a/js/src/components/Event/EventCard.vue +++ b/js/src/components/Event/EventCard.vue @@ -5,7 +5,7 @@ A simple card for an event ```vue
-
+
- {{ tag.title }} + {{ + tag.title + }}
@@ -43,57 +50,57 @@ A simple card for an event

{{ event.title }}

- + - {{ event.physicalAddress.description }}, {{ event.physicalAddress.locality }} + {{ event.physicalAddress.description }}, {{ event.physicalAddress.locality }}
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/js/src/components/Event/EventFullDate.vue b/js/src/components/Event/EventFullDate.vue index 8d6e1bb33..0146bc8de 100644 --- a/js/src/components/Event/EventFullDate.vue +++ b/js/src/components/Event/EventFullDate.vue @@ -18,55 +18,87 @@ diff --git a/js/src/components/Event/EventListCard.vue b/js/src/components/Event/EventListCard.vue index 172669650..6d08064d2 100644 --- a/js/src/components/Event/EventListCard.vue +++ b/js/src/components/Event/EventListCard.vue @@ -1,55 +1,3 @@ - -A simple card for a participation (we should rename it) - -```vue - - -``` - - diff --git a/js/src/components/Event/EventListViewCard.vue b/js/src/components/Event/EventListViewCard.vue index 81c2353fa..759bdb423 100644 --- a/js/src/components/Event/EventListViewCard.vue +++ b/js/src/components/Event/EventListViewCard.vue @@ -1,48 +1,3 @@ - -A simple card for an event - -```vue - - -``` - - diff --git a/js/src/components/Event/EventMetadataBlock.vue b/js/src/components/Event/EventMetadataBlock.vue new file mode 100644 index 000000000..4aab57660 --- /dev/null +++ b/js/src/components/Event/EventMetadataBlock.vue @@ -0,0 +1,42 @@ + + + diff --git a/js/src/components/Event/EventMinimalistCard.vue b/js/src/components/Event/EventMinimalistCard.vue new file mode 100644 index 000000000..ae3a312b2 --- /dev/null +++ b/js/src/components/Event/EventMinimalistCard.vue @@ -0,0 +1,55 @@ + + + diff --git a/js/src/components/Event/ParticipationButton.vue b/js/src/components/Event/ParticipationButton.vue index 6e59e01c0..6acbfa3c2 100644 --- a/js/src/components/Event/ParticipationButton.vue +++ b/js/src/components/Event/ParticipationButton.vue @@ -24,86 +24,131 @@ A button to set your participation \ No newline at end of file +.anonymousParticipationModal { + /deep/ .animation-content { + z-index: 1; + } +} + diff --git a/js/src/components/Event/ParticipationTable.vue b/js/src/components/Event/ParticipationTable.vue index 511b786d7..868a30ffb 100644 --- a/js/src/components/Event/ParticipationTable.vue +++ b/js/src/components/Event/ParticipationTable.vue @@ -1,123 +1,164 @@ \ No newline at end of file +.table { + span.tag { + height: initial; + } +} + diff --git a/js/src/components/Event/TagInput.vue b/js/src/components/Event/TagInput.vue index 076ac3066..62baef93b 100644 --- a/js/src/components/Event/TagInput.vue +++ b/js/src/components/Event/TagInput.vue @@ -1,56 +1,33 @@ - -### Tag input -A special input to manage event tags - -```vue - -``` - -```vue - -``` - - - - diff --git a/js/src/components/Group/GroupCard.vue b/js/src/components/Group/GroupCard.vue index 6f6531ee8..f825fbfde 100644 --- a/js/src/components/Group/GroupCard.vue +++ b/js/src/components/Group/GroupCard.vue @@ -1,32 +1,50 @@ diff --git a/js/src/components/Group/GroupPicker.vue b/js/src/components/Group/GroupPicker.vue new file mode 100644 index 000000000..c4321f5af --- /dev/null +++ b/js/src/components/Group/GroupPicker.vue @@ -0,0 +1,75 @@ + + diff --git a/js/src/components/Group/GroupPickerWrapper.vue b/js/src/components/Group/GroupPickerWrapper.vue new file mode 100644 index 000000000..55c010ed8 --- /dev/null +++ b/js/src/components/Group/GroupPickerWrapper.vue @@ -0,0 +1,110 @@ + + + diff --git a/js/src/components/Group/InvitationCard.vue b/js/src/components/Group/InvitationCard.vue new file mode 100644 index 000000000..c4a4ef3b3 --- /dev/null +++ b/js/src/components/Group/InvitationCard.vue @@ -0,0 +1,78 @@ + + + + + diff --git a/js/src/components/Logo.vue b/js/src/components/Logo.vue index d4aff1647..88b05409b 100644 --- a/js/src/components/Logo.vue +++ b/js/src/components/Logo.vue @@ -1,23 +1,30 @@ diff --git a/js/src/components/Map.vue b/js/src/components/Map.vue index 99f94c89a..ab05c5248 100644 --- a/js/src/components/Map.vue +++ b/js/src/components/Map.vue @@ -1,77 +1,92 @@ diff --git a/js/src/components/Map/Vue2LeafletLocateControl.vue b/js/src/components/Map/Vue2LeafletLocateControl.vue index 3e2bf4783..03560bdca 100644 --- a/js/src/components/Map/Vue2LeafletLocateControl.vue +++ b/js/src/components/Map/Vue2LeafletLocateControl.vue @@ -1,30 +1,36 @@ diff --git a/js/src/components/NavBar.vue b/js/src/components/NavBar.vue index c2c85fb2a..9732f6d05 100644 --- a/js/src/components/NavBar.vue +++ b/js/src/components/NavBar.vue @@ -1,13 +1,24 @@ @@ -169,6 +216,10 @@ export default class NavBar extends Vue { @import "../variables.scss"; nav { + .navbar-item svg { + height: 1.75rem; + } + .navbar-dropdown .navbar-item { cursor: pointer; diff --git a/js/src/components/Participation/ConfirmParticipation.vue b/js/src/components/Participation/ConfirmParticipation.vue index 61aff204b..1276a69ed 100644 --- a/js/src/components/Participation/ConfirmParticipation.vue +++ b/js/src/components/Participation/ConfirmParticipation.vue @@ -1,33 +1,34 @@ \ No newline at end of file + diff --git a/js/src/components/Participation/ParticipationWithoutAccount.vue b/js/src/components/Participation/ParticipationWithoutAccount.vue index 1c4c8602d..2cdd79605 100644 --- a/js/src/components/Participation/ParticipationWithoutAccount.vue +++ b/js/src/components/Participation/ParticipationWithoutAccount.vue @@ -1,48 +1,72 @@ \ No newline at end of file + diff --git a/js/src/components/Participation/UnloggedParticipation.vue b/js/src/components/Participation/UnloggedParticipation.vue index 09e5dfa1b..93dd390c4 100644 --- a/js/src/components/Participation/UnloggedParticipation.vue +++ b/js/src/components/Participation/UnloggedParticipation.vue @@ -1,67 +1,94 @@ \ No newline at end of file +.column > a { + display: flex; + flex-direction: column; + align-items: center; +} + diff --git a/js/src/components/PictureUpload.vue b/js/src/components/PictureUpload.vue index 80ad8bee9..3e72ad4fa 100644 --- a/js/src/components/PictureUpload.vue +++ b/js/src/components/PictureUpload.vue @@ -1,7 +1,7 @@ \ No newline at end of file +.content img.image { + display: inline; + height: 1.5em; + vertical-align: text-bottom; +} + diff --git a/js/src/components/Report/ReportModal.vue b/js/src/components/Report/ReportModal.vue index b74f1b01f..26fa34a69 100644 --- a/js/src/components/Report/ReportModal.vue +++ b/js/src/components/Report/ReportModal.vue @@ -1,77 +1,80 @@ diff --git a/js/src/components/Resource/FolderItem.vue b/js/src/components/Resource/FolderItem.vue new file mode 100644 index 000000000..9a87bb843 --- /dev/null +++ b/js/src/components/Resource/FolderItem.vue @@ -0,0 +1,171 @@ + + + diff --git a/js/src/components/Resource/ResourceDropdown.vue b/js/src/components/Resource/ResourceDropdown.vue new file mode 100644 index 000000000..d1a2e566c --- /dev/null +++ b/js/src/components/Resource/ResourceDropdown.vue @@ -0,0 +1,24 @@ + + diff --git a/js/src/components/Resource/ResourceItem.vue b/js/src/components/Resource/ResourceItem.vue new file mode 100644 index 000000000..4751e2a3b --- /dev/null +++ b/js/src/components/Resource/ResourceItem.vue @@ -0,0 +1,137 @@ + + + diff --git a/js/src/components/SearchField.vue b/js/src/components/SearchField.vue index 1c7eb77b4..8124f47ee 100644 --- a/js/src/components/SearchField.vue +++ b/js/src/components/SearchField.vue @@ -1,33 +1,52 @@ diff --git a/js/src/components/Settings/SettingMenuItem.vue b/js/src/components/Settings/SettingMenuItem.vue index f00344894..184d7aa2c 100644 --- a/js/src/components/Settings/SettingMenuItem.vue +++ b/js/src/components/Settings/SettingMenuItem.vue @@ -1,14 +1,14 @@ \ No newline at end of file + &:hover, + &.active { + cursor: pointer; + background-color: lighten(#fea72b, 10%); + } +} + diff --git a/js/src/components/Settings/SettingMenuSection.vue b/js/src/components/Settings/SettingMenuSection.vue index 609920bd9..10a928d40 100644 --- a/js/src/components/Settings/SettingMenuSection.vue +++ b/js/src/components/Settings/SettingMenuSection.vue @@ -1,48 +1,52 @@ \ No newline at end of file + a, + b { + cursor: pointer; + margin: 5px 0; + display: block; + padding: 5px 10px; + color: inherit; + font-weight: 500; + } +} + diff --git a/js/src/components/Settings/SettingsMenu.vue b/js/src/components/Settings/SettingsMenu.vue index 385a9f852..d798afb9c 100644 --- a/js/src/components/Settings/SettingsMenu.vue +++ b/js/src/components/Settings/SettingsMenu.vue @@ -1,18 +1,20 @@ \ No newline at end of file + diff --git a/js/src/components/Tag.vue b/js/src/components/Tag.vue new file mode 100644 index 000000000..7444eda0f --- /dev/null +++ b/js/src/components/Tag.vue @@ -0,0 +1,24 @@ + + + + diff --git a/js/src/components/Todo/CompactTodo.vue b/js/src/components/Todo/CompactTodo.vue new file mode 100644 index 000000000..9e4761c96 --- /dev/null +++ b/js/src/components/Todo/CompactTodo.vue @@ -0,0 +1,60 @@ + + + diff --git a/js/src/components/Todo/FullTodo.vue b/js/src/components/Todo/FullTodo.vue new file mode 100644 index 000000000..e628bbcee --- /dev/null +++ b/js/src/components/Todo/FullTodo.vue @@ -0,0 +1,90 @@ + + diff --git a/js/src/components/Utils/Subtitle.vue b/js/src/components/Utils/Subtitle.vue index 0c89ed75e..30d746adf 100644 --- a/js/src/components/Utils/Subtitle.vue +++ b/js/src/components/Utils/Subtitle.vue @@ -1,32 +1,31 @@ \ No newline at end of file + span { + background: $secondary; + display: inline; + padding: 3px 8px; + color: #3a384c; + font-family: "Liberation Sans", "Helvetica Neue", Roboto, Helvetica, Arial, serif; + font-weight: 400; + font-size: 32px; + } +} + diff --git a/js/src/components/Utils/VerticalDivider.vue b/js/src/components/Utils/VerticalDivider.vue index 235814a40..76516562d 100644 --- a/js/src/components/Utils/VerticalDivider.vue +++ b/js/src/components/Utils/VerticalDivider.vue @@ -1,12 +1,12 @@ \ No newline at end of file +.is-divider-vertical[data-content]::after { + background-color: $body-background-color; +} + diff --git a/js/src/constants.ts b/js/src/constants.ts index 3a2bb6fe7..94dc781b9 100644 --- a/js/src/constants.ts +++ b/js/src/constants.ts @@ -1,6 +1,6 @@ -export const AUTH_ACCESS_TOKEN = 'auth-access-token'; -export const AUTH_REFRESH_TOKEN = 'auth-refresh-token'; -export const AUTH_USER_ID = 'auth-user-id'; -export const AUTH_USER_EMAIL = 'auth-user-email'; -export const AUTH_USER_ACTOR_ID = 'auth-user-actor-id'; -export const AUTH_USER_ROLE = 'auth-user-role'; +export const AUTH_ACCESS_TOKEN = "auth-access-token"; +export const AUTH_REFRESH_TOKEN = "auth-refresh-token"; +export const AUTH_USER_ID = "auth-user-id"; +export const AUTH_USER_EMAIL = "auth-user-email"; +export const AUTH_USER_ACTOR_ID = "auth-user-actor-id"; +export const AUTH_USER_ROLE = "auth-user-role"; diff --git a/js/src/filters/datetime.ts b/js/src/filters/datetime.ts index 78f6cc8e4..e470d21ee 100644 --- a/js/src/filters/datetime.ts +++ b/js/src/filters/datetime.ts @@ -3,22 +3,32 @@ function parseDateTime(value: string): Date { } function formatDateString(value: string): string { - return parseDateTime(value).toLocaleString(undefined, { weekday: 'long', year: 'numeric', month: 'long', day: 'numeric' }); + return parseDateTime(value).toLocaleString(undefined, { + weekday: "long", + year: "numeric", + month: "long", + day: "numeric", + }); } function formatTimeString(value: string): string { - return parseDateTime(value).toLocaleTimeString(undefined, { hour: 'numeric', minute: 'numeric' }); + return parseDateTime(value).toLocaleTimeString(undefined, { hour: "numeric", minute: "numeric" }); } -function formatDateTimeString(value: string, showTime: boolean = true): string { - const options = { weekday: 'long', year: 'numeric', month: 'long', day: 'numeric', hour: 'numeric', minute: 'numeric' }; +function formatDateTimeString(value: string, showTime = true): string { + const options = { + weekday: "long", + year: "numeric", + month: "long", + day: "numeric", + hour: "numeric", + minute: "numeric", + }; if (showTime) { - options.hour = 'numeric'; - options.minute = 'numeric'; + options.hour = "numeric"; + options.minute = "numeric"; } return parseDateTime(value).toLocaleTimeString(undefined, options); } - - export { formatDateString, formatTimeString, formatDateTimeString }; diff --git a/js/src/filters/index.ts b/js/src/filters/index.ts index 4f106c2e5..ae2108db8 100644 --- a/js/src/filters/index.ts +++ b/js/src/filters/index.ts @@ -1,11 +1,11 @@ -import { formatDateString, formatTimeString, formatDateTimeString } from './datetime'; -import { nl2br } from '@/filters/utils'; +import nl2br from "@/filters/utils"; +import { formatDateString, formatTimeString, formatDateTimeString } from "./datetime"; export default { - install(vue) { - vue.filter('formatDateString', formatDateString); - vue.filter('formatTimeString', formatTimeString); - vue.filter('formatDateTimeString', formatDateTimeString); - vue.filter('nl2br', nl2br); + install(vue: any) { + vue.filter("formatDateString", formatDateString); + vue.filter("formatTimeString", formatTimeString); + vue.filter("formatDateTimeString", formatDateTimeString); + vue.filter("nl2br", nl2br); }, }; diff --git a/js/src/filters/utils.ts b/js/src/filters/utils.ts index 4b81b878b..58e91df6d 100644 --- a/js/src/filters/utils.ts +++ b/js/src/filters/utils.ts @@ -4,6 +4,6 @@ * @param {string} str Input text * @return {string} Filtered text */ -export function nl2br(str: String): String { - return `${str}`.replace(/([^>\r\n]?)(\r\n|\n\r|\r|\n)/g, '$1
'); +export default function nl2br(str: string): string { + return `${str}`.replace(/([^>\r\n]?)(\r\n|\n\r|\r|\n)/g, "$1
"); } diff --git a/js/src/graphql/actor.ts b/js/src/graphql/actor.ts index e26f197b6..a67728b83 100644 --- a/js/src/graphql/actor.ts +++ b/js/src/graphql/actor.ts @@ -1,222 +1,328 @@ -import gql from 'graphql-tag'; +import gql from "graphql-tag"; +import { CONVERSATION_BASIC_FIELDS_FRAGMENT } from "@/graphql/conversation"; +import { RESOURCE_METADATA_BASIC_FIELDS_FRAGMENT } from "@/graphql/resources"; export const FETCH_PERSON = gql` -query($username: String!) { - fetchPerson(preferredUsername: $username) { - id, - url, - name, - domain, - summary, - preferredUsername, - suspended, - avatar { - name, + query($username: String!) { + fetchPerson(preferredUsername: $username) { + id url - }, - banner { - url - }, - feedTokens { + name + domain + summary + preferredUsername + suspended + avatar { + name + url + } + banner { + url + } + feedTokens { token - }, - organizedEvents { - uuid, - title, + } + organizedEvents { + uuid + title beginsOn - }, + } + } } -} `; export const GET_PERSON = gql` - query($actorId: ID!) { - person(id: $actorId) { - id, - url, - name, - domain, - summary, - preferredUsername, - suspended, - avatar { - name, - url - }, - banner { - url - }, - feedTokens { - token - }, - organizedEvents { - uuid, - title, - beginsOn - }, - } + query($actorId: ID!) { + person(id: $actorId) { + id + url + name + domain + summary + preferredUsername + suspended + avatar { + name + url + } + banner { + url + } + feedTokens { + token + } + organizedEvents { + uuid + title + beginsOn + } } + } `; export const LOGGED_PERSON = gql` -query { - loggedPerson { - id, - avatar { - url - }, - preferredUsername, + query { + loggedPerson { + id + avatar { + url + } + preferredUsername + } } -}`; +`; + +export const UPDATE_DEFAULT_ACTOR = gql` + mutation ChangeDefaultActor($preferredUsername: String!) { + changeDefaultActor(preferredUsername: $preferredUsername) { + id + defaultActor { + id + } + } + } +`; export const CURRENT_ACTOR_CLIENT = gql` - query currentActor { - currentActor @client { - id, - avatar { - url - }, - preferredUsername, - name - } + query currentActor { + currentActor @client { + id + avatar { + url + } + preferredUsername + name } + } `; export const UPDATE_CURRENT_ACTOR_CLIENT = gql` - mutation UpdateCurrentActor($id: String!, $avatar: String, $preferredUsername: String!, $name: String!) { - updateCurrentActor(id: $id, avatar: $avatar, preferredUsername: $preferredUsername, name: $name) @client - } + mutation UpdateCurrentActor( + $id: String! + $avatar: String + $preferredUsername: String! + $name: String! + ) { + updateCurrentActor( + id: $id + avatar: $avatar + preferredUsername: $preferredUsername + name: $name + ) @client + } `; export const LOGGED_USER_PARTICIPATIONS = gql` -query LoggedUserParticipations($afterDateTime: DateTime, $beforeDateTime: DateTime, $page: Int, $limit: Int) { - loggedUser { - participations(afterDatetime: $afterDateTime, beforeDatetime: $beforeDateTime, page: $page, limit: $limit) { + query LoggedUserParticipations( + $afterDateTime: DateTime + $beforeDateTime: DateTime + $page: Int + $limit: Int + ) { + loggedUser { + participations( + afterDatetime: $afterDateTime + beforeDatetime: $beforeDateTime + page: $page + limit: $limit + ) { + total + elements { event { - id, - uuid, - title, - picture { - id, - url, - alt - }, - beginsOn, - visibility, - organizerActor { - id, - preferredUsername, - name, - domain, - avatar { - url - } - }, - participantStats { - notApproved - participant - }, - options { - maximumAttendeeCapacity - remainingAttendeeCapacity - } - }, - id, - role, - actor { - id, - preferredUsername, - name, - domain, - avatar { - url - } - } - } - } -}`; - -export const LOGGED_USER_DRAFTS = gql` - query LoggedUserDrafts($page: Int, $limit: Int) { - loggedUser { - drafts(page: $page, limit: $limit) { - id, - uuid, - title, - picture { - id, - url, - alt - }, - beginsOn, - visibility, - organizerActor { - id, - preferredUsername, - name, - domain, - avatar { - url - } - }, - participantStats { - going, - notApproved - }, - options { - maximumAttendeeCapacity - remainingAttendeeCapacity - } + id + uuid + title + picture { + id + url + alt } + beginsOn + visibility + organizerActor { + id + preferredUsername + name + domain + avatar { + url + } + } + participantStats { + notApproved + participant + } + options { + maximumAttendeeCapacity + remainingAttendeeCapacity + } + } + id + role + actor { + id + preferredUsername + name + domain + avatar { + url + } + } } - }`; - -export const IDENTITIES = gql` -query { - identities { - id, - avatar { - url - }, - preferredUsername, - name - } -}`; - -export const CREATE_PERSON = gql` -mutation CreatePerson($preferredUsername: String!, $name: String!, $summary: String, $avatar: PictureInput) { - createPerson( - preferredUsername: $preferredUsername, - name: $name, - summary: $summary, - avatar: $avatar - ) { - id, - preferredUsername, - name, - summary, - avatar { - url + } + } + } +`; + +export const LOGGED_USER_DRAFTS = gql` + query LoggedUserDrafts($page: Int, $limit: Int) { + loggedUser { + drafts(page: $page, limit: $limit) { + id + uuid + title + picture { + id + url + alt + } + beginsOn + visibility + organizerActor { + id + preferredUsername + name + domain + avatar { + url + } + } + participantStats { + going + notApproved + } + options { + maximumAttendeeCapacity + remainingAttendeeCapacity + } + } + } + } +`; + +export const LOGGED_USER_MEMBERSHIPS = gql` + query LoggedUserMemberships($page: Int, $limit: Int) { + loggedUser { + memberships(page: $page, limit: $limit) { + total + elements { + id + role + parent { + id + preferredUsername + domain + name + avatar { + url + } + organizedEvents { + elements { + id + title + picture { + url + } + } + total + } + } + invitedBy { + id + preferredUsername + domain + name + avatar { + url + } + } + } + } + } + } +`; + +export const IDENTITIES = gql` + query { + identities { + id + avatar { + url + } + preferredUsername + name + } + } +`; + +export const PERSON_MEMBERSHIPS = gql` + query PersonMemberships($id: ID!) { + person(id: $id) { + id + memberships { + total + elements { + id + role + parent { + id + preferredUsername + name + domain + avatar { + url + } + } + } + } + } + } +`; + +export const CREATE_PERSON = gql` + mutation CreatePerson( + $preferredUsername: String! + $name: String! + $summary: String + $avatar: PictureInput + ) { + createPerson( + preferredUsername: $preferredUsername + name: $name + summary: $summary + avatar: $avatar + ) { + id + preferredUsername + name + summary + avatar { + url + } } } -} `; export const UPDATE_PERSON = gql` mutation UpdatePerson($id: ID!, $name: String, $summary: String, $avatar: PictureInput) { - updatePerson( - id: $id, - name: $name, - summary: $summary, - avatar: $avatar - ) { - id, - preferredUsername, - name, - summary, + updatePerson(id: $id, name: $name, summary: $summary, avatar: $avatar) { + id + preferredUsername + name + summary avatar { url - }, + } } } `; @@ -224,91 +330,175 @@ export const UPDATE_PERSON = gql` export const DELETE_PERSON = gql` mutation DeletePerson($id: ID!) { deletePerson(id: $id) { - preferredUsername, + preferredUsername } } `; /** - * This one is used only to register the first account. Prefer CREATE_PERSON when creating another identity + * This one is used only to register the first account. + * Prefer CREATE_PERSON when creating another identity */ export const REGISTER_PERSON = gql` -mutation ($preferredUsername: String!, $name: String!, $summary: String!, $email: String!) { - registerPerson( - preferredUsername: $preferredUsername, - name: $name, - summary: $summary, + mutation($preferredUsername: String!, $name: String!, $summary: String!, $email: String!) { + registerPerson( + preferredUsername: $preferredUsername + name: $name + summary: $summary email: $email ) { - id, - preferredUsername, - name, - summary, - avatar { - url - }, + id + preferredUsername + name + summary + avatar { + url + } + } + } +`; + +export const LIST_GROUPS = gql` + query { + groups { + elements { + id + url + name + domain + summary + preferredUsername + suspended + avatar { + url + } + banner { + url + } + organizedEvents { + elements { + uuid + title + beginsOn + } + total + } + } + total + } } -} `; export const FETCH_GROUP = gql` -query($name:String!) { - group(preferredUsername: $name) { - id, - url, - name, - domain, - summary, - preferredUsername, - suspended, - avatar { + query($name: String!) { + group(preferredUsername: $name) { + id url - }, - banner { - url - } - organizedEvents { - uuid, - title, - beginsOn - }, - members { - role, - actor { - id, - name, - domain, - preferredUsername + name + domain + summary + preferredUsername + suspended + avatar { + url + } + banner { + url + } + organizedEvents { + elements { + id + uuid + title + beginsOn } + total + } + conversations { + total + elements { + ...ConversationBasicFields + } + } + members { + elements { + role + actor { + id + name + domain + preferredUsername + avatar { + url + } + } + } + total + } + resources(page: 1, limit: 3) { + elements { + id + title + resourceUrl + summary + updatedAt + type + path + metadata { + ...ResourceMetadataBasicFields + } + } + total + } + todoLists { + elements { + id + title + todos { + elements { + id + title + status + dueDate + assignedTo { + id + preferredUsername + } + } + total + } + } + total + } } } -} + ${CONVERSATION_BASIC_FIELDS_FRAGMENT} + ${RESOURCE_METADATA_BASIC_FIELDS_FRAGMENT} `; - export const CREATE_GROUP = gql` mutation CreateGroup( - $creatorActorId: ID!, - $preferredUsername: String!, - $name: String!, - $summary: String, - $avatar: PictureInput, + $creatorActorId: ID! + $preferredUsername: String! + $name: String! + $summary: String + $avatar: PictureInput $banner: PictureInput ) { createGroup( - creatorActorId: $creatorActorId, - preferredUsername: $preferredUsername, - name: $name, - summary: $summary, - banner: $banner, + creatorActorId: $creatorActorId + preferredUsername: $preferredUsername + name: $name + summary: $summary + banner: $banner avatar: $avatar ) { - id, - preferredUsername, - name, - summary, + id + preferredUsername + name + summary avatar { url - }, + } banner { url } diff --git a/js/src/graphql/address.ts b/js/src/graphql/address.ts index 9f3857eb5..9e3fdbc0e 100644 --- a/js/src/graphql/address.ts +++ b/js/src/graphql/address.ts @@ -1,4 +1,4 @@ -import gql from 'graphql-tag'; +import gql from "graphql-tag"; const $addressFragment = ` id, diff --git a/js/src/graphql/admin.ts b/js/src/graphql/admin.ts index 904e7a87e..024609377 100644 --- a/js/src/graphql/admin.ts +++ b/js/src/graphql/admin.ts @@ -1,147 +1,148 @@ -import gql from 'graphql-tag'; +import gql from "graphql-tag"; export const DASHBOARD = gql` - query { - dashboard { - lastPublicEventPublished { - uuid, - title, - picture { - id, - alt, - url - }, - }, - numberOfUsers, - numberOfEvents, - numberOfComments, - numberOfReports + query { + dashboard { + lastPublicEventPublished { + uuid + title + picture { + id + alt + url } + } + numberOfUsers + numberOfEvents + numberOfComments + numberOfReports } - `; + } +`; export const RELAY_FRAGMENT = gql` - fragment relayFragment on Follower { - actor { - id, - preferredUsername, - name, - domain, - type, - summary - }, - targetActor { - id, - preferredUsername, - name, - domain, - type, - summary - }, - approved, - insertedAt, - updatedAt + fragment relayFragment on Follower { + actor { + id + preferredUsername + name + domain + type + summary } + targetActor { + id + preferredUsername + name + domain + type + summary + } + approved + insertedAt + updatedAt + } `; export const RELAY_FOLLOWERS = gql` - query relayFollowers($page: Int, $limit: Int) { - relayFollowers(page: $page, limit: $limit) { - elements { - ...relayFragment - }, - total - } + query relayFollowers($page: Int, $limit: Int) { + relayFollowers(page: $page, limit: $limit) { + elements { + ...relayFragment + } + total } - ${RELAY_FRAGMENT} + } + ${RELAY_FRAGMENT} `; export const RELAY_FOLLOWINGS = gql` - query relayFollowings($page: Int, $limit: Int) { - relayFollowings(page: $page, limit: $limit) { - elements { - ...relayFragment - }, - total - } + query relayFollowings($page: Int, $limit: Int) { + relayFollowings(page: $page, limit: $limit) { + elements { + ...relayFragment + } + total } - ${RELAY_FRAGMENT} + } + ${RELAY_FRAGMENT} `; export const ADD_RELAY = gql` - mutation addRelay($address: String!) { - addRelay(address: $address) { - ...relayFragment - } + mutation addRelay($address: String!) { + addRelay(address: $address) { + ...relayFragment } - ${RELAY_FRAGMENT} + } + ${RELAY_FRAGMENT} `; export const REMOVE_RELAY = gql` - mutation removeRelay($address: String!) { - removeRelay(address: $address) { - ...relayFragment - } + mutation removeRelay($address: String!) { + removeRelay(address: $address) { + ...relayFragment } - ${RELAY_FRAGMENT} + } + ${RELAY_FRAGMENT} `; export const ACCEPT_RELAY = gql` - mutation acceptRelay($address: String!) { - acceptRelay(address: $address) { - ...relayFragment - } + mutation acceptRelay($address: String!) { + acceptRelay(address: $address) { + ...relayFragment } - ${RELAY_FRAGMENT} + } + ${RELAY_FRAGMENT} `; export const REJECT_RELAY = gql` - mutation rejectRelay($address: String!) { - rejectRelay(address: $address) { - ...relayFragment - } + mutation rejectRelay($address: String!) { + rejectRelay(address: $address) { + ...relayFragment } - ${RELAY_FRAGMENT} + } + ${RELAY_FRAGMENT} `; export const ADMIN_SETTINGS_FRAGMENT = gql` - fragment adminSettingsFragment on AdminSettings { - instanceName, - instanceDescription, - instanceTerms, - instanceTermsType, - instanceTermsUrl - registrationsOpen - } + fragment adminSettingsFragment on AdminSettings { + instanceName + instanceDescription + instanceTerms + instanceTermsType + instanceTermsUrl + registrationsOpen + } `; export const ADMIN_SETTINGS = gql` - query { - adminSettings { - ...adminSettingsFragment - } + query { + adminSettings { + ...adminSettingsFragment } - ${ADMIN_SETTINGS_FRAGMENT} + } + ${ADMIN_SETTINGS_FRAGMENT} `; export const SAVE_ADMIN_SETTINGS = gql` - mutation SaveAdminSettings( - $instanceName: String, - $instanceDescription: String, - $instanceTerms: String, - $instanceTermsType: InstanceTermsType, - $instanceTermsUrl: String, - $registrationsOpen: Boolean) { - saveAdminSettings( - instanceName: $instanceName, - instanceDescription: $instanceDescription, - instanceTerms: $instanceTerms, - instanceTermsType: $instanceTermsType, - instanceTermsUrl: $instanceTermsUrl, - registrationsOpen: $registrationsOpen - ) { - ...adminSettingsFragment - } + mutation SaveAdminSettings( + $instanceName: String + $instanceDescription: String + $instanceTerms: String + $instanceTermsType: InstanceTermsType + $instanceTermsUrl: String + $registrationsOpen: Boolean + ) { + saveAdminSettings( + instanceName: $instanceName + instanceDescription: $instanceDescription + instanceTerms: $instanceTerms + instanceTermsType: $instanceTermsType + instanceTermsUrl: $instanceTermsUrl + registrationsOpen: $registrationsOpen + ) { + ...adminSettingsFragment } - ${ADMIN_SETTINGS_FRAGMENT} + } + ${ADMIN_SETTINGS_FRAGMENT} `; diff --git a/js/src/graphql/auth.ts b/js/src/graphql/auth.ts index 438c46c18..ccbd73207 100644 --- a/js/src/graphql/auth.ts +++ b/js/src/graphql/auth.ts @@ -1,48 +1,48 @@ -import gql from 'graphql-tag'; +import gql from "graphql-tag"; export const LOGIN = gql` -mutation Login($email: String!, $password: String!) { - login(email: $email, password: $password) { - accessToken, - refreshToken, - user { - id, - email, - role + mutation Login($email: String!, $password: String!) { + login(email: $email, password: $password) { + accessToken + refreshToken + user { + id + email + role + } } - }, -} + } `; export const SEND_RESET_PASSWORD = gql` -mutation SendResetPassword($email: String!) { - sendResetPassword(email: $email) -} + mutation SendResetPassword($email: String!) { + sendResetPassword(email: $email) + } `; export const RESET_PASSWORD = gql` -mutation ResetPassword($token: String!, $password: String!) { - resetPassword(token: $token, password: $password) { - accessToken, - refreshToken - user { - id, + mutation ResetPassword($token: String!, $password: String!) { + resetPassword(token: $token, password: $password) { + accessToken + refreshToken + user { + id + } } - }, -} + } `; export const RESEND_CONFIRMATION_EMAIL = gql` -mutation ResendConfirmationEmail($email: String!) { - resendConfirmationEmail(email: $email) -} + mutation ResendConfirmationEmail($email: String!) { + resendConfirmationEmail(email: $email) + } `; export const REFRESH_TOKEN = gql` mutation RefreshToken($refreshToken: String!) { refreshToken(refreshToken: $refreshToken) { - accessToken, - refreshToken, + accessToken + refreshToken } } `; diff --git a/js/src/graphql/comment.ts b/js/src/graphql/comment.ts index acf28b397..329b66057 100644 --- a/js/src/graphql/comment.ts +++ b/js/src/graphql/comment.ts @@ -1,85 +1,101 @@ -import gql from 'graphql-tag'; +import gql from "graphql-tag"; -export const COMMENT_FIELDS_FRAGMENT_NAME = 'CommentFields'; +export const COMMENT_FIELDS_FRAGMENT_NAME = "CommentFields"; export const COMMENT_FIELDS_FRAGMENT = gql` - fragment CommentFields on Comment { - id, - uuid, - url, - text, - visibility, - local, - actor { - avatar { - url - }, - id, - domain, - preferredUsername, - name - }, - totalReplies, - updatedAt, - deletedAt - }, + fragment CommentFields on Comment { + id + uuid + url + text + visibility + local + actor { + avatar { + url + } + id + domain + preferredUsername + name + } + totalReplies + updatedAt + deletedAt + } `; export const COMMENT_RECURSIVE_FRAGMENT = gql` - fragment CommentRecursive on Comment { + fragment CommentRecursive on Comment { + ...CommentFields + inReplyToComment { + ...CommentFields + } + originComment { + ...CommentFields + } + replies { + ...CommentFields + replies { ...CommentFields - inReplyToComment { - ...CommentFields - }, - originComment { - ...CommentFields - }, - replies { - ...CommentFields - replies { - ...CommentFields - } - }, - }, - ${COMMENT_FIELDS_FRAGMENT} + } + } + } + ${COMMENT_FIELDS_FRAGMENT} `; export const FETCH_THREAD_REPLIES = gql` - query($threadId: ID!) { - thread(id: $threadId) { - ...CommentRecursive - } + query($threadId: ID!) { + thread(id: $threadId) { + ...CommentRecursive } - ${COMMENT_RECURSIVE_FRAGMENT} + } + ${COMMENT_RECURSIVE_FRAGMENT} `; - export const COMMENTS_THREADS = gql` - query($eventUUID: UUID!) { - event(uuid: $eventUUID) { - id, - uuid, - comments { - ...CommentFields, - } - } + query($eventUUID: UUID!) { + event(uuid: $eventUUID) { + id + uuid + comments { + ...CommentFields + } } - ${COMMENT_RECURSIVE_FRAGMENT} + } + ${COMMENT_RECURSIVE_FRAGMENT} `; export const CREATE_COMMENT_FROM_EVENT = gql` - mutation CreateCommentFromEvent($eventId: ID!, $actorId: ID!, $text: String!, $inReplyToCommentId: ID) { - createComment(eventId: $eventId, actorId: $actorId, text: $text, inReplyToCommentId: $inReplyToCommentId) { - ...CommentRecursive - } + mutation CreateCommentFromEvent( + $eventId: ID! + $actorId: ID! + $text: String! + $inReplyToCommentId: ID + ) { + createComment( + eventId: $eventId + actorId: $actorId + text: $text + inReplyToCommentId: $inReplyToCommentId + ) { + ...CommentRecursive } - ${COMMENT_RECURSIVE_FRAGMENT} + } + ${COMMENT_RECURSIVE_FRAGMENT} `; - export const DELETE_COMMENT = gql` - mutation DeleteComment($commentId: ID!, $actorId: ID!) { - deleteComment(commentId: $commentId, actorId: $actorId) { - id - } + mutation DeleteComment($commentId: ID!, $actorId: ID!) { + deleteComment(commentId: $commentId, actorId: $actorId) { + id } + } +`; + +export const UPDATE_COMMENT = gql` + mutation UpdateComment($commentId: ID!, $text: String!) { + updateComment(commentId: $commentId, text: $text) { + ...CommentFields + } + } `; diff --git a/js/src/graphql/config.ts b/js/src/graphql/config.ts index fdad484ee..16637d8e9 100644 --- a/js/src/graphql/config.ts +++ b/js/src/graphql/config.ts @@ -1,68 +1,81 @@ -import gql from 'graphql-tag'; +import gql from "graphql-tag"; export const CONFIG = gql` -query { - config { - name, - description, - registrationsOpen, - registrationsWhitelist, - demoMode, - countryCode, - anonymous { - participation { - allowed, - validation { - email { - enabled, - confirmationRequired - }, - captcha { - enabled + query { + config { + name + description + registrationsOpen + registrationsWhitelist + demoMode + countryCode + anonymous { + participation { + allowed + validation { + email { + enabled + confirmationRequired + } + captcha { + enabled + } } } - } - eventCreation { - allowed, - validation { - email { - enabled, - confirmationRequired - }, - captcha { - enabled + eventCreation { + allowed + validation { + email { + enabled + confirmationRequired + } + captcha { + enabled + } } } + actorId } - actorId - }, - location { - latitude, - longitude, - accuracyRadius - }, - maps { - tiles { - endpoint, - attribution + location { + latitude + longitude + accuracyRadius + } + maps { + tiles { + endpoint + attribution + } + } + geocoding { + provider + autocomplete + } + resourceProviders { + type + endpoint + software } - }, - geocoding { - provider, - autocomplete } } -} `; export const TERMS = gql` -query Terms($locale: String) { - config { - terms(locale: $locale) { - type, - url, - bodyHtml + query Terms($locale: String) { + config { + terms(locale: $locale) { + type + url + bodyHtml + } + } + } +`; + +export const TIMEZONES = gql` + query { + config { + timezones } } -} `; diff --git a/js/src/graphql/conversation.ts b/js/src/graphql/conversation.ts new file mode 100644 index 000000000..f44a47a3d --- /dev/null +++ b/js/src/graphql/conversation.ts @@ -0,0 +1,120 @@ +import gql from "graphql-tag"; + +export const CONVERSATION_BASIC_FIELDS_FRAGMENT = gql` + fragment ConversationBasicFields on Conversation { + id + title + slug + lastComment { + id + text + actor { + preferredUsername + avatar { + url + } + } + } + } +`; + +export const CONVERSATION_FIELDS_FOR_REPLY_FRAGMENT = gql` + fragment ConversationFieldsReply on Conversation { + id + title + slug + lastComment { + id + text + updatedAt + actor { + id + preferredUsername + avatar { + url + } + } + } + actor { + id + preferredUsername + } + creator { + id + preferredUsername + } + } +`; + +export const CONVERSATION_FIELDS_FRAGMENT = gql` + fragment ConversationFields on Conversation { + id + title + slug + lastComment { + id + text + updatedAt + } + actor { + id + preferredUsername + } + creator { + id + preferredUsername + } + } +`; + +export const CREATE_CONVERSATION = gql` + mutation createConversation($title: String!, $creatorId: ID!, $actorId: ID!, $text: String!) { + createConversation(title: $title, text: $text, creatorId: $creatorId, actorId: $actorId) { + ...ConversationFields + } + } + ${CONVERSATION_FIELDS_FRAGMENT} +`; + +export const REPLY_TO_CONVERSATION = gql` + mutation replyToConversation($conversationId: ID!, $text: String!) { + replyToConversation(conversationId: $conversationId, text: $text) { + ...ConversationFieldsReply + } + } + ${CONVERSATION_FIELDS_FOR_REPLY_FRAGMENT} +`; + +export const GET_CONVERSATION = gql` + query getConversation($id: ID!, $page: Int, $limit: Int) { + conversation(id: $id) { + comments(page: $page, limit: $limit) { + total + elements { + id + text + actor { + id + avatar { + url + } + preferredUsername + } + insertedAt + updatedAt + } + } + ...ConversationFields + } + } + ${CONVERSATION_FIELDS_FRAGMENT} +`; + +export const UPDATE_CONVERSATION = gql` + mutation updateConversation($conversationId: ID!, $title: String!) { + updateConversation(conversationId: $conversationId, title: $title) { + ...ConversationFields + } + } + ${CONVERSATION_FIELDS_FRAGMENT} +`; diff --git a/js/src/graphql/event.ts b/js/src/graphql/event.ts index 2b81e2213..45f0ed735 100644 --- a/js/src/graphql/event.ts +++ b/js/src/graphql/event.ts @@ -1,29 +1,33 @@ -import gql from 'graphql-tag'; -import { COMMENT_FIELDS_FRAGMENT } from '@/graphql/comment'; +import gql from "graphql-tag"; +import { COMMENT_FIELDS_FRAGMENT } from "@/graphql/comment"; const participantQuery = ` + role, + id, + actor { + preferredUsername, + avatar { + url + }, + name, + id, + domain + }, + event { + id, + uuid + }, + metadata { + cancellationToken, + message + }, + insertedAt +`; + +const participantsQuery = ` total, elements { - role, - id, - actor { - preferredUsername, - avatar { - url - }, - name, - id, - domain - }, - event { - id, - uuid - }, - metadata { - cancellationToken, - message - }, - insertedAt + ${participantQuery} } `; @@ -66,7 +70,8 @@ const optionsQuery = ` attendees, program, commentModeration, - showParticipationPrice + showParticipationPrice, + hideOrganizerWhenGroupEvent, __typename `; @@ -106,14 +111,19 @@ export const FETCH_EVENT = gql` name, url, id, + summary + }, + attributedTo { + avatar { + url, + } + preferredUsername, + name, + summary, + domain, + url, + id }, - # attributedTo { - # avatar { - # url, - # } - # preferredUsername, - # name, - # }, participantStats { going, notApproved, @@ -147,7 +157,6 @@ export const FETCH_EVENT = gql` } } } - ${COMMENT_FIELDS_FRAGMENT} `; export const FETCH_EVENTS = gql` @@ -193,7 +202,7 @@ export const FETCH_EVENTS = gql` # }, category, participants { - ${participantQuery} + ${participantsQuery} }, tags { slug, @@ -206,6 +215,7 @@ export const FETCH_EVENTS = gql` export const CREATE_EVENT = gql` mutation createEvent( $organizerActorId: ID!, + $attributedToId: ID, $title: String!, $description: String!, $beginsOn: DateTime!, @@ -224,6 +234,7 @@ export const CREATE_EVENT = gql` ) { createEvent( organizerActorId: $organizerActorId, + attributedToId: $attributedToId, title: $title, description: $description, beginsOn: $beginsOn, @@ -263,6 +274,16 @@ export const CREATE_EVENT = gql` physicalAddress { ${physicalAddressQuery} }, + attributedTo { + id, + domain, + name, + url, + preferredUsername, + avatar { + url + } + }, organizerActor { avatar { url @@ -304,6 +325,7 @@ export const EDIT_EVENT = gql` $onlineAddress: String, $phoneAddress: String, $organizerActorId: ID, + $attributedToId: ID, $category: String, $physicalAddress: AddressInput, $options: EventOptionsInput, @@ -323,6 +345,7 @@ export const EDIT_EVENT = gql` onlineAddress: $onlineAddress, phoneAddress: $phoneAddress, organizerActorId: $organizerActorId, + attributedToId: $attributedToId, category: $category, physicalAddress: $physicalAddress options: $options, @@ -350,6 +373,16 @@ export const EDIT_EVENT = gql` physicalAddress { ${physicalAddressQuery} }, + attributedTo { + id, + domain, + name, + url, + preferredUsername, + avatar { + url + } + }, organizerActor { avatar { url @@ -390,11 +423,7 @@ export const JOIN_EVENT = gql` export const LEAVE_EVENT = gql` mutation LeaveEvent($eventId: ID!, $actorId: ID!, $token: String) { - leaveEvent( - eventId: $eventId, - actorId: $actorId, - token: $token - ) { + leaveEvent(eventId: $eventId, actorId: $actorId, token: $token) { actor { id } @@ -406,11 +435,11 @@ export const CONFIRM_PARTICIPATION = gql` mutation ConfirmParticipation($token: String!) { confirmParticipation(confirmationToken: $token) { actor { - id, - }, + id + } event { uuid - }, + } role } } @@ -419,7 +448,7 @@ export const CONFIRM_PARTICIPATION = gql` export const UPDATE_PARTICIPANT = gql` mutation AcceptParticipant($id: ID!, $moderatorActorId: ID!, $role: ParticipantRoleEnum!) { updateParticipation(id: $id, moderatorActorId: $moderatorActorId, role: $role) { - role, + role id } } @@ -427,11 +456,8 @@ export const UPDATE_PARTICIPANT = gql` export const DELETE_EVENT = gql` mutation DeleteEvent($eventId: ID!, $actorId: ID!) { - deleteEvent( - eventId: $eventId, - actorId: $actorId - ) { - id + deleteEvent(eventId: $eventId, actorId: $actorId) { + id } } `; @@ -441,7 +467,7 @@ export const PARTICIPANTS = gql` event(uuid: $uuid) { id, participants(page: $page, limit: $limit, roles: $roles, actorId: $actorId) { - ${participantQuery} + ${participantsQuery} }, participantStats { going, @@ -456,13 +482,13 @@ export const PARTICIPANTS = gql` export const EVENT_PERSON_PARTICIPATION = gql` query($actorId: ID!, $eventId: ID!) { person(id: $actorId) { - id, + id participations(eventId: $eventId) { - id, - role, + id + role actor { id - }, + } event { id } @@ -472,15 +498,15 @@ export const EVENT_PERSON_PARTICIPATION = gql` `; export const EVENT_PERSON_PARTICIPATION_SUBSCRIPTION_CHANGED = gql` - subscription ($actorId: ID!, $eventId: ID!) { + subscription($actorId: ID!, $eventId: ID!) { eventPersonParticipationChanged(personId: $actorId) { - id, + id participations(eventId: $eventId) { - id, - role, + id + role actor { id - }, + } event { id } diff --git a/js/src/graphql/feed_tokens.ts b/js/src/graphql/feed_tokens.ts index eeb17f5cd..aedf4f5fc 100644 --- a/js/src/graphql/feed_tokens.ts +++ b/js/src/graphql/feed_tokens.ts @@ -1,51 +1,54 @@ -import gql from 'graphql-tag'; +import gql from "graphql-tag"; export const LOGGED_PERSON = gql` -query { - loggedPerson { - id, - avatar { - url - }, - preferredUsername, + query { + loggedPerson { + id + avatar { + url + } + preferredUsername + } } -}`; +`; export const CREATE_FEED_TOKEN_ACTOR = gql` -mutation createFeedToken($actor_id: ID!) { - createFeedToken(actorId: $actor_id) { - token, - actor { - id - }, - user { - id - } - } -}`; - -export const CREATE_FEED_TOKEN = gql` -mutation { - createFeedToken { - token, - actor { - id - }, - user { - id - } - } -}`; - -export const DELETE_FEED_TOKEN = gql` -mutation deleteFeedToken($token: String!) { - deleteFeedToken(token: $token) { - actor { - id - }, - user { - id - } + mutation createFeedToken($actor_id: ID!) { + createFeedToken(actorId: $actor_id) { + token + actor { + id + } + user { + id } } + } +`; + +export const CREATE_FEED_TOKEN = gql` + mutation { + createFeedToken { + token + actor { + id + } + user { + id + } + } + } +`; + +export const DELETE_FEED_TOKEN = gql` + mutation deleteFeedToken($token: String!) { + deleteFeedToken(token: $token) { + actor { + id + } + user { + id + } + } + } `; diff --git a/js/src/graphql/fragmentTypes.json b/js/src/graphql/fragmentTypes.json index dc7e18159..782fbe540 100644 --- a/js/src/graphql/fragmentTypes.json +++ b/js/src/graphql/fragmentTypes.json @@ -1 +1,11 @@ -{"__schema":{"types":[{"possibleTypes":[{"name":"Event"},{"name":"Actor"}],"name":"SearchResult","kind":"UNION"}]}} \ No newline at end of file +{ + "__schema": { + "types": [ + { + "possibleTypes": [{ "name": "Event" }, { "name": "Actor" }], + "name": "SearchResult", + "kind": "UNION" + } + ] + } +} diff --git a/js/src/graphql/member.ts b/js/src/graphql/member.ts new file mode 100644 index 000000000..13778e17e --- /dev/null +++ b/js/src/graphql/member.ts @@ -0,0 +1,24 @@ +import gql from "graphql-tag"; + +export const INVITE_MEMBER = gql` + mutation InviteMember($groupId: ID!, $targetActorUsername: String!) { + inviteMember(groupId: $groupId, targetActorUsername: $targetActorUsername) { + id + role + parent { + id + } + actor { + id + } + } + } +`; + +export const ACCEPT_INVITATION = gql` + mutation AcceptInvitation($id: ID!) { + acceptInvitation(id: $id) { + id + } + } +`; diff --git a/js/src/graphql/report.ts b/js/src/graphql/report.ts index 3e4f4f96a..807b17c2a 100644 --- a/js/src/graphql/report.ts +++ b/js/src/graphql/report.ts @@ -1,186 +1,185 @@ -import gql from 'graphql-tag'; +import gql from "graphql-tag"; export const REPORTS = gql` - query Reports($status: ReportStatus) { - reports(status: $status) { - id, - reported { - id, - preferredUsername, - domain, - name, - avatar { - url - } - }, - reporter { - id, - preferredUsername, - name, - avatar { - url - }, - domain, - type - }, - event { - id, - uuid, - title, - picture { - id, - url - } - }, - status, - content + query Reports($status: ReportStatus) { + reports(status: $status) { + id + reported { + id + preferredUsername + domain + name + avatar { + url } + } + reporter { + id + preferredUsername + name + avatar { + url + } + domain + type + } + event { + id + uuid + title + picture { + id + url + } + } + status + content } + } `; const REPORT_FRAGMENT = gql` - fragment ReportFragment on Report { - id, - reported { - id, - preferredUsername, - name, - avatar { - url - }, - domain - }, - reporter { - id, - preferredUsername, - name, - avatar { - url - }, - domain, - type - }, - event { - id, - uuid, - title, - description, - picture { - id, - url - } - }, - comments { - id, - text, - actor { - id, - preferredUsername, - domain, - name, - avatar { - url - } - } - } - notes { - id, - content - moderator { - id, - preferredUsername, - name, - avatar { - url - } - }, - insertedAt - }, - insertedAt, - updatedAt, - status, - content + fragment ReportFragment on Report { + id + reported { + id + preferredUsername + name + avatar { + url + } + domain } + reporter { + id + preferredUsername + name + avatar { + url + } + domain + type + } + event { + id + uuid + title + description + picture { + id + url + } + } + comments { + id + text + actor { + id + preferredUsername + domain + name + avatar { + url + } + } + } + notes { + id + content + moderator { + id + preferredUsername + name + avatar { + url + } + } + insertedAt + } + insertedAt + updatedAt + status + content + } `; export const REPORT = gql` - query Report($id: ID!) { - report(id: $id) { - ...ReportFragment - } + query Report($id: ID!) { + report(id: $id) { + ...ReportFragment } - ${REPORT_FRAGMENT} + } + ${REPORT_FRAGMENT} `; export const CREATE_REPORT = gql` - mutation CreateReport( - $eventId: ID!, - $reporterId: ID!, - $reportedId: ID!, - $content: String, - $commentsIds: [ID], - $forward: Boolean + mutation CreateReport( + $eventId: ID! + $reporterId: ID! + $reportedId: ID! + $content: String + $commentsIds: [ID] + $forward: Boolean + ) { + createReport( + eventId: $eventId + reporterId: $reporterId + reportedId: $reportedId + content: $content + commentsIds: $commentsIds + forward: $forward ) { - createReport(eventId: $eventId, reporterId: $reporterId, reportedId: $reportedId, content: $content, commentsIds: $commentsIds, forward: $forward) { - id - } + id } - `; + } +`; export const UPDATE_REPORT = gql` - mutation UpdateReport( - $reportId: ID!, - $moderatorId: ID!, - $status: ReportStatus! - ) { - updateReportStatus(reportId: $reportId, moderatorId: $moderatorId, status: $status) { - ...ReportFragment - } + mutation UpdateReport($reportId: ID!, $moderatorId: ID!, $status: ReportStatus!) { + updateReportStatus(reportId: $reportId, moderatorId: $moderatorId, status: $status) { + ...ReportFragment } - ${REPORT_FRAGMENT} + } + ${REPORT_FRAGMENT} `; export const CREATE_REPORT_NOTE = gql` - mutation CreateReportNote( - $reportId: ID!, - $moderatorId: ID!, - $content: String! - ) { - createReportNote(reportId: $reportId, moderatorId: $moderatorId, content: $content) { - id, - content, - insertedAt - } + mutation CreateReportNote($reportId: ID!, $moderatorId: ID!, $content: String!) { + createReportNote(reportId: $reportId, moderatorId: $moderatorId, content: $content) { + id + content + insertedAt } - `; + } +`; export const LOGS = gql` - query { - actionLogs { - id, - action, - actor { - id, - preferredUsername - avatar { - url - } - }, - object { - ...on Report { - id - }, - ... on ReportNote { - report { - id, - } - } - ... on Event { - id, - title - } - }, - insertedAt + query { + actionLogs { + id + action + actor { + id + preferredUsername + avatar { + url } + } + object { + ... on Report { + id + } + ... on ReportNote { + report { + id + } + } + ... on Event { + id + title + } + } + insertedAt } - `; + } +`; diff --git a/js/src/graphql/resources.ts b/js/src/graphql/resources.ts new file mode 100644 index 000000000..65ea76422 --- /dev/null +++ b/js/src/graphql/resources.ts @@ -0,0 +1,142 @@ +import gql from "graphql-tag"; + +export const RESOURCE_METADATA_BASIC_FIELDS_FRAGMENT = gql` + fragment ResourceMetadataBasicFields on ResourceMetadata { + imageRemoteUrl + height + width + type + faviconUrl + } +`; + +export const GET_RESOURCE = gql` + query GetResource($path: String!, $username: String!) { + resource(path: $path, username: $username) { + id + title + summary + url + path + metadata { + ...ResourceMetadataBasicFields + authorName + authorUrl + providerName + providerUrl + html + } + parent { + id + } + actor { + id + preferredUsername + domain + } + children { + total + elements { + id + title + summary + url + type + path + resourceUrl + metadata { + ...ResourceMetadataBasicFields + } + } + } + } + } + ${RESOURCE_METADATA_BASIC_FIELDS_FRAGMENT} +`; + +export const CREATE_RESOURCE = gql` + mutation CreateResource( + $title: String! + $parentId: ID + $summary: String + $actorId: ID! + $resourceUrl: String + $type: String + ) { + createResource( + title: $title + parentId: $parentId + summary: $summary + actorId: $actorId + resourceUrl: $resourceUrl + type: $type + ) { + id + title + summary + url + resourceUrl + updatedAt + path + type + metadata { + ...ResourceMetadataBasicFields + authorName + authorUrl + providerName + providerUrl + html + } + } + } + ${RESOURCE_METADATA_BASIC_FIELDS_FRAGMENT} +`; + +export const UPDATE_RESOURCE = gql` + mutation UpdateResource( + $id: ID! + $title: String + $summary: String + $parentId: ID + $resourceUrl: String + ) { + updateResource( + id: $id + title: $title + parentId: $parentId + summary: $summary + resourceUrl: $resourceUrl + ) { + id + title + summary + url + path + resourceUrl + } + } +`; + +export const DELETE_RESOURCE = gql` + mutation DeleteResource($id: ID!) { + deleteResource(id: $id) { + id + } + } +`; + +export const PREVIEW_RESOURCE_LINK = gql` + mutation PreviewResourceLink($resourceUrl: String!) { + previewResourceLink(resourceUrl: $resourceUrl) { + title + description + ...ResourceMetadataBasicFields + authorName + authorUrl + providerName + providerUrl + html + } + } + ${RESOURCE_METADATA_BASIC_FIELDS_FRAGMENT} +`; diff --git a/js/src/graphql/search.ts b/js/src/graphql/search.ts index 56d53d50f..c6ea164e1 100644 --- a/js/src/graphql/search.ts +++ b/js/src/graphql/search.ts @@ -1,55 +1,55 @@ -import gql from 'graphql-tag'; +import gql from "graphql-tag"; export const SEARCH_EVENTS = gql` -query SearchEvents($searchText: String!) { - searchEvents(search: $searchText) { - total, - elements { - title, - uuid, - beginsOn, - picture { - url, - }, - tags { - slug, - title - }, - __typename - } - } -} -`; - -export const SEARCH_GROUPS = gql` -query SearchGroups($searchText: String!) { - searchGroups(search: $searchText) { - total, - elements { - avatar { - url - }, - domain, - preferredUsername, - name, - __typename - } - } -} -`; - -export const SEARCH_PERSONS = gql` - query SearchPersons($searchText: String!) { - searchPersons(search: $searchText) { - total, + query SearchEvents($searchText: String!) { + searchEvents(search: $searchText) { + total elements { - id, - avatar { + title + uuid + beginsOn + picture { url - }, - domain, - preferredUsername, - name, + } + tags { + slug + title + } + __typename + } + } + } +`; + +export const SEARCH_GROUPS = gql` + query SearchGroups($searchText: String!) { + searchGroups(search: $searchText) { + total + elements { + avatar { + url + } + domain + preferredUsername + name + __typename + } + } + } +`; + +export const SEARCH_PERSONS = gql` + query SearchPersons($searchText: String!, $page: Int, $limit: Int) { + searchPersons(search: $searchText, page: $page, limit: $limit) { + total + elements { + id + avatar { + url + } + domain + preferredUsername + name __typename } } diff --git a/js/src/graphql/tags.ts b/js/src/graphql/tags.ts index 86da14f34..53c4deae7 100644 --- a/js/src/graphql/tags.ts +++ b/js/src/graphql/tags.ts @@ -1,16 +1,17 @@ -import gql from 'graphql-tag'; +import gql from "graphql-tag"; +/* eslint-disable import/prefer-default-export */ export const TAGS = gql` -query { - tags { - id, - related { - id, - slug, + query { + tags { + id + related { + id + slug title + } + slug + title } - slug, - title } -} `; diff --git a/js/src/graphql/todos.ts b/js/src/graphql/todos.ts new file mode 100644 index 000000000..2c8c879df --- /dev/null +++ b/js/src/graphql/todos.ts @@ -0,0 +1,130 @@ +import gql from "graphql-tag"; + +export const GET_TODO = gql` + query GetTodo($id: ID!) { + todo(id: $id) { + id + title + status + dueDate + todoList { + actor { + id + preferredUsername + } + title + id + } + assignedTo { + id + preferredUsername + domain + name + avatar { + url + } + } + } + } +`; + +export const FETCH_TODO_LIST = gql` + query FetchTodoList($id: ID!) { + todoList(id: $id) { + id + title + todos { + total + elements { + id + title + status + assignedTo { + id + preferredUsername + domain + } + dueDate + } + } + actor { + id + preferredUsername + domain + } + } + } +`; + +export const CREATE_TODO_LIST = gql` + mutation CreateTodoList($title: String!, $groupId: ID!) { + createTodoList(title: $title, groupId: $groupId) { + id + title + todos { + total + elements { + id + } + } + } + } +`; + +export const CREATE_TODO = gql` + mutation createTodo( + $title: String! + $todoListId: ID! + $status: Boolean + $assignedToId: ID + $dueDate: DateTime + ) { + createTodo( + title: $title + todoListId: $todoListId + status: $status + assignedToId: $assignedToId + dueDate: $dueDate + ) { + id + title + status + assignedTo { + id + } + creator { + id + } + dueDate + } + } +`; + +export const UPDATE_TODO = gql` + mutation updateTodo( + $id: ID! + $title: String + $status: Boolean + $assignedToId: ID + $dueDate: DateTime + ) { + updateTodo( + id: $id + title: $title + status: $status + assignedToId: $assignedToId + dueDate: $dueDate + ) { + id + title + status + assignedTo { + id + } + creator { + id + } + dueDate + } + } +`; diff --git a/js/src/graphql/upload.ts b/js/src/graphql/upload.ts index 05fda76f8..9b7dd8a66 100644 --- a/js/src/graphql/upload.ts +++ b/js/src/graphql/upload.ts @@ -1,10 +1,11 @@ -import gql from 'graphql-tag'; +import gql from "graphql-tag"; +/* eslint-disable import/prefer-default-export */ export const UPLOAD_PICTURE = gql` - mutation UploadPicture($file: Upload!, $alt: String, $name: String!, $actorId: ID!){ - uploadPicture(file: $file, alt: $alt, name: $name, actorId: $actorId) { - url, - id - } + mutation UploadPicture($file: Upload!, $alt: String, $name: String!, $actorId: ID!) { + uploadPicture(file: $file, alt: $alt, name: $name, actorId: $actorId) { + url + id } + } `; diff --git a/js/src/graphql/user.ts b/js/src/graphql/user.ts index 345a19a31..00f7fd5cb 100644 --- a/js/src/graphql/user.ts +++ b/js/src/graphql/user.ts @@ -1,39 +1,39 @@ -import gql from 'graphql-tag'; +import gql from "graphql-tag"; export const CREATE_USER = gql` -mutation CreateUser($email: String!, $password: String!, $locale: String) { - createUser(email: $email, password: $password, locale: $locale) { - email, - confirmationSentAt + mutation CreateUser($email: String!, $password: String!, $locale: String) { + createUser(email: $email, password: $password, locale: $locale) { + email + confirmationSentAt + } } -} `; export const VALIDATE_USER = gql` -mutation ValidateUser($token: String!) { - validateUser(token: $token) { - accessToken, - refreshToken, - user { - id, - email, - defaultActor { - id, - preferredUsername, - name, - avatar { + mutation ValidateUser($token: String!) { + validateUser(token: $token) { + accessToken + refreshToken + user { + id + email + defaultActor { + id + preferredUsername + name + avatar { url + } } } } } -} `; export const LOGGED_USER = gql` query { loggedUser { - id, + id email } } @@ -57,9 +57,7 @@ export const CHANGE_EMAIL = gql` export const VALIDATE_EMAIL = gql` mutation ValidateEmail($token: String!) { - validateEmail( - token: $token - ) { + validateEmail(token: $token) { id } } @@ -67,25 +65,69 @@ export const VALIDATE_EMAIL = gql` export const DELETE_ACCOUNT = gql` mutation DeleteAccount($password: String!) { - deleteAccount (password: $password) { + deleteAccount(password: $password) { id } } `; export const CURRENT_USER_CLIENT = gql` -query { - currentUser @client { - id, - email, - isLoggedIn, - role + query { + currentUser @client { + id + email + isLoggedIn + role + } } -} `; export const UPDATE_CURRENT_USER_CLIENT = gql` -mutation UpdateCurrentUser($id: String!, $email: String!, $isLoggedIn: Boolean!, $role: UserRole!) { - updateCurrentUser(id: $id, email: $email, isLoggedIn: $isLoggedIn, role: $role) @client -} + mutation UpdateCurrentUser( + $id: String! + $email: String! + $isLoggedIn: Boolean! + $role: UserRole! + ) { + updateCurrentUser(id: $id, email: $email, isLoggedIn: $isLoggedIn, role: $role) @client + } +`; + +export const USER_SETTINGS_FRAGMENT = gql` + fragment UserSettingFragment on UserSettings { + timezone + notificationOnDay + notificationEachWeek + notificationBeforeEvent + } +`; + +export const USER_SETTINGS = gql` + query UserSetting { + loggedUser { + settings { + ...UserSettingFragment + } + } + } + ${USER_SETTINGS_FRAGMENT} +`; + +export const SET_USER_SETTINGS = gql` + mutation SetUserSettings( + $timezone: String + $notificationOnDay: Boolean + $notificationEachWeek: Boolean + $notificationBeforeEvent: Boolean + ) { + setUserSettings( + timezone: $timezone + notificationOnDay: $notificationOnDay + notificationEachWeek: $notificationEachWeek + notificationBeforeEvent: $notificationBeforeEvent + ) { + ...UserSettingFragment + } + } + ${USER_SETTINGS_FRAGMENT} `; diff --git a/js/src/i18n/ar.json b/js/src/i18n/ar.json index 7355f0f7c..46cf9e810 100644 --- a/js/src/i18n/ar.json +++ b/js/src/i18n/ar.json @@ -1,270 +1,270 @@ { - "A validation email was sent to {email}": "لقد تم إرسال رسالة إلكترونية للتأكيد إلى {email}", - "Abandon edition": "إلغاء التحرير", - "About": "عن", - "About Mobilizon": "عن Mobilizon", - "About this event": "عن هذه الفعالية", - "About this instance": "عن مثيل الخادم هذا", - "Accepted": "تم قبوله", - "Account settings": "إعدادات الحساب", - "Add": "إضافة", - "Add a note": "إضافة ملاحظة", - "Add an address": "إضافة عنوان", - "Add an instance": "إضافة مثيل خادم", - "Add some tags": "أضف بعض الوسوم", - "Additional comments": "تعليقات إضافية", - "Admin settings": "إعدادات المدير", - "Admin settings successfully saved.": "تم حفظ إعدادات المدير بنجاح.", - "Administration": "الإدارة", - "Allow all comments": "السماح بكافة التعليقات", - "Allow registrations": "السماح بإنشاء حسابات", - "An error has occurred.": "حدث هناك خطأ.", - "Anonymous participations": "المشاركات المجهولة", - "Approve": "قبول", - "Are you sure you want to cancel your participation at event \"{title}\"?": "هل أنت متأكد مِن أنك تريد الغاء مشاركتك في فعالية \"{title}\"؟", - "Avatar": "الصورة الرمزية", - "By @{username}": "حسب @{username}", - "Cancel": "الغاء", - "Cancel creation": "إلغاء الإنشاء", - "Cancel edition": "إلغاء التحرير", - "Cancel my participation request…": "إلغاء طلب مشارَكتي…", - "Cancel my participation…": "إلغاء مشارَكتي…", - "Cancelled: Won't happen": "تم إلغاؤها : لن تُجرى", - "Category": "الفئة", - "Change": "تعديل", - "Change my identity…": "تغيير هويتي…", - "Change my password": "تغيير كلمتي السرية", - "Change password": "تعديل الكلمة السرية", - "Clear": "امسح", - "Click to select": "اضغط للإختيار", - "Click to upload": "اضغط للتحميل", - "Comment deleted": "تم حذف التعليق", - "Comments": "التعليقات", - "Comments have been closed.": "تم إغلاق التعليقات.", - "Confirm my particpation": "تأكيد مشاركتي", - "Confirmed: Will happen": "مؤكّدة : سيتمّ إجراؤها", - "Continue editing": "مواصلة التحرير", - "Country": "البلد", - "Create": "انشاء", - "Create a new event": "انشاء فعالية جديدة", - "Create a new group": "إنشاء فريق جديد", - "Create a new identity": "إنشاء هوية جديدة", - "Create and manage several identities from the same account": "انشاء وإدارة هويات متعددة بحساب واحد", - "Create group": "إنشاء فريق", - "Create my event": "انشئ فعاليتي", - "Create my group": "انشئ فريقي", - "Create my profile": "انشئ ملفي التعريفي", - "Create, edit or delete events": "انشاء وتعديل وحدف الفعاليات", - "Creator": "المُنشئ", - "Dashboard": "لوح التحكم", - "Date": "التاريخ", - "Date and time settings": "إعدادات التاريخ والوقت", - "Date parameters": "إعدادات التاريخ", - "Delete": "حذف", - "Delete Comment": "احذف التعليق", - "Delete Event": "حذف الفعالية", - "Delete event": "حذف الفعالية", - "Delete this identity": "حذف هذه الهوية", - "Delete your identity": "احذف هويتك", - "Delete {eventTitle}": "احذف {eventTitle}", - "Delete {preferredUsername}": "حذف {preferredUsername}", - "Deleting comment": "جارٍ حذف التعليق", - "Deleting event": "حذف الفعالية", - "Description": "الوصف", - "Didn't receive the instructions ?": "لم تتلقّ التعليمات؟", - "Display name": "الإسم المعروض", - "Display participation price": "عرض سعر المشارَكة", - "Domain": "النطاق", - "Draft": "مسودة", - "Drafts": "المسودات", - "Edit": "تحرير", - "Eg: Stockholm, Dance, Chess…": "مثال: تونس ، رقص ، شطرنج…", - "Email": "البريد الإلكتروني", - "Ends on…": "ينتهي في…", - "Enjoy discovering Mobilizon!": "تمتّعوا عبر استكشاف Mobilizon!", - "Enter the link URL": "ادخل عنوان الرابط", - "Error while communicating with the server.": "خطأ عند الإتصال بالخادم.", - "Error while validating account": "خطأ أثناء تأكيد الحساب", - "Event": "فعالية", - "Event cancelled": "أُلغِيَت الفعالية", - "Event creation": "إنشاء الفعاليات", - "Event edition": "تعديل الفعاليات", - "Event list": "قائمة الفعاليات", - "Event not found.": "لم يتم العثور على الفعالية.", - "Event page settings": "خيارات صفحة الفعالية", - "Event to be confirmed": "في انتظار تأكيد الفعالية", - "Events": "الفعاليات", - "Ex: test.mobilizon.org": "مثال : test.mobilizon.org", - "Exclude": "إقصاء", - "Explore": "استكشاف", - "Featured events": "الفعاليات على الأولى", - "Features": "الميزات", - "Find an address": "البحث عن عنوان", - "Find an instance": "البحث عن مثيل خادم", - "Followers": "المتابِعون", - "Followings": "المتابَعون", - "For instance: London, Taekwondo, Architecture…": "مثال : لندن، تايكواندو، معمار…", - "Forgot your password ?": "هل نسيت كلمتك السرية؟", - "From the {startDate} at {startTime} to the {endDate}": "بداية مِن {startDate} at {startTime} إلى غاية {endDate}", - "From the {startDate} at {startTime} to the {endDate} at {endTime}": "مِن {startDate} على {startTime} إلى غاية {endDate} على {endTime}", - "From the {startDate} to the {endDate}": "بداية مِن {startDate} إلى غاية {endDate}", - "Gather ⋅ Organize ⋅ Mobilize": "إلتقاء ⋅ تنظيم ⋅ حشد", - "General information": "معلومات عامة", - "Getting location": "جارٍ الحصول على الموقع", - "Going as {name}": "كـ {name}", - "Group List": "قائمة الفِرَق", - "Group full name": "الإسم الكامل للفريق", - "Group name": "اسم الفريق", - "Group {displayName} created": "تم إنشاء الفريق {displayName}", - "Groups": "الفِرَق", - "Headline picture": "الصورة على الصفحة الأولى", - "Hide replies": "اخفاء الردود", - "I create an identity": "أنشيء هوية", - "I participate": "أشارِك", - "I want to approve every participation request": "أريد أن أوافق على كل طلب مشاركة", - "Identity {displayName} created": "تم إنشاء الهوية {displayName}", - "Identity {displayName} deleted": "تم حذف هذه الهوية {displayName}", - "Identity {displayName} updated": "تم تحديث الهوية {displayName}", - "Instances": "مثيلات الخوادم", - "Last published event": "آخِر فعالية تم نشرها", - "Last week": "الأسبوع الماضي", - "Learn more": "معرفة المزيد", - "Learn more about Mobilizon": "معرفة المزيد عن Mobilizon", - "Leave event": "إلغاء مشاركتي في الفعالية", - "Leaving event \"{title}\"": "إلغاء مشاركتي في الفعالية \"{title}\"", - "License": "الرخصة", - "Limited number of places": "عدد الأماكن محدود", - "Load more": "تحميل المزيد", - "Locality": "البلدية", - "Log in": "لِج", - "Log out": "الخروج", - "Login": "لِج", - "Login on Mobilizon!": "الولوج إلى Mobilizon!", - "Manage participations": "إدارة المشارَكات", - "Members": "الأعضاء", - "Mobilizon’s licence": "رخصة Mobilizon", - "My account": "حسابي", - "My events": "فعالياتي", - "My identities": "هوياتي", - "Name": "الإسم", - "New note": "ملاحظة جديدة", - "New password": "الكلمة السرية الجديدة", - "No address defined": "لم يتم تحديد أي عنوان", - "No comment": "ليس هناك تعليقات", - "No comments yet": "ليس هناك أية تعليقات بعدُ", - "No end date": "مِن دون تاريخ نهاية", - "No events found": "لم يتم العثور على أية فعالية", - "No group found": "لم يتم العثور على أي فريق", - "No groups found": "لم يتم العثور على أي فريق", - "No results for \"{queryText}\"": "ليس هناك أية نتيجة لِـ \"{queryText}\"", - "Notes": "الملاحظات", - "Number of places": "عدد الأماكن", - "OK": "حسنًا", - "Old password": "الكلمة السرية القديمة", - "On {date}": "يوم {date}", - "On {date} ending at {endTime}": "يوم {date} يتنهي على {endTime}", - "On {date} from {startTime} to {endTime}": "يوم {date} مِن {startTime} إلى غاية {endTime}", - "One person is going": "No one is going | One person is going | {approved} persons are going", - "Open": "مفتوح", - "Organized by {name}": "يُنظّمُها {name}", - "Organizer": "المُنظِّم", - "Page not found": "الصفحة غير موجودة", - "Participants": "المُشارِكون", - "Participate": "شارِك", - "Participation approval": "تأكيد المشاركات", - "Password": "الكلمة السرية", - "Password (confirmation)": "الكلمة السرية (تأكيد)", - "Password change": "تغيير الكلمة السرية", - "Password reset": "تصفير الكلمة السرية", - "Past events": "الفعاليات المُنصرمة", - "Pick an identity": "اختر هوية", - "Please read the full rules": "يُرجى قراءة كافة القواعد", - "Please refresh the page and retry.": "يرجى انعاش الصفحة ثم أعد المحاولة.", - "Post a comment": "إضافة تعليق", - "Post a reply": "إضافة ردّ", - "Postal Code": "الرمز البريدي", - "Private event": "فعالية خاصة", - "Public comment moderation": "الإشراف على التعليقات العمومية", - "Public event": "فعالية للعامة", - "Publish": "انشرها", - "Published events": "الفعاليات المنشورة", - "Region": "المنطقة", - "Register": "إنشاء حساب", - "Register an account on Mobilizon!": "إنشاء حساب على Mobilizon!", - "Registration is currently closed.": "التسجيلات مُغلقة حاليا.", - "Reject": "رفض", - "Rejected participations": "المشاركات المرفوضة", - "Reply": "رد", - "Report": "أبلغ", - "Report this comment": "الإبلاغ عن هذا التعليق", - "Report this event": "الإبلاغ عن هذه الفعالية", - "Reported": "م الإبلاغ عنه", - "Reported by": "أبلغ عنه", - "Reports": "التقارير", - "Requests": "الطلبات", - "Resend confirmation email": "إعادة ارسال بريد التأكيد", - "Reset my password": "صفّر كلمتي السرية", - "Save": "حفظ", - "Save draft": "حفظ المسودة", - "Search": "البحث", - "Search events, groups, etc.": "البحث عن فعاليات أو فِرق إلخ.", - "Search results: \"{search}\"": "نتائج البحث: \"{search}\"", - "Searching…": "البحث جارٍ…", - "Send the report": "ارسال التقرير", - "Share this event": "شارك الفعالية", - "Show map": "اعرض الخريطة", - "Show remaining number of places": "عرض الأماكن المتبقيّة", - "Sign up": "التسجيل", - "Software to the people": "برمجيات للناس", - "Street": "شارع", - "The draft event has been updated": "تم تحديث مسودّة الفعالية", - "The event has been created as a draft": "تم إنشاء الفعالية كمسودّة", - "The event has been published": "تم نشر الفعالية", - "The event has been updated": "تم تحديث الفعالية", - "The event has been updated and published": "تم تحديث الفعالية ونشرها", - "The page you're looking for doesn't exist.": "الصفحة التي تبحث عنها غير موجودة.", - "The password was successfully changed": "تم تعديل الكلمة السرية بنجاح", - "These events may interest you": "قد تهُمّك هذه الفعاليات", - "This is a demonstration site to test the beta version of Mobilizon.": "هذا موقع تجريبي للنسخة التجريبية لـ Mobilizon.", - "Title": "العنوان", - "To change the world, change the software": "غيّر العالَم بتغيير البرنامج", - "Type": "النوع", - "Unfortunately, this instance isn't opened to registrations": "لسوء الحظ ، التسجيلات مُغلَقة على مثيل الخادم هذا", - "Unknown": "مجهول", - "Unknown error.": "خطأ مجهول.", - "Unsaved changes": "التغييرات غير مُحتَفَظ بها", - "Upcoming": "قادمة", - "Update event {name}": "تحديث الفعالية {name}", - "Update my event": "تعديل فعاليتي", - "Updated": "تم تحديثه", - "Username": "إسم المستخدم", - "Users": "المستخدِمون", - "View event page": "عرض صفحة الفعالية", - "View everything": "عرض الكل", - "Waiting list": "قائمة الإنتظار", - "Warning": "تنبيه", - "Website / URL": "موقع الويب / الرابط", - "Welcome back {username}!": "أهلا بك ثانيةً {username}!", - "Welcome back!": "أهلًا بك ثانيةً!", - "Welcome on your administration panel": "أهلا على لوحك الإداري", - "Welcome to Mobilizon, {username}!": "مرحبًا بك إلى موبيليزون ، {username}!", - "Who can view this event and participate": "من يمكنه رؤية هذه الفعالية والمشاركة فيها", - "World map": "خريطة العالَم", - "Write something…": "اكتب شيئا ما…", - "You can't remove your last identity.": "ليس بإمكانك حذف آخِر هوية لك.", - "You don't follow any instances yet.": "في الوقت الحالي أنت لا تُتابِع أي مثيل خادم.", - "You have cancelled your participation": "لقد ألغيتَ مشاركتك", - "You need to login.": "يجب عليك الولوج.", - "Your account has been validated": "لقد تم تأكيد حسابك", - "Your account is being validated": "جارٍ تأكيد حسابك", - "[This comment has been deleted]": "[لقد حُذِف هذا التعليق]", - "as {identity}": "كـ {identity}", - "e.g. 10 Rue Jangot": "مثال : 10 شارع جانغو", - "its source code is public": "الشفرة المصدرية متاحة للجميع", - "on our blog": "على مدوّنتنا", - "resend confirmation email": "إعادة إرسال بريد التأكيد", - "respect of the fundamental freedoms": "احترام الحريات الأساسية", - "with another identity…": "بهوية أخرى…", - "{approved} / {total} seats": "{approved} / {total} أماكن", - "© The OpenStreetMap Contributors": "© مساهمو ومساهمات OpenStreetMap" + "A validation email was sent to {email}": "لقد تم إرسال رسالة إلكترونية للتأكيد إلى {email}", + "Abandon edition": "إلغاء التحرير", + "About": "عن", + "About Mobilizon": "عن Mobilizon", + "About this event": "عن هذه الفعالية", + "About this instance": "عن مثيل الخادم هذا", + "Accepted": "تم قبوله", + "Account settings": "إعدادات الحساب", + "Add": "إضافة", + "Add a note": "إضافة ملاحظة", + "Add an address": "إضافة عنوان", + "Add an instance": "إضافة مثيل خادم", + "Add some tags": "أضف بعض الوسوم", + "Additional comments": "تعليقات إضافية", + "Admin settings": "إعدادات المدير", + "Admin settings successfully saved.": "تم حفظ إعدادات المدير بنجاح.", + "Administration": "الإدارة", + "Allow all comments": "السماح بكافة التعليقات", + "Allow registrations": "السماح بإنشاء حسابات", + "An error has occurred.": "حدث هناك خطأ.", + "Anonymous participations": "المشاركات المجهولة", + "Approve": "قبول", + "Are you sure you want to cancel your participation at event \"{title}\"?": "هل أنت متأكد مِن أنك تريد الغاء مشاركتك في فعالية \"{title}\"؟", + "Avatar": "الصورة الرمزية", + "By @{username}": "حسب @{username}", + "Cancel": "الغاء", + "Cancel creation": "إلغاء الإنشاء", + "Cancel edition": "إلغاء التحرير", + "Cancel my participation request…": "إلغاء طلب مشارَكتي…", + "Cancel my participation…": "إلغاء مشارَكتي…", + "Cancelled: Won't happen": "تم إلغاؤها : لن تُجرى", + "Category": "الفئة", + "Change": "تعديل", + "Change my identity…": "تغيير هويتي…", + "Change my password": "تغيير كلمتي السرية", + "Change password": "تعديل الكلمة السرية", + "Clear": "امسح", + "Click to select": "اضغط للإختيار", + "Click to upload": "اضغط للتحميل", + "Comment deleted": "تم حذف التعليق", + "Comments": "التعليقات", + "Comments have been closed.": "تم إغلاق التعليقات.", + "Confirm my particpation": "تأكيد مشاركتي", + "Confirmed: Will happen": "مؤكّدة : سيتمّ إجراؤها", + "Continue editing": "مواصلة التحرير", + "Country": "البلد", + "Create": "انشاء", + "Create a new event": "انشاء فعالية جديدة", + "Create a new group": "إنشاء فريق جديد", + "Create a new identity": "إنشاء هوية جديدة", + "Create and manage several identities from the same account": "انشاء وإدارة هويات متعددة بحساب واحد", + "Create group": "إنشاء فريق", + "Create my event": "انشئ فعاليتي", + "Create my group": "انشئ فريقي", + "Create my profile": "انشئ ملفي التعريفي", + "Create, edit or delete events": "انشاء وتعديل وحدف الفعاليات", + "Creator": "المُنشئ", + "Dashboard": "لوح التحكم", + "Date": "التاريخ", + "Date and time settings": "إعدادات التاريخ والوقت", + "Date parameters": "إعدادات التاريخ", + "Delete": "حذف", + "Delete Comment": "احذف التعليق", + "Delete Event": "حذف الفعالية", + "Delete event": "حذف الفعالية", + "Delete this identity": "حذف هذه الهوية", + "Delete your identity": "احذف هويتك", + "Delete {eventTitle}": "احذف {eventTitle}", + "Delete {preferredUsername}": "حذف {preferredUsername}", + "Deleting comment": "جارٍ حذف التعليق", + "Deleting event": "حذف الفعالية", + "Description": "الوصف", + "Didn't receive the instructions ?": "لم تتلقّ التعليمات؟", + "Display name": "الإسم المعروض", + "Display participation price": "عرض سعر المشارَكة", + "Domain": "النطاق", + "Draft": "مسودة", + "Drafts": "المسودات", + "Edit": "تحرير", + "Eg: Stockholm, Dance, Chess…": "مثال: تونس ، رقص ، شطرنج…", + "Email": "البريد الإلكتروني", + "Ends on…": "ينتهي في…", + "Enjoy discovering Mobilizon!": "تمتّعوا عبر استكشاف Mobilizon!", + "Enter the link URL": "ادخل عنوان الرابط", + "Error while communicating with the server.": "خطأ عند الإتصال بالخادم.", + "Error while validating account": "خطأ أثناء تأكيد الحساب", + "Event": "فعالية", + "Event cancelled": "أُلغِيَت الفعالية", + "Event creation": "إنشاء الفعاليات", + "Event edition": "تعديل الفعاليات", + "Event list": "قائمة الفعاليات", + "Event not found.": "لم يتم العثور على الفعالية.", + "Event page settings": "خيارات صفحة الفعالية", + "Event to be confirmed": "في انتظار تأكيد الفعالية", + "Events": "الفعاليات", + "Ex: test.mobilizon.org": "مثال : test.mobilizon.org", + "Exclude": "إقصاء", + "Explore": "استكشاف", + "Featured events": "الفعاليات على الأولى", + "Features": "الميزات", + "Find an address": "البحث عن عنوان", + "Find an instance": "البحث عن مثيل خادم", + "Followers": "المتابِعون", + "Followings": "المتابَعون", + "For instance: London, Taekwondo, Architecture…": "مثال : لندن، تايكواندو، معمار…", + "Forgot your password ?": "هل نسيت كلمتك السرية؟", + "From the {startDate} at {startTime} to the {endDate}": "بداية مِن {startDate} at {startTime} إلى غاية {endDate}", + "From the {startDate} at {startTime} to the {endDate} at {endTime}": "مِن {startDate} على {startTime} إلى غاية {endDate} على {endTime}", + "From the {startDate} to the {endDate}": "بداية مِن {startDate} إلى غاية {endDate}", + "Gather ⋅ Organize ⋅ Mobilize": "إلتقاء ⋅ تنظيم ⋅ حشد", + "General information": "معلومات عامة", + "Getting location": "جارٍ الحصول على الموقع", + "Going as {name}": "كـ {name}", + "Group List": "قائمة الفِرَق", + "Group full name": "الإسم الكامل للفريق", + "Group name": "اسم الفريق", + "Group {displayName} created": "تم إنشاء الفريق {displayName}", + "Groups": "الفِرَق", + "Headline picture": "الصورة على الصفحة الأولى", + "Hide replies": "اخفاء الردود", + "I create an identity": "أنشيء هوية", + "I participate": "أشارِك", + "I want to approve every participation request": "أريد أن أوافق على كل طلب مشاركة", + "Identity {displayName} created": "تم إنشاء الهوية {displayName}", + "Identity {displayName} deleted": "تم حذف هذه الهوية {displayName}", + "Identity {displayName} updated": "تم تحديث الهوية {displayName}", + "Instances": "مثيلات الخوادم", + "Last published event": "آخِر فعالية تم نشرها", + "Last week": "الأسبوع الماضي", + "Learn more": "معرفة المزيد", + "Learn more about Mobilizon": "معرفة المزيد عن Mobilizon", + "Leave event": "إلغاء مشاركتي في الفعالية", + "Leaving event \"{title}\"": "إلغاء مشاركتي في الفعالية \"{title}\"", + "License": "الرخصة", + "Limited number of places": "عدد الأماكن محدود", + "Load more": "تحميل المزيد", + "Locality": "البلدية", + "Log in": "لِج", + "Log out": "الخروج", + "Login": "لِج", + "Login on Mobilizon!": "الولوج إلى Mobilizon!", + "Manage participations": "إدارة المشارَكات", + "Members": "الأعضاء", + "Mobilizon’s licence": "رخصة Mobilizon", + "My account": "حسابي", + "My events": "فعالياتي", + "My identities": "هوياتي", + "Name": "الإسم", + "New note": "ملاحظة جديدة", + "New password": "الكلمة السرية الجديدة", + "No address defined": "لم يتم تحديد أي عنوان", + "No comment": "ليس هناك تعليقات", + "No comments yet": "ليس هناك أية تعليقات بعدُ", + "No end date": "مِن دون تاريخ نهاية", + "No events found": "لم يتم العثور على أية فعالية", + "No group found": "لم يتم العثور على أي فريق", + "No groups found": "لم يتم العثور على أي فريق", + "No results for \"{queryText}\"": "ليس هناك أية نتيجة لِـ \"{queryText}\"", + "Notes": "الملاحظات", + "Number of places": "عدد الأماكن", + "OK": "حسنًا", + "Old password": "الكلمة السرية القديمة", + "On {date}": "يوم {date}", + "On {date} ending at {endTime}": "يوم {date} يتنهي على {endTime}", + "On {date} from {startTime} to {endTime}": "يوم {date} مِن {startTime} إلى غاية {endTime}", + "One person is going": "No one is going | One person is going | {approved} persons are going", + "Open": "مفتوح", + "Organized by {name}": "يُنظّمُها {name}", + "Organizer": "المُنظِّم", + "Page not found": "الصفحة غير موجودة", + "Participants": "المُشارِكون", + "Participate": "شارِك", + "Participation approval": "تأكيد المشاركات", + "Password": "الكلمة السرية", + "Password (confirmation)": "الكلمة السرية (تأكيد)", + "Password change": "تغيير الكلمة السرية", + "Password reset": "تصفير الكلمة السرية", + "Past events": "الفعاليات المُنصرمة", + "Pick an identity": "اختر هوية", + "Please read the full rules": "يُرجى قراءة كافة القواعد", + "Please refresh the page and retry.": "يرجى انعاش الصفحة ثم أعد المحاولة.", + "Post a comment": "إضافة تعليق", + "Post a reply": "إضافة ردّ", + "Postal Code": "الرمز البريدي", + "Private event": "فعالية خاصة", + "Public comment moderation": "الإشراف على التعليقات العمومية", + "Public event": "فعالية للعامة", + "Publish": "انشرها", + "Published events": "الفعاليات المنشورة", + "Region": "المنطقة", + "Register": "إنشاء حساب", + "Register an account on Mobilizon!": "إنشاء حساب على Mobilizon!", + "Registration is currently closed.": "التسجيلات مُغلقة حاليا.", + "Reject": "رفض", + "Rejected participations": "المشاركات المرفوضة", + "Reply": "رد", + "Report": "أبلغ", + "Report this comment": "الإبلاغ عن هذا التعليق", + "Report this event": "الإبلاغ عن هذه الفعالية", + "Reported": "م الإبلاغ عنه", + "Reported by": "أبلغ عنه", + "Reports": "التقارير", + "Requests": "الطلبات", + "Resend confirmation email": "إعادة ارسال بريد التأكيد", + "Reset my password": "صفّر كلمتي السرية", + "Save": "حفظ", + "Save draft": "حفظ المسودة", + "Search": "البحث", + "Search events, groups, etc.": "البحث عن فعاليات أو فِرق إلخ.", + "Search results: \"{search}\"": "نتائج البحث: \"{search}\"", + "Searching…": "البحث جارٍ…", + "Send the report": "ارسال التقرير", + "Share this event": "شارك الفعالية", + "Show map": "اعرض الخريطة", + "Show remaining number of places": "عرض الأماكن المتبقيّة", + "Sign up": "التسجيل", + "Software to the people": "برمجيات للناس", + "Street": "شارع", + "The draft event has been updated": "تم تحديث مسودّة الفعالية", + "The event has been created as a draft": "تم إنشاء الفعالية كمسودّة", + "The event has been published": "تم نشر الفعالية", + "The event has been updated": "تم تحديث الفعالية", + "The event has been updated and published": "تم تحديث الفعالية ونشرها", + "The page you're looking for doesn't exist.": "الصفحة التي تبحث عنها غير موجودة.", + "The password was successfully changed": "تم تعديل الكلمة السرية بنجاح", + "These events may interest you": "قد تهُمّك هذه الفعاليات", + "This is a demonstration site to test the beta version of Mobilizon.": "هذا موقع تجريبي للنسخة التجريبية لـ Mobilizon.", + "Title": "العنوان", + "To change the world, change the software": "غيّر العالَم بتغيير البرنامج", + "Type": "النوع", + "Unfortunately, this instance isn't opened to registrations": "لسوء الحظ ، التسجيلات مُغلَقة على مثيل الخادم هذا", + "Unknown": "مجهول", + "Unknown error.": "خطأ مجهول.", + "Unsaved changes": "التغييرات غير مُحتَفَظ بها", + "Upcoming": "قادمة", + "Update event {name}": "تحديث الفعالية {name}", + "Update my event": "تعديل فعاليتي", + "Updated": "تم تحديثه", + "Username": "إسم المستخدم", + "Users": "المستخدِمون", + "View event page": "عرض صفحة الفعالية", + "View everything": "عرض الكل", + "Waiting list": "قائمة الإنتظار", + "Warning": "تنبيه", + "Website / URL": "موقع الويب / الرابط", + "Welcome back {username}!": "أهلا بك ثانيةً {username}!", + "Welcome back!": "أهلًا بك ثانيةً!", + "Welcome on your administration panel": "أهلا على لوحك الإداري", + "Welcome to Mobilizon, {username}!": "مرحبًا بك إلى موبيليزون ، {username}!", + "Who can view this event and participate": "من يمكنه رؤية هذه الفعالية والمشاركة فيها", + "World map": "خريطة العالَم", + "Write something…": "اكتب شيئا ما…", + "You can't remove your last identity.": "ليس بإمكانك حذف آخِر هوية لك.", + "You don't follow any instances yet.": "في الوقت الحالي أنت لا تُتابِع أي مثيل خادم.", + "You have cancelled your participation": "لقد ألغيتَ مشاركتك", + "You need to login.": "يجب عليك الولوج.", + "Your account has been validated": "لقد تم تأكيد حسابك", + "Your account is being validated": "جارٍ تأكيد حسابك", + "[This comment has been deleted]": "[لقد حُذِف هذا التعليق]", + "as {identity}": "كـ {identity}", + "e.g. 10 Rue Jangot": "مثال : 10 شارع جانغو", + "its source code is public": "الشفرة المصدرية متاحة للجميع", + "on our blog": "على مدوّنتنا", + "resend confirmation email": "إعادة إرسال بريد التأكيد", + "respect of the fundamental freedoms": "احترام الحريات الأساسية", + "with another identity…": "بهوية أخرى…", + "{approved} / {total} seats": "{approved} / {total} أماكن", + "© The OpenStreetMap Contributors": "© مساهمو ومساهمات OpenStreetMap" } diff --git a/js/src/i18n/be.json b/js/src/i18n/be.json index 3bfb6f276..9270d467f 100644 --- a/js/src/i18n/be.json +++ b/js/src/i18n/be.json @@ -1,203 +1,203 @@ { - "Please do not use it in any real way.": "Калі ласка, не выкарыстоўвайце яго ні для чаго сапраўднага.", - "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Зручны, незалежны і этычны інструмент для сходаў, арганізацыі і мабілізацыі.", - "A validation email was sent to {email}": "На {email} дасланы ліст для пацвярджэння", - "Abandon edition": "Адмовіцца ад рэдагавання", - "About": "Інфармацыя", - "About Mobilizon": "Пра Mobilizon", - "About this event": "Пра гэту падзею", - "About this instance": "Пра гэты сервер", - "Accepted": "Прынята", - "Add": "Дадаць", - "Add a note": "Дадаць нататку", - "Add an address": "Дадаць адрас", - "Add an instance": "Дадаць сервер", - "Add some tags": "Дадаць цэтлікі", - "Add to my calendar": "Дадаць у календар", - "Additional comments": "Дадатковыя каментарыі", - "Administration": "Адміністрацыя", - "All the places have already been taken": "Усе месцы занятыя|Даступнае адно месца|Даступныя {places} месцы|Даступна {places} месцаў", - "Allow all comments": "Дазволіць усе каментарыі", - "An error has occurred.": "Адбылася памылка.", - "Approve": "Пацвердзіць", - "Are you sure you want to delete this comment? This action cannot be undone.": "Вы сапраўды хочаце выдаліць гэты каментарый? Гэта дзеянне нельга адмяніць.", - "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "Вы сапраўды жадаеце выдаліць гэту падзею? Гэта дзеянне нельга адмяніць. Магчыма, варта замест гэтага пагаварыць з аўтарам ці аўтаркай падзеі ці адрэдагаваць падзею.", - "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Вы сапраўды хочаце адмяніць стварэнне падзеі? Вы страціце ўсе свае рэдагаванні.", - "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Вы сапраўды хочаце адмяніць рэдагаванне падзеі? Вы страціце ўсе рэдагаванні.", - "Are you sure you want to cancel your participation at event \"{title}\"?": "Вы сапраўды хочаце адмовіцца ад удзелу ў падзеі «{title}»?", - "Are you sure you want to delete this event? This action cannot be reverted.": "Вы сапраўды хочаце выдаліць гэту падзею? Гэта дзеянне нельга адмяніць.", - "Avatar": "Аватар", - "Before you can login, you need to click on the link inside it to validate your account": "Каб увайсці з уліковым запісам, патрэбна спачатку перайсці па спасылцы, якая прыйшла вам у лісце", - "By @{username}": "Ад @{username}", - "Cancel": "Адмяніць", - "Cancel creation": "Адмяніць стварэнне", - "Cancel edition": "Адмяніць рэдагаванне", - "Cancel my participation request…": "Адмяніць мой запыт на ўдзел…", - "Cancel my participation…": "Адмяніць мой удзел…", - "Cancelled: Won't happen": "Адменена: не адбудзецца", - "Category": "Катэгорыя", - "Change": "Змяніць", - "Change my identity…": "Змяніць маю ідэнтычнасць…", - "Change my password": "Змяніць мой пароль", - "Change password": "Змяніць пароль", - "Clear": "Ачысціць", - "Click to select": "Націсніце, каб выбраць", - "Click to upload": "Націсніце, каб запампаваць", - "Close": "Закрыць", - "Close comments for all (except for admins)": "Закрыць каментарыі для ўсіх (акрамя адміністрацыі)", - "Closed": "Закрыта", - "Comment deleted": "Каментарый выдалены", - "Comment from @{username} reported": "Паведамленне пра праблемы з каментарыям @{username} дасланае", - "Comments": "Каментарыі", - "Comments have been closed.": "Каментарыі закрытыя.", - "Confirm my particpation": "Пацвердзіць мой удзел", - "Confirmed: Will happen": "Пацверджана: адбудзецца", - "Continue editing": "Працягнуць рэдагаванне", - "Country": "Краіна", - "Create": "Стварыць", - "Create a new event": "Стварыць новую падзею", - "Create a new group": "Стварыць новую групу", - "Create a new identity": "Стварыць новую ідэнтычнасць", - "Create and manage several identities from the same account": "Стварайце некалькі ідэнтычнасцяў і кіруйце імі з аднаго ўліковага запісу", - "Create group": "Стварыць групу", - "Create my event": "Стварыць падзею", - "Create my group": "Стварыць групу", - "Create my profile": "Стварыць профіль", - "Create token": "Стварыць токен", - "Create, edit or delete events": "Стварайце, рэдагуйце і выдаляйце падзеі", - "Creator": "Стваральнік/стваральніца", - "Current identity has been changed to {identityName} in order to manage this event.": "Бягучая ідэнтычнасць змененая на {identityName}, каб можна было рэдагаваць гэту падзею.", - "Dashboard": "Панэль кіравання", - "Date": "Дата", - "Date and time settings": "Наладкі даты і часу", - "Date parameters": "Параметры даты", - "Delete": "Выдаліць", - "Delete Comment": "Выдаліць каментарый", - "Delete Event": "Выдаліць падзею", - "Delete event": "Выдаліць падзею", - "Delete this identity": "Выдаліць гэту ідэнтычнасць", - "Delete your identity": "Выдаліць ідэнтычнасць", - "Delete {eventTitle}": "Выдаліць {eventTitle}", - "Delete {preferredUsername}": "Выдаліць {preferredUsername}", - "Deleting comment": "Выдаліць каментарый", - "Deleting event": "Выдаліць падзею", - "Description": "Апісанне", - "Didn't receive the instructions ?": "Не атрымалі інструкцыі?", - "Display name": "Адлюстравальнае імя", - "Display participation price": "Паказваць цану ўдзелу", - "Domain": "Дамен", - "Draft": "Чарнавік", - "Drafts": "Чарнавікі", - "Edit": "Рэдагаваць", - "Eg: Stockholm, Dance, Chess…": "Напр.: Стакгольм, танцы, шахматы…", - "Either the account is already validated, either the validation token is incorrect.": "Або уліковы запіс ужо пацверджаны, або апазнавальны код для пацвярджэння некарэктны.", - "Email": "Электронная пошта", - "Ends on…": "Заканчваецца…", - "Enjoy discovering Mobilizon!": "Зычым прыемнага знаёмства з функцыямі Mobilizon!", - "Enter the link URL": "Увядзіце адрас URL", - "Error while communicating with the server.": "Памылка падчас звязку з серверам.", - "Error while saving report.": "Памылка падчас запісу паведамлення пра праблемы.", - "Error while validating account": "Памылка падчас пацвярджэння ўліковага запісу", - "Event": "Падзея", - "Event already passed": "Падзея ўжо прайшла", - "Event cancelled": "Падзея адмененая", - "Event creation": "Стварэнне падзеі", - "Event edition": "Рэдагаванне падзеі", - "Event list": "Спіс падзей", - "Event not found.": "Падзея не знойдзеная.", - "Event page settings": "Наладкі старонкі падзеі", - "Event to be confirmed": "Падзея чакае пацвярджэння", - "Event {eventTitle} deleted": "Падзея {eventTitle} выдаленая", - "Event {eventTitle} reported": "Паведамленне пра праблемы з падзеяй {eventTitle} дасланае", - "Events": "Падзеі", - "Ex: test.mobilizon.org": "Напр.: test.mobilizon.org", - "Exclude": "Вылучыць", - "Explore": "Агляд", - "Featured events": "Прапанаваныя падзеі", - "Features": "Магчымасці", - "Find an address": "Знайсці адрас", - "Find an instance": "Знайсці сервер", - "Followers": "Падпісчыкі", - "Followings": "Падпіскі", - "For instance: London, Taekwondo, Architecture…": "Напр.: Мінск, тхэквандо, архітэктура…", - "Forgot your password ?": "Забылі пароль?", - "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "І святкаванне дня нараджэння з сябрамі, і марш за клімату — для чаго б мы не збіраліся, наша арганізацыя у пастцы платформ тэхнічных гігантаў. Як арганізоўвацца, як сказаць «Я прыду» без перадачы дадзеных Фэйсбуку ці абмежаванняў ЎКантакце?", - "From the {startDate} at {startTime} to the {endDate}": "Ад {startDate}, {startTime} да {endDate}", - "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Ад {startDate}, {startTime} да {endDate}, {endTime}", - "From the {startDate} to the {endDate}": "Ад {startDate} да {endDate}", - "Gather ⋅ Organize ⋅ Mobilize": "Сход ⋅ Арганізацыя ⋅ Мабілізацыя", - "General information": "Агульная інфармацыя", - "Getting location": "Атрыманне месцапалажэння", - "Going as {name}": "Іду як {name}", - "Group List": "Спіс груп", - "Group full name": "Поўная назва групы", - "Group name": "Назва групы", - "Group {displayName} created": "Створаная група {displayName}", - "Groups": "Групы", - "Headline picture": "Ілюстрацыя да загалоўка", - "Hide replies": "Прыхаваць адказы", - "I create an identity": "Я ствараю ідэнтычнасць", - "I participate": "Я прымаю ўдзел", - "I want to approve every participation request": "Я хачу пацвярджаць кожны запыт на ўдзел", - "Identity {displayName} created": "Створаная ідэнтычнасць {displayName}", - "Identity {displayName} deleted": "Выдаленая ідэнтычнасць {displayName}", - "Identity {displayName} updated": "Ідэнтычнасць {displayName} абноўленая", - "If an account with this email exists, we just sent another confirmation email to {email}": "Калі ўліковы запіс з гэтым адрасам існуе, мы толькі што даслалі ліст на {email}", - "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Калі гэтая ідэнтычнасць — адміністратар нейкіх груп, спачатку трэба выдаліць гэтыя групы, а потым можна будзе выдаліць гэта ідэнтычнасць.", - "Impossible to login, your email or password seems incorrect.": "Немагчыма ўвайсці, памылка ці ў адрасе, ці ў паролі.", - "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "Пакуль што разумейце, што гэта праграма (пакуль што) недаробленая. Болей інфармацыі {onBlog}.", - "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Mobilizon дазваляе супольнасцям вызваліцца ад паслуг тэхнічных гігантаў і стварыцьуласную платформу для падзей.", - "Instances": "Серверы", - "Join {instance}, a Mobilizon instance": "Прыяднайцеся да {instance}, сервера Mobilizon", - "Last published event": "Апошняя апублікаваная падзея", - "Last week": "На мінулым тыдні", - "Learn more": "Даведацца болей", - "Learn more about Mobilizon": "Даведацца болей аб Mobilizon", - "Leave event": "Выйсці з падзеі", - "Leaving event \"{title}\"": "Выхад з падзеі «{title}»", - "Let's create a new common": "Давайце створым новыя магчымасці для ўсіх", - "License": "Ліцэнзія", - "Limited number of places": "Абмежаваная колькасць месцаў", - "Load more": "Паказаць болей", - "Locality": "Месца", - "Log in": "Увайсці", - "Log out": "Выйсці", - "Login": "Увайсці", - "Login on Mobilizon!": "Уваход у Mobilizon!", - "Manage participations": "Кіраванне ўдзеламі", - "Mark as resolved": "Пазначыць як гатовае", - "Members": "Сябры", - "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon — гэта вольнае праграмнае забеспячэнне, якое дазваляе супольнасцям стварыцьуласную прастору для публікацыі падзей, каб не залежаць ад тэхнічных гігантаў.", - "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon зараз распрацоўваецца, мы будзем рэгулярна абнаўляць гэты сайт і дадаваць магчымасці да выхаду версіі праграмы 1 у першай палове 2020 года.", - "Mobilizon’s licence": "Ліцэнзія Mobilizon", - "Moderated comments (shown after approval)": "Каментарыі ў мадэрацыі (з'явяцца пасля адабрэння)", - "My account": "Мой уліковы запіс", - "My events": "Мае падзеі", - "My identities": "Мае ідэнтычнасці", - "Name": "Імя", - "New note": "Новая нататка", - "New password": "Новы пароль", - "No actors found": "Дзеячы не знойдзеныя", - "No address defined": "Адрас не вызначаны", - "No closed reports yet": "Пакуль што закрытых паведамленняў пра праблемы няма", - "No comment": "Без каментарыяў", - "No comments yet": "Каментарыяў пакуль што няма", - "No end date": "Без даты заканчэння", - "No events found": "Падзеі не знойдзеныя", - "No group found": "Групы не знойдзеныя", - "No groups found": "Групы не знойдзеныя", - "No instance follows your instance yet.": "Сервераў, якія падпісаныя на ваш сервер, пакуль што няма.", - "No instance to approve|Approve instance|Approve {number} instances": "Няма сервераў для ўхвалення|Ухваліць сервер|Ухваліць {number} сервера|Ухваліць {number} сервераў", - "No instance to reject|Reject instance|Reject {number} instances": "Няма серверам для адмаўлення|Адмовіць серверу|Адмовіць {number} серверам|Адмовіць {number} серверам", - "No instance to remove|Remove instance|Remove {number} instances": "Няма сервераў для выдалення|Выдаліць сервер|Выдаліць {number} сервера|Выдаліць {number} сервера", - "No open reports yet": "Адкрытых паведамленняў пра праблемы няма", - "No resolved reports yet": "Вырашаных праблем, пра якія былі паведамленні, няма", - "No results for \"{queryText}\"": "Рэзультатаў па «{queryText}» няма", - "No user account with this email was found. Maybe you made a typo?": "Уліковых запісаў з гэтым адрасам электроннай пошты не знойдзена. Памылка друку?", - "Notes": "Нататкі", - "Number of places": "Колькасць месцаў", - "OK": "OK", - "Old password": "Стары пароль", - "Register for an event by choosing one of your identities": "Рэгіструйцеся на падзеі, выбіраючы любую з сваіх ідэнтычнасцяў", - "This is a demonstration site to test the beta version of Mobilizon.": "Гэта дэманстрацыйны сайт для праверкі бэта-версіі Mobilizon." + "Please do not use it in any real way.": "Калі ласка, не выкарыстоўвайце яго ні для чаго сапраўднага.", + "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Зручны, незалежны і этычны інструмент для сходаў, арганізацыі і мабілізацыі.", + "A validation email was sent to {email}": "На {email} дасланы ліст для пацвярджэння", + "Abandon edition": "Адмовіцца ад рэдагавання", + "About": "Інфармацыя", + "About Mobilizon": "Пра Mobilizon", + "About this event": "Пра гэту падзею", + "About this instance": "Пра гэты сервер", + "Accepted": "Прынята", + "Add": "Дадаць", + "Add a note": "Дадаць нататку", + "Add an address": "Дадаць адрас", + "Add an instance": "Дадаць сервер", + "Add some tags": "Дадаць цэтлікі", + "Add to my calendar": "Дадаць у календар", + "Additional comments": "Дадатковыя каментарыі", + "Administration": "Адміністрацыя", + "All the places have already been taken": "Усе месцы занятыя|Даступнае адно месца|Даступныя {places} месцы|Даступна {places} месцаў", + "Allow all comments": "Дазволіць усе каментарыі", + "An error has occurred.": "Адбылася памылка.", + "Approve": "Пацвердзіць", + "Are you sure you want to delete this comment? This action cannot be undone.": "Вы сапраўды хочаце выдаліць гэты каментарый? Гэта дзеянне нельга адмяніць.", + "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "Вы сапраўды жадаеце выдаліць гэту падзею? Гэта дзеянне нельга адмяніць. Магчыма, варта замест гэтага пагаварыць з аўтарам ці аўтаркай падзеі ці адрэдагаваць падзею.", + "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Вы сапраўды хочаце адмяніць стварэнне падзеі? Вы страціце ўсе свае рэдагаванні.", + "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Вы сапраўды хочаце адмяніць рэдагаванне падзеі? Вы страціце ўсе рэдагаванні.", + "Are you sure you want to cancel your participation at event \"{title}\"?": "Вы сапраўды хочаце адмовіцца ад удзелу ў падзеі «{title}»?", + "Are you sure you want to delete this event? This action cannot be reverted.": "Вы сапраўды хочаце выдаліць гэту падзею? Гэта дзеянне нельга адмяніць.", + "Avatar": "Аватар", + "Before you can login, you need to click on the link inside it to validate your account": "Каб увайсці з уліковым запісам, патрэбна спачатку перайсці па спасылцы, якая прыйшла вам у лісце", + "By @{username}": "Ад @{username}", + "Cancel": "Адмяніць", + "Cancel creation": "Адмяніць стварэнне", + "Cancel edition": "Адмяніць рэдагаванне", + "Cancel my participation request…": "Адмяніць мой запыт на ўдзел…", + "Cancel my participation…": "Адмяніць мой удзел…", + "Cancelled: Won't happen": "Адменена: не адбудзецца", + "Category": "Катэгорыя", + "Change": "Змяніць", + "Change my identity…": "Змяніць маю ідэнтычнасць…", + "Change my password": "Змяніць мой пароль", + "Change password": "Змяніць пароль", + "Clear": "Ачысціць", + "Click to select": "Націсніце, каб выбраць", + "Click to upload": "Націсніце, каб запампаваць", + "Close": "Закрыць", + "Close comments for all (except for admins)": "Закрыць каментарыі для ўсіх (акрамя адміністрацыі)", + "Closed": "Закрыта", + "Comment deleted": "Каментарый выдалены", + "Comment from @{username} reported": "Паведамленне пра праблемы з каментарыям @{username} дасланае", + "Comments": "Каментарыі", + "Comments have been closed.": "Каментарыі закрытыя.", + "Confirm my particpation": "Пацвердзіць мой удзел", + "Confirmed: Will happen": "Пацверджана: адбудзецца", + "Continue editing": "Працягнуць рэдагаванне", + "Country": "Краіна", + "Create": "Стварыць", + "Create a new event": "Стварыць новую падзею", + "Create a new group": "Стварыць новую групу", + "Create a new identity": "Стварыць новую ідэнтычнасць", + "Create and manage several identities from the same account": "Стварайце некалькі ідэнтычнасцяў і кіруйце імі з аднаго ўліковага запісу", + "Create group": "Стварыць групу", + "Create my event": "Стварыць падзею", + "Create my group": "Стварыць групу", + "Create my profile": "Стварыць профіль", + "Create token": "Стварыць токен", + "Create, edit or delete events": "Стварайце, рэдагуйце і выдаляйце падзеі", + "Creator": "Стваральнік/стваральніца", + "Current identity has been changed to {identityName} in order to manage this event.": "Бягучая ідэнтычнасць змененая на {identityName}, каб можна было рэдагаваць гэту падзею.", + "Dashboard": "Панэль кіравання", + "Date": "Дата", + "Date and time settings": "Наладкі даты і часу", + "Date parameters": "Параметры даты", + "Delete": "Выдаліць", + "Delete Comment": "Выдаліць каментарый", + "Delete Event": "Выдаліць падзею", + "Delete event": "Выдаліць падзею", + "Delete this identity": "Выдаліць гэту ідэнтычнасць", + "Delete your identity": "Выдаліць ідэнтычнасць", + "Delete {eventTitle}": "Выдаліць {eventTitle}", + "Delete {preferredUsername}": "Выдаліць {preferredUsername}", + "Deleting comment": "Выдаліць каментарый", + "Deleting event": "Выдаліць падзею", + "Description": "Апісанне", + "Didn't receive the instructions ?": "Не атрымалі інструкцыі?", + "Display name": "Адлюстравальнае імя", + "Display participation price": "Паказваць цану ўдзелу", + "Domain": "Дамен", + "Draft": "Чарнавік", + "Drafts": "Чарнавікі", + "Edit": "Рэдагаваць", + "Eg: Stockholm, Dance, Chess…": "Напр.: Стакгольм, танцы, шахматы…", + "Either the account is already validated, either the validation token is incorrect.": "Або уліковы запіс ужо пацверджаны, або апазнавальны код для пацвярджэння некарэктны.", + "Email": "Электронная пошта", + "Ends on…": "Заканчваецца…", + "Enjoy discovering Mobilizon!": "Зычым прыемнага знаёмства з функцыямі Mobilizon!", + "Enter the link URL": "Увядзіце адрас URL", + "Error while communicating with the server.": "Памылка падчас звязку з серверам.", + "Error while saving report.": "Памылка падчас запісу паведамлення пра праблемы.", + "Error while validating account": "Памылка падчас пацвярджэння ўліковага запісу", + "Event": "Падзея", + "Event already passed": "Падзея ўжо прайшла", + "Event cancelled": "Падзея адмененая", + "Event creation": "Стварэнне падзеі", + "Event edition": "Рэдагаванне падзеі", + "Event list": "Спіс падзей", + "Event not found.": "Падзея не знойдзеная.", + "Event page settings": "Наладкі старонкі падзеі", + "Event to be confirmed": "Падзея чакае пацвярджэння", + "Event {eventTitle} deleted": "Падзея {eventTitle} выдаленая", + "Event {eventTitle} reported": "Паведамленне пра праблемы з падзеяй {eventTitle} дасланае", + "Events": "Падзеі", + "Ex: test.mobilizon.org": "Напр.: test.mobilizon.org", + "Exclude": "Вылучыць", + "Explore": "Агляд", + "Featured events": "Прапанаваныя падзеі", + "Features": "Магчымасці", + "Find an address": "Знайсці адрас", + "Find an instance": "Знайсці сервер", + "Followers": "Падпісчыкі", + "Followings": "Падпіскі", + "For instance: London, Taekwondo, Architecture…": "Напр.: Мінск, тхэквандо, архітэктура…", + "Forgot your password ?": "Забылі пароль?", + "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "І святкаванне дня нараджэння з сябрамі, і марш за клімату — для чаго б мы не збіраліся, наша арганізацыя у пастцы платформ тэхнічных гігантаў. Як арганізоўвацца, як сказаць «Я прыду» без перадачы дадзеных Фэйсбуку ці абмежаванняў ЎКантакце?", + "From the {startDate} at {startTime} to the {endDate}": "Ад {startDate}, {startTime} да {endDate}", + "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Ад {startDate}, {startTime} да {endDate}, {endTime}", + "From the {startDate} to the {endDate}": "Ад {startDate} да {endDate}", + "Gather ⋅ Organize ⋅ Mobilize": "Сход ⋅ Арганізацыя ⋅ Мабілізацыя", + "General information": "Агульная інфармацыя", + "Getting location": "Атрыманне месцапалажэння", + "Going as {name}": "Іду як {name}", + "Group List": "Спіс груп", + "Group full name": "Поўная назва групы", + "Group name": "Назва групы", + "Group {displayName} created": "Створаная група {displayName}", + "Groups": "Групы", + "Headline picture": "Ілюстрацыя да загалоўка", + "Hide replies": "Прыхаваць адказы", + "I create an identity": "Я ствараю ідэнтычнасць", + "I participate": "Я прымаю ўдзел", + "I want to approve every participation request": "Я хачу пацвярджаць кожны запыт на ўдзел", + "Identity {displayName} created": "Створаная ідэнтычнасць {displayName}", + "Identity {displayName} deleted": "Выдаленая ідэнтычнасць {displayName}", + "Identity {displayName} updated": "Ідэнтычнасць {displayName} абноўленая", + "If an account with this email exists, we just sent another confirmation email to {email}": "Калі ўліковы запіс з гэтым адрасам існуе, мы толькі што даслалі ліст на {email}", + "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Калі гэтая ідэнтычнасць — адміністратар нейкіх груп, спачатку трэба выдаліць гэтыя групы, а потым можна будзе выдаліць гэта ідэнтычнасць.", + "Impossible to login, your email or password seems incorrect.": "Немагчыма ўвайсці, памылка ці ў адрасе, ці ў паролі.", + "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "Пакуль што разумейце, што гэта праграма (пакуль што) недаробленая. Болей інфармацыі {onBlog}.", + "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Mobilizon дазваляе супольнасцям вызваліцца ад паслуг тэхнічных гігантаў і стварыцьуласную платформу для падзей.", + "Instances": "Серверы", + "Join {instance}, a Mobilizon instance": "Прыяднайцеся да {instance}, сервера Mobilizon", + "Last published event": "Апошняя апублікаваная падзея", + "Last week": "На мінулым тыдні", + "Learn more": "Даведацца болей", + "Learn more about Mobilizon": "Даведацца болей аб Mobilizon", + "Leave event": "Выйсці з падзеі", + "Leaving event \"{title}\"": "Выхад з падзеі «{title}»", + "Let's create a new common": "Давайце створым новыя магчымасці для ўсіх", + "License": "Ліцэнзія", + "Limited number of places": "Абмежаваная колькасць месцаў", + "Load more": "Паказаць болей", + "Locality": "Месца", + "Log in": "Увайсці", + "Log out": "Выйсці", + "Login": "Увайсці", + "Login on Mobilizon!": "Уваход у Mobilizon!", + "Manage participations": "Кіраванне ўдзеламі", + "Mark as resolved": "Пазначыць як гатовае", + "Members": "Сябры", + "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon — гэта вольнае праграмнае забеспячэнне, якое дазваляе супольнасцям стварыцьуласную прастору для публікацыі падзей, каб не залежаць ад тэхнічных гігантаў.", + "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon зараз распрацоўваецца, мы будзем рэгулярна абнаўляць гэты сайт і дадаваць магчымасці да выхаду версіі праграмы 1 у першай палове 2020 года.", + "Mobilizon’s licence": "Ліцэнзія Mobilizon", + "Moderated comments (shown after approval)": "Каментарыі ў мадэрацыі (з'явяцца пасля адабрэння)", + "My account": "Мой уліковы запіс", + "My events": "Мае падзеі", + "My identities": "Мае ідэнтычнасці", + "Name": "Імя", + "New note": "Новая нататка", + "New password": "Новы пароль", + "No actors found": "Дзеячы не знойдзеныя", + "No address defined": "Адрас не вызначаны", + "No closed reports yet": "Пакуль што закрытых паведамленняў пра праблемы няма", + "No comment": "Без каментарыяў", + "No comments yet": "Каментарыяў пакуль што няма", + "No end date": "Без даты заканчэння", + "No events found": "Падзеі не знойдзеныя", + "No group found": "Групы не знойдзеныя", + "No groups found": "Групы не знойдзеныя", + "No instance follows your instance yet.": "Сервераў, якія падпісаныя на ваш сервер, пакуль што няма.", + "No instance to approve|Approve instance|Approve {number} instances": "Няма сервераў для ўхвалення|Ухваліць сервер|Ухваліць {number} сервера|Ухваліць {number} сервераў", + "No instance to reject|Reject instance|Reject {number} instances": "Няма серверам для адмаўлення|Адмовіць серверу|Адмовіць {number} серверам|Адмовіць {number} серверам", + "No instance to remove|Remove instance|Remove {number} instances": "Няма сервераў для выдалення|Выдаліць сервер|Выдаліць {number} сервера|Выдаліць {number} сервера", + "No open reports yet": "Адкрытых паведамленняў пра праблемы няма", + "No resolved reports yet": "Вырашаных праблем, пра якія былі паведамленні, няма", + "No results for \"{queryText}\"": "Рэзультатаў па «{queryText}» няма", + "No user account with this email was found. Maybe you made a typo?": "Уліковых запісаў з гэтым адрасам электроннай пошты не знойдзена. Памылка друку?", + "Notes": "Нататкі", + "Number of places": "Колькасць месцаў", + "OK": "OK", + "Old password": "Стары пароль", + "Register for an event by choosing one of your identities": "Рэгіструйцеся на падзеі, выбіраючы любую з сваіх ідэнтычнасцяў", + "This is a demonstration site to test the beta version of Mobilizon.": "Гэта дэманстрацыйны сайт для праверкі бэта-версіі Mobilizon." } diff --git a/js/src/i18n/ca.json b/js/src/i18n/ca.json index 79b11c5a6..08429ec83 100644 --- a/js/src/i18n/ca.json +++ b/js/src/i18n/ca.json @@ -1,445 +1,445 @@ { - "Please do not use it in any real way.": "No ho facis servir més que proves, sisplau", - "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Una eina senzilla, emancipatòria i ètica per a reunir-nos, organitzar-nos i mobilitzar-nos.", - "A validation email was sent to {email}": "S'ha enviat un mail de validació a {email}", - "Abandon edition": "Canceŀla l'edició", - "About": "Quant a", - "About Mobilizon": "Quant a Mobilizon", - "About this event": "Sobre aquesta activitat", - "About this instance": "Quant a aquesta instància", - "Accepted": "Acceptada", - "Account": "Compte", - "Account settings": "Ajustaments de compte", - "Add": "Afegeix", - "Add a note": "Afegeix una nota", - "Add an address": "Afegeix una adreça", - "Add an instance": "Afegeix una instància", - "Add some tags": "Afegeix algunes etiquetes", - "Add to my calendar": "Afegeix al meu calendari", - "Additional comments": "Altres comentaris", - "Admin": "Administrador", - "Admin settings successfully saved.": "La configuració de l'administrador s'ha desat correctament.", - "Administration": "Administració", - "All the places have already been taken": "No hi ha més places disponibles|Hi ha una plaça disponible|Hi ha {places} disponibles", - "Allow all comments": "Permet tots els comentaris", - "Allow registrations": "Permetre registres", - "An error has occurred.": "Hi ha hagut un error.", - "Anonymous participant": "Participant anònim", - "Anonymous participants will be asked to confirm their participation through e-mail.": "Els participants anònims hauran de confirmar la seva participació a través del correu electrònic.", - "Anonymous participations": "Participacions anònimes", - "Approve": "Aprova", - "Are you really sure you want to delete your whole account? You'll lose everything. Identities, settings, events created, messages and participations will be gone forever.": "Segur que voleu suprimir tot el compte? Ho perdràs tot. Les identitats, la configuració, els esdeveniments creats, els missatges i les participacions desapareixeran per sempre.", - "Are you sure you want to delete this comment? This action cannot be undone.": "Segur que vols esborrar aquest comentari? Aquesta acció és irreversible.", - "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "Segur que vols esborrar aquesta activitat? Aquesta acció és irreversible. En comptes d'això, pots parlar amb la persona creadora de l'activitat o modificar l'activitat.", - "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Segur que vols esborrar aquesta activitat? Perdràs tots els canvis.", - "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Segur que vols canceŀlar l'edició? Perdràs tots els canvis que hagis fet.", - "Are you sure you want to cancel your participation at event \"{title}\"?": "Segur que vols deixar de participar a l'activitat \"{title}\"?", - "Are you sure you want to delete this event? This action cannot be reverted.": "Segur que vols esborrar aquesta activitat? Aquesta acció és irreversible.", - "Avatar": "Avatar", - "Back to previous page": "Tornar a la pàgina anterior", - "Before you can login, you need to click on the link inside it to validate your account": "Per a validar el compte i poder entrar, has de clicar l'enllaç que t'hem enviat en el mail", - "By @{username}": "De @{username}", - "Cancel": "Canceŀla", - "Cancel anonymous participation": "Cancelar la participació anònima", - "Cancel creation": "Canceŀla la creació", - "Cancel edition": "Canceŀla l'edició", - "Cancel my participation request…": "Canceŀla la meva soŀlicitud de participació…", - "Cancel my participation…": "Canceŀla la meva participació…", - "Cancelled: Won't happen": "Canceŀlada: No es farà", - "Category": "Categoria", - "Change": "Canvia-la", - "Change my email": "Canviar el meu correu", - "Change my identity…": "Canvia la meva identitat…", - "Change my password": "Canvia la contrasenya", - "Change password": "Canvia la contrasenya", - "Clear": "Esborra", - "Click to select": "Clica per triar", - "Click to upload": "Clica per pujar", - "Close": "Deshabilita", - "Close comments for all (except for admins)": "Deshabilita els comentaris per a tothom excepte admins", - "Closed": "Deshabilitats", - "Comment deleted": "S'ha esborrat el comentari", - "Comment from @{username} reported": "S'ha denunciat un comentari de @{username}", - "Comments": "Comentaris", - "Comments have been closed.": "S'han tancat els comentaris.", - "Confirm my participation": "Confirmar la meva participació", - "Confirm my particpation": "Confirma la meva participació", - "Confirmed: Will happen": "Confirmada: Es farà", - "Continue editing": "Continua editant", - "Country": "País/estat", - "Create": "Crea", - "Create a new event": "Crea una activitat nova", - "Create a new group": "Crea un grup nou", - "Create a new identity": "Crea una nova identitat", - "Create and manage several identities from the same account": "Crea i gestiona diverses identitats des del mateix compte", - "Create group": "Crea un grup", - "Create my event": "Crea l'activitat", - "Create my group": "Crea el grup", - "Create my profile": "Crea el perfil", - "Create token": "Crea un token", - "Create, edit or delete events": "Crea, edita o esborra activitats", - "Creator": "Identitat creadora", - "Current identity has been changed to {identityName} in order to manage this event.": "La identitat actual ha canviat a a {identityName} per tal de gestionar aquesta activitat.", - "Current page": "Pàgina actual", - "Custom": "Personalitzar", - "Custom URL": "URL personalitzada", - "Custom text": "Text personalitzat", - "Dashboard": "Tauler de control", - "Date": "Data", - "Date and time settings": "Configuració de data i hora", - "Date parameters": "Paràmetres de la data", - "Default": "Predeterminats", - "Default Mobilizon.org terms": "Termes predeterminats de Mobilizon.org", - "Delete": "Esborra-ho", - "Delete Comment": "Esborra el comentari", - "Delete Event": "Esborra l'activitat", - "Delete account": "Eliminar el compte", - "Delete event": "Esborra l'activitat", - "Delete everything": "Eliminar-ho tot", - "Delete my account": "Eliminar el meu compte", - "Delete this identity": "Esborra aquesta identitat", - "Delete your identity": "Esborra la teva identitat", - "Delete {eventTitle}": "Esborra {eventTitle}", - "Delete {preferredUsername}": "Esborra {preferredUsername}", - "Deleting comment": "S'està esborrant el comentari", - "Deleting event": "S'està esborrant l'activitat", - "Deleting my account will delete all of my identities.": "Al suprimir el compte, se suprimeixen totes les identitats.", - "Deleting your Mobilizon account": "Eliminar el vostre compte de Mobilizon", - "Description": "Descripció", - "Didn't receive the instructions ?": "No has rebut les instruccions?", - "Display name": "Nom per mostrar", - "Display participation price": "Preu per participar", - "Domain": "Domini", - "Draft": "Esborrany", - "Drafts": "Esborranys", - "Edit": "Edita", - "Eg: Stockholm, Dance, Chess…": "Ex.: Vilafranca, dansa, escacs…", - "Either on the {instance} instance or on another instance.": "Ja sigui a la instància {instant} o a una altra instància.", - "Either the account is already validated, either the validation token is incorrect.": "O bé el compte ja ha estat validat, o bé el codi de validació és incorrecte.", - "Either the email has already been changed, either the validation token is incorrect.": "O el correu electrònic ja s'ha canviat, o el testimoni de validació és incorrecte.", - "Either the participation has already been validated, either the validation token is incorrect.": "O la participació ja s'ha validat o bé el testimoni de validació és incorrecte.", - "Email": "Email", - "Ends on…": "Acaba al…", - "Enjoy discovering Mobilizon!": "Que gaudeixis explorant Mobilizon!", - "Enter the link URL": "Introdueix la URL de l'enllaç", - "Error while changing email": "Error al canviar el correu electrònic", - "Error while communicating with the server.": "S'ha produït un error a l'hora de comunicar-se amb el servidor.", - "Error while saving report.": "S'ha produït un error a l'hora de desar la denúncia.", - "Error while validating account": "S'ha produït un error a l'hora de validar el compte", - "Error while validating participation": "Error al validar la participació", - "Event": "Activitat", - "Event already passed": "L'activitat ja ha passat", - "Event cancelled": "S'ha canceŀlat l'activitat", - "Event creation": "Crear esdeveniment", - "Event edition": "Edició de l'esdeveniment", - "Event list": "Llista d'esdeveniments", - "Event not found.": "No s'ha trobat l'activitat.", - "Event page settings": "Configuració de la pàgina d'activitat", - "Event to be confirmed": "L'activitat no està confirmada", - "Event {eventTitle} deleted": "S'ha esborrat {eventTitle}", - "Event {eventTitle} reported": "S'ha denunciat {eventTitle}", - "Events": "Activitats", - "Ex: test.mobilizon.org": "Ex.: test.mobilizon.org", - "Exclude": "Exclou", - "Explore": "Explora", - "Failed to save admin settings": "Error al guardar la configuració d'administració", - "Featured events": "Activitats destacades", - "Features": "Característiques", - "Federation": "Federació", - "Find an address": "Cerca una adreça", - "Find an instance": "Cerca una instància", - "Followers": "Seguidors/es", - "Followings": "Seguint", - "For instance: London, Taekwondo, Architecture…": "Per exemple: Lleida, Ioga, Història…", - "Forgot your password ?": "Has oblidat la contrasenya?", - "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "Des d'una festa d'aniversari amb amistats i família, a una manifestació contra el canvi climàtic, ara mateix, les nostres trobades estan atrapades dins de plataformes de gegants de la informàtica. Com podem organitzar, clicar \"Hi aniré\", sense proporcionar dades privades a Facebook o bé quedar-nos lligades a Meetup?", - "From the {startDate} at {startTime} to the {endDate}": "Des de {startDate} a {startTime} fins a {endDate}", - "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Des de {startDate} a {startTime} fins a {endDate} a {endTime}", - "From the {startDate} to the {endDate}": "Des de {startDate} fins a {endDate}", - "Gather ⋅ Organize ⋅ Mobilize": "Trobem-nos ⋅ Organitzem-nos ⋅ Mobilitzem-nos", - "General": "General", - "General information": "Informació general", - "Getting location": "Obtenció d'ubicació", - "Go": "Anar", - "Going as {name}": "Hi assisteixes com a {name}", - "Group List": "Llista del grup", - "Group full name": "Nom llarg del grup", - "Group name": "Nom del grup", - "Group {displayName} created": "S'ha creat el grup {displayName}", - "Groups": "Grups", - "Headline picture": "Imatge de capçalera", - "Hide replies": "Amaga les respostes", - "I create an identity": "Creo una identitat", - "I don't have a Mobilizon account": "No tinc un compte de Mobilizon", - "I have a Mobilizon account": "Tinc un compte de Mobilizon", - "I have an account on another Mobilizon instance.": "Tinc un compte de Mobilizon d'una altra instància.", - "I participate": "Participo", - "I want to allow people to participate without an account.": "Vull permetre que tothom. participi sense un compte.", - "I want to approve every participation request": "Vull aprovar cada soŀlicitud de participació", - "Identity {displayName} created": "S'ha creat la identitat {displayName}", - "Identity {displayName} deleted": "S'ha esborrat la identitat {displayName}", - "Identity {displayName} updated": "S'ha actualitzat la identitat {displayName}", - "If an account with this email exists, we just sent another confirmation email to {email}": "Si existeix un compte amb aquest email, simplement enviem un altre email de confirmació a {email}", - "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Si aquesta identitat és l'única administradora d'algun grup, has d'esborrar els grups abans de poder esborrar la identitat.", - "If you want, you may send a message to the event organizer here.": "Si voleu, aquí podeu enviar un missatge a l'organitzador d'esdeveniments.", - "Impossible to login, your email or password seems incorrect.": "No s'ha pogut iniciar la sessió, el mail o contrasenya semblen incorrectes.", - "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "Mentrestant, tingues en compte que el software no està acabat, encara. Més info {onBlog}.", - "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Instaŀlar Mobilizon permet a les comunitats d'alliberar-se dels serveis de les grans multinacionals creant la seva pròpia agenda coŀlaborativa.", - "Instance Description": "Descripció de la instància", - "Instance Name": "Nom de la instància", - "Instance Terms": "Condiciones de la instància", - "Instance Terms Source": "Font de les condicions de la instància", - "Instance Terms URL": "URL de les condicions de la instància", - "Instance settings": "Configuracions de la instància", - "Instances": "Instàncies", - "Join {instance}, a Mobilizon instance": "Uneix-te a {instance}, una instància de Mobilizon", - "Last published event": "Última activitat publicada", - "Last week": "La setmana passada", - "Learn more": "Més informació", - "Learn more about Mobilizon": "Més informació sobre Mobilizon", - "Leave event": "Deixar l’esdeveniment", - "Leaving event \"{title}\"": "Deixar l’esdeveniment \"{title}\"", - "Let's create a new common": "Creem un nou procomú", - "License": "Llicència", - "Limited number of places": "Places limitades", - "Load more": "Carrega'n més", - "Locality": "Localitat", - "Log in": "Inicia sessió", - "Log out": "Tanca la sessió", - "Login": "Inicia sessió", - "Login on Mobilizon!": "Entra a Mobilizon!", - "Login on {instance}": "Connectar-se a", - "Manage participations": "Gestiona les participacions", - "Mark as resolved": "Marca com resolta", - "Members": "Membres", - "Message": "Missatge", - "Mobilizon is a federated network. You can interact with this event from a different server.": "Mobilizon és una xarxa federada. Podeu interactuar amb aquest esdeveniment des d’un servidor diferent.", - "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon és una peça de programari lliure que permet a les comunitats de crear els seus propis espais per publicar activitats per tal d'emancipar-se més dels gegants tecnològics.", - "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon està en desenvolupament. Hi anirem afegint funcionalitats amb actualitzacions freqüents fins a la versió 1.0, a la primera meitat del 2020%.", - "Mobilizon’s licence": "Llicència de Mobilizon", - "Moderated comments (shown after approval)": "Comentaris moderats (mostrats després de ser aprovats)", - "Moderation": "Moderació", - "Moderation log": "Registre de la moderació", - "My account": "El meu compte", - "My events": "Les meves activitats", - "My identities": "Les meves identitats", - "Name": "Nom", - "New email": "Nou correu electrònic", - "New note": "Nota nova", - "New password": "Contrasenya nova", - "New profile": "Nou perfil", - "Next page": "Pàgina següent", - "No actors found": "No s'ha trobat cap actor", - "No address defined": "No s'ha definit l'adreça", - "No closed reports yet": "Encara no hi ha informes tancats", - "No comment": "Sense comentaris", - "No comments yet": "Encara no hi ha comentaris", - "No end date": "Sense data de finalització", - "No events found": "No s'ha trobat cap esdeveniment", - "No group found": "No s'ha trobat cap grup", - "No groups found": "No s'han trobat grups", - "No instance follows your instance yet.": "Encara no hi ha cap instància que segueixi la teva.", - "No instance to approve|Approve instance|Approve {number} instances": "No hi ha cap instància per aprovar|Aprova la instància|Aprova les {number} instàncies", - "No instance to reject|Reject instance|Reject {number} instances": "No hi ha cap instància per rebutjar|Rebutja la instància|Rebutja les {number} instàncies", - "No instance to remove|Remove instance|Remove {number} instances": "No hi ha cap instància per esborrar|Esborra la instància|Esborra les {number} instàncies", - "No message": "Sense missatges", - "No notification settings yet": "Encara no hi ha configuració de les modificacions", - "No open reports yet": "No hi ha cap denúncia oberta", - "No resolved reports yet": "No hi ha cap denúncia resolta", - "No results for \"{queryText}\"": "No s'ha trobat cap resultat per \"{queryText}\"", - "No user account with this email was found. Maybe you made a typo?": "No s'ha trobat cap usuària amb aquest email. Comprova que l'hagis escrit bé?", - "Notes": "Notes", - "Number of places": "Nombre de places", - "OK": "OK", - "Old password": "Contrasenya vella", - "On {date}": "A {data}", - "On {date} ending at {endTime}": "A {date} i acaba a {endTime}", - "On {date} from {startTime} to {endTime}": "A {date} de {startTime} a {endTime}", - "On {date} starting at {startTime}": "A {date} i comença a {startTime}", - "One person is going": "Ningú s'hi ha apuntat|S'hi ha apuntat 1 persona|S'hi han apuntat {approved} persones", - "Only accessible through link and search (private)": "Només accessible amb enllaç i cerca (privat)", - "Only alphanumeric characters and underscores are supported.": "Només acceptem caràcters alfanumèrics i el guió baix.", - "Open": "Obre", - "Opened reports": "Denúncies obertes", - "Organized": "Organitzat", - "Organized by {name}": "Organitzat per {name}", - "Organizer": "Organitzadora", - "Otherwise this identity will just be removed from the group administrators.": "Sinó, aquesta identitat serà esborrada del grup d'administració.", - "Page limited to my group (asks for auth)": "La pàgina està restringida al meu grup (demana autenticació)", - "Page not found": "No s'ha trobat la pàgina", - "Participant already was rejected.": "El participant ja va ser rebutjat.", - "Participant has already been approved as participant.": "Aquesta persona ja ha estat aprovada com a participant.", - "Participants": "Participants", - "Participate": "Participa", - "Participation approval": "Aprovació de participació", - "Participation requested!": "S'ha enviat la soŀlicitud per participar-hi!", - "Password": "Contrasenya", - "Password (confirmation)": "Contrasenya (confirmació)", - "Password change": "Canvi de contrasenya", - "Password reset": "Restabliment de contrasenya", - "Past events": "Activitats passades", - "Pending": "Pendent", - "Pick an identity": "Tria una identitat", - "Please check your spam folder if you didn't receive the email.": "Comprova la teva carpeta de brossa si no t'ha arribat el mail a la safata d'entrada.", - "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Si creus que és un error, contacta amb les administradores d'aquesta instància de Mobilizon.", - "Please make sure the address is correct and that the page hasn't been moved.": "Assegura't que l'adreça és correcta i que la pàgina no s'ha mogut.", - "Please read the full rules": "Llegeix totes les regles, sisplau", - "Please refresh the page and retry.": "Refresca la pàgina i torna-ho a provar.", - "Post a comment": "Publica un comentari", - "Post a reply": "Publica una resposta", - "Postal Code": "Codi postal", - "Private event": "Activitat privada", - "Private feeds": "Fluxos privats", - "Public RSS/Atom Feed": "Fluxos RSS/Atom públics", - "Public comment moderation": "Moderació de comentaris públics", - "Public event": "Activitat pública", - "Public feeds": "Fluxos públics", - "Public iCal Feed": "Flux iCal públic", - "Publish": "Publica", - "Published events": "Activitats publicades", - "RSS/Atom Feed": "Flux RSS/Atom", - "Read Framasoft’s statement of intent on the Framablog": "Llegeix la declaració d'intencions de Framasoft al seu blog Framablog", - "Region": "Regió", - "Register": "Registra't", - "Register an account on Mobilizon!": "Crea un compte a Mobilizon!", - "Register for an event by choosing one of your identities": "Apunta't a una activitat amb una de les teves identitats", - "Registration is currently closed.": "El registre està tancat.", - "Registrations are restricted by whitelisting.": "El registre de comptes està restringit per llista d'acceptació.", - "Reject": "Rebutja", - "Rejected": "Rebutjades", - "Rejected participations": "Participacions rebutjades", - "Reopen": "Reobre", - "Reply": "Respon", - "Report": "Denuncia", - "Report this comment": "Denuncia aquest comentari", - "Report this event": "Denuncia aquesta activitat", - "Reported": "Denunciada", - "Reported by": "Denunciada per", - "Reported by someone on {domain}": "Denunciada per algú a {domain}", - "Reported by {reporter}": "Denunciada per {reporter}", - "Reported identity": "Identitat denunciada", - "Reports": "Denúncies", - "Requests": "Soŀlicituds", - "Resend confirmation email": "Reenvia el correu de confirmació", - "Reset my password": "Restableix la meva contrasenya", - "Resolved": "Resolts", - "Save": "Desa", - "Save draft": "Desa l'esborrany", - "Search": "Cerca", - "Search events, groups, etc.": "Cerca activitats, grups, etc.", - "Search results: \"{search}\"": "Resultats de cerca: \"{search}\"", - "Searching…": "S'està cercant…", - "Send me an email to reset my password": "Envia'm un correu per restablir la meva contrasenya", - "Send me the confirmation email once again": "Envia'm el correu de confirmació un altre cop", - "Send the report": "Envia la denúncia", - "Share this event": "Comparteix aquesta activitat", - "Show map": "Mostra el mapa", - "Show remaining number of places": "Mostra el nombre de places disponibles", - "Show the time when the event begins": "Mostra l'hora d'inici de l'activitat", - "Show the time when the event ends": "Mostra l'hora final de l'activitat", - "Sign up": "Crea un compte", - "Software to the people": "El software serà sempre nostre", - "Starts on…": "Comença a …", - "Status": "Estat", - "Street": "Carrer", - "Tentative: Will be confirmed later": "Provisional: Ho confirmaran més endavant", - "The content came from another server. Transfer an anonymous copy of the report?": "El contingut ha arribat des d'un altre servidor. Vols enviar-hi una còpia anònima de la denúncia?", - "The current identity doesn't have any permission on this event. You should probably change it.": "La identitat actual no té cap permís sobre aquesta activitat. Pot ser que ho vulguis canviar.", - "The draft event has been updated": "S'ha actualitzat l'esborrany", - "The event has been created as a draft": "S'ha creat l'activitat com a esborrany", - "The event has been published": "S'ha publicat l'activitat", - "The event has been updated": "L'activitat s'ha actualitzat", - "The event has been updated and published": "L'activitat s'ha actualitzat i publicat", - "The event organizer didn't add any description.": "L'organització de l'activitat no ha afegit cap descripció.", - "The event title will be ellipsed.": "S'abreujarà el títol de l'activitat.", - "The page you're looking for doesn't exist.": "La pàgina que buscaves no existeix.", - "The password was successfully changed": "S'ha canviat amb èxit la contrasenya", - "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "S'enviarà la denúncia a les persones moderadores de la teva instància. Pots explicar aquí a sota per què denuncies aquest contingut.", - "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "El compte al qual intentes accedir encara no està confirmat. Comprova el teu correu a la safata d'entrada i, si cal, a la de brossa.", - "There are {participants} participants.": "Hi ha {participants} participants.", - "These events may interest you": "Pot ser que t'interessin aquestes activitats", - "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Aquesta instaŀlació (o \"instància\") es pot {interconnect} fàcilment, gràcies al {protocol}.", - "This instance isn't opened to registrations, but you can register on other instances.": "Aquesta instància no té el registre obert, però en pots buscar una altra.", - "This is a demonstration site to test the beta version of Mobilizon.": "Aquesta és una instància de proves i demostració de la versió beta de Mobilizon.", - "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Això farà que s'esborrin o s'anonimitzin tots els continguts (activitats, comentaris, missatges, participacions…) que s'hagin creat des d'aquesta identitat.", - "Title": "Títol", - "To achieve your registration, please create a first identity profile.": "Per tal de completar el registre, has de crear un perfil d'identitat.", - "To change the world, change the software": "Per canviar el món, comença pel software", - "To confirm, type your event title \"{eventTitle}\"": "Per confirmar, escriu el títol de l'activitat \"{eventTitle}\"", - "To confirm, type your identity username \"{preferredUsername}\"": "Per confirmar, escriu el nom de la identitat \"{preferredUsername}\"", - "Transfer to {outsideDomain}": "Transfereix a {outsideDomain}", - "Type": "Escriu", - "Unfortunately, this instance isn't opened to registrations": "Malauradament, aquesta instància no està oberta a nous comptes", - "Unfortunately, your participation request was rejected by the organizers.": "Malauradament, l'organització de l'activitat ha rebutjat la teva soŀlicitud de participació.", - "Unknown": "Desconegut", - "Unknown actor": "Agent desconegut/da", - "Unknown error.": "Error desconegut.", - "Unsaved changes": "Canvis sense desar", - "Upcoming": "Properament", - "Update event {name}": "Actualitza l'activitat {name}", - "Update my event": "Actualitza l'activitat", - "Updated": "S'ha actualitzat", - "Username": "Nom d'usuària", - "Users": "Usuàries", - "View a reply": "|Mostra la resposta|Mostra les {totalReplies} resposta", - "View event page": "Mostra la pàgina de l'activitat", - "View everything": "Mostra-ho tot", - "View page on {hostname} (in a new window)": "mostra la pàgina a {hostname} (s'obrirà en una pestanya nova)", - "Visible everywhere on the web (public)": "Visible a tot arreu (públic)", - "Waiting for organization team approval.": "Pendent de l'aprovació de l'equip d'organització.", - "Waiting list": "Llista d'espera", - "Warning": "Alerta", - "We just sent an email to {email}": "S'acaba d'enviar un correu a {email}", - "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Volem desenvolupar un procomú digital, que tothom pugui fer-se seu i que respecti la privacitat i l'activisme per disseny.", - "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "No podem canviar el món des de Facebook, les eines de l'amo no desmuntaran la casa de l'amo. L'eina que somiem no la desenvoluparà el capitalisme perquè no en podria treure rendiment. És una oportunitat per construir una internet millor.", - "Website / URL": "Web / URL", - "Welcome back {username}!": "Bentornat/da {username}!", - "Welcome back!": "Bentornat/da!", - "Welcome on your administration panel": "Benvingut/da al tauler d'administració", - "Welcome to Mobilizon, {username}!": "Benvingut/da a Mobilizon, {username}!", - "Who can view this event and participate": "Qui pot veure i participar en aquesta activitat", - "World map": "Mapamundi", - "Write something…": "Escriu alguna cosa …", - "You and one other person are going to this event": "Per ara ets l'única persona que hi assistirà|Tu i una altra persona hi assistireu|Tu i {approved} persones més hi assistireu.", - "You are already a participant of this event.": "Ja figures com a participant d'aquesta activitat.", - "You are already logged-in.": "Ja tens una sessió iniciada.", - "You can add tags by hitting the Enter key or by adding a comma": "Pots afegir etiquetes prement Enter o afegint una coma", - "You can try another search term or drag and drop the marker on the map": "Pots provar amb altres paraules de cerca o arrossegar l'indicador al mapa", - "You can't remove your last identity.": "No pots esborrar la teva única identitat.", - "You don't follow any instances yet.": "Encara no pots seguir cap instància.", - "You have been disconnected": "S'ha desconnectat la sessió", - "You have cancelled your participation": "Has canceŀlat la teva participació", - "You have one event in {days} days.": "No tens cap activitat en {days} dies|Tens una activitat en {days} dies.|Tens {count} activitats en {days} dies", - "You have one event today.": "No tens cap activitat avui|Avui tens una activitat|Avui tens {count} activitats", - "You have one event tomorrow.": "No tens cap activitat per demà|Demà tens una activitat|Demà tens {count} activitats", - "You may also ask to {resend_confirmation_email}.": "També pots demanar {resend_confirmation_email}.", - "You need to login.": "Has d'iniciar sessió.", - "Your account has been validated": "El teu compte ha estat validat", - "Your account is being validated": "El teu compte està sent validat", - "Your account is nearly ready, {username}": "El teu compte està gairebé apunt, {username}", - "Your email is not whitelisted, you can't register.": "El teu correu no està a la llista d'acceptats, no pots crear un compte.", - "Your local administrator resumed its policy:": "L'administració d'aquesta instància resumeix així la seva política:", - "Your participation has been confirmed": "S'ha confirmat la teva participació", - "Your participation has been rejected": "S'ha denegat la teva participació", - "Your participation has been requested": "S'ha soŀlicitat la teva participació", - "Your participation status has been changed": "Ha canviat l'estat de participació", - "[This comment has been deleted]": "[Comentari esborrat]", - "[deleted]": "[esborrat]", - "a decentralised federation protocol": "un protocol de descentralitzat de federació", - "as {identity}": "com a {identity}", - "e.g. 10 Rue Jangot": "ex.: 13 Rue del Percebe", - "firstDayOfWeek": "0", - "iCal Feed": "Flux iCal", - "interconnect with others like it": "interconnecta amb altres com aquest", - "its source code is public": "el codi font és públic", - "on our blog": "al nostre blog", - "resend confirmation email": "reenvia el mail de confirmació", - "respect of the fundamental freedoms": "respecte per les llibertats fonamentals", - "with another identity…": "amb una altra identitat…", - "{approved} / {total} seats": "{approved} / {total} places", - "{count} participants": "Cap participant per ara|Un/a participant|{count} participants", - "{count} requests waiting": "{count} soŀlicituds pendents", - "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} garanteix {respect} de la gent que el farà servir . Com que {source}, qualsevol amb els coneixements adequats pot auditar-lo, cosa que en garanteix la transparència.", - "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© Les persones contribuïdores de Mobilizon {date} - Fet amb Elixir, Phoenix, VueJS, una mica d'amor i algunes setmanes", - "© The OpenStreetMap Contributors": "© Les persones contribuïdores d'OpenStreetMap" + "Please do not use it in any real way.": "No ho facis servir més que proves, sisplau", + "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Una eina senzilla, emancipatòria i ètica per a reunir-nos, organitzar-nos i mobilitzar-nos.", + "A validation email was sent to {email}": "S'ha enviat un mail de validació a {email}", + "Abandon edition": "Canceŀla l'edició", + "About": "Quant a", + "About Mobilizon": "Quant a Mobilizon", + "About this event": "Sobre aquesta activitat", + "About this instance": "Quant a aquesta instància", + "Accepted": "Acceptada", + "Account": "Compte", + "Account settings": "Ajustaments de compte", + "Add": "Afegeix", + "Add a note": "Afegeix una nota", + "Add an address": "Afegeix una adreça", + "Add an instance": "Afegeix una instància", + "Add some tags": "Afegeix algunes etiquetes", + "Add to my calendar": "Afegeix al meu calendari", + "Additional comments": "Altres comentaris", + "Admin": "Administrador", + "Admin settings successfully saved.": "La configuració de l'administrador s'ha desat correctament.", + "Administration": "Administració", + "All the places have already been taken": "No hi ha més places disponibles|Hi ha una plaça disponible|Hi ha {places} disponibles", + "Allow all comments": "Permet tots els comentaris", + "Allow registrations": "Permetre registres", + "An error has occurred.": "Hi ha hagut un error.", + "Anonymous participant": "Participant anònim", + "Anonymous participants will be asked to confirm their participation through e-mail.": "Els participants anònims hauran de confirmar la seva participació a través del correu electrònic.", + "Anonymous participations": "Participacions anònimes", + "Approve": "Aprova", + "Are you really sure you want to delete your whole account? You'll lose everything. Identities, settings, events created, messages and participations will be gone forever.": "Segur que voleu suprimir tot el compte? Ho perdràs tot. Les identitats, la configuració, els esdeveniments creats, els missatges i les participacions desapareixeran per sempre.", + "Are you sure you want to delete this comment? This action cannot be undone.": "Segur que vols esborrar aquest comentari? Aquesta acció és irreversible.", + "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "Segur que vols esborrar aquesta activitat? Aquesta acció és irreversible. En comptes d'això, pots parlar amb la persona creadora de l'activitat o modificar l'activitat.", + "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Segur que vols esborrar aquesta activitat? Perdràs tots els canvis.", + "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Segur que vols canceŀlar l'edició? Perdràs tots els canvis que hagis fet.", + "Are you sure you want to cancel your participation at event \"{title}\"?": "Segur que vols deixar de participar a l'activitat \"{title}\"?", + "Are you sure you want to delete this event? This action cannot be reverted.": "Segur que vols esborrar aquesta activitat? Aquesta acció és irreversible.", + "Avatar": "Avatar", + "Back to previous page": "Tornar a la pàgina anterior", + "Before you can login, you need to click on the link inside it to validate your account": "Per a validar el compte i poder entrar, has de clicar l'enllaç que t'hem enviat en el mail", + "By @{username}": "De @{username}", + "Cancel": "Canceŀla", + "Cancel anonymous participation": "Cancelar la participació anònima", + "Cancel creation": "Canceŀla la creació", + "Cancel edition": "Canceŀla l'edició", + "Cancel my participation request…": "Canceŀla la meva soŀlicitud de participació…", + "Cancel my participation…": "Canceŀla la meva participació…", + "Cancelled: Won't happen": "Canceŀlada: No es farà", + "Category": "Categoria", + "Change": "Canvia-la", + "Change my email": "Canviar el meu correu", + "Change my identity…": "Canvia la meva identitat…", + "Change my password": "Canvia la contrasenya", + "Change password": "Canvia la contrasenya", + "Clear": "Esborra", + "Click to select": "Clica per triar", + "Click to upload": "Clica per pujar", + "Close": "Deshabilita", + "Close comments for all (except for admins)": "Deshabilita els comentaris per a tothom excepte admins", + "Closed": "Deshabilitats", + "Comment deleted": "S'ha esborrat el comentari", + "Comment from @{username} reported": "S'ha denunciat un comentari de @{username}", + "Comments": "Comentaris", + "Comments have been closed.": "S'han tancat els comentaris.", + "Confirm my participation": "Confirmar la meva participació", + "Confirm my particpation": "Confirma la meva participació", + "Confirmed: Will happen": "Confirmada: Es farà", + "Continue editing": "Continua editant", + "Country": "País/estat", + "Create": "Crea", + "Create a new event": "Crea una activitat nova", + "Create a new group": "Crea un grup nou", + "Create a new identity": "Crea una nova identitat", + "Create and manage several identities from the same account": "Crea i gestiona diverses identitats des del mateix compte", + "Create group": "Crea un grup", + "Create my event": "Crea l'activitat", + "Create my group": "Crea el grup", + "Create my profile": "Crea el perfil", + "Create token": "Crea un token", + "Create, edit or delete events": "Crea, edita o esborra activitats", + "Creator": "Identitat creadora", + "Current identity has been changed to {identityName} in order to manage this event.": "La identitat actual ha canviat a a {identityName} per tal de gestionar aquesta activitat.", + "Current page": "Pàgina actual", + "Custom": "Personalitzar", + "Custom URL": "URL personalitzada", + "Custom text": "Text personalitzat", + "Dashboard": "Tauler de control", + "Date": "Data", + "Date and time settings": "Configuració de data i hora", + "Date parameters": "Paràmetres de la data", + "Default": "Predeterminats", + "Default Mobilizon.org terms": "Termes predeterminats de Mobilizon.org", + "Delete": "Esborra-ho", + "Delete Comment": "Esborra el comentari", + "Delete Event": "Esborra l'activitat", + "Delete account": "Eliminar el compte", + "Delete event": "Esborra l'activitat", + "Delete everything": "Eliminar-ho tot", + "Delete my account": "Eliminar el meu compte", + "Delete this identity": "Esborra aquesta identitat", + "Delete your identity": "Esborra la teva identitat", + "Delete {eventTitle}": "Esborra {eventTitle}", + "Delete {preferredUsername}": "Esborra {preferredUsername}", + "Deleting comment": "S'està esborrant el comentari", + "Deleting event": "S'està esborrant l'activitat", + "Deleting my account will delete all of my identities.": "Al suprimir el compte, se suprimeixen totes les identitats.", + "Deleting your Mobilizon account": "Eliminar el vostre compte de Mobilizon", + "Description": "Descripció", + "Didn't receive the instructions ?": "No has rebut les instruccions?", + "Display name": "Nom per mostrar", + "Display participation price": "Preu per participar", + "Domain": "Domini", + "Draft": "Esborrany", + "Drafts": "Esborranys", + "Edit": "Edita", + "Eg: Stockholm, Dance, Chess…": "Ex.: Vilafranca, dansa, escacs…", + "Either on the {instance} instance or on another instance.": "Ja sigui a la instància {instant} o a una altra instància.", + "Either the account is already validated, either the validation token is incorrect.": "O bé el compte ja ha estat validat, o bé el codi de validació és incorrecte.", + "Either the email has already been changed, either the validation token is incorrect.": "O el correu electrònic ja s'ha canviat, o el testimoni de validació és incorrecte.", + "Either the participation has already been validated, either the validation token is incorrect.": "O la participació ja s'ha validat o bé el testimoni de validació és incorrecte.", + "Email": "Email", + "Ends on…": "Acaba al…", + "Enjoy discovering Mobilizon!": "Que gaudeixis explorant Mobilizon!", + "Enter the link URL": "Introdueix la URL de l'enllaç", + "Error while changing email": "Error al canviar el correu electrònic", + "Error while communicating with the server.": "S'ha produït un error a l'hora de comunicar-se amb el servidor.", + "Error while saving report.": "S'ha produït un error a l'hora de desar la denúncia.", + "Error while validating account": "S'ha produït un error a l'hora de validar el compte", + "Error while validating participation": "Error al validar la participació", + "Event": "Activitat", + "Event already passed": "L'activitat ja ha passat", + "Event cancelled": "S'ha canceŀlat l'activitat", + "Event creation": "Crear esdeveniment", + "Event edition": "Edició de l'esdeveniment", + "Event list": "Llista d'esdeveniments", + "Event not found.": "No s'ha trobat l'activitat.", + "Event page settings": "Configuració de la pàgina d'activitat", + "Event to be confirmed": "L'activitat no està confirmada", + "Event {eventTitle} deleted": "S'ha esborrat {eventTitle}", + "Event {eventTitle} reported": "S'ha denunciat {eventTitle}", + "Events": "Activitats", + "Ex: test.mobilizon.org": "Ex.: test.mobilizon.org", + "Exclude": "Exclou", + "Explore": "Explora", + "Failed to save admin settings": "Error al guardar la configuració d'administració", + "Featured events": "Activitats destacades", + "Features": "Característiques", + "Federation": "Federació", + "Find an address": "Cerca una adreça", + "Find an instance": "Cerca una instància", + "Followers": "Seguidors/es", + "Followings": "Seguint", + "For instance: London, Taekwondo, Architecture…": "Per exemple: Lleida, Ioga, Història…", + "Forgot your password ?": "Has oblidat la contrasenya?", + "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "Des d'una festa d'aniversari amb amistats i família, a una manifestació contra el canvi climàtic, ara mateix, les nostres trobades estan atrapades dins de plataformes de gegants de la informàtica. Com podem organitzar, clicar \"Hi aniré\", sense proporcionar dades privades a Facebook o bé quedar-nos lligades a Meetup?", + "From the {startDate} at {startTime} to the {endDate}": "Des de {startDate} a {startTime} fins a {endDate}", + "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Des de {startDate} a {startTime} fins a {endDate} a {endTime}", + "From the {startDate} to the {endDate}": "Des de {startDate} fins a {endDate}", + "Gather ⋅ Organize ⋅ Mobilize": "Trobem-nos ⋅ Organitzem-nos ⋅ Mobilitzem-nos", + "General": "General", + "General information": "Informació general", + "Getting location": "Obtenció d'ubicació", + "Go": "Anar", + "Going as {name}": "Hi assisteixes com a {name}", + "Group List": "Llista del grup", + "Group full name": "Nom llarg del grup", + "Group name": "Nom del grup", + "Group {displayName} created": "S'ha creat el grup {displayName}", + "Groups": "Grups", + "Headline picture": "Imatge de capçalera", + "Hide replies": "Amaga les respostes", + "I create an identity": "Creo una identitat", + "I don't have a Mobilizon account": "No tinc un compte de Mobilizon", + "I have a Mobilizon account": "Tinc un compte de Mobilizon", + "I have an account on another Mobilizon instance.": "Tinc un compte de Mobilizon d'una altra instància.", + "I participate": "Participo", + "I want to allow people to participate without an account.": "Vull permetre que tothom. participi sense un compte.", + "I want to approve every participation request": "Vull aprovar cada soŀlicitud de participació", + "Identity {displayName} created": "S'ha creat la identitat {displayName}", + "Identity {displayName} deleted": "S'ha esborrat la identitat {displayName}", + "Identity {displayName} updated": "S'ha actualitzat la identitat {displayName}", + "If an account with this email exists, we just sent another confirmation email to {email}": "Si existeix un compte amb aquest email, simplement enviem un altre email de confirmació a {email}", + "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Si aquesta identitat és l'única administradora d'algun grup, has d'esborrar els grups abans de poder esborrar la identitat.", + "If you want, you may send a message to the event organizer here.": "Si voleu, aquí podeu enviar un missatge a l'organitzador d'esdeveniments.", + "Impossible to login, your email or password seems incorrect.": "No s'ha pogut iniciar la sessió, el mail o contrasenya semblen incorrectes.", + "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "Mentrestant, tingues en compte que el software no està acabat, encara. Més info {onBlog}.", + "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Instaŀlar Mobilizon permet a les comunitats d'alliberar-se dels serveis de les grans multinacionals creant la seva pròpia agenda coŀlaborativa.", + "Instance Description": "Descripció de la instància", + "Instance Name": "Nom de la instància", + "Instance Terms": "Condiciones de la instància", + "Instance Terms Source": "Font de les condicions de la instància", + "Instance Terms URL": "URL de les condicions de la instància", + "Instance settings": "Configuracions de la instància", + "Instances": "Instàncies", + "Join {instance}, a Mobilizon instance": "Uneix-te a {instance}, una instància de Mobilizon", + "Last published event": "Última activitat publicada", + "Last week": "La setmana passada", + "Learn more": "Més informació", + "Learn more about Mobilizon": "Més informació sobre Mobilizon", + "Leave event": "Deixar l’esdeveniment", + "Leaving event \"{title}\"": "Deixar l’esdeveniment \"{title}\"", + "Let's create a new common": "Creem un nou procomú", + "License": "Llicència", + "Limited number of places": "Places limitades", + "Load more": "Carrega'n més", + "Locality": "Localitat", + "Log in": "Inicia sessió", + "Log out": "Tanca la sessió", + "Login": "Inicia sessió", + "Login on Mobilizon!": "Entra a Mobilizon!", + "Login on {instance}": "Connectar-se a", + "Manage participations": "Gestiona les participacions", + "Mark as resolved": "Marca com resolta", + "Members": "Membres", + "Message": "Missatge", + "Mobilizon is a federated network. You can interact with this event from a different server.": "Mobilizon és una xarxa federada. Podeu interactuar amb aquest esdeveniment des d’un servidor diferent.", + "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon és una peça de programari lliure que permet a les comunitats de crear els seus propis espais per publicar activitats per tal d'emancipar-se més dels gegants tecnològics.", + "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon està en desenvolupament. Hi anirem afegint funcionalitats amb actualitzacions freqüents fins a la versió 1.0, a la primera meitat del 2020%.", + "Mobilizon’s licence": "Llicència de Mobilizon", + "Moderated comments (shown after approval)": "Comentaris moderats (mostrats després de ser aprovats)", + "Moderation": "Moderació", + "Moderation log": "Registre de la moderació", + "My account": "El meu compte", + "My events": "Les meves activitats", + "My identities": "Les meves identitats", + "Name": "Nom", + "New email": "Nou correu electrònic", + "New note": "Nota nova", + "New password": "Contrasenya nova", + "New profile": "Nou perfil", + "Next page": "Pàgina següent", + "No actors found": "No s'ha trobat cap actor", + "No address defined": "No s'ha definit l'adreça", + "No closed reports yet": "Encara no hi ha informes tancats", + "No comment": "Sense comentaris", + "No comments yet": "Encara no hi ha comentaris", + "No end date": "Sense data de finalització", + "No events found": "No s'ha trobat cap esdeveniment", + "No group found": "No s'ha trobat cap grup", + "No groups found": "No s'han trobat grups", + "No instance follows your instance yet.": "Encara no hi ha cap instància que segueixi la teva.", + "No instance to approve|Approve instance|Approve {number} instances": "No hi ha cap instància per aprovar|Aprova la instància|Aprova les {number} instàncies", + "No instance to reject|Reject instance|Reject {number} instances": "No hi ha cap instància per rebutjar|Rebutja la instància|Rebutja les {number} instàncies", + "No instance to remove|Remove instance|Remove {number} instances": "No hi ha cap instància per esborrar|Esborra la instància|Esborra les {number} instàncies", + "No message": "Sense missatges", + "No notification settings yet": "Encara no hi ha configuració de les modificacions", + "No open reports yet": "No hi ha cap denúncia oberta", + "No resolved reports yet": "No hi ha cap denúncia resolta", + "No results for \"{queryText}\"": "No s'ha trobat cap resultat per \"{queryText}\"", + "No user account with this email was found. Maybe you made a typo?": "No s'ha trobat cap usuària amb aquest email. Comprova que l'hagis escrit bé?", + "Notes": "Notes", + "Number of places": "Nombre de places", + "OK": "OK", + "Old password": "Contrasenya vella", + "On {date}": "A {data}", + "On {date} ending at {endTime}": "A {date} i acaba a {endTime}", + "On {date} from {startTime} to {endTime}": "A {date} de {startTime} a {endTime}", + "On {date} starting at {startTime}": "A {date} i comença a {startTime}", + "One person is going": "Ningú s'hi ha apuntat|S'hi ha apuntat 1 persona|S'hi han apuntat {approved} persones", + "Only accessible through link and search (private)": "Només accessible amb enllaç i cerca (privat)", + "Only alphanumeric characters and underscores are supported.": "Només acceptem caràcters alfanumèrics i el guió baix.", + "Open": "Obre", + "Opened reports": "Denúncies obertes", + "Organized": "Organitzat", + "Organized by {name}": "Organitzat per {name}", + "Organizer": "Organitzadora", + "Otherwise this identity will just be removed from the group administrators.": "Sinó, aquesta identitat serà esborrada del grup d'administració.", + "Page limited to my group (asks for auth)": "La pàgina està restringida al meu grup (demana autenticació)", + "Page not found": "No s'ha trobat la pàgina", + "Participant already was rejected.": "El participant ja va ser rebutjat.", + "Participant has already been approved as participant.": "Aquesta persona ja ha estat aprovada com a participant.", + "Participants": "Participants", + "Participate": "Participa", + "Participation approval": "Aprovació de participació", + "Participation requested!": "S'ha enviat la soŀlicitud per participar-hi!", + "Password": "Contrasenya", + "Password (confirmation)": "Contrasenya (confirmació)", + "Password change": "Canvi de contrasenya", + "Password reset": "Restabliment de contrasenya", + "Past events": "Activitats passades", + "Pending": "Pendent", + "Pick an identity": "Tria una identitat", + "Please check your spam folder if you didn't receive the email.": "Comprova la teva carpeta de brossa si no t'ha arribat el mail a la safata d'entrada.", + "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Si creus que és un error, contacta amb les administradores d'aquesta instància de Mobilizon.", + "Please make sure the address is correct and that the page hasn't been moved.": "Assegura't que l'adreça és correcta i que la pàgina no s'ha mogut.", + "Please read the full rules": "Llegeix totes les regles, sisplau", + "Please refresh the page and retry.": "Refresca la pàgina i torna-ho a provar.", + "Post a comment": "Publica un comentari", + "Post a reply": "Publica una resposta", + "Postal Code": "Codi postal", + "Private event": "Activitat privada", + "Private feeds": "Fluxos privats", + "Public RSS/Atom Feed": "Fluxos RSS/Atom públics", + "Public comment moderation": "Moderació de comentaris públics", + "Public event": "Activitat pública", + "Public feeds": "Fluxos públics", + "Public iCal Feed": "Flux iCal públic", + "Publish": "Publica", + "Published events": "Activitats publicades", + "RSS/Atom Feed": "Flux RSS/Atom", + "Read Framasoft’s statement of intent on the Framablog": "Llegeix la declaració d'intencions de Framasoft al seu blog Framablog", + "Region": "Regió", + "Register": "Registra't", + "Register an account on Mobilizon!": "Crea un compte a Mobilizon!", + "Register for an event by choosing one of your identities": "Apunta't a una activitat amb una de les teves identitats", + "Registration is currently closed.": "El registre està tancat.", + "Registrations are restricted by whitelisting.": "El registre de comptes està restringit per llista d'acceptació.", + "Reject": "Rebutja", + "Rejected": "Rebutjades", + "Rejected participations": "Participacions rebutjades", + "Reopen": "Reobre", + "Reply": "Respon", + "Report": "Denuncia", + "Report this comment": "Denuncia aquest comentari", + "Report this event": "Denuncia aquesta activitat", + "Reported": "Denunciada", + "Reported by": "Denunciada per", + "Reported by someone on {domain}": "Denunciada per algú a {domain}", + "Reported by {reporter}": "Denunciada per {reporter}", + "Reported identity": "Identitat denunciada", + "Reports": "Denúncies", + "Requests": "Soŀlicituds", + "Resend confirmation email": "Reenvia el correu de confirmació", + "Reset my password": "Restableix la meva contrasenya", + "Resolved": "Resolts", + "Save": "Desa", + "Save draft": "Desa l'esborrany", + "Search": "Cerca", + "Search events, groups, etc.": "Cerca activitats, grups, etc.", + "Search results: \"{search}\"": "Resultats de cerca: \"{search}\"", + "Searching…": "S'està cercant…", + "Send me an email to reset my password": "Envia'm un correu per restablir la meva contrasenya", + "Send me the confirmation email once again": "Envia'm el correu de confirmació un altre cop", + "Send the report": "Envia la denúncia", + "Share this event": "Comparteix aquesta activitat", + "Show map": "Mostra el mapa", + "Show remaining number of places": "Mostra el nombre de places disponibles", + "Show the time when the event begins": "Mostra l'hora d'inici de l'activitat", + "Show the time when the event ends": "Mostra l'hora final de l'activitat", + "Sign up": "Crea un compte", + "Software to the people": "El software serà sempre nostre", + "Starts on…": "Comença a …", + "Status": "Estat", + "Street": "Carrer", + "Tentative: Will be confirmed later": "Provisional: Ho confirmaran més endavant", + "The content came from another server. Transfer an anonymous copy of the report?": "El contingut ha arribat des d'un altre servidor. Vols enviar-hi una còpia anònima de la denúncia?", + "The current identity doesn't have any permission on this event. You should probably change it.": "La identitat actual no té cap permís sobre aquesta activitat. Pot ser que ho vulguis canviar.", + "The draft event has been updated": "S'ha actualitzat l'esborrany", + "The event has been created as a draft": "S'ha creat l'activitat com a esborrany", + "The event has been published": "S'ha publicat l'activitat", + "The event has been updated": "L'activitat s'ha actualitzat", + "The event has been updated and published": "L'activitat s'ha actualitzat i publicat", + "The event organizer didn't add any description.": "L'organització de l'activitat no ha afegit cap descripció.", + "The event title will be ellipsed.": "S'abreujarà el títol de l'activitat.", + "The page you're looking for doesn't exist.": "La pàgina que buscaves no existeix.", + "The password was successfully changed": "S'ha canviat amb èxit la contrasenya", + "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "S'enviarà la denúncia a les persones moderadores de la teva instància. Pots explicar aquí a sota per què denuncies aquest contingut.", + "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "El compte al qual intentes accedir encara no està confirmat. Comprova el teu correu a la safata d'entrada i, si cal, a la de brossa.", + "There are {participants} participants.": "Hi ha {participants} participants.", + "These events may interest you": "Pot ser que t'interessin aquestes activitats", + "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Aquesta instaŀlació (o \"instància\") es pot {interconnect} fàcilment, gràcies al {protocol}.", + "This instance isn't opened to registrations, but you can register on other instances.": "Aquesta instància no té el registre obert, però en pots buscar una altra.", + "This is a demonstration site to test the beta version of Mobilizon.": "Aquesta és una instància de proves i demostració de la versió beta de Mobilizon.", + "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Això farà que s'esborrin o s'anonimitzin tots els continguts (activitats, comentaris, missatges, participacions…) que s'hagin creat des d'aquesta identitat.", + "Title": "Títol", + "To achieve your registration, please create a first identity profile.": "Per tal de completar el registre, has de crear un perfil d'identitat.", + "To change the world, change the software": "Per canviar el món, comença pel software", + "To confirm, type your event title \"{eventTitle}\"": "Per confirmar, escriu el títol de l'activitat \"{eventTitle}\"", + "To confirm, type your identity username \"{preferredUsername}\"": "Per confirmar, escriu el nom de la identitat \"{preferredUsername}\"", + "Transfer to {outsideDomain}": "Transfereix a {outsideDomain}", + "Type": "Escriu", + "Unfortunately, this instance isn't opened to registrations": "Malauradament, aquesta instància no està oberta a nous comptes", + "Unfortunately, your participation request was rejected by the organizers.": "Malauradament, l'organització de l'activitat ha rebutjat la teva soŀlicitud de participació.", + "Unknown": "Desconegut", + "Unknown actor": "Agent desconegut/da", + "Unknown error.": "Error desconegut.", + "Unsaved changes": "Canvis sense desar", + "Upcoming": "Properament", + "Update event {name}": "Actualitza l'activitat {name}", + "Update my event": "Actualitza l'activitat", + "Updated": "S'ha actualitzat", + "Username": "Nom d'usuària", + "Users": "Usuàries", + "View a reply": "|Mostra la resposta|Mostra les {totalReplies} resposta", + "View event page": "Mostra la pàgina de l'activitat", + "View everything": "Mostra-ho tot", + "View page on {hostname} (in a new window)": "mostra la pàgina a {hostname} (s'obrirà en una pestanya nova)", + "Visible everywhere on the web (public)": "Visible a tot arreu (públic)", + "Waiting for organization team approval.": "Pendent de l'aprovació de l'equip d'organització.", + "Waiting list": "Llista d'espera", + "Warning": "Alerta", + "We just sent an email to {email}": "S'acaba d'enviar un correu a {email}", + "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Volem desenvolupar un procomú digital, que tothom pugui fer-se seu i que respecti la privacitat i l'activisme per disseny.", + "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "No podem canviar el món des de Facebook, les eines de l'amo no desmuntaran la casa de l'amo. L'eina que somiem no la desenvoluparà el capitalisme perquè no en podria treure rendiment. És una oportunitat per construir una internet millor.", + "Website / URL": "Web / URL", + "Welcome back {username}!": "Bentornat/da {username}!", + "Welcome back!": "Bentornat/da!", + "Welcome on your administration panel": "Benvingut/da al tauler d'administració", + "Welcome to Mobilizon, {username}!": "Benvingut/da a Mobilizon, {username}!", + "Who can view this event and participate": "Qui pot veure i participar en aquesta activitat", + "World map": "Mapamundi", + "Write something…": "Escriu alguna cosa …", + "You and one other person are going to this event": "Per ara ets l'única persona que hi assistirà|Tu i una altra persona hi assistireu|Tu i {approved} persones més hi assistireu.", + "You are already a participant of this event.": "Ja figures com a participant d'aquesta activitat.", + "You are already logged-in.": "Ja tens una sessió iniciada.", + "You can add tags by hitting the Enter key or by adding a comma": "Pots afegir etiquetes prement Enter o afegint una coma", + "You can try another search term or drag and drop the marker on the map": "Pots provar amb altres paraules de cerca o arrossegar l'indicador al mapa", + "You can't remove your last identity.": "No pots esborrar la teva única identitat.", + "You don't follow any instances yet.": "Encara no pots seguir cap instància.", + "You have been disconnected": "S'ha desconnectat la sessió", + "You have cancelled your participation": "Has canceŀlat la teva participació", + "You have one event in {days} days.": "No tens cap activitat en {days} dies|Tens una activitat en {days} dies.|Tens {count} activitats en {days} dies", + "You have one event today.": "No tens cap activitat avui|Avui tens una activitat|Avui tens {count} activitats", + "You have one event tomorrow.": "No tens cap activitat per demà|Demà tens una activitat|Demà tens {count} activitats", + "You may also ask to {resend_confirmation_email}.": "També pots demanar {resend_confirmation_email}.", + "You need to login.": "Has d'iniciar sessió.", + "Your account has been validated": "El teu compte ha estat validat", + "Your account is being validated": "El teu compte està sent validat", + "Your account is nearly ready, {username}": "El teu compte està gairebé apunt, {username}", + "Your email is not whitelisted, you can't register.": "El teu correu no està a la llista d'acceptats, no pots crear un compte.", + "Your local administrator resumed its policy:": "L'administració d'aquesta instància resumeix així la seva política:", + "Your participation has been confirmed": "S'ha confirmat la teva participació", + "Your participation has been rejected": "S'ha denegat la teva participació", + "Your participation has been requested": "S'ha soŀlicitat la teva participació", + "Your participation status has been changed": "Ha canviat l'estat de participació", + "[This comment has been deleted]": "[Comentari esborrat]", + "[deleted]": "[esborrat]", + "a decentralised federation protocol": "un protocol de descentralitzat de federació", + "as {identity}": "com a {identity}", + "e.g. 10 Rue Jangot": "ex.: 13 Rue del Percebe", + "firstDayOfWeek": "0", + "iCal Feed": "Flux iCal", + "interconnect with others like it": "interconnecta amb altres com aquest", + "its source code is public": "el codi font és públic", + "on our blog": "al nostre blog", + "resend confirmation email": "reenvia el mail de confirmació", + "respect of the fundamental freedoms": "respecte per les llibertats fonamentals", + "with another identity…": "amb una altra identitat…", + "{approved} / {total} seats": "{approved} / {total} places", + "{count} participants": "Cap participant per ara|Un/a participant|{count} participants", + "{count} requests waiting": "{count} soŀlicituds pendents", + "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} garanteix {respect} de la gent que el farà servir . Com que {source}, qualsevol amb els coneixements adequats pot auditar-lo, cosa que en garanteix la transparència.", + "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© Les persones contribuïdores de Mobilizon {date} - Fet amb Elixir, Phoenix, VueJS, una mica d'amor i algunes setmanes", + "© The OpenStreetMap Contributors": "© Les persones contribuïdores d'OpenStreetMap" } diff --git a/js/src/i18n/de.json b/js/src/i18n/de.json index 21e4a1fa3..45ed57268 100644 --- a/js/src/i18n/de.json +++ b/js/src/i18n/de.json @@ -1,473 +1,418 @@ { - "Please do not use it in any real way.": "Bitte benutze diese Seite nicht für tatsächliche Veranstaltungsplanung.", - "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Ein benutzerfreundliches, emanzipatorisches und ethisches Instrument zum Sammeln, Organisieren und Mobilisieren.", - "A validation email was sent to {email}": "Es wurde eine Bestätigungs-Mail an {email} gesendet.", - "Abandon edition": "Bearbeitung abbrechen", - "About": "Über", - "About Mobilizon": "Über Mobilizon", - "About this event": "Über diese Veranstaltung", - "About this instance": "Über diese Instanz", - "Accepted": "Akzeptiert", - "Account": "Konto", - "Account settings": "Kontoeinstellungen", - "Add": "Hinzufügen", - "Add a note": "Notiz hinzufügen", - "Add an address": "Adresse hinzufügen", - "Add an instance": "Instanz hinzufügen", - "Add some tags": "Füge Tags hinzu", - "Add to my calendar": "Zu meinem Kalender hinzufügen", - "Additional comments": "Zusätzliche Kommentare", - "Admin": "Admin", - "Admin settings": "Admineinstellungen", - "Admin settings successfully saved.": "Admineinstellungen erfolgreich gespeichert.", - "Administration": "Administration", - "All the places have already been taken": "Alle Plätze sind besetzt|Ein Platz ist noch verfügbar|{places} Plätze sind noch verfügbar", - "Allow all comments": "Erlaube alle Kommentare", - "Allow registrations": "Erlaube Registrierungen", - "An error has occurred.": "Ein Fehler ist aufgetreten.", - "Anonymous participant": "Anonyme Teilnehmer", - "Anonymous participants will be asked to confirm their participation through e-mail.": "Anonyme Teilnehmer(innen) werden gebeten, ihre Teilnahme per E-Mail zu bestätigen.", - "Anonymous participations": "Anonyme Teilnehmer", - "Approve": "Bestätigen", - "Are you really sure you want to delete your whole account? You'll lose everything. Identities, settings, events created, messages and participations will be gone forever.": "Bist du dir sicher, dass du den gesamten Account löschen möchtest? Du verlierst dadurch alles. Identitäten, Einstellungen, erstellte Events, Nachrichten, Teilnahmen sind dann für immer verschwunden.", - "Are you sure you want to delete this comment? This action cannot be undone.": "Bist du sicher, dass du diesen Kommentar löschen willst? Diese Aktion kann nicht rückgängig gemacht werden.", - "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "Bist du sicher, dass du diese Veranstaltung löschen willst? Diese Aktion kann nicht rückgängig gemacht werden.", - "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Bist Du dir sicher, dass du das Erstellen der Veranstaltung abbrechen möchtest? Alle Änderungen werden verloren gehen.", - "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Bist du dir sicher, dass Du die Bearbeitung der Veranstaltung abbrechen möchtest? Alle Änderungen werden verloren gehen.", - "Are you sure you want to cancel your participation at event \"{title}\"?": "Bist Du dir sicher, dass Du nicht mehr an der Veranstaltung \"{title}\" teilnehmen möchtest?", - "Are you sure you want to delete this event? This action cannot be reverted.": "Bist Du dir sicher, dass Du diese Veranstaltung löschen möchtest? Dies kann nicht rückgängig gemacht werden.", - "Avatar": "Profilbild", - "Back to previous page": "Zurück zur vorherigen Seite", - "Before you can login, you need to click on the link inside it to validate your account": "Bevor Du dich einloggen kannst, musst Du den Link anklicken, um deinen Account zu überprüfen.", - "By @{username}": "Nach @{username}", - "Cancel": "Abbrechen", - "Cancel anonymous participation": "Anonyme Teilnahme abbrechen", - "Cancel creation": "Erstellung abbrechen", - "Cancel edition": "Bearbeiten abbrechen", - "Cancel my participation request…": "Meine Teilnahmeanfrage abbrechen…", - "Cancel my participation…": "Meine Teilnahme absagen…", - "Cancelled: Won't happen": "Abgesagt: Wird nicht stattfinden", - "Category": "Kategorie", - "Change": "Ändern", - "Change my email": "E-Mail ändern", - "Change my identity…": "Identität wechseln…", - "Change my password": "Passwort ändern", - "Change password": "Passwort ändern", - "Clear": "Leeren", - "Click to select": "Klicken zum Auswählen", - "Click to upload": "Klicken zum Hochladen", - "Close": "Schließen", - "Close comments for all (except for admins)": "Schließe die Kommentare für alle (außer für Administratoren)", - "Closed": "Geschlossen", - "Comment deleted": "Kommentar gelöscht", - "Comment from @{username} reported": "Kommentar von @{username} gemeldet", - "Comments": "Kommentare", - "Comments have been closed.": "Kommentierung ist beendet", - "Comments on the event page": "Kommentare auf der Veranstaltungs-Seite", - "Confirm my participation": "Meine Teilnahme zusagen", - "Confirm my particpation": "Bestätige meine Teilnahme", - "Confirmed: Will happen": "Bestätigt: Wird stattfinden", - "Continue editing": "Bearbeitung fortsetzen", - "Country": "Land", - "Create": "Erstellen", - "Create a new event": "Erstelle eine neue Veranstaltung", - "Create a new group": "Erstelle eine neue Gruppe", - "Create a new identity": "Erstelle eine neue Identität", - "Create and manage several identities from the same account": "Erstelle und verwalte mehrere Identitäten vom selben Account aus", - "Create group": "Gruppe erstellen", - "Create my event": "Erstelle eine neue Veranstaltung", - "Create my group": "Erstelle meine Gruppe", - "Create my profile": "Erstelle mein Profil", - "Create token": "Token erstellen", - "Create, edit or delete events": "Erstelle, bearbeite oder lösche Veranstaltungen", - "Creator": "Ersteller", - "Current identity has been changed to {identityName} in order to manage this event.": "Aktuelle Identität wurde zu {identityName} geändert, um das Event bearbeiten zu können.", - "Current page": "Aktuelle Seite", - "Custom": "Benutzerdefiniert", - "Custom URL": "benutzerdefiniert URL", - "Custom text": "benutzerdefiniert Text", - "Dashboard": "Dashboard", - "Date": "Datum", - "Date and time settings": "Datums- und Uhrzeiteinstellungen", - "Date parameters": "Datumsoptionen", - "Default": "Standard", - "Delete": "Löschen", - "Delete Comment": "Kommentar löschen", - "Delete Event": "Veranstaltung löschen", - "Delete account": "Account löschen", - "Delete event": "Event löschen", - "Delete everything": "Alles löschen", - "Delete my account": "Meinen Account löschen", - "Delete this identity": "Identität löschen", - "Delete your identity": "Deine Identität löschen", - "Delete {eventTitle}": "Lösche {eventTitle}", - "Delete {preferredUsername}": "Lösche {preferredUsername}", - "Deleting comment": "Lösche Kommentar", - "Deleting event": "Lösche Event", - "Deleting my account will delete all of my identities.": "Löschen meines Accounts wird all meine Identitäten löschen.", - "Deleting your Mobilizon account": "Lösche dein Mobilizon Konto", - "Description": "Beschreibung", - "Didn't receive the instructions ?": "Bestätigung nicht erhalten?", - "Display name": "Namen einzeigen", - "Display participation price": "Teilnahmegebühr anzeigen", - "Domain": "Domain", - "Draft": "Entwurf", - "Drafts": "Entwürfe", - "Edit": "Bearbeiten", - "Eg: Stockholm, Dance, Chess…": "z.B.: Berlin, Tanzen, Schach…", - "Either on the {instance} instance or on another instance.": "Entweder auf der {instance} Instanz oder auf einer andere Instanz.", - "Either the account is already validated, either the validation token is incorrect.": "Der Account ist bereits bestätigt, oder der Bestätigungstoken ist abgelaufen.", - "Email": "E-Mail", - "Ends on…": "Endet mit…", - "Enjoy discovering Mobilizon!": "Viel Spaß beim Entdecken von Mobilizon!", - "Enter the link URL": "Füge die URL ein", - "Error while changing email": "Ein Fehler ist beim ändern der E-Mail aufgetreten.", - "Error while communicating with the server.": "Fehler bei der Kommunikation mit dem Server.", - "Error while saving report.": "Fehler beim Speichern der Meldung.", - "Error while validating account": "Fehler beim Bestätigen des Accounts", - "Error while validating participation": "Fehler bei Bestätigung des Teilnahme aufgetreten", - "Event": "Veranstaltung", - "Event already passed": "Veranstaltung hat bereits stattgefunden", - "Event cancelled": "Veranstaltung abgesagt", - "Event creation": "Veranstaltungserstellung", - "Event edition": "Veranstaltungsbearbeitung", - "Event list": "Veranstaltungsliste", - "Event not found.": "Veranstaltung nicht gefunde.", - "Event page settings": "Einstellungen der Veranstaltungsseite", - "Event to be confirmed": "Veranstaltungsbestätigung noch ausstehend", - "Event {eventTitle} deleted": "Veranstaltung {eventTitle} gelöscht", - "Event {eventTitle} reported": "Veranstaltung {eventTitle} gemeldet", - "Events": "Veranstaltungen", - "Ex: test.mobilizon.org": "Bsp.: test.mobilizon.org", - "Exclude": "Ausschließen", - "Explore": "Entdecken", - "Failed to save admin settings": "Admin Einstellungen konnten nicht gespeichert werden", - "Featured events": "Vorgestellte Veranstaltungen", - "Features": "Funktionen", - "Federation": "Föderation", - "Find an address": "Adresse finden", - "Find an instance": "Eine Instanz finden", - "Followers": "Follower*innen", - "Followings": "Verfolgend", - "For instance: London, Taekwondo, Architecture…": "Beispielsweise: London, Taekwondo, Architektur…", - "Forgot your password ?": "Passwort vergessen?", - "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "Von kleinen Geburtstagspartys mit Freunden und Familie, bis hin zu Demonstrationen gegen den Klimawandel, momentan sind alle Treffen in den Platformen der Tech-Giganten gefangen. Wie können wir uns organisieren, wie können wir auf \"Teilnehmen\" klicken, ohne private Daten an Facebook zu geben oder uns selbst an MeetUp zu binden?", - "From the {startDate} at {startTime} to the {endDate}": "Vom {startDate} um {startTime} bis zum {endDate}", - "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Vom {startDate} um {startTime} bis zum {endDate} um {endTime}", - "From the {startDate} to the {endDate}": "Vom {startDate} bis zum {endDate}", - "Gather ⋅ Organize ⋅ Mobilize": "Treffen ⋅ Organisieren ⋅ Mobilisieren", - "General information": "Allgemeine Informationen", - "Getting location": "Standort ermitteln", - "Go": "Los", - "Going as {name}": "Teilnahme als {name}", - "Group List": "Gruppenliste", - "Group full name": "Vollständiger Gruppenname", - "Group name": "Gruppenname", - "Group {displayName} created": "Gruppe {displayName} erstellt", - "Groups": "Guppen", - "Headline picture": "Titelbild", - "Hide replies": "Antworten ausblenden", - "I create an identity": "Ich erstelle eine Identität", - "I don't have a Mobilizon account": "Ich habe kein Mobilizon Konto", - "I have a Mobilizon account": "Ich habe ein Mobilizon Konto", - "I have an account on another Mobilizon instance.": "Ich habe ein Konto auf einer anderen Mobilizoninstanz.", - "I participate": "Ich nehme teil", - "I want to allow people to participate without an account.": "Ich möchte Usern erlauben ohne Konto teilzunehmen.", - "I want to approve every participation request": "Ich will jede Teilnahmeanfrage manuell bestätigen", - "Identity {displayName} created": "Identität {displayName} erstellt", - "Identity {displayName} deleted": "Identität {displayName} gelöscht", - "Identity {displayName} updated": "Identität {displayName} aktualisiert", - "If an account with this email exists, we just sent another confirmation email to {email}": "Falls ein Account mit dieser E-Mail-Adresse existiert, werden wir eine neue Bestätigung an {email} senden", - "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Falls diese Identität der einzige Administrator von einer oder mehrerer Gruppen sein sollte, musst du diese erst löschen, bevor du diese Identität löschen kannst.", - "Impossible to login, your email or password seems incorrect.": "Login nicht möglich. Deine Email oder dein Passwort ist falsch.", - "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "Bitte beachte, dass diese Software (noch) nicht fertig ist. Mehr Informationen unter {onBlog}.", - "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Mobilizon zu installieren wird es Gemeinschaften erlauben sich von den Plattformen und Diensten der Tech Giganten loszulösen, indem sie ihre eigene Plattform schaffen.", - "Instance Description": "Beschreibung der Instanz", - "Instance Name": "Instanzname", - "Instance Terms": "Nutzungsbedingungen der Instanz", - "Instance Terms Source": "Nutzungsbedingungen der Instanz", - "Instance Terms URL": "Nutzungsbedingungen der Instanz URL", - "Instance settings": "Einstellungen der Instanz", - "Instances": "Instanzen", - "Join {instance}, a Mobilizon instance": "Tritt {instance} bei, eine Mobilizoninstanz", - "Last published event": "Zuletzt veröffentlichte Veranstaltung", - "Last week": "Letzte Woche", - "Learn more": "Erfahre mehr", - "Learn more about Mobilizon": "Lerne mehr über Mobilizon", - "Leave event": "Veranstaltung Verlassen", - "Leaving event \"{title}\"": "Verlasse Veranstalung \"{title}\"", - "Let's create a new common": "Lass uns eine neues Gemeingut erschaffen", - "License": "Lizenz", - "Limited number of places": "Limitierte Anzahl an Plätzen", - "Load more": "Lade mehr", - "Locality": "Ort", - "Log in": "Einloggen", - "Log out": "Abmelden", - "Login": "Login", - "Login on Mobilizon!": "Log dich auf Mobilizon ein!", - "Login on {instance}": "Einloggen {instance}", - "Manage participations": "Teilnehmer Verwalten", - "Mark as resolved": "Als gelöst markieren", - "Members": "Mitglieder", - "Message": "Nachricht", - "Mobilizon is a federated network. You can interact with this event from a different server.": "Mobilizon ist ein föderierte Netzwerk. Du kannst mit dieser Veranstaltung aus verschiedenen Server interagiert.", - "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon ist eine freie (wie Freiheit) software, welche es Gemeinschaften erlaubt ihre eigenen Raum zu schaffen um Veranstaltungen bekannt zu geben, und um sich von den Tech Giganten loszulösen.", - "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon befindet sich in der Entwicklung, wir werden neue Funktionen während regulären Updates hinzufügen, bis Version 1 der Software in der ersten Hälfte von 2020 veröffentlicht wird.", - "Mobilizon’s licence": "Mobilizons Lizenz", - "Moderated comments (shown after approval)": "Moderierte Kommentare (anzeigen nach manueller Freigabe)", - "Moderation": "Moderation", - "My account": "Mein Account", - "My events": "Meine Veranstaltungen", - "My identities": "Meine Identitäten", - "Name": "Name", - "New email": "Neue E-Mail", - "New note": "Neue Notiz", - "New password": "Neues Passwort", - "New profile": "Neue Profil", - "Next page": "Nächste Seite", - "No address defined": "Keine Adresse festgelegt", - "No comment": "Kein Kommentar", - "No comments yet": "Noch keine Kommentare", - "No end date": "Keine Enddatum", - "No events found": "Keine Veranstaltungen gefunden", - "No group found": "Keine Gruppe gefunden", - "No groups found": "Keine Gruppen gefunden", - "No instance follows your instance yet.": "Noch keine Instanz folgt deiner Instanz", - "No instance to approve|Approve instance|Approve {number} instances": "", - "No message": "Kein Nachricht", - "No participant to approve|Approve participant|Approve {number} participants": "Keine Teilnehmer zu bestätigen|Teilnehmer bestätigen| {count} Teilnehmer bestätigen", - "No participant to reject|Reject participant|Reject {number} participants": "Keine Teilnehmer abzulehnen|Teilnehmer ablehnen|{number} Teilnehmern ablehnen", - "No results for \"{queryText}\"": "Keine Ergebnisse für \"{queryText}\"", - "No user account with this email was found. Maybe you made a typo?": "Kein Account mit dieser E-Mail gefunden. Vielleicht hast Du dich vertippt?", - "Notes": "Notizen", - "Notifications": "Benachrichtigungen", - "Number of places": "Anzahl der Plätze", - "OK": "OK", - "Old password": "Altes Passwort", - "On {date}": "Am {date}", - "On {date} ending at {endTime}": "Am {date} endend um {endTime}", - "On {date} from {startTime} to {endTime}": "Am {date} von {startTime} bis {endTime}", - "On {date} starting at {startTime}": "Am {date} beginnend um {startTime}", - "One person is going": "Niemand geht hin | Eine Person geht hin | {approved} Personen gehen hin", - "Only accessible through link and search (private)": "Nur erreichbar über den Link oder die Suche (privat)", - "Only alphanumeric characters and underscores are supported.": "Nur alphanumerische Zeichen und Unterstriche sind unterstützt.", - "Open": "Offen", - "Opened reports": "Geöffnete Meldungen", - "Or": "Oder", - "Organized": "Organisiert", - "Organized by {name}": "Organisiert von {name}", - "Organizer": "Organisator", - "Otherwise this identity will just be removed from the group administrators.": "Andernfalls wird diese Identität nur als Gruppenadministrator entfernt.", - "Page": "Seite", - "Page limited to my group (asks for auth)": "Seite ist auf meine Gruppe beschränkt (fragt nach Authentifikation)", - "Page not found": "Seite nicht gefunden", - "Participant": "Teilnehmer", - "Participant already was rejected.": "Teilnehmer wurde bereits abgelehnt.", - "Participant has already been approved as participant.": "Teilnehmer wurde bereits bestätigt.", - "Participants": "Teilnehmer", - "Participate": "Teilnehmen", - "Participate using your email address": "Nehme mit deiner E-Mail Adresse teil", - "Participation approval": "Teilnahmebestätigung", - "Participation requested!": "Teilnahme angefragt!", - "Password": "Passwort", - "Password (confirmation)": "Passwort (Bestätigung)", - "Password change": "Passwort Ändern", - "Password reset": "Passwort zurücksetzen", - "Past events": "Vergangene Veranstaltungen", - "Pending": "Ausstehend", - "Pick an identity": "Wähle eine Identität", - "Please check your spam folder if you didn't receive the email.": "Bitte schaue auch in deinem Spam-Ordner nach, ob Du die E-Mail nicht erhalten hast.", - "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Bitte kontaktiere den Administrator dieser Mobilizon-Instanz, wenn Du denkst, dass dies ein Fehler ist.", - "Please make sure the address is correct and that the page hasn't been moved.": "Bitte stelle sicher, dass die Adresse korrekt ist und die Seite nicht verschoben wurde.", - "Please read the full rules": "Bitte ließ die kompletten Regeln", - "Please refresh the page and retry.": "Bitte lade die Seite neu und versuche es erneut.", - "Please type at least 5 characters": "Bitte tippe wenigstens 5 Zeichen", - "Post a comment": "Schreibe einen Kommentar", - "Post a reply": "Schreibe eine Antwort", - "Postal Code": "Postleitzahl", - "Preferences": "Einstellungen", - "Previous page": "Vorherigen Seite", - "Privacy Policy": "Datenschutzerklärung", - "Private event": "Private Veranstaltung", - "Private feeds": "Private Feeds", - "Profiles": "Profile", - "Public RSS/Atom Feed": "Öffentlicher RSS/Atom-Feed", - "Public comment moderation": "Öffentliche Kommentare", - "Public event": "Öffentliches Event", - "Public feeds": "Öffentliche Feeds", - "Public iCal Feed": "Öffentlicher iCal-Feed", - "Publish": "Veröffentlichen", - "Published events": "Veröffentlichte Veranstaltungen", - "RSS/Atom Feed": "RSS/Atom-Feed", - "Read Framasoft’s statement of intent on the Framablog": "Ließ Framasofts Absichtserklärung im Framablog", - "Region": "Region", - "Register": "Registrieren", - "Register an account on Mobilizon!": "Registriere einen Account bei Mobilizon!", - "Register for an event by choosing one of your identities": "Registriere dich für eine Veranstaltung, indem Du eine deiner Identitäten wählst", - "Registration is allowed, anyone can register.": "Veranstaltung zugesagt, jede kann registrieren.", - "Registration is closed.": "Registrierung geschlossen.", - "Registration is currently closed.": "Registrierungen sind aktuell geschlossen.", - "Registrations are restricted by whitelisting.": "Registrierung ist durch eine Whitelist beschränkt.", - "Reject": "Ablehnen", - "Rejected": "Abgelehnt", - "Rejected participations": "Abgelehnte Teilnahmen", - "Reopen": "Wieder öffnen", - "Reply": "Antworten", - "Report": "Melden", - "Report this comment": "Diesen Kommentar melden", - "Report this event": "Diese Veranstaltung melden", - "Reported": "Gemeldet", - "Reported by": "Gemeldet von", - "Reported by someone on {domain}": "Gemeldet von jemandem auf {domain}", - "Reported by {reporter}": "Gemeldet von {reporter}", - "Reports": "Meldungen", - "Requests": "Anfragen", - "Resend confirmation email": "Bestätigungsmail erneut senden", - "Reset my password": "Mein Passwort zurücksetzen", - "Resolved": "Gelöst", - "Role": "Benutzerrolle", - "Save": "Speichern", - "Save draft": "Entwurf speichern", - "Search": "Suche", - "Search events, groups, etc.": "Durchsuche Veranstaltungen, Gruppen, etc.", - "Search results: \"{search}\"": "Suchergebnisse: \"{search}\"", - "Searching…": "Suche…", - "Send email": "E-Mail senden", - "Send me an email to reset my password": "Sende mir eine E-Mail, um mein Passwort zurückzusetzen", - "Send me the confirmation email once again": "Sende mir noch eine Bestätigungsmail", - "Send the report": "Meldung senden", - "Settings": "Einstellungen", - "Share this event": "Diese Veranstaltung teilen", - "Show map": "Karte anzeigen", - "Show remaining number of places": "Freie Plätze anzeigen", - "Show the time when the event begins": "Zeige mir die Zeit, zu der die Veranstaltung endet", - "Show the time when the event ends": "Zeige mir die Zeit, zu der die Veranstaltung endet", - "Sign up": "Registrieren", - "Software to the people": "Software für die Menschen", - "Starts on…": "Startet am…", - "Status": "Status", - "Street": "Straße", - "Tentative: Will be confirmed later": "Vorläufig: Wird später bestätigt", - "Terms": "Nutzungsbedingungen", - "The content came from another server. Transfer an anonymous copy of the report?": "Der Inhalt kam von einem anderen Server. Willst Du eine anonyme Kopie der Meldung übertragen?", - "The current identity doesn't have any permission on this event. You should probably change it.": "Die aktuelle Identität hat keine Berechtigungen für diese Veranstaltung. Du solltest sie wahrscheinlich wechseln.", - "The current password is invalid": "Das Passwort ist ungültig.", - "The draft event has been updated": "Der Entwurf wurde aktualisiert", - "The event has been created as a draft": "Diese Veranstaltung wurde als Entwurf erstellt", - "The event has been published": "Diese Veranstaltung wurde veröffentlicht", - "The event has been updated": "Diese Veranstaltung wurde aktualisiert", - "The event has been updated and published": "Diese Veranstaltung wurde aktualisiert und veröffentlicht", - "The event organiser has chosen to validate manually participations. Do you want to add a little note to explain why you want to participate to this event?": "Der Veranstalter der Veranstaltung will die Teilnahmen manuell bestätigen. Willst Du einen Grund hinzufügen warum Du diese Veranstaltung teilnehmen möchtest ?", - "The event organizer didn't add any description.": "Der Organisator hat keine Beschreibung hinzugefügt.", - "The event organizer manually approves participations. Since you've chosen to participate without an account, please explain why you want to participate to this event.": "Der Veranstalter der Veranstaltung will die Teilnahmen manuell bestätigen. Wenn Du ohne Konto teilnehmen möchtest, bitte erklärt warum Du diese Veranstaltung teilnehmen möchtest.", - "The event title will be ellipsed.": "Der Titel der Veranstaltung wird verkürzt dargestellt.", - "The new email doesn't seem to be valid": "Die neue E-Mail scheint nicht valide zu sein.", - "The new email must be different": "Der neue E-Mail muss unterschiedlich sein", - "The new password must be different": "Das neue Passwort muss unterschiedlich sein", - "The page you're looking for doesn't exist.": "Die Seite, nach der Du suchst, existiert nicht.", - "The password was successfully changed": "Das Passwort wurde erfolgreich geändert", - "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "Die Meldung wird an die Moderatoren deiner Instanz gesendet. Du kannst unten erläutern, warum Du diesen Inhalt meldest.", - "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "Der Account, mit dem Du dich einloggen willst, wurde noch nicht bestätigt. Schau in deinem E-Mail-Postfach und eventuell im Spam-Ordner nach.", - "There are {participants} participants.": "Es gibt {participants} Teilnehmer.", - "There will be no way to recover your data.": "Es gibt keinen Weg deine Daten wiederherszustellen.", - "These events may interest you": "Diese Veranstaltungen könnten dich interessieren", - "This Mobilizon instance and this event organizer allows anonymous participations, but requires validation through email confirmation.": "Diese Mobilizon Instanz und diesen Veranstalter akzeptieren anonyme Teilnahmen, aber eine Bestätigung per E-Mail ist erforderlich.", - "This information is saved only on your computer. Click for details": "Diese Information ist nur auf deinem Computer gespeichert. Klicke für mehr Details.", - "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Solch eine Installation (genannt \"Instanz\") kann sich dank {protocol} ganz einfach {interconnect}.", - "This instance isn't opened to registrations, but you can register on other instances.": "Diese Instanz lässt keine Registrierungen zu, aber Du kannst dich auf anderen Instanzen registrieren.", - "This is a demonstration site to test the beta version of Mobilizon.": "Dies ist eine Demo-Seite, um die Beta-Version von Mobilizon zu testen.", - "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Dies wird alle Inhalte (Veranstaltungen, Kommentare, Nachrichten, Teilnahmen...) löschen/anonymisieren, die von dieser Identität erstellt wurden.", - "Title": "Titel", - "To achieve your registration, please create a first identity profile.": "Erstelle bitte deine erste Identität, um die Registrierung abzuschließen.", - "To change the world, change the software": "Um die Welt zu ändern muss man die Software ändern", - "To confirm, type your event title \"{eventTitle}\"": "Gib zur Bestätigung deinen Veranstaltungstitel \"{eventTitle}\" ein", - "To confirm, type your identity username \"{preferredUsername}\"": "Gib zur Bestätigung den Nutzernamen deiner Identität \"{preferredUsername}\" ein", - "Transfer to {outsideDomain}": "Zu {outsideDomain} übertragen", - "Type": "Typ", - "URL": "URL", - "Unfortunately, this instance isn't opened to registrations": "Leider lässt diese Instanz keine Registrierungen zu", - "Unfortunately, your participation request was rejected by the organizers.": "Leider wurde deine Teilnahmeanfrage von den Organisatoren abgelehnt.", - "Unknown": "Unbekannt", - "Unknown error.": "Unbekannter Fehler.", - "Unsaved changes": "Nicht gespeicherte Änderungen", - "Upcoming": "Demnächst", - "Update event {name}": "Event {name} aktualisieren", - "Update my event": "Meine Veranstaltungen aktualisieren", - "Updated": "Aktualisiert", - "Username": "Nutzername", - "Users": "Nutzer", - "View a reply": "|Eine Rückmeldung sehen|{totalReplies} Rückmeldungen sehen", - "View event page": "Veranstaltungsseite anzeigen", - "View everything": "Alles anzeigen", - "View page on {hostname} (in a new window)": "Seite auf {hostname} anzeigen (in einem neuen Fenster)", - "Visible everywhere on the web (public)": "Sichtbar im ganzen Internet (öffentlich)", - "Waiting for organization team approval.": "Warte auf die Bestätigung des Organisationsteams.", - "Waiting list": "Warteliste", - "Warning": "Warnung", - "We just sent an email to {email}": "Wir haben gerade eine E-Mail an {email} gesendet", - "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Wir wollen ein digitales Gemeingut entwickeln, welches Privatsphäre und Aktivismus respektiert, und jeder sein Eigen nennen kann.", - "We will redirect you to your instance in order to interact with this event": "Du wirst zu auf deiner Instanz weitergeleitet damit mit dieser Veranstaltung zu interagieren", - "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "Wir werden nicht aus Facebook heraus die Welt verändern können. Firmen des Überwachungs-Kaptialismus haben keinerlei Interesse an einem Werkzeug, wie dem, welches wir uns erträumen, da sie keinen Profit daraus schlagen können. Dies ist eine Möglichkeit etwas besseres zu erschaffen indem wir einen anderen Ansatz verfolgen.", - "Website / URL": "Website / URL", - "Welcome back {username}!": "Willkommen zurück {username}!", - "Welcome back!": "Willkommen zurück!", - "Welcome on your administration panel": "Willkommen in deiner Administrationsansicht", - "Welcome to Mobilizon, {username}!": "Willkommen zu Mobilizon, {username}!", - "Who can view this event and participate": "Wer kann diese Veranstaltung sehen und teilnehmen", - "World map": "Weltkarte", - "Write something…": "Schreibe etwas…", - "You and one other person are going to this event": "Du gehst alleine zu dieser Veranstaltung | Du und eine weitere Person gehen zu dieser Veranstaltung | Du und {approved} weitere Personen gehen zu dieser Veranstaltung.", - "You are already a participant of this event.": "Du bist bereits ein Teilnehmer dieser Veranstaltung.", - "You are already logged-in.": "Du bist bereits eingeloggt.", - "You are participating in this event anonymously": "Du teilnimmst anonym diese Veranstaltung", - "You can add tags by hitting the Enter key or by adding a comma": "Du kannst Tags hinzufügen, indem du Enter drückst oder ein Komma hinzufügst", - "You can't remove your last identity.": "Du kannst deine letzte Identität nicht löschen.", - "You don't follow any instances yet.": "Du folgst noch keinen Instanzen.", - "You have been disconnected": "Deine Verbindung wurde getrennt", - "You have cancelled your participation": "Du hast deine Teilnahme abgesagt", - "You have one event in {days} days.": "Du hast keine Veranstaltung in {days} Tagen | Du hast eine Veranstaltung in {days} Tagen. | Du hast {count} Veranstaltungen in {days} Tagen", - "You have one event today.": "Du hast heute keine Veranstaltungen | Du hast heute eine Veranstaltung. | Du hast heute {count} Veranstaltungen", - "You have one event tomorrow.": "Du hast morgen keine Veranstaltungen | Du hast morgen eine Veranstaltung. | Du hast morgen {count} Veranstaltungen", - "You may also ask to {resend_confirmation_email}.": "Du kannst auch die {resend_confirmation_email}.", - "You need to login.": "Du musst dich einloggen.", - "You will be redirected to the original instance": "Du wirst auf der Original Instanz weitergeleitet", - "You wish to participate to the following event": "Du möchtest an die folgenden Veranstaltungen teilnehmen", - "You'll receive a confirmation email.": "Du wirst einen Bestätigungsmail bekommen.", - "Your account has been successfully deleted": "Dein Konto wurde erfolgreich gelöscht.", - "Your account has been validated": "Dein Account wurde validiert", - "Your account is being validated": "Dein Account wird validiert", - "Your account is nearly ready, {username}": "Dein Account ist fast bereit, {username}", - "Your current email is {email}. You use it to log in.": "Deine aktuell E-Mail ist {email}. Nutz er um einzulogen.", - "Your email has been changed": "Deine E-Mail wurde geändert.", - "Your email is being changed": "Deine E-Mail wird geändert", - "Your email is not whitelisted, you can't register.": "Deine E-Mail-Adresse ist nicht gewhitelisted, du kannst dich nicht registrieren.", - "Your email will only be used to confirm that you're a real person and send you eventual updates for this event. It will NOT be transmitted to other instances or to the event organizer.": "Deine E-Mail ist nur benutzt um zu bestätigen dass Du eine echt Person bist und um Dir eventuell Aktualisierungen dieser Veranstaltung zu schicken.", - "Your federated identity": "Deine föderiert Identität", - "Your local administrator resumed its policy:": "Deine lokale Administration setzt den Betrieb fort:", - "Your participation has been confirmed": "Deine Teilnahme wurde bestätigt", - "Your participation has been rejected": "Deine Teilnahme wurde abgelehnt", - "Your participation has been requested": "Deine Teilnahme wurde angefragt", - "Your participation has been validated": "Deine Teilnahme wurde validiert", - "Your participation is being validated": "Deine Teilnahme wird validiert", - "Your participation status has been changed": "Dein Teilnahmestatus hat sich geändert.", - "[This comment has been deleted]": "[Dieser Kommentar wurde gelöscht]", - "[deleted]": "[gelöscht]", - "a decentralised federation protocol": "eins dezentralisiertem Föderatons-Protokoll", - "as {identity}": "als {identity}", - "e.g. 10 Rue Jangot": "z.B. Musterstraße 21", - "firstDayOfWeek": "0", - "iCal Feed": "iCal-Feed", - "interconnect with others like it": "mit anderen seiner Art verbinden", - "its source code is public": "der Quellcode offen ist", - "on our blog": "in unserem Blog", - "profile@instance": "profil@instanz", - "resend confirmation email": "Bestätigungsmail erneut senden", - "respect of the fundamental freedoms": "Respekt für die fundamentalen Freiheiten", - "with another identity…": "mit einer anderen Identität.…", - "{approved} / {total} seats": "{approved} / {total} Plätze", - "{count} participants": "Noch keine Teilnehmer | Ein Teilnehmer | {count} Teilnehmer", - "{count} requests waiting": "{count} Anfragen ausstehend", - "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} garantiert den {respect} der Leute die es Nutzen. Da {sources}, kann jeder ihn einsehen und analysieren, was Tranzparenz verspricht.", - "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© Das Mobilizon Team {date} - Entwickelt mit Elixir, Phoenix, VueJS & viel liebe und viel Zeit", - "© The OpenStreetMap Contributors": "© OpenStreetMap-Mitwirkende" -} + "Please do not use it in any real way.": "Bitte benutze diese Seite nicht für tatsächliche Veranstaltungsplanung.", + "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Ein benutzerfreundliches, emanzipatorisches und ethisches Instrument zum Sammeln, Organisieren und Mobilisieren.", + "A validation email was sent to {email}": "Es wurde eine Bestätigungs-Mail an {email} gesendet.", + "Abandon edition": "Bearbeitung abbrechen", + "About": "Über", + "About Mobilizon": "Über Mobilizon", + "About this event": "Über diese Veranstaltung", + "About this instance": "Über diese Instanz", + "Accepted": "Akzeptiert", + "Account settings": "Kontoeinstellungen", + "Add": "Hinzufügen", + "Add a note": "Notiz hinzufügen", + "Add an address": "Adresse hinzufügen", + "Add an instance": "Instanz hinzufügen", + "Add some tags": "Füge Tags hinzu", + "Add to my calendar": "Zu meinem Kalender hinzufügen", + "Additional comments": "Zusätzliche Kommentare", + "Admin settings": "Admineinstellungen", + "Admin settings successfully saved.": "Admineinstellungen erfolgreich gespeichert.", + "Administration": "Administration", + "All the places have already been taken": "Alle Plätze sind besetzt|Ein Platz ist noch verfügbar|{places} Plätze sind noch verfügbar", + "Allow all comments": "Erlaube alle Kommentare", + "Allow registrations": "Erlaube Registrierungen", + "An error has occurred.": "Ein Fehler ist aufgetreten.", + "Anonymous participations": "Anonyme Teilnehmer", + "Approve": "Bestätigen", + "Are you really sure you want to delete your whole account? You'll lose everything. Identities, settings, events created, messages and participations will be gone forever.": "Bist du dir sicher, dass du den gesamten Account löschen möchtest? Du verlierst dadurch alles. Identitäten, Einstellungen, erstellte Events, Nachrichten, Teilnahmen sind dann für immer verschwunden.", + "Are you sure you want to delete this comment? This action cannot be undone.": "Bist du sicher, dass du diesen Kommentar löschen willst? Diese Aktion kann nicht rückgängig gemacht werden.", + "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "Bist du sicher, dass du diese Veranstaltung löschen willst? Diese Aktion kann nicht rückgängig gemacht werden.", + "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Bist Du dir sicher, dass du das Erstellen der Veranstaltung abbrechen möchtest? Alle Änderungen werden verloren gehen.", + "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Bist du dir sicher, dass Du die Bearbeitung der Veranstaltung abbrechen möchtest? Alle Änderungen werden verloren gehen.", + "Are you sure you want to cancel your participation at event \"{title}\"?": "Bist Du dir sicher, dass Du nicht mehr an der Veranstaltung \"{title}\" teilnehmen möchtest?", + "Are you sure you want to delete this event? This action cannot be reverted.": "Bist Du dir sicher, dass Du diese Veranstaltung löschen möchtest? Dies kann nicht rückgängig gemacht werden.", + "Avatar": "Profilbild", + "Back to previous page": "Zurück zur vorherigen Seite", + "Before you can login, you need to click on the link inside it to validate your account": "Bevor Du dich einloggen kannst, musst Du den Link anklicken, um deinen Account zu überprüfen.", + "By @{username}": "Nach @{username}", + "Cancel": "Abbrechen", + "Cancel creation": "Erstellung abbrechen", + "Cancel edition": "Bearbeiten abbrechen", + "Cancel my participation request…": "Meine Teilnahmeanfrage abbrechen…", + "Cancel my participation…": "Meine Teilnahme absagen…", + "Cancelled: Won't happen": "Abgesagt: Wird nicht stattfinden", + "Category": "Kategorie", + "Change": "Ändern", + "Change my email": "E-Mail ändern", + "Change my identity…": "Identität wechseln…", + "Change my password": "Passwort ändern", + "Change password": "Passwort ändern", + "Clear": "Leeren", + "Click to select": "Klicken zum Auswählen", + "Click to upload": "Klicken zum Hochladen", + "Close": "Schließen", + "Close comments for all (except for admins)": "Schließe die Kommentare für alle (außer für Administratoren)", + "Closed": "Geschlossen", + "Comment deleted": "Kommentar gelöscht", + "Comment from @{username} reported": "Kommentar von @{username} gemeldet", + "Comments": "Kommentare", + "Comments have been closed.": "Kommentierung ist beendet", + "Comments on the event page": "Kommentare auf der Veranstaltungs-Seite", + "Confirm my particpation": "Bestätige meine Teilnahme", + "Confirmed: Will happen": "Bestätigt: Wird stattfinden", + "Continue editing": "Bearbeitung fortsetzen", + "Country": "Land", + "Create": "Erstellen", + "Create a new event": "Erstelle eine neue Veranstaltung", + "Create a new group": "Erstelle eine neue Gruppe", + "Create a new identity": "Erstelle eine neue Identität", + "Create and manage several identities from the same account": "Erstelle und verwalte mehrere Identitäten vom selben Account aus", + "Create group": "Gruppe erstellen", + "Create my event": "Erstelle eine neue Veranstaltung", + "Create my group": "Erstelle meine Gruppe", + "Create my profile": "Erstelle mein Profil", + "Create token": "Token erstellen", + "Create, edit or delete events": "Erstelle, bearbeite oder lösche Veranstaltungen", + "Creator": "Ersteller", + "Current identity has been changed to {identityName} in order to manage this event.": "Aktuelle Identität wurde zu {identityName} geändert, um das Event bearbeiten zu können.", + "Dashboard": "Dashboard", + "Date": "Datum", + "Date and time settings": "Datums- und Uhrzeiteinstellungen", + "Date parameters": "Datumsoptionen", + "Default": "Standard", + "Delete": "Löschen", + "Delete Comment": "Kommentar löschen", + "Delete Event": "Veranstaltung löschen", + "Delete account": "Account löschen", + "Delete event": "Event löschen", + "Delete everything": "Alles löschen", + "Delete my account": "Meinen Account löschen", + "Delete this identity": "Identität löschen", + "Delete your identity": "Deine Identität löschen", + "Delete {eventTitle}": "Lösche {eventTitle}", + "Delete {preferredUsername}": "Lösche {preferredUsername}", + "Deleting comment": "Lösche Kommentar", + "Deleting event": "Lösche Event", + "Deleting my account will delete all of my identities.": "Löschen meines Accounts wird all meine Identitäten löschen.", + "Deleting your Mobilizon account": "Lösche dein Mobilizon Konto", + "Description": "Beschreibung", + "Didn't receive the instructions ?": "Bestätigung nicht erhalten?", + "Display name": "Namen einzeigen", + "Display participation price": "Teilnahmegebühr anzeigen", + "Domain": "Domain", + "Draft": "Entwurf", + "Drafts": "Entwürfe", + "Edit": "Bearbeiten", + "Eg: Stockholm, Dance, Chess…": "z.B.: Berlin, Tanzen, Schach…", + "Either the account is already validated, either the validation token is incorrect.": "Der Account ist bereits bestätigt, oder der Bestätigungstoken ist abgelaufen.", + "Email": "E-Mail", + "Ends on…": "Endet mit…", + "Enjoy discovering Mobilizon!": "Viel Spaß beim Entdecken von Mobilizon!", + "Enter the link URL": "Füge die URL ein", + "Error while changing email": "Ein Fehler ist beim ändern der E-Mail aufgetreten.", + "Error while communicating with the server.": "Fehler bei der Kommunikation mit dem Server.", + "Error while saving report.": "Fehler beim Speichern der Meldung.", + "Error while validating account": "Fehler beim Bestätigen des Accounts", + "Event": "Veranstaltung", + "Event already passed": "Veranstaltung hat bereits stattgefunden", + "Event cancelled": "Veranstaltung abgesagt", + "Event creation": "Veranstaltungserstellung", + "Event edition": "Veranstaltungsbearbeitung", + "Event list": "Veranstaltungsliste", + "Event not found.": "Veranstaltung nicht gefunde.", + "Event page settings": "Einstellungen der Veranstaltungsseite", + "Event to be confirmed": "Veranstaltungsbestätigung noch ausstehend", + "Event {eventTitle} deleted": "Veranstaltung {eventTitle} gelöscht", + "Event {eventTitle} reported": "Veranstaltung {eventTitle} gemeldet", + "Events": "Veranstaltungen", + "Ex: test.mobilizon.org": "Bsp.: test.mobilizon.org", + "Exclude": "Ausschließen", + "Explore": "Entdecken", + "Failed to save admin settings": "Admin Einstellungen konnten nicht gespeichert werden", + "Featured events": "Vorgestellte Veranstaltungen", + "Features": "Funktionen", + "Find an address": "Adresse finden", + "Find an instance": "Eine Instanz finden", + "Followers": "Follower*innen", + "For instance: London, Taekwondo, Architecture…": "Beispielsweise: London, Taekwondo, Architektur…", + "Forgot your password ?": "Passwort vergessen?", + "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "Von kleinen Geburtstagspartys mit Freunden und Familie, bis hin zu Demonstrationen gegen den Klimawandel, momentan sind alle Treffen in den Platformen der Tech-Giganten gefangen. Wie können wir uns organisieren, wie können wir auf \"Teilnehmen\" klicken, ohne private Daten an Facebook zu geben oder uns selbst an MeetUp zu binden?", + "From the {startDate} at {startTime} to the {endDate}": "Vom {startDate} um {startTime} bis zum {endDate}", + "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Vom {startDate} um {startTime} bis zum {endDate} um {endTime}", + "From the {startDate} to the {endDate}": "Vom {startDate} bis zum {endDate}", + "Gather ⋅ Organize ⋅ Mobilize": "Treffen ⋅ Organisieren ⋅ Mobilisieren", + "General information": "Allgemeine Informationen", + "Getting location": "Standort ermitteln", + "Go": "Los", + "Going as {name}": "Teilnahme als {name}", + "Group List": "Gruppenliste", + "Group full name": "Vollständiger Gruppenname", + "Group name": "Gruppenname", + "Group {displayName} created": "Gruppe {displayName} erstellt", + "Groups": "Guppen", + "Headline picture": "Titelbild", + "Hide replies": "Antworten ausblenden", + "I create an identity": "Ich erstelle eine Identität", + "I don't have a Mobilizon account": "Ich habe kein Mobilizon Konto", + "I have a Mobilizon account": "Ich habe ein Mobilizon Konto", + "I have an account on another Mobilizon instance.": "Ich habe ein Konto auf einer anderen Mobilizoninstanz.", + "I participate": "Ich nehme teil", + "I want to allow people to participate without an account.": "Ich möchte Usern erlauben ohne Konto teilzunehmen.", + "I want to approve every participation request": "Ich will jede Teilnahmeanfrage manuell bestätigen", + "Identity {displayName} created": "Identität {displayName} erstellt", + "Identity {displayName} deleted": "Identität {displayName} gelöscht", + "Identity {displayName} updated": "Identität {displayName} aktualisiert", + "If an account with this email exists, we just sent another confirmation email to {email}": "Falls ein Account mit dieser E-Mail-Adresse existiert, werden wir eine neue Bestätigung an {email} senden", + "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Falls diese Identität der einzige Administrator von einer oder mehrerer Gruppen sein sollte, musst du diese erst löschen, bevor du diese Identität löschen kannst.", + "Impossible to login, your email or password seems incorrect.": "Login nicht möglich. Deine Email oder dein Passwort ist falsch.", + "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "Bitte beachte, dass diese Software (noch) nicht fertig ist. Mehr Informationen unter {onBlog}.", + "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Mobilizon zu installieren wird es Gemeinschaften erlauben sich von den Plattformen und Diensten der Tech Giganten loszulösen, indem sie ihre eigene Plattform schaffen.", + "Instance Description": "Beschreibung der Instanz", + "Instance Name": "Instanzname", + "Instances": "Instanzen", + "Join {instance}, a Mobilizon instance": "Tritt {instance} bei, eine Mobilizoninstanz", + "Last published event": "Zuletzt veröffentlichte Veranstaltung", + "Last week": "Letzte Woche", + "Learn more": "Erfahre mehr", + "Learn more about Mobilizon": "Lerne mehr über Mobilizon", + "Leave event": "Veranstaltung Verlassen", + "Leaving event \"{title}\"": "Verlasse Veranstalung \"{title}\"", + "Let's create a new common": "Lass uns eine neues Gemeingut erschaffen", + "License": "Lizenz", + "Limited number of places": "Limitierte Anzahl an Plätzen", + "Load more": "Lade mehr", + "Locality": "Ort", + "Log in": "Einloggen", + "Log out": "Abmelden", + "Login": "Login", + "Login on Mobilizon!": "Log dich auf Mobilizon ein!", + "Login on {instance}": "Einloggen {instance}", + "Manage participations": "Teilnehmer Verwalten", + "Mark as resolved": "Als gelöst markieren", + "Members": "Mitglieder", + "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon ist eine freie (wie Freiheit) software, welche es Gemeinschaften erlaubt ihre eigenen Raum zu schaffen um Veranstaltungen bekannt zu geben, und um sich von den Tech Giganten loszulösen.", + "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon befindet sich in der Entwicklung, wir werden neue Funktionen während regulären Updates hinzufügen, bis Version 1 der Software in der ersten Hälfte von 2020 veröffentlicht wird.", + "Mobilizon’s licence": "Mobilizons Lizenz", + "Moderated comments (shown after approval)": "Moderierte Kommentare (anzeigen nach manueller Freigabe)", + "My account": "Mein Account", + "My events": "Meine Veranstaltungen", + "My identities": "Meine Identitäten", + "Name": "Name", + "New email": "Neue E-Mail", + "New note": "Neue Notiz", + "New password": "Neues Passwort", + "No address defined": "Keine Adresse festgelegt", + "No comment": "Kein Kommentar", + "No comments yet": "Noch keine Kommentare", + "No end date": "Keine Enddatum", + "No events found": "Keine Veranstaltungen gefunden", + "No group found": "Keine Gruppe gefunden", + "No groups found": "Keine Gruppen gefunden", + "No instance follows your instance yet.": "Noch keine Instanz folgt deiner Instanz", + "No instance to approve|Approve instance|Approve {number} instances": "", + "No results for \"{queryText}\"": "Keine Ergebnisse für \"{queryText}\"", + "No user account with this email was found. Maybe you made a typo?": "Kein Account mit dieser E-Mail gefunden. Vielleicht hast Du dich vertippt?", + "Notes": "Notizen", + "Number of places": "Anzahl der Plätze", + "OK": "OK", + "Old password": "Altes Passwort", + "On {date}": "Am {date}", + "On {date} ending at {endTime}": "Am {date} endend um {endTime}", + "On {date} from {startTime} to {endTime}": "Am {date} von {startTime} bis {endTime}", + "On {date} starting at {startTime}": "Am {date} beginnend um {startTime}", + "One person is going": "Niemand geht hin | Eine Person geht hin | {approved} Personen gehen hin", + "Only accessible through link and search (private)": "Nur erreichbar über den Link oder die Suche (privat)", + "Only alphanumeric characters and underscores are supported.": "Nur alphanumerische Zeichen und Unterstriche sind unterstützt.", + "Open": "Offen", + "Opened reports": "Geöffnete Meldungen", + "Or": "Oder", + "Organized": "Organisiert", + "Organized by {name}": "Organisiert von {name}", + "Organizer": "Organisator", + "Otherwise this identity will just be removed from the group administrators.": "Andernfalls wird diese Identität nur als Gruppenadministrator entfernt.", + "Page limited to my group (asks for auth)": "Seite ist auf meine Gruppe beschränkt (fragt nach Authentifikation)", + "Page not found": "Seite nicht gefunden", + "Participant already was rejected.": "Teilnehmer wurde bereits abgelehnt.", + "Participant has already been approved as participant.": "Teilnehmer wurde bereits bestätigt.", + "Participants": "Teilnehmer", + "Participate": "Teilnehmen", + "Participate using your email address": "Nehme mit deiner E-Mail Adresse teil", + "Participation approval": "Teilnahmebestätigung", + "Participation requested!": "Teilnahme angefragt!", + "Password": "Passwort", + "Password (confirmation)": "Passwort (Bestätigung)", + "Password change": "Passwort Ändern", + "Password reset": "Passwort zurücksetzen", + "Past events": "Vergangene Veranstaltungen", + "Pick an identity": "Wähle eine Identität", + "Please check your spam folder if you didn't receive the email.": "Bitte schaue auch in deinem Spam-Ordner nach, ob Du die E-Mail nicht erhalten hast.", + "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Bitte kontaktiere den Administrator dieser Mobilizon-Instanz, wenn Du denkst, dass dies ein Fehler ist.", + "Please make sure the address is correct and that the page hasn't been moved.": "Bitte stelle sicher, dass die Adresse korrekt ist und die Seite nicht verschoben wurde.", + "Please read the full rules": "Bitte ließ die kompletten Regeln", + "Please refresh the page and retry.": "Bitte lade die Seite neu und versuche es erneut.", + "Please type at least 5 characters": "Bitte tippe wenigstens 5 Zeichen", + "Post a comment": "Schreibe einen Kommentar", + "Post a reply": "Schreibe eine Antwort", + "Postal Code": "Postleitzahl", + "Privacy Policy": "Datenschutzerklärung", + "Private event": "Private Veranstaltung", + "Private feeds": "Private Feeds", + "Public RSS/Atom Feed": "Öffentlicher RSS/Atom-Feed", + "Public comment moderation": "Öffentliche Kommentare", + "Public event": "Öffentliches Event", + "Public feeds": "Öffentliche Feeds", + "Public iCal Feed": "Öffentlicher iCal-Feed", + "Publish": "Veröffentlichen", + "Published events": "Veröffentlichte Veranstaltungen", + "RSS/Atom Feed": "RSS/Atom-Feed", + "Read Framasoft’s statement of intent on the Framablog": "Ließ Framasofts Absichtserklärung im Framablog", + "Region": "Region", + "Register": "Registrieren", + "Register an account on Mobilizon!": "Registriere einen Account bei Mobilizon!", + "Register for an event by choosing one of your identities": "Registriere dich für eine Veranstaltung, indem Du eine deiner Identitäten wählst", + "Registration is closed.": "Registrierung geschlossen.", + "Registration is currently closed.": "Registrierungen sind aktuell geschlossen.", + "Registrations are restricted by whitelisting.": "Registrierung ist durch eine Whitelist beschränkt.", + "Reject": "Ablehnen", + "Rejected": "Abgelehnt", + "Rejected participations": "Abgelehnte Teilnahmen", + "Reopen": "Wieder öffnen", + "Reply": "Antworten", + "Report": "Melden", + "Report this comment": "Diesen Kommentar melden", + "Report this event": "Diese Veranstaltung melden", + "Reported": "Gemeldet", + "Reported by": "Gemeldet von", + "Reported by someone on {domain}": "Gemeldet von jemandem auf {domain}", + "Reported by {reporter}": "Gemeldet von {reporter}", + "Reports": "Meldungen", + "Requests": "Anfragen", + "Resend confirmation email": "Bestätigungsmail erneut senden", + "Reset my password": "Mein Passwort zurücksetzen", + "Resolved": "Gelöst", + "Save": "Speichern", + "Save draft": "Entwurf speichern", + "Search": "Suche", + "Search events, groups, etc.": "Durchsuche Veranstaltungen, Gruppen, etc.", + "Search results: \"{search}\"": "Suchergebnisse: \"{search}\"", + "Searching…": "Suche…", + "Send email": "E-Mail senden", + "Send me an email to reset my password": "Sende mir eine E-Mail, um mein Passwort zurückzusetzen", + "Send me the confirmation email once again": "Sende mir noch eine Bestätigungsmail", + "Send the report": "Meldung senden", + "Settings": "Einstellungen", + "Share this event": "Diese Veranstaltung teilen", + "Show map": "Karte anzeigen", + "Show remaining number of places": "Freie Plätze anzeigen", + "Show the time when the event begins": "Zeige mir die Zeit, zu der die Veranstaltung endet", + "Show the time when the event ends": "Zeige mir die Zeit, zu der die Veranstaltung endet", + "Sign up": "Registrieren", + "Software to the people": "Software für die Menschen", + "Starts on…": "Startet am…", + "Status": "Status", + "Street": "Straße", + "Tentative: Will be confirmed later": "Vorläufig: Wird später bestätigt", + "The content came from another server. Transfer an anonymous copy of the report?": "Der Inhalt kam von einem anderen Server. Willst Du eine anonyme Kopie der Meldung übertragen?", + "The current identity doesn't have any permission on this event. You should probably change it.": "Die aktuelle Identität hat keine Berechtigungen für diese Veranstaltung. Du solltest sie wahrscheinlich wechseln.", + "The current password is invalid": "Das Passwort ist ungültig.", + "The draft event has been updated": "Der Entwurf wurde aktualisiert", + "The event has been created as a draft": "Diese Veranstaltung wurde als Entwurf erstellt", + "The event has been published": "Diese Veranstaltung wurde veröffentlicht", + "The event has been updated": "Diese Veranstaltung wurde aktualisiert", + "The event has been updated and published": "Diese Veranstaltung wurde aktualisiert und veröffentlicht", + "The event organizer didn't add any description.": "Der Organisator hat keine Beschreibung hinzugefügt.", + "The event title will be ellipsed.": "Der Titel der Veranstaltung wird verkürzt dargestellt.", + "The new email doesn't seem to be valid": "Die neue E-Mail scheint nicht valide zu sein.", + "The page you're looking for doesn't exist.": "Die Seite, nach der Du suchst, existiert nicht.", + "The password was successfully changed": "Das Passwort wurde erfolgreich geändert", + "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "Die Meldung wird an die Moderatoren deiner Instanz gesendet. Du kannst unten erläutern, warum Du diesen Inhalt meldest.", + "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "Der Account, mit dem Du dich einloggen willst, wurde noch nicht bestätigt. Schau in deinem E-Mail-Postfach und eventuell im Spam-Ordner nach.", + "There are {participants} participants.": "Es gibt {participants} Teilnehmer.", + "There will be no way to recover your data.": "Es gibt keinen Weg deine Daten wiederherszustellen.", + "These events may interest you": "Diese Veranstaltungen könnten dich interessieren", + "This information is saved only on your computer. Click for details": "Diese Information ist nur auf deinem Computer gespeichert. Klicke für mehr Details.", + "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Solch eine Installation (genannt \"Instanz\") kann sich dank {protocol} ganz einfach {interconnect}.", + "This instance isn't opened to registrations, but you can register on other instances.": "Diese Instanz lässt keine Registrierungen zu, aber Du kannst dich auf anderen Instanzen registrieren.", + "This is a demonstration site to test the beta version of Mobilizon.": "Dies ist eine Demo-Seite, um die Beta-Version von Mobilizon zu testen.", + "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Dies wird alle Inhalte (Veranstaltungen, Kommentare, Nachrichten, Teilnahmen...) löschen/anonymisieren, die von dieser Identität erstellt wurden.", + "Title": "Titel", + "To achieve your registration, please create a first identity profile.": "Erstelle bitte deine erste Identität, um die Registrierung abzuschließen.", + "To change the world, change the software": "Um die Welt zu ändern muss man die Software ändern", + "To confirm, type your event title \"{eventTitle}\"": "Gib zur Bestätigung deinen Veranstaltungstitel \"{eventTitle}\" ein", + "To confirm, type your identity username \"{preferredUsername}\"": "Gib zur Bestätigung den Nutzernamen deiner Identität \"{preferredUsername}\" ein", + "Transfer to {outsideDomain}": "Zu {outsideDomain} übertragen", + "URL": "URL", + "Unfortunately, this instance isn't opened to registrations": "Leider lässt diese Instanz keine Registrierungen zu", + "Unfortunately, your participation request was rejected by the organizers.": "Leider wurde deine Teilnahmeanfrage von den Organisatoren abgelehnt.", + "Unknown error.": "Unbekannter Fehler.", + "Unsaved changes": "Nicht gespeicherte Änderungen", + "Upcoming": "Demnächst", + "Update event {name}": "Event {name} aktualisieren", + "Update my event": "Meine Veranstaltungen aktualisieren", + "Updated": "Aktualisiert", + "Username": "Nutzername", + "Users": "Nutzer", + "View event page": "Veranstaltungsseite anzeigen", + "View everything": "Alles anzeigen", + "View page on {hostname} (in a new window)": "Seite auf {hostname} anzeigen (in einem neuen Fenster)", + "Visible everywhere on the web (public)": "Sichtbar im ganzen Internet (öffentlich)", + "Waiting for organization team approval.": "Warte auf die Bestätigung des Organisationsteams.", + "Waiting list": "Warteliste", + "Warning": "Warnung", + "We just sent an email to {email}": "Wir haben gerade eine E-Mail an {email} gesendet", + "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Wir wollen ein digitales Gemeingut entwickeln, welches Privatsphäre und Aktivismus respektiert, und jeder sein Eigen nennen kann.", + "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "Wir werden nicht aus Facebook heraus die Welt verändern können. Firmen des Überwachungs-Kaptialismus haben keinerlei Interesse an einem Werkzeug, wie dem, welches wir uns erträumen, da sie keinen Profit daraus schlagen können. Dies ist eine Möglichkeit etwas besseres zu erschaffen indem wir einen anderen Ansatz verfolgen.", + "Website / URL": "Website / URL", + "Welcome back {username}!": "Willkommen zurück {username}!", + "Welcome back!": "Willkommen zurück!", + "Welcome on your administration panel": "Willkommen in deiner Administrationsansicht", + "Welcome to Mobilizon, {username}!": "Willkommen zu Mobilizon, {username}!", + "Who can view this event and participate": "Wer kann diese Veranstaltung sehen und teilnehmen", + "World map": "Weltkarte", + "Write something…": "Schreibe etwas…", + "You and one other person are going to this event": "Du gehst alleine zu dieser Veranstaltung | Du und eine weitere Person gehen zu dieser Veranstaltung | Du und {approved} weitere Personen gehen zu dieser Veranstaltung.", + "You are already a participant of this event.": "Du bist bereits ein Teilnehmer dieser Veranstaltung.", + "You are already logged-in.": "Du bist bereits eingeloggt.", + "You can add tags by hitting the Enter key or by adding a comma": "Du kannst Tags hinzufügen, indem du Enter drückst oder ein Komma hinzufügst", + "You can't remove your last identity.": "Du kannst deine letzte Identität nicht löschen.", + "You don't follow any instances yet.": "Du folgst noch keinen Instanzen.", + "You have been disconnected": "Deine Verbindung wurde getrennt", + "You have cancelled your participation": "Du hast deine Teilnahme abgesagt", + "You have one event in {days} days.": "Du hast keine Veranstaltung in {days} Tagen | Du hast eine Veranstaltung in {days} Tagen. | Du hast {count} Veranstaltungen in {days} Tagen", + "You have one event today.": "Du hast heute keine Veranstaltungen | Du hast heute eine Veranstaltung. | Du hast heute {count} Veranstaltungen", + "You have one event tomorrow.": "Du hast morgen keine Veranstaltungen | Du hast morgen eine Veranstaltung. | Du hast morgen {count} Veranstaltungen", + "You may also ask to {resend_confirmation_email}.": "Du kannst auch die {resend_confirmation_email}.", + "You need to login.": "Du musst dich einloggen.", + "Your account has been successfully deleted": "Dein Konto wurde erfolgreich gelöscht.", + "Your account has been validated": "Dein Account wurde validiert", + "Your account is being validated": "Dein Account wird validiert", + "Your account is nearly ready, {username}": "Dein Account ist fast bereit, {username}", + "Your email has been changed": "Deine E-Mail wurde geändert.", + "Your email is being changed": "Deine E-Mail wird geändert", + "Your email is not whitelisted, you can't register.": "Deine E-Mail-Adresse ist nicht gewhitelisted, du kannst dich nicht registrieren.", + "Your local administrator resumed its policy:": "Deine lokale Administration setzt den Betrieb fort:", + "Your participation has been confirmed": "Deine Teilnahme wurde bestätigt", + "Your participation has been rejected": "Deine Teilnahme wurde abgelehnt", + "Your participation has been requested": "Deine Teilnahme wurde angefragt", + "Your participation status has been changed": "Dein Teilnahmestatus hat sich geändert.", + "[This comment has been deleted]": "[Dieser Kommentar wurde gelöscht]", + "[deleted]": "[gelöscht]", + "a decentralised federation protocol": "eins dezentralisiertem Föderatons-Protokoll", + "as {identity}": "als {identity}", + "e.g. 10 Rue Jangot": "z.B. Musterstraße 21", + "firstDayOfWeek": "0", + "iCal Feed": "iCal-Feed", + "interconnect with others like it": "mit anderen seiner Art verbinden", + "its source code is public": "der Quellcode offen ist", + "on our blog": "in unserem Blog", + "resend confirmation email": "Bestätigungsmail erneut senden", + "respect of the fundamental freedoms": "Respekt für die fundamentalen Freiheiten", + "with another identity…": "mit einer anderen Identität.…", + "{approved} / {total} seats": "{approved} / {total} Plätze", + "{count} participants": "Noch keine Teilnehmer | Ein Teilnehmer | {count} Teilnehmer", + "{count} requests waiting": "{count} Anfragen ausstehend", + "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} garantiert den {respect} der Leute die es Nutzen. Da {sources}, kann jeder ihn einsehen und analysieren, was Tranzparenz verspricht.", + "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© Das Mobilizon Team {date} - Entwickelt mit Elixir, Phoenix, VueJS & viel liebe und viel Zeit", + "© The OpenStreetMap Contributors": "© OpenStreetMap-Mitwirkende" +} \ No newline at end of file diff --git a/js/src/i18n/en_US.json b/js/src/i18n/en_US.json index 038915563..6a10de8e4 100644 --- a/js/src/i18n/en_US.json +++ b/js/src/i18n/en_US.json @@ -1,496 +1,571 @@ { - "Please do not use it in any real way.": "Please do not use it in any real way.", - "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.", - "A validation email was sent to {email}": "A validation email was sent to {email}", - "Abandon edition": "Abandon edition", - "About Mobilizon": "About Mobilizon", - "About this event": "About this event", - "About this instance": "About this instance", - "About": "About", - "Accepted": "Accepted", - "Account": "Account", - "Add a note": "Add a note", - "Add an address": "Add an address", - "Add an instance": "Add an instance", - "Add some tags": "Add some tags", - "Add to my calendar": "Add to my calendar", - "Add": "Add", - "Additional comments": "Additional comments", - "Admin settings successfully saved.": "Admin settings successfully saved.", - "Admin": "Admin", - "Administration": "Administration", - "All the places have already been taken": "All the places have been taken|One place is still available|{places} places are still available", - "Allow all comments": "Allow all comments", - "Allow registrations": "Allow registrations", - "An error has occurred.": "An error has occurred.", - "Anonymous participant": "Anonymous participant", - "Anonymous participants will be asked to confirm their participation through e-mail.": "Anonymous participants will be asked to confirm their participation through e-mail.", - "Anonymous participations": "Anonymous participations", - "Approve": "Approve", - "Are you really sure you want to delete your whole account? You'll lose everything. Identities, settings, events created, messages and participations will be gone forever.": "Are you really sure you want to delete your whole account? You'll lose everything. Identities, settings, events created, messages and participations will be gone forever.", - "Are you sure you want to delete this comment? This action cannot be undone.": "Are you sure you want to delete this comment? This action cannot be undone.", - "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.", - "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Are you sure you want to cancel the event creation? You'll lose all modifications.", - "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Are you sure you want to cancel the event edition? You'll lose all modifications.", - "Are you sure you want to cancel your participation at event \"{title}\"?": "Are you sure you want to cancel your participation at event \"{title}\"?", - "Are you sure you want to delete this event? This action cannot be reverted.": "Are you sure you want to delete this event? This action cannot be reverted.", - "Avatar": "Avatar", - "Back to previous page": "Back to previous page", - "Before you can login, you need to click on the link inside it to validate your account": "Before you can login, you need to click on the link inside it to validate your account", - "By @{username}": "By @{username}", - "Cancel anonymous participation": "Cancel anonymous participation", - "Cancel creation": "Cancel creation", - "Cancel edition": "Cancel edition", - "Cancel my participation request…": "Cancel my participation request…", - "Cancel my participation…": "Cancel my participation…", - "Cancel": "Cancel", - "Cancelled: Won't happen": "Cancelled: Won't happen", - "Category": "Category", - "Change my email": "Change my email", - "Change my identity…": "Change my identity…", - "Change my password": "Change my password", - "Change": "Change", - "Clear": "Clear", - "Click to select": "Click to select", - "Click to upload": "Click to upload", - "Close comments for all (except for admins)": "Close comments for all (except for admins)", - "Close": "Close", - "Closed": "Closed", - "Comment deleted": "Comment deleted", - "Comment from @{username} reported": "Comment from @{username} reported", - "Comments have been closed.": "Comments have been closed.", - "Comments": "Comments", - "Confirm my participation": "Confirm my participation", - "Confirm my particpation": "Confirm my particpation", - "Confirmed: Will happen": "Confirmed: Will happen", - "Continue editing": "Continue editing", - "Country": "Country", - "Create a new event": "Create a new event", - "Create a new group": "Create a new group", - "Create a new identity": "Create a new identity", - "Create and manage several identities from the same account": "Create and manage several identities from the same account", - "Create group": "Create group", - "Create my event": "Create my event", - "Create my group": "Create my group", - "Create my profile": "Create my profile", - "Create token": "Create token", - "Create, edit or delete events": "Create, edit or delete events", - "Create": "Create", - "Creator": "Creator", - "Current identity has been changed to {identityName} in order to manage this event.": "Current identity has been changed to {identityName} in order to manage this event.", - "Current page": "Current page", - "Custom URL": "Custom URL", - "Custom text": "Custom text", - "Custom": "Custom", - "Dashboard": "Dashboard", - "Date and time settings": "Date and time settings", - "Date parameters": "Date parameters", - "Date": "Date", - "Default Mobilizon.org terms": "Default Mobilizon.org terms", - "Default": "Default", - "Delete Comment": "Delete Comment", - "Delete Event": "Delete Event", - "Delete account": "Delete account", - "Delete event": "Delete event", - "Delete everything": "Delete everything", - "Delete my account": "Delete my account", - "Delete this identity": "Delete this identity", - "Delete your identity": "Delete your identity", - "Delete {eventTitle}": "Delete {eventTitle}", - "Delete {preferredUsername}": "Delete {preferredUsername}", - "Delete": "Delete", - "Deleting comment": "Deleting comment", - "Deleting event": "Deleting event", - "Deleting my account will delete all of my identities.": "Deleting my account will delete all of my identities.", - "Deleting your Mobilizon account": "Deleting your Mobilizon account", - "Description": "Description", - "Didn't receive the instructions ?": "Didn't receive the instructions ?", - "Display name": "Display name", - "Display participation price": "Display participation price", - "Domain": "Domain", - "Draft": "Draft", - "Drafts": "Drafts", - "Edit": "Edit", - "Eg: Stockholm, Dance, Chess…": "Eg: Stockholm, Dance, Chess…", - "Either on the {instance} instance or on another instance.": "Either on the {instance} instance or on another instance.", - "Either the account is already validated, either the validation token is incorrect.": "Either the account is already validated, either the validation token is incorrect.", - "Either the email has already been changed, either the validation token is incorrect.": "Either the email has already been changed, either the validation token is incorrect.", - "Either the participation has already been validated, either the validation token is incorrect.": "Either the participation has already been validated, either the validation token is incorrect.", - "Email": "Email", - "Ends on…": "Ends on…", - "Enjoy discovering Mobilizon!": "Enjoy discovering Mobilizon!", - "Enter the link URL": "Enter the link URL", - "Enter your own terms. HTML tags allowed. Mobilizon.org's terms are provided as template.": "Enter your own terms. HTML tags allowed. Mobilizon.org's terms are provided as template.", - "Error while changing email": "Error while changing email", - "Error while communicating with the server.": "Error while communicating with the server.", - "Error while saving report.": "Error while saving report.", - "Error while validating account": "Error while validating account", - "Error while validating participation": "Error while validating participation", - "Event already passed": "Event already passed", - "Event cancelled": "Event cancelled", - "Event creation": "Event creation", - "Event edition": "Event edition", - "Event list": "Event list", - "Event not found.": "Event not found.", - "Event page settings": "Event page settings", - "Event to be confirmed": "Event to be confirmed", - "Event {eventTitle} deleted": "Event {eventTitle} deleted", - "Event {eventTitle} reported": "Event {eventTitle} reported", - "Event": "Event", - "Events": "Events", - "Ex: test.mobilizon.org": "Ex: test.mobilizon.org", - "Exclude": "Exclude", - "Explore": "Explore", - "Failed to save admin settings": "Failed to save admin settings", - "Featured events": "Featured events", - "Features": "Features", - "Federation": "Federation", - "Find an address": "Find an address", - "Find an instance": "Find an instance", - "Followers": "Followers", - "Followings": "Followings", - "For instance: London, Taekwondo, Architecture…": "For instance: London, Taekwondo, Architecture…", - "Forgot your password ?": "Forgot your password ?", - "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?", - "From the {startDate} at {startTime} to the {endDate} at {endTime}": "From the {startDate} at {startTime} to the {endDate} at {endTime}", - "From the {startDate} at {startTime} to the {endDate}": "From the {startDate} at {startTime} to the {endDate}", - "From the {startDate} to the {endDate}": "From the {startDate} to the {endDate}", - "Gather ⋅ Organize ⋅ Mobilize": "Gather ⋅ Organize ⋅ Mobilize", - "General information": "General information", - "General": "General", - "Getting location": "Getting location", - "Go": "Go", - "Going as {name}": "Going as {name}", - "Group List": "Group List", - "Group full name": "Group full name", - "Group name": "Group name", - "Group {displayName} created": "Group {displayName} created", - "Groups": "Groups", - "Headline picture": "Headline picture", - "Hide replies": "Hide replies", - "I create an identity": "I create an identity", - "I don't have a Mobilizon account": "I don't have a Mobilizon account", - "I have a Mobilizon account": "I have a Mobilizon account", - "I have an account on another Mobilizon instance.": "I have an account on another Mobilizon instance.", - "I participate": "I participate", - "I want to allow people to participate without an account.": "I want to allow people to participate without an account.", - "I want to approve every participation request": "I want to approve every participation request", - "Identity {displayName} created": "Identity {displayName} created", - "Identity {displayName} deleted": "Identity {displayName} deleted", - "Identity {displayName} updated": "Identity {displayName} updated", - "If an account with this email exists, we just sent another confirmation email to {email}": "If an account with this email exists, we just sent another confirmation email to {email}", - "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.", - "If you want, you may send a message to the event organizer here.": "If you want, you may send a message to the event organizer here.", - "Impossible to login, your email or password seems incorrect.": "Impossible to login, your email or password seems incorrect.", - "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.", - "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.", - "Instance Description": "Instance Description", - "Instance Name": "Instance Name", - "Instance Terms Source": "Instance Terms Source", - "Instance Terms URL": "Instance Terms URL", - "Instance Terms": "Instance Terms", - "Instance settings": "Instance settings", - "Instances": "Instances", - "Join {instance}, a Mobilizon instance": "Join {instance}, a Mobilizon instance", - "Last published event": "Last published event", - "Last week": "Last week", - "Learn more about Mobilizon": "Learn more about Mobilizon", - "Learn more": "Learn more", - "Leave event": "Leave event", - "Leaving event \"{title}\"": "Leaving event \"{title}\"", - "Let's create a new common": "Let's create a new common", - "License": "License", - "Limited number of places": "Limited number of places", - "Load more": "Load more", - "Locality": "Locality", - "Log in": "Log in", - "Log out": "Log out", - "Login on Mobilizon!": "Login on Mobilizon!", - "Login on {instance}": "Login on {instance}", - "Login": "Login", - "Manage participations": "Manage participations", - "Mark as resolved": "Mark as resolved", - "Members": "Members", - "Message": "Message", - "Mobilizon is a federated network. You can interact with this event from a different server.": "Mobilizon is a federated network. You can interact with this event from a different server.", - "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.", - "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.", - "Mobilizon’s licence": "Mobilizon’s licence", - "Moderated comments (shown after approval)": "Moderated comments (shown after approval)", - "Moderation log": "Moderation log", - "Moderation": "Moderation", - "My account": "My account", - "My events": "My events", - "My identities": "My identities", - "Name": "Name", - "New email": "New email", - "New note": "New note", - "New password": "New password", - "New profile": "New profile", - "Next page": "Next page", - "No actors found": "No actors found", - "No address defined": "No address defined", - "No closed reports yet": "No closed reports yet", - "No comment": "No comment", - "No comments yet": "No comments yet", - "No end date": "No end date", - "No events found": "No events found", - "No group found": "No group found", - "No groups found": "No groups found", - "No instance follows your instance yet.": "No instance follows your instance yet.", - "No instance to approve|Approve instance|Approve {number} instances": "No instance to approve|Approve instance|Approve {number} instances", - "No instance to reject|Reject instance|Reject {number} instances": "No instance to reject|Reject instance|Reject {number} instances", - "No instance to remove|Remove instance|Remove {number} instances": "No instances to remove|Remove instance|Remove {number} instances", - "No message": "No message", - "No notification settings yet": "No notification settings yet", - "No open reports yet": "No open reports yet", - "No participant to approve|Approve participant|Approve {number} participants": "No participant to approve|Approve participant|Approve {number} participants", - "No participant to reject|Reject participant|Reject {number} participants": "No participant to reject|Reject participant|Reject {number} participants", - "No preferences yet": "No preferences yet", - "No resolved reports yet": "No resolved reports yet", - "No results for \"{queryText}\"": "No results for \"{queryText}\"", - "No user account with this email was found. Maybe you made a typo?": "No user account with this email was found. Maybe you made a typo?", - "Notes": "Notes", - "Notifications": "Notifications", - "Number of places": "Number of places", - "OK": "OK", - "Old password": "Old password", - "On {date} ending at {endTime}": "On {date} ending at {endTime}", - "On {date} from {startTime} to {endTime}": "On {date} from {startTime} to {endTime}", - "On {date} starting at {startTime}": "On {date} starting at {startTime}", - "On {date}": "On {date}", - "One person is going": "No one is going | One person is going | {approved} persons are going", - "Only accessible through link and search (private)": "Only accessible through link and search (private)", - "Only alphanumeric characters and underscores are supported.": "Only alphanumeric characters and underscores are supported.", - "Open": "Open", - "Opened reports": "Opened reports", - "Or": "Or", - "Organized by {name}": "Organized by {name}", - "Organized": "Organized", - "Organizer": "Organizer", - "Other software may also support this.": "Other software may also support this.", - "Otherwise this identity will just be removed from the group administrators.": "Otherwise this identity will just be removed from the group administrators.", - "Page limited to my group (asks for auth)": "Page limited to my group (asks for auth)", - "Page not found": "Page not found", - "Page": "Page", - "Participant already was rejected.": "Participant already was rejected.", - "Participant has already been approved as participant.": "Participant has already been approved as participant.", - "Participant": "Participant", - "Participants": "Participants", - "Participate using your email address": "Participate using your email address", - "Participate": "Participate", - "Participation approval": "Participation approval", - "Participation confirmation": "Participation confirmation", - "Participation requested!": "Participation requested!", - "Password (confirmation)": "Password (confirmation)", - "Password reset": "Password reset", - "Password": "Password", - "Past events": "Passed events", - "Pending": "Pending", - "Pick an identity": "Pick an identity", - "Please check your spam folder if you didn't receive the email.": "Please check your spam folder if you didn't receive the email.", - "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Please contact this instance's Mobilizon admin if you think this is a mistake.", - "Please enter your password to confirm this action.": "Please enter your password to confirm this action.", - "Please make sure the address is correct and that the page hasn't been moved.": "Please make sure the address is correct and that the page hasn't been moved.", - "Please read the full rules": "Please read the full rules", - "Please refresh the page and retry.": "Please refresh the page and retry.", - "Post a comment": "Post a comment", - "Post a reply": "Post a reply", - "Postal Code": "Postal Code", - "Preferences": "Preferences", - "Previous page": "Previous page", - "Privacy Policy": "Privacy Policy", - "Private event": "Private event", - "Private feeds": "Private feeds", - "Profiles": "Profiles", - "Public RSS/Atom Feed": "Public RSS/Atom Feed", - "Public comment moderation": "Public comment moderation", - "Public event": "Public event", - "Public feeds": "Public feeds", - "Public iCal Feed": "Public iCal Feed", - "Publish": "Publish", - "Published events": "Published events", - "RSS/Atom Feed": "RSS/Atom Feed", - "Read Framasoft’s statement of intent on the Framablog": "Read Framasoft’s statement of intent on the Framablog", - "Redirecting to event…": "Redirecting to event…", - "Region": "Region", - "Register an account on Mobilizon!": "Register an account on Mobilizon!", - "Register for an event by choosing one of your identities": "Register for an event by choosing one of your identities", - "Register": "Register", - "Registration is allowed, anyone can register.": "Registration is allowed, anyone can register.", - "Registration is closed.": "Registration is closed.", - "Registration is currently closed.": "Registration is currently closed.", - "Registrations are restricted by whitelisting.": "Registrations are restricted by whitelisting.", - "Reject": "Reject", - "Rejected participations": "Rejected participations", - "Rejected": "Rejected", - "Reopen": "Reopen", - "Reply": "Reply", - "Report this comment": "Report this comment", - "Report this event": "Report this event", - "Report": "Report", - "Reported by someone on {domain}": "Reported by someone on {domain}", - "Reported by {reporter}": "Reported by {reporter}", - "Reported by": "Reported by", - "Reported identity": "Reported identity", - "Reported": "Reported", - "Reports": "Reports", - "Requests": "Requests", - "Resend confirmation email": "Resend confirmation email", - "Reset my password": "Reset my password", - "Resolved": "Resolved", - "Resource provided is not an URL": "Resource provided is not an URL", - "Role": "Role", - "Save draft": "Save draft", - "Save": "Save", - "Search events, groups, etc.": "Search events, groups, etc.", - "Search results: \"{search}\"": "Search results: \"{search}\"", - "Search": "Search", - "Searching…": "Searching…", - "Send email": "Send email", - "Send me an email to reset my password": "Send me an email to reset my password", - "Send me the confirmation email once again": "Send me the confirmation email once again", - "Send the report": "Send the report", - "Set an URL to a page with your own terms.": "Set an URL to a page with your own terms.", - "Settings": "Settings", - "Share this event": "Share this event", - "Show map": "Show map", - "Show remaining number of places": "Show remaining number of places", - "Show the time when the event begins": "Show the time when the event begins", - "Show the time when the event ends": "Show the time when the event ends", - "Sign up": "Sign up", - "Software to the people": "Software to the people", - "Starts on…": "Starts on…", - "Status": "Status", - "Street": "Street", - "Tentative: Will be confirmed later": "Tentative: Will be confirmed later", - "Terms": "Terms", - "The account's email address was changed. Check your emails to verify it.": "The account's email address was changed. Check your emails to verify it.", - "The actual number of participants may differ, as this event is hosted on another instance.": "The actual number of participants may differ, as this event is hosted on another instance.", - "The content came from another server. Transfer an anonymous copy of the report?": "The content came from another server. Transfer an anonymous copy of the report ?", - "The current identity doesn't have any permission on this event. You should probably change it.": "The current identity doesn't have any permission on this event. You should probably change it.", - "The current password is invalid": "The current password is invalid", - "The draft event has been updated": "The draft event has been updated", - "The event has been created as a draft": "The event has been created as a draft", - "The event has been published": "The event has been published", - "The event has been updated and published": "The event has been updated and published", - "The event has been updated": "The event has been updated", - "The event organiser has chosen to validate manually participations. Do you want to add a little note to explain why you want to participate to this event?": "The event organiser has chosen to validate manually participations. Do you want to add a little note to explain why you want to participate to this event?", - "The event organizer didn't add any description.": "The event organizer didn't add any description.", - "The event organizer manually approves participations. Since you've chosen to participate without an account, please explain why you want to participate to this event.": "The event organizer manually approves participations. Since you've chosen to participate without an account, please explain why you want to participate to this event.", - "The event title will be ellipsed.": "The event title will be ellipsed.", - "The new email doesn't seem to be valid": "The new email doesn't seem to be valid", - "The new email must be different": "The new email must be different", - "The new password must be different": "The new password must be different", - "The page you're looking for doesn't exist.": "The page you're looking for doesn't exist.", - "The password provided is invalid": "The password provided is invalid", - "The password was successfully changed": "The password was successfully changed", - "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "The report will be sent to the moderators of your instance. You can explain why you report this content below.", - "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.", - "The {default_terms} will be used. They will be translated in the user's language.": "The {default_terms} will be used. They will be translated in the user's language.", - "There are {participants} participants.": "There are {participants} participants.", - "There will be no way to recover your data.": "There will be no way to recover your data.", - "These events may interest you": "These events may interest you", - "This Mobilizon instance and this event organizer allows anonymous participations, but requires validation through email confirmation.": "This Mobilizon instance and this event organizer allows anonymous participations, but requires validation through email confirmation.", - "This email is already registered as participant for this event": "This email is already registered as participant for this event", - "This information is saved only on your computer. Click for details": "This information is saved only on your computer. Click for details", - "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.", - "This instance isn't opened to registrations, but you can register on other instances.": "This instance isn't opened to registrations, but you can register on other instances.", - "This is a demonstration site to test the beta version of Mobilizon.": "This is a demonstration site to test the beta version of Mobilizon.", - "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.", - "Title": "Title", - "To achieve your registration, please create a first identity profile.": "To achieve your registration, please create a first identity profile.", - "To change the world, change the software": "To change the world, change the software", - "To confirm, type your event title \"{eventTitle}\"": "To confirm, type your event title \"{eventTitle}\"", - "To confirm, type your identity username \"{preferredUsername}\"": "To confirm, type your identity username \"{preferredUsername}\"", - "Transfer to {outsideDomain}": "Transfer to {outsideDomain}", - "Type": "Type", - "URL": "URL", - "Unfortunately, this instance isn't opened to registrations": "Unfortunately, this instance isn't opened to registrations", - "Unfortunately, your participation request was rejected by the organizers.": "Unfortunately, your participation request was rejected by the organizers.", - "Unknown actor": "Unknown actor", - "Unknown error.": "Unknown error.", - "Unknown": "Unknown", - "Unsaved changes": "Unsaved changes", - "Upcoming": "Upcoming", - "Update event {name}": "Update event {name}", - "Update my event": "Update my event", - "Updated": "Updated", - "Username": "Username", - "Users": "Users", - "View a reply": "|View one reply|View {totalReplies} replies", - "View event page": "View event page", - "View everything": "View everything", - "View page on {hostname} (in a new window)": "View page on {hostname} (in a new window)", - "Visible everywhere on the web (public)": "Visible everywhere on the web (public)", - "Waiting for organization team approval.": "Waiting for organization team approval.", - "Waiting list": "Waiting list", - "Warning": "Warning", - "We just sent an email to {email}": "We just sent an email to {email}", - "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.", - "We will redirect you to your instance in order to interact with this event": "We will redirect you to your instance in order to interact with this event", - "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.", - "Website / URL": "Website / URL", - "Welcome back {username}!": "Welcome back {username}!", - "Welcome back!": "Welcome back!", - "Welcome to Mobilizon, {username}!": "Welcome to Mobilizon, {username}!", - "Who can view this event and participate": "Who can view this event and participate", - "World map": "World map", - "Write something…": "Write something…", - "You and one other person are going to this event": "You're the only one going to this event | You and one other person are going to this event | You and {approved} persons are going to this event.", - "You are already a participant of this event.": "You are already a participant of this event.", - "You are participating in this event anonymously but didn't confirm participation": "You are participating in this event anonymously but didn't confirm participation", - "You are participating in this event anonymously": "You are participating in this event anonymously", - "You can add tags by hitting the Enter key or by adding a comma": "You can add tags by hitting the Enter key or by adding a comma", - "You can try another search term or drag and drop the marker on the map": "You can try another search term or drag and drop the marker on the map", - "You can't remove your last identity.": "You can't remove your last identity.", - "You don't follow any instances yet.": "You don't follow any instances yet.", - "You have been disconnected": "You have been disconnected", - "You have cancelled your participation": "You have cancelled your participation", - "You have one event in {days} days.": "You have no events in {days} days | You have one event in {days} days. | You have {count} events in {days} days", - "You have one event today.": "You have no events today | You have one event today. | You have {count} events today", - "You have one event tomorrow.": "You have no events tomorrow | You have one event tomorrow. | You have {count} events tomorrow", - "You may also ask to {resend_confirmation_email}.": "You may also ask to {resend_confirmation_email}.", - "You need to login.": "You need to login.", - "You will be redirected to the original instance": "You will be redirected to the original instance", - "You wish to participate to the following event": "You wish to participate to the following event", - "You'll receive a confirmation email.": "You'll receive a confirmation email.", - "Your account has been successfully deleted": "Your account has been successfully deleted", - "Your account has been validated": "Your account has been validated", - "Your account is being validated": "Your account is being validated", - "Your account is nearly ready, {username}": "Your account is nearly ready, {username}", - "Your current email is {email}. You use it to log in.": "Your current email is {email}. You use it to log in.", - "Your email has been changed": "Your email has been changed", - "Your email is being changed": "Your email is being changed", - "Your email is not whitelisted, you can't register.": "Your email is not whitelisted, you can't register.", - "Your email will only be used to confirm that you're a real person and send you eventual updates for this event. It will NOT be transmitted to other instances or to the event organizer.": "Your email will only be used to confirm that you're a real person and send you eventual updates for this event. It will NOT be transmitted to other instances or to the event organizer.", - "Your federated identity": "Your federated identity", - "Your local administrator resumed its policy:": "Your local administrator resumed its policy:", - "Your participation has been confirmed": "Your participation has been confirmed", - "Your participation has been rejected": "Your participation has been rejected", - "Your participation has been requested": "Your participation has been requested", - "Your participation has been validated": "Your participation has been validated", - "Your participation is being validated": "Your participation is being validated", - "Your participation status has been changed": "Your participation status has been changed", - "[This comment has been deleted]": "[This comment has been deleted]", - "[deleted]": "[deleted]", - "a decentralised federation protocol": "a decentralised federation protocol", - "as {identity}": "as {identity}", - "default Mobilizon terms": "default Mobilizon terms", - "e.g. 10 Rue Jangot": "e.g. 10 Rue Jangot", - "firstDayOfWeek": "0", - "iCal Feed": "iCal Feed", - "interconnect with others like it": "interconnect with others like it", - "its source code is public": "its source code is public", - "on our blog": "on our blog", - "profile@instance": "profile@instance", - "resend confirmation email": "resend confirmation email", - "respect of the fundamental freedoms": "respect of the fundamental freedoms", - "with another identity…": "with another identity…", - "{approved} / {total} seats": "{approved} / {total} seats", - "{count} participants": "No participants yet | One participant | {count} participants", - "{count} requests waiting": "{count} requests waiting", - "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.", - "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks", - "© The OpenStreetMap Contributors": "© The OpenStreetMap Contributors" + "Please do not use it in any real way.": "Please do not use it in any real way.", + "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.", + "A validation email was sent to {email}": "A validation email was sent to {email}", + "Abandon edition": "Abandon edition", + "About Mobilizon": "About Mobilizon", + "About this event": "About this event", + "About this instance": "About this instance", + "About": "About", + "Accepted": "Accepted", + "Account": "Account", + "Add a note": "Add a note", + "Add an address": "Add an address", + "Add an instance": "Add an instance", + "Add some tags": "Add some tags", + "Add to my calendar": "Add to my calendar", + "Add": "Add", + "Additional comments": "Additional comments", + "Admin settings successfully saved.": "Admin settings successfully saved.", + "Admin": "Admin", + "Administration": "Administration", + "All the places have already been taken": "All the places have been taken|One place is still available|{places} places are still available", + "Allow all comments": "Allow all comments", + "Allow registrations": "Allow registrations", + "An error has occurred.": "An error has occurred.", + "Anonymous participant": "Anonymous participant", + "Anonymous participants will be asked to confirm their participation through e-mail.": "Anonymous participants will be asked to confirm their participation through e-mail.", + "Anonymous participations": "Anonymous participations", + "Approve": "Approve", + "Are you really sure you want to delete your whole account? You'll lose everything. Identities, settings, events created, messages and participations will be gone forever.": "Are you really sure you want to delete your whole account? You'll lose everything. Identities, settings, events created, messages and participations will be gone forever.", + "Are you sure you want to delete this comment? This action cannot be undone.": "Are you sure you want to delete this comment? This action cannot be undone.", + "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.", + "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Are you sure you want to cancel the event creation? You'll lose all modifications.", + "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Are you sure you want to cancel the event edition? You'll lose all modifications.", + "Are you sure you want to cancel your participation at event \"{title}\"?": "Are you sure you want to cancel your participation at event \"{title}\"?", + "Are you sure you want to delete this event? This action cannot be reverted.": "Are you sure you want to delete this event? This action cannot be reverted.", + "Avatar": "Avatar", + "Back to previous page": "Back to previous page", + "Before you can login, you need to click on the link inside it to validate your account": "Before you can login, you need to click on the link inside it to validate your account", + "By @{username}": "By @{username}", + "By @{username} and @{group}": "By @{username} and @{group}", + "By {username} and {group}": "By {username} and {group}", + "Cancel anonymous participation": "Cancel anonymous participation", + "Cancel creation": "Cancel creation", + "Cancel edition": "Cancel edition", + "Cancel my participation request…": "Cancel my participation request…", + "Cancel my participation…": "Cancel my participation…", + "Cancel": "Cancel", + "Cancelled: Won't happen": "Cancelled: Won't happen", + "Category": "Category", + "Change my email": "Change my email", + "Change my identity…": "Change my identity…", + "Change my password": "Change my password", + "Change": "Change", + "Clear": "Clear", + "Click to select": "Click to select", + "Click to upload": "Click to upload", + "Close comments for all (except for admins)": "Close comments for all (except for admins)", + "Close": "Close", + "Closed": "Closed", + "Comment deleted": "Comment deleted", + "Comment from @{username} reported": "Comment from @{username} reported", + "Comments have been closed.": "Comments have been closed.", + "Comments": "Comments", + "Confirm my participation": "Confirm my participation", + "Confirm my particpation": "Confirm my particpation", + "Confirmed: Will happen": "Confirmed: Will happen", + "Continue editing": "Continue editing", + "Country": "Country", + "Create a new event": "Create a new event", + "Create a new group": "Create a new group", + "Create a new identity": "Create a new identity", + "Create and manage several identities from the same account": "Create and manage several identities from the same account", + "Create group": "Create group", + "Create my event": "Create my event", + "Create my group": "Create my group", + "Create my profile": "Create my profile", + "Create token": "Create token", + "Create, edit or delete events": "Create, edit or delete events", + "Create": "Create", + "Creator": "Creator", + "Current identity has been changed to {identityName} in order to manage this event.": "Current identity has been changed to {identityName} in order to manage this event.", + "Current page": "Current page", + "Custom URL": "Custom URL", + "Custom text": "Custom text", + "Custom": "Custom", + "Dashboard": "Dashboard", + "Date and time settings": "Date and time settings", + "Date parameters": "Date parameters", + "Date": "Date", + "Default Mobilizon.org terms": "Default Mobilizon.org terms", + "Default": "Default", + "Delete Comment": "Delete Comment", + "Delete Event": "Delete Event", + "Delete account": "Delete account", + "Delete event": "Delete event", + "Delete everything": "Delete everything", + "Delete my account": "Delete my account", + "Delete this identity": "Delete this identity", + "Delete your identity": "Delete your identity", + "Delete {eventTitle}": "Delete {eventTitle}", + "Delete {preferredUsername}": "Delete {preferredUsername}", + "Delete": "Delete", + "Deleting comment": "Deleting comment", + "Deleting event": "Deleting event", + "Deleting my account will delete all of my identities.": "Deleting my account will delete all of my identities.", + "Deleting your Mobilizon account": "Deleting your Mobilizon account", + "Description": "Description", + "Didn't receive the instructions ?": "Didn't receive the instructions ?", + "Display name": "Display name", + "Display participation price": "Display participation price", + "Domain": "Domain", + "Draft": "Draft", + "Drafts": "Drafts", + "Edit": "Edit", + "Eg: Stockholm, Dance, Chess…": "Eg: Stockholm, Dance, Chess…", + "Either on the {instance} instance or on another instance.": "Either on the {instance} instance or on another instance.", + "Either the account is already validated, either the validation token is incorrect.": "Either the account is already validated, either the validation token is incorrect.", + "Either the email has already been changed, either the validation token is incorrect.": "Either the email has already been changed, either the validation token is incorrect.", + "Either the participation has already been validated, either the validation token is incorrect.": "Either the participation has already been validated, either the validation token is incorrect.", + "Email": "Email", + "Ends on…": "Ends on…", + "Enjoy discovering Mobilizon!": "Enjoy discovering Mobilizon!", + "Enter the link URL": "Enter the link URL", + "Enter your own terms. HTML tags allowed. Mobilizon.org's terms are provided as template.": "Enter your own terms. HTML tags allowed. Mobilizon.org's terms are provided as template.", + "Error while changing email": "Error while changing email", + "Error while communicating with the server.": "Error while communicating with the server.", + "Error while saving report.": "Error while saving report.", + "Error while validating account": "Error while validating account", + "Error while validating participation": "Error while validating participation", + "Event already passed": "Event already passed", + "Event cancelled": "Event cancelled", + "Event creation": "Event creation", + "Event edition": "Event edition", + "Event list": "Event list", + "Event not found.": "Event not found.", + "Event page settings": "Event page settings", + "Event to be confirmed": "Event to be confirmed", + "Event {eventTitle} deleted": "Event {eventTitle} deleted", + "Event {eventTitle} reported": "Event {eventTitle} reported", + "Event": "Event", + "Events": "Events", + "Ex: test.mobilizon.org": "Ex: test.mobilizon.org", + "Exclude": "Exclude", + "Explore": "Explore", + "Failed to save admin settings": "Failed to save admin settings", + "Featured events": "Featured events", + "Features": "Features", + "Federation": "Federation", + "Find an address": "Find an address", + "Find an instance": "Find an instance", + "Followers": "Followers", + "Followings": "Followings", + "For instance: London, Taekwondo, Architecture…": "For instance: London, Taekwondo, Architecture…", + "Forgot your password ?": "Forgot your password ?", + "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?", + "From the {startDate} at {startTime} to the {endDate} at {endTime}": "From the {startDate} at {startTime} to the {endDate} at {endTime}", + "From the {startDate} at {startTime} to the {endDate}": "From the {startDate} at {startTime} to the {endDate}", + "From the {startDate} to the {endDate}": "From the {startDate} to the {endDate}", + "Gather ⋅ Organize ⋅ Mobilize": "Gather ⋅ Organize ⋅ Mobilize", + "General information": "General information", + "General": "General", + "Getting location": "Getting location", + "Go": "Go", + "Going as {name}": "Going as {name}", + "Group List": "Group List", + "Group full name": "Group full name", + "Group name": "Group name", + "Group {displayName} created": "Group {displayName} created", + "Groups": "Groups", + "Headline picture": "Headline picture", + "Hide replies": "Hide replies", + "I create an identity": "I create an identity", + "I don't have a Mobilizon account": "I don't have a Mobilizon account", + "I have a Mobilizon account": "I have a Mobilizon account", + "I have an account on another Mobilizon instance.": "I have an account on another Mobilizon instance.", + "I participate": "I participate", + "I want to allow people to participate without an account.": "I want to allow people to participate without an account.", + "I want to approve every participation request": "I want to approve every participation request", + "Identity {displayName} created": "Identity {displayName} created", + "Identity {displayName} deleted": "Identity {displayName} deleted", + "Identity {displayName} updated": "Identity {displayName} updated", + "If an account with this email exists, we just sent another confirmation email to {email}": "If an account with this email exists, we just sent another confirmation email to {email}", + "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.", + "If you want, you may send a message to the event organizer here.": "If you want, you may send a message to the event organizer here.", + "Impossible to login, your email or password seems incorrect.": "Impossible to login, your email or password seems incorrect.", + "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.", + "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.", + "Instance Description": "Instance Description", + "Instance Name": "Instance Name", + "Instance Terms Source": "Instance Terms Source", + "Instance Terms URL": "Instance Terms URL", + "Instance Terms": "Instance Terms", + "Instance settings": "Instance settings", + "Instances": "Instances", + "Join {instance}, a Mobilizon instance": "Join {instance}, a Mobilizon instance", + "Last published event": "Last published event", + "Last week": "Last week", + "Learn more about Mobilizon": "Learn more about Mobilizon", + "Learn more": "Learn more", + "Leave event": "Leave event", + "Leaving event \"{title}\"": "Leaving event \"{title}\"", + "Let's create a new common": "Let's create a new common", + "License": "License", + "Limited number of places": "Limited number of places", + "Load more": "Load more", + "Locality": "Locality", + "Log in": "Log in", + "Log out": "Log out", + "Login on Mobilizon!": "Login on Mobilizon!", + "Login on {instance}": "Login on {instance}", + "Login": "Login", + "Manage participations": "Manage participations", + "Mark as resolved": "Mark as resolved", + "Members": "Members", + "Message": "Message", + "Mobilizon is a federated network. You can interact with this event from a different server.": "Mobilizon is a federated network. You can interact with this event from a different server.", + "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.", + "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.", + "Mobilizon’s licence": "Mobilizon’s licence", + "Moderated comments (shown after approval)": "Moderated comments (shown after approval)", + "Moderation log": "Moderation log", + "Moderation": "Moderation", + "My account": "My account", + "My events": "My events", + "My identities": "My identities", + "Name": "Name", + "New email": "New email", + "New note": "New note", + "New password": "New password", + "New profile": "New profile", + "Next page": "Next page", + "No actors found": "No actors found", + "No address defined": "No address defined", + "No closed reports yet": "No closed reports yet", + "No comment": "No comment", + "No comments yet": "No comments yet", + "No end date": "No end date", + "No events found": "No events found", + "No group found": "No group found", + "No groups found": "No groups found", + "No instance follows your instance yet.": "No instance follows your instance yet.", + "No instance to approve|Approve instance|Approve {number} instances": "No instance to approve|Approve instance|Approve {number} instances", + "No instance to reject|Reject instance|Reject {number} instances": "No instance to reject|Reject instance|Reject {number} instances", + "No instance to remove|Remove instance|Remove {number} instances": "No instances to remove|Remove instance|Remove {number} instances", + "No message": "No message", + "No notification settings yet": "No notification settings yet", + "No open reports yet": "No open reports yet", + "No participant to approve|Approve participant|Approve {number} participants": "No participant to approve|Approve participant|Approve {number} participants", + "No participant to reject|Reject participant|Reject {number} participants": "No participant to reject|Reject participant|Reject {number} participants", + "No preferences yet": "No preferences yet", + "No resolved reports yet": "No resolved reports yet", + "No results for \"{queryText}\"": "No results for \"{queryText}\"", + "No user account with this email was found. Maybe you made a typo?": "No user account with this email was found. Maybe you made a typo?", + "Notes": "Notes", + "Notifications": "Notifications", + "Number of places": "Number of places", + "OK": "OK", + "Old password": "Old password", + "On {date} ending at {endTime}": "On {date} ending at {endTime}", + "On {date} from {startTime} to {endTime}": "On {date} from {startTime} to {endTime}", + "On {date} starting at {startTime}": "On {date} starting at {startTime}", + "On {date}": "On {date}", + "One person is going": "No one is going | One person is going | {approved} persons are going", + "Only accessible through link and search (private)": "Only accessible through link and search (private)", + "Only alphanumeric characters and underscores are supported.": "Only alphanumeric characters and underscores are supported.", + "Open": "Open", + "Opened reports": "Opened reports", + "Or": "Or", + "Organized by {name}": "Organized by {name}", + "Organized": "Organized", + "Organizer": "Organizer", + "Other software may also support this.": "Other software may also support this.", + "Otherwise this identity will just be removed from the group administrators.": "Otherwise this identity will just be removed from the group administrators.", + "Page limited to my group (asks for auth)": "Page limited to my group (asks for auth)", + "Page not found": "Page not found", + "Page": "Page", + "Participant already was rejected.": "Participant already was rejected.", + "Participant has already been approved as participant.": "Participant has already been approved as participant.", + "Participant": "Participant", + "Participants": "Participants", + "Participate using your email address": "Participate using your email address", + "Participate": "Participate", + "Participation approval": "Participation approval", + "Participation confirmation": "Participation confirmation", + "Participation requested!": "Participation requested!", + "Password (confirmation)": "Password (confirmation)", + "Password reset": "Password reset", + "Password": "Password", + "Past events": "Passed events", + "Pending": "Pending", + "Pick an identity": "Pick an identity", + "Please check your spam folder if you didn't receive the email.": "Please check your spam folder if you didn't receive the email.", + "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Please contact this instance's Mobilizon admin if you think this is a mistake.", + "Please enter your password to confirm this action.": "Please enter your password to confirm this action.", + "Please make sure the address is correct and that the page hasn't been moved.": "Please make sure the address is correct and that the page hasn't been moved.", + "Please read the full rules": "Please read the full rules", + "Please refresh the page and retry.": "Please refresh the page and retry.", + "Post a comment": "Post a comment", + "Post a reply": "Post a reply", + "Postal Code": "Postal Code", + "Preferences": "Preferences", + "Previous page": "Previous page", + "Privacy Policy": "Privacy Policy", + "Private event": "Private event", + "Private feeds": "Private feeds", + "Profiles": "Profiles", + "Public RSS/Atom Feed": "Public RSS/Atom Feed", + "Public comment moderation": "Public comment moderation", + "Public event": "Public event", + "Public feeds": "Public feeds", + "Public iCal Feed": "Public iCal Feed", + "Publish": "Publish", + "Published events": "Published events", + "RSS/Atom Feed": "RSS/Atom Feed", + "Read Framasoft’s statement of intent on the Framablog": "Read Framasoft’s statement of intent on the Framablog", + "Redirecting to event…": "Redirecting to event…", + "Region": "Region", + "Register an account on Mobilizon!": "Register an account on Mobilizon!", + "Register for an event by choosing one of your identities": "Register for an event by choosing one of your identities", + "Register": "Register", + "Registration is allowed, anyone can register.": "Registration is allowed, anyone can register.", + "Registration is closed.": "Registration is closed.", + "Registration is currently closed.": "Registration is currently closed.", + "Registrations are restricted by whitelisting.": "Registrations are restricted by whitelisting.", + "Reject": "Reject", + "Rejected participations": "Rejected participations", + "Rejected": "Rejected", + "Reopen": "Reopen", + "Reply": "Reply", + "Report this comment": "Report this comment", + "Report this event": "Report this event", + "Report": "Report", + "Reported by someone on {domain}": "Reported by someone on {domain}", + "Reported by {reporter}": "Reported by {reporter}", + "Reported by": "Reported by", + "Reported identity": "Reported identity", + "Reported": "Reported", + "Reports": "Reports", + "Requests": "Requests", + "Resend confirmation email": "Resend confirmation email", + "Reset my password": "Reset my password", + "Resolved": "Resolved", + "Resource provided is not an URL": "Resource provided is not an URL", + "Role": "Role", + "Save draft": "Save draft", + "Save": "Save", + "Search events, groups, etc.": "Search events, groups, etc.", + "Search results: \"{search}\"": "Search results: \"{search}\"", + "Search": "Search", + "Searching…": "Searching…", + "Send email": "Send email", + "Send me an email to reset my password": "Send me an email to reset my password", + "Send me the confirmation email once again": "Send me the confirmation email once again", + "Send the report": "Send the report", + "Set an URL to a page with your own terms.": "Set an URL to a page with your own terms.", + "Settings": "Settings", + "Share this event": "Share this event", + "Show map": "Show map", + "Show remaining number of places": "Show remaining number of places", + "Show the time when the event begins": "Show the time when the event begins", + "Show the time when the event ends": "Show the time when the event ends", + "Sign up": "Sign up", + "Software to the people": "Software to the people", + "Starts on…": "Starts on…", + "Status": "Status", + "Street": "Street", + "Tentative: Will be confirmed later": "Tentative: Will be confirmed later", + "Terms": "Terms", + "The account's email address was changed. Check your emails to verify it.": "The account's email address was changed. Check your emails to verify it.", + "The actual number of participants may differ, as this event is hosted on another instance.": "The actual number of participants may differ, as this event is hosted on another instance.", + "The content came from another server. Transfer an anonymous copy of the report?": "The content came from another server. Transfer an anonymous copy of the report ?", + "The current identity doesn't have any permission on this event. You should probably change it.": "The current identity doesn't have any permission on this event. You should probably change it.", + "The current password is invalid": "The current password is invalid", + "The draft event has been updated": "The draft event has been updated", + "The event has been created as a draft": "The event has been created as a draft", + "The event has been published": "The event has been published", + "The event has been updated and published": "The event has been updated and published", + "The event has been updated": "The event has been updated", + "The event organiser has chosen to validate manually participations. Do you want to add a little note to explain why you want to participate to this event?": "The event organiser has chosen to validate manually participations. Do you want to add a little note to explain why you want to participate to this event?", + "The event organizer didn't add any description.": "The event organizer didn't add any description.", + "The event organizer manually approves participations. Since you've chosen to participate without an account, please explain why you want to participate to this event.": "The event organizer manually approves participations. Since you've chosen to participate without an account, please explain why you want to participate to this event.", + "The event title will be ellipsed.": "The event title will be ellipsed.", + "The new email doesn't seem to be valid": "The new email doesn't seem to be valid", + "The new email must be different": "The new email must be different", + "The new password must be different": "The new password must be different", + "The page you're looking for doesn't exist.": "The page you're looking for doesn't exist.", + "The password provided is invalid": "The password provided is invalid", + "The password was successfully changed": "The password was successfully changed", + "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "The report will be sent to the moderators of your instance. You can explain why you report this content below.", + "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.", + "The {default_terms} will be used. They will be translated in the user's language.": "The {default_terms} will be used. They will be translated in the user's language.", + "There are {participants} participants.": "There are {participants} participants.", + "There will be no way to recover your data.": "There will be no way to recover your data.", + "These events may interest you": "These events may interest you", + "This Mobilizon instance and this event organizer allows anonymous participations, but requires validation through email confirmation.": "This Mobilizon instance and this event organizer allows anonymous participations, but requires validation through email confirmation.", + "This email is already registered as participant for this event": "This email is already registered as participant for this event", + "This information is saved only on your computer. Click for details": "This information is saved only on your computer. Click for details", + "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.", + "This instance isn't opened to registrations, but you can register on other instances.": "This instance isn't opened to registrations, but you can register on other instances.", + "This is a demonstration site to test the beta version of Mobilizon.": "This is a demonstration site to test the beta version of Mobilizon.", + "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.", + "Title": "Title", + "To achieve your registration, please create a first identity profile.": "To achieve your registration, please create a first identity profile.", + "To change the world, change the software": "To change the world, change the software", + "To confirm, type your event title \"{eventTitle}\"": "To confirm, type your event title \"{eventTitle}\"", + "To confirm, type your identity username \"{preferredUsername}\"": "To confirm, type your identity username \"{preferredUsername}\"", + "Transfer to {outsideDomain}": "Transfer to {outsideDomain}", + "Type": "Type", + "URL": "URL", + "Unfortunately, this instance isn't opened to registrations": "Unfortunately, this instance isn't opened to registrations", + "Unfortunately, your participation request was rejected by the organizers.": "Unfortunately, your participation request was rejected by the organizers.", + "Unknown actor": "Unknown actor", + "Unknown error.": "Unknown error.", + "Unknown": "Unknown", + "Unsaved changes": "Unsaved changes", + "Upcoming": "Upcoming", + "Update event {name}": "Update event {name}", + "Update my event": "Update my event", + "Updated": "Updated", + "Username": "Username", + "Users": "Users", + "View a reply": "|View one reply|View {totalReplies} replies", + "View event page": "View event page", + "View everything": "View everything", + "View page on {hostname} (in a new window)": "View page on {hostname} (in a new window)", + "Visible everywhere on the web (public)": "Visible everywhere on the web (public)", + "Waiting for organization team approval.": "Waiting for organization team approval.", + "Waiting list": "Waiting list", + "Warning": "Warning", + "We just sent an email to {email}": "We just sent an email to {email}", + "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.", + "We will redirect you to your instance in order to interact with this event": "We will redirect you to your instance in order to interact with this event", + "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.", + "Website / URL": "Website / URL", + "Welcome back {username}!": "Welcome back {username}!", + "Welcome back!": "Welcome back!", + "Welcome to Mobilizon, {username}!": "Welcome to Mobilizon, {username}!", + "Who can view this event and participate": "Who can view this event and participate", + "World map": "World map", + "Write something…": "Write something…", + "You and one other person are going to this event": "You're the only one going to this event | You and one other person are going to this event | You and {approved} persons are going to this event.", + "You are already a participant of this event.": "You are already a participant of this event.", + "You are participating in this event anonymously but didn't confirm participation": "You are participating in this event anonymously but didn't confirm participation", + "You are participating in this event anonymously": "You are participating in this event anonymously", + "You can add tags by hitting the Enter key or by adding a comma": "You can add tags by hitting the Enter key or by adding a comma", + "You can try another search term or drag and drop the marker on the map": "You can try another search term or drag and drop the marker on the map", + "You can't remove your last identity.": "You can't remove your last identity.", + "You don't follow any instances yet.": "You don't follow any instances yet.", + "You have been disconnected": "You have been disconnected", + "You have cancelled your participation": "You have cancelled your participation", + "You have one event in {days} days.": "You have no events in {days} days | You have one event in {days} days. | You have {count} events in {days} days", + "You have one event today.": "You have no events today | You have one event today. | You have {count} events today", + "You have one event tomorrow.": "You have no events tomorrow | You have one event tomorrow. | You have {count} events tomorrow", + "You may also ask to {resend_confirmation_email}.": "You may also ask to {resend_confirmation_email}.", + "You need to login.": "You need to login.", + "You will be redirected to the original instance": "You will be redirected to the original instance", + "You wish to participate to the following event": "You wish to participate to the following event", + "You'll receive a confirmation email.": "You'll receive a confirmation email.", + "Your account has been successfully deleted": "Your account has been successfully deleted", + "Your account has been validated": "Your account has been validated", + "Your account is being validated": "Your account is being validated", + "Your account is nearly ready, {username}": "Your account is nearly ready, {username}", + "Your current email is {email}. You use it to log in.": "Your current email is {email}. You use it to log in.", + "Your email has been changed": "Your email has been changed", + "Your email is being changed": "Your email is being changed", + "Your email is not whitelisted, you can't register.": "Your email is not whitelisted, you can't register.", + "Your email will only be used to confirm that you're a real person and send you eventual updates for this event. It will NOT be transmitted to other instances or to the event organizer.": "Your email will only be used to confirm that you're a real person and send you eventual updates for this event. It will NOT be transmitted to other instances or to the event organizer.", + "Your federated identity": "Your federated identity", + "Your local administrator resumed its policy:": "Your local administrator resumed its policy:", + "Your participation has been confirmed": "Your participation has been confirmed", + "Your participation has been rejected": "Your participation has been rejected", + "Your participation has been requested": "Your participation has been requested", + "Your participation has been validated": "Your participation has been validated", + "Your participation is being validated": "Your participation is being validated", + "Your participation status has been changed": "Your participation status has been changed", + "[This comment has been deleted]": "[This comment has been deleted]", + "[deleted]": "[deleted]", + "a decentralised federation protocol": "a decentralised federation protocol", + "as {identity}": "as {identity}", + "default Mobilizon terms": "default Mobilizon terms", + "e.g. 10 Rue Jangot": "e.g. 10 Rue Jangot", + "firstDayOfWeek": "0", + "iCal Feed": "iCal Feed", + "interconnect with others like it": "interconnect with others like it", + "its source code is public": "its source code is public", + "on our blog": "on our blog", + "profile@instance": "profile@instance", + "resend confirmation email": "resend confirmation email", + "respect of the fundamental freedoms": "respect of the fundamental freedoms", + "with another identity…": "with another identity…", + "{approved} / {total} seats": "{approved} / {total} seats", + "{count} participants": "No participants yet | One participant | {count} participants", + "{count} requests waiting": "{count} requests waiting", + "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.", + "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks", + "© The OpenStreetMap Contributors": "© The OpenStreetMap Contributors", + "@{username} ({role})": "@{username} ({role})", + "@{username}": "@{username}", + "@{group}": "@{group}", + "Collections": "Collections", + "{title} ({count} todos)": "{title} ({count} todos)", + "Pick a group": "Pick a group", + "Unset group": "Unset group", + "Add a group": "Add a group", + "The event will show the group as organizer.": "The event will show the group as organizer.", + "My groups": "My groups", + "Assigned to": "Assigned to", + "Due on": "Due on", + "Organizers": "Organizers", + "Hide the organizer": "Hide the organizer", + "Don't show @{organizer} as event host alongside @{group}": "Don't show @{organizer} as event host alongside @{group}", + "Group": "Group", + "Ongoing tasks": "Ongoing tasks", + "Create a new task list": "Create a new task list", + "You need to create the group before you create an event.": "You need to create a group before you create an event.", + "This identity is not a member of any group.": "This identity is not a member of any group.", + "(Masked)": "(Masked)", + "{going}/{capacity} available places": "No places left|{going}/{capacity} available places", + "No one is going to this event": "No one is going to this event|One person going|{going} persons going", + "By @{group}": "By @{group}", + "Date and time": "Date and time", + "Location": "Location", + "No resources selected": "No resources selected|One resources selected|{count} resources selected", + "You have been invited by {invitedBy} to the following group:": "You have been invited by {invitedBy} to the following group:", + "Accept": "Accept", + "Decline": "Decline", + "Rename": "Rename", + "Move": "Move", + "Contact": "Contact", + "Website": "Website", + "Actor": "Actor", + "Statut": "Statut", + "Conversations": "Conversations", + "Text": "Text", + "New conversation": "New conversation", + "Create a new conversation": "Create a new conversation", + "All group members and other eventual server admins will still be able to view this information.": "All group members and other eventual server admins will still be able to view this information.", + "Upcoming events": "Upcoming events", + "View all upcoming events": "View all upcoming events", + "Resources": "Resources", + "View all resources": "View all resources", + "Public page": "Public page", + "Followed by {count} persons": "Followed by {count} persons", + "Edit biography": "Edit biography", + "Post a public message": "Post a public message", + "View all todos": "View all todos", + "Discussions": "Discussions", + "View all conversations": "View all conversations", + "No public upcoming events": "No public upcoming events", + "Latest posts": "Latest posts", + "Invite a new member": "Invite a new member", + "Ex: someone@mobilizon.org": "Ex: someone@mobilizon.org", + "Invite member": "Invite member", + "Group Members": "Group Members", + "Public": "Public", + "New folder": "New folder", + "New link": "New link", + "Rename resource": "Rename resource", + "Create resource": "Create resource", + "Create a pad": "Create a pad", + "Create a calc": "Create a calc", + "Create a visioconference": "Create a visioconference", + "Create folder": "Create folder", + "Task lists": "Task lists", + "Add a todo": "Add a todo", + "List title": "List title", + "Create a new list": "Create a new list", + "Your timezone is currently set to {timezone}.": "Your timezone is currently set to {timezone}.", + "Timezone detected as {timezone}.": "Timezone detected as {timezone}." } \ No newline at end of file diff --git a/js/src/i18n/es.json b/js/src/i18n/es.json index 3ba2977a5..d113d5047 100644 --- a/js/src/i18n/es.json +++ b/js/src/i18n/es.json @@ -1,499 +1,499 @@ { - "Please do not use it in any real way.": "Por favor, no lo use de ninguna manera real", - "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Una herramienta fácil de usar, emancipadora y ética, para reunir, organizar y movilizar.", - "A validation email was sent to {email}": "Un correo electrónico de confirmación fue enviado a {email}", - "Abandon edition": "Abandonar la edición", - "About": "Acerca de", - "About Mobilizon": "A propósito de Mobilizon", - "About this event": "Acerca este evento", - "About this instance": "Acerca de esta instancia", - "Accepted": "Aceptado", - "Account": "Cuenta", - "Account settings": "Configuración de la cuenta", - "Add": "Añadir", - "Add a note": "Añade una nota", - "Add an address": "Añade una dirección", - "Add an instance": "Añade una instancia", - "Add some tags": "Añade algunas etiquetas", - "Add to my calendar": "Añadir a mi calendario", - "Additional comments": "Comentarios adicionales", - "Admin": "Administrador", - "Admin settings": "Ajustes de administración", - "Admin settings successfully saved.": "Ajustes de administración guardados correctamente.", - "Administration": "Administración", - "All the places have already been taken": "Todos los plazas han sido ocupados | Un plazas aún está disponible | {lugares} plazas aún están disponibles", - "Allow all comments": "Permitir todos los comentarios", - "Allow registrations": "Permitir registros", - "An error has occurred.": "Se ha producido un error.", - "Anonymous participant": "Participante anónimo", - "Anonymous participants will be asked to confirm their participation through e-mail.": "Los participantes anónimos deberán confirmar su participación por correo electrónico.", - "Anonymous participations": "Participaciones anónimas", - "Approve": "Aprobar", - "Are you really sure you want to delete your whole account? You'll lose everything. Identities, settings, events created, messages and participations will be gone forever.": "¿Estás realmente seguro de que deseas eliminar toda tu cuenta? Lo perderás todo. Las identidades, la configuración, los eventos creados, los mensajes y las participaciones desaparecerán para siempre.", - "Are you sure you want to delete this comment? This action cannot be undone.": "¿Estás seguro de que quieres eliminar este comentario? Esta acción no se puede deshacer.", - "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "¿Estás seguro de que quieres eliminar este evento? Esta acción no se puede deshacer. Es posible que desee entablar una conversación con el creador del evento o editar el evento en su lugar.", - "Are you sure you want to cancel the event creation? You'll lose all modifications.": "¿Seguro que quieres cancelar la creación del evento? Perderás todas las modificaciones.", - "Are you sure you want to cancel the event edition? You'll lose all modifications.": "¿Seguro que quieres cancelar la edición del evento? Perderás todas las modificaciones.", - "Are you sure you want to cancel your participation at event \"{title}\"?": "¿Está seguro de que desea cancelar su participación en el evento \"{title}\"?", - "Are you sure you want to delete this event? This action cannot be reverted.": "¿Seguro que quieres eliminar este evento? Esta acción no se puede revertir.", - "Avatar": "Avatar", - "Back to previous page": "Volver a la página anterior", - "Before you can login, you need to click on the link inside it to validate your account": "Antes de iniciar sesión, debe hacer clic en el enlace que se encuentra dentro para validar su cuenta", - "By @{username}": "Por @{username}", - "Cancel": "Cancelar", - "Cancel anonymous participation": "Cancelar participación anónima", - "Cancel creation": "Cancelar creación", - "Cancel edition": "Cancelar edición", - "Cancel my participation request…": "Cancelar mi solicitud de participación …", - "Cancel my participation…": "Cancelar mi participación …", - "Cancelled: Won't happen": "Cancelado: no sucederá", - "Category": "Categoría", - "Change": "Cambiar", - "Change my email": "Cambiar mi correo electrónico", - "Change my identity…": "Cambiar mi identidad …", - "Change my password": "Cambiar mi contraseña", - "Clear": "Limpiar", - "Click to select": "Haz clic para selaccionar", - "Click to upload": "Haz clic para subir (upload)", - "Close": "Cerrar", - "Close comments for all (except for admins)": "Cerrar comentarios para todos (excepto para administradores)", - "Closed": "Cerrado", - "Comment deleted": "Comentario borrado", - "Comment from @{username} reported": "Comentario de @{username} declarado", - "Comments": "Comentarios", - "Comments have been closed.": "Los comentarios han sido cerrados.", - "Confirm my participation": "Confirma mi participación", - "Confirm my particpation": "Confirmar mi participación", - "Confirmed: Will happen": "Confirmado: sucederá", - "Continue editing": "Continua editando", - "Country": "País", - "Create": "Crear", - "Create a new event": "Crear un nuevo evento", - "Create a new group": "Crear un nuevo grupo", - "Create a new identity": "Crear una nueva identidad", - "Create and manage several identities from the same account": "Crear y administrar varias identidades desde la misma cuenta", - "Create group": "Crear un grupo", - "Create my event": "Crear mi evento", - "Create my group": "Crear mi grupo", - "Create my profile": "Crear mi perfil", - "Create token": "Crear token", - "Create, edit or delete events": "Crear, editar o eliminar eventos", - "Creator": "Creador", - "Current identity has been changed to {identityName} in order to manage this event.": "La identidad actual se ha cambiado a {identityName} para gestionar este evento.", - "Current page": "Página actual", - "Custom": "Personalizado", - "Custom URL": "URL personalizada", - "Custom text": "Texto personalizado", - "Dashboard": "Panel de control", - "Date": "Fecha", - "Date and time settings": "Configuración de fecha y hora", - "Date parameters": "Parámetros de fecha", - "Default": "Valor predeterminados", - "Default Mobilizon.org terms": "Términos predeterminados de Mobilizon.org", - "Delete": "Eliminar", - "Delete Comment": "Eliminar comentario", - "Delete Event": "Eliminar evento", - "Delete account": "Eliminar cuenta", - "Delete event": "Eliminar evento", - "Delete everything": "Eliminar todo", - "Delete my account": "Eliminar mi cuenta", - "Delete this identity": "Eliminar esta identidad", - "Delete your identity": "Eliminar tu identidad", - "Delete {eventTitle}": "Eliminar {eventTitle}", - "Delete {preferredUsername}": "Eliminar {preferredUsername}", - "Deleting comment": "Eliminando comentario", - "Deleting event": "Eliminando evento", - "Deleting my account will delete all of my identities.": "Eliminar mi cuenta eliminará todas mis identidades.", - "Deleting your Mobilizon account": "Eliminando tu cuenta de Mobilizon", - "Description": "Descripción", - "Didn't receive the instructions ?": "¿No recibiste las instrucciones?", - "Display name": "Mostrar nombre", - "Display participation price": "Mostrar precio de participación", - "Domain": "Dominio", - "Draft": "Borrador", - "Drafts": "Borradores", - "Edit": "Editar", - "Eg: Stockholm, Dance, Chess…": "Ej .: Estocolmo, Danza, Ajedrez …", - "Either on the {instance} instance or on another instance.": "Ya sea en la instancia {instancia} o en otra instancia.", - "Either the account is already validated, either the validation token is incorrect.": "O la cuenta ya está validada, o bien el testigo de validación es incorrecto.", - "Either the email has already been changed, either the validation token is incorrect.": "O el correo electrónico ya se ha cambiado, o bien el token de validación es incorrecto.", - "Either the participation has already been validated, either the validation token is incorrect.": "O la participación ya ha sido validada, o bien el token de validación es incorrecto.", - "Email": "Correo elecxtrónico", - "Ends on…": "Termina en …", - "Enjoy discovering Mobilizon!": "¡Disfruta descubriendo Mobilizon!", - "Enter the link URL": "Introduzca la URL del enlace", - "Enter your own terms. HTML tags allowed. Mobilizon.org's terms are provided as template.": "Introduzca sus propios términos. Etiquetas HTML permitidas. Los términos de Mobilizon.org se proporcionan como plantilla.", - "Error while changing email": "Error al cambiar el correo electrónico", - "Error while communicating with the server.": "Error al comunicarse con el servidor.", - "Error while saving report.": "Error al guardar el informe.", - "Error while validating account": "Error al validar la cuenta", - "Error while validating participation": "Error al validar la participación", - "Event": "Evento", - "Event already passed": "Evento ya pasado", - "Event cancelled": "Evento cancelado", - "Event creation": "Creación de evento", - "Event edition": "Edición del evento", - "Event list": "Lista de eventos", - "Event not found.": "Evento no encontrado.", - "Event page settings": "Configuración de la página del evento", - "Event to be confirmed": "Evento por confirmar", - "Event {eventTitle} deleted": "Evento {eventTitle} eliminado", - "Event {eventTitle} reported": "Evento {eventTitle} declarado", - "Events": "Eventos", - "Ex: test.mobilizon.org": "Ej: test.mobilizon.org", - "Exclude": "Excluir", - "Explore": "Explorar", - "Failed to save admin settings": "Error al guardar la configuración de administrador", - "Featured events": "Eventos particulares", - "Features": "Caracteristicas", - "Federation": "Federación", - "Find an address": "Buscar una dirección", - "Find an instance": "Buscar una instancia", - "Followers": "Seguidores", - "Followings": "Seguimientos", - "For instance: London, Taekwondo, Architecture…": "Por ejemplo: Londres, Taekwondo, Arquitectura …", - "Forgot your password ?": "¿Olvidaste tu contraseña ?", - "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "Desde una fiesta de cumpleaños con amigos y familiares hasta una marcha por el cambio climático, en este momento, nuestras reuniones están atrapadas dentro de las plataformas de los gigantes tecnológicos . ¿Cómo podemos organizarnos, cómo podemos hacer clic en \"Asistir\", sin proporcionar datos privados a Facebook o encerrarnos dentro de MeetUp?", - "From the {startDate} at {startTime} to the {endDate}": "Desde {startDate} en {startTime} hasta {endDate}", - "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Desde el {startDate} en {startTime} hasta el {endDate} en {endTime}", - "From the {startDate} to the {endDate}": "Desde el {startDate} hasta el {endDate}", - "Gather ⋅ Organize ⋅ Mobilize": "Reúna ⋅ Organice ⋅ Movilice", - "General": "General", - "General information": "Información general", - "Getting location": "Obtener ubicación", - "Go": "Ir", - "Going as {name}": "Ir como {nombre}", - "Group List": "Lista de grupo", - "Group full name": "Nombre completo del grupo", - "Group name": "Nombre del grupo", - "Group {displayName} created": "Grupo {displayName} creado", - "Groups": "Grupos", - "Headline picture": "Imagen del titular", - "Hide replies": "Ocultar respuestas", - "I create an identity": "Crear una identidad", - "I don't have a Mobilizon account": "No tengo una cuenta de Mobilizon", - "I have a Mobilizon account": "Tengo una cuenta de Mobilizon", - "I have an account on another Mobilizon instance.": "Tengo una cuenta en otra instancia de Mobilizon.", - "I participate": "Yo participo", - "I want to allow people to participate without an account.": "Quiero permitir que las personas participen sin una cuenta.", - "I want to approve every participation request": "Quiero aprobar cada solicitud de participación", - "Identity {displayName} created": "Identidad {displayName} creada", - "Identity {displayName} deleted": "Identidad {displayName} eliminada", - "Identity {displayName} updated": "Identidad {displayName} actualizada", - "If an account with this email exists, we just sent another confirmation email to {email}": "Si existe una cuenta con este correo electrónico, acabamos de enviar otro correo electrónico de confirmación a {email}", - "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Si esta identidad es el único administrador de algún grupo, debe eliminarlo antes de poder eliminar esta identidad.", - "If you want, you may send a message to the event organizer here.": "Si lo desea, puede enviar un mensaje al organizador del evento aquí.", - "Impossible to login, your email or password seems incorrect.": "Imposible iniciar sesión, su correo electrónico o contraseña parece incorrecta.", - "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "Mientras tanto, tenga en cuenta que el software no está (todavía) terminado. Más información {onBlog}.", - "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "La instalación de Mobilizon permitirá a las comunidades liberarse de los servicios de los gigantes tecnológicos creando su propia plataforma de eventos .", - "Instance Description": "Descripción de instancia", - "Instance Name": "Nombre de instancia", - "Instance Terms": "Términos de Instancia", - "Instance Terms Source": "Fuente de Términos de Instancia", - "Instance Terms URL": "URL de Términos de Instancia", - "Instance settings": "Configuraciones de instancia", - "Instances": "Instancias", - "Join {instance}, a Mobilizon instance": "Únase a {instancia}, una instancia de Mobilizon", - "Last published event": "Último evento publicado", - "Last week": "La semana pasada", - "Learn more": "Aprende más", - "Learn more about Mobilizon": "Conoce más sobre Mobilizon", - "Leave event": "Dejar evento", - "Leaving event \"{title}\"": "Saliendo del evento \"{title}\"", - "Let's create a new common": "Creemos un nuevo \"bien común\"", - "License": "Licencia", - "Limited number of places": "Número limitado de plazas", - "Load more": "Carga más", - "Locality": "Localidad", - "Log in": "Iniciar sesión", - "Log out": "Cerrar sesión", - "Login": "Iniciar sesión", - "Login on Mobilizon!": "¡Inicia sesión en Mobilizon!", - "Login on {instance}": "Inicia sesión en {instancia}", - "Manage participations": "Administrar participaciones", - "Mark as resolved": "Marca como resuelto", - "Members": "Miembros", - "Message": "Mensaje", - "Mobilizon is a federated network. You can interact with this event from a different server.": "Mobilizon es una red federada. Puede interactuar con este evento desde un servidor diferente.", - "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon es un software gratuito/libre que permitirá a las comunidades crear sus propios espacios para publicar eventos con el fin de emanciparse mejor de los gigantes tecnológicos.", - "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon está en desarrollo, añadiremos nuevas funciones a este sitio durante las actualizaciones regulares, hasta el lanzamiento de la versión 1 del software en la primera mitad de 2020 .", - "Mobilizon’s licence": "Licencia de Mobilizon", - "Moderated comments (shown after approval)": "Comentarios moderados (mostrados después de la aprobación)", - "Moderation": "Moderación", - "Moderation log": "Registro de moderación", - "My account": "Mi cuenta", - "My events": "Mis eventos", - "My identities": "Mis identidades", - "Name": "Nombre", - "New email": "Nuevo correo electrónico", - "New note": "Nueva nota", - "New password": "Nueva contraseña", - "New profile": "Nuevo perfil", - "Next page": "Siguiente página", - "No actors found": "No se encontraron actores", - "No address defined": "Ninguna dirección definida", - "No closed reports yet": "Aún no hay informes cerrados", - "No comment": "Sin comentarios", - "No comments yet": "Sin comentarios aún", - "No end date": "Sin fecha de finalización", - "No events found": "No se encontraron eventos", - "No group found": "Ningún grupo encontrado", - "No groups found": "No se encontraron grupos", - "No instance follows your instance yet.": "Ninguna instancia sigue a tu instancia todavía.", - "No instance to approve|Approve instance|Approve {number} instances": "No hay instancia para aprobar|Aprobar instancia|Aprobar {número} instancias", - "No instance to reject|Reject instance|Reject {number} instances": "Ninguna instancia para rechazar | Rechazar instancia | Rechazar {número} instancias", - "No instance to remove|Remove instance|Remove {number} instances": "No hay instancias para eliminar|Eliminar instancias|Eliminar {número} instancias", - "No message": "Sin mensaje", - "No notification settings yet": "Aún no hay configuración de notificaciones", - "No open reports yet": "Aún no hay informes abiertos", - "No participant to approve|Approve participant|Approve {number} participants": "Ningún participante debe aprobar|Aprobar participante|Aprobar {number} participantes", - "No participant to reject|Reject participant|Reject {number} participants": "Ningún participante que rechazar|Rechazar participante|Rechazar {number} participantes", - "No preferences yet": "Aún no hay preferencias", - "No resolved reports yet": "Aún no hay informes resueltos", - "No results for \"{queryText}\"": "No hay resultados para \"{queryText}\"", - "No user account with this email was found. Maybe you made a typo?": "No se encontró ninguna cuenta de usuario con este correo electrónico. Tal vez hiciste un error tipográfico?", - "Notes": "Notas", - "Notifications": "Notificaciones", - "Number of places": "Numero de plazas", - "OK": "OK", - "Old password": "Contraseña anterior", - "On {date}": "el {date}", - "On {date} ending at {endTime}": "El {fecha} que termina en {endTime}", - "On {date} from {startTime} to {endTime}": "El {fecha} de {startTime} a {endTime}", - "On {date} starting at {startTime}": "El {fecha} a partir de {startTime}", - "One person is going": "Nadie va|Una persona va|personas {approved} van", - "Only accessible through link and search (private)": "Solo accesible a través de enlace y búsqueda (privado)", - "Only alphanumeric characters and underscores are supported.": "Solo se admiten caracteres alfanuméricos y guiones bajos.", - "Open": "Abrir", - "Opened reports": "Informes abiertos", - "Or": "O", - "Organized": "Organizado", - "Organized by {name}": "Organizado por {name}", - "Organizer": "Organizador", - "Other software may also support this.": "Otro software también puede soportar esto.", - "Otherwise this identity will just be removed from the group administrators.": "De lo contrario, esta identidad solo se eliminará de los administradores del grupo.", - "Page": "Página", - "Page limited to my group (asks for auth)": "Página limitada a mi grupo (solicita autenticación)", - "Page not found": "Página no encontrada", - "Participant": "Participante", - "Participant already was rejected.": "El participante ya fue rechazado.", - "Participant has already been approved as participant.": "El participante ya ha sido aprobado como participante.", - "Participants": "Participantes", - "Participate": "Participar", - "Participate using your email address": "Participa usando tu dirección de correo electrónico", - "Participation approval": "Aprobación de la participación", - "Participation confirmation": "Confirmación de participación", - "Participation requested!": "¡Participación solicitada!", - "Password": "Contraseña", - "Password (confirmation)": "Confirmación de contraseña)", - "Password reset": "Restablecimiento de contraseña", - "Past events": "Eventos pasados", - "Pending": "Pendiente", - "Pick an identity": "Elige una identidad", - "Please check your spam folder if you didn't receive the email.": "Verifique su carpeta de correo no deseado (spam) si no recibió el correo electrónico.", - "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Póngase en contacto con el administrador de Mobilizon de esta instancia si cree que esto es un error.", - "Please enter your password to confirm this action.": "Introduzca su contraseña para confirmar esta acción.", - "Please make sure the address is correct and that the page hasn't been moved.": "Asegúrese de que la dirección sea correcta y que la página no se haya movido.", - "Please read the full rules": "Por favor lea las reglas completas", - "Please refresh the page and retry.": "Actualice la página y vuelva a intentarlo.", - "Post a comment": "Publicar un comentario", - "Post a reply": "Publica una respuesta", - "Postal Code": "Código postal", - "Preferences": "Preferencias", - "Previous page": "Pagina anterior", - "Privacy Policy": "Política de privacidad", - "Private event": "Evento privado", - "Private feeds": "Feeds privados", - "Profiles": "Perfiles", - "Public RSS/Atom Feed": "RSS/Atom Feed público", - "Public comment moderation": "Moderación de comentarios públicos", - "Public event": "Evento público", - "Public feeds": "Feeds públicos", - "Public iCal Feed": "Feed público de iCal", - "Publish": "Publicar", - "Published events": "Eventos publicados", - "RSS/Atom Feed": "RSS/Atom Feed", - "Read Framasoft’s statement of intent on the Framablog": "Lea la declaración de intenciones de Framasoft en el Framablog", - "Redirecting to event…": "Redirigiendo al evento …", - "Region": "Región", - "Register": "Registrar", - "Register an account on Mobilizon!": "¡Registre una cuenta en Mobilizon!", - "Register for an event by choosing one of your identities": "Regístrese para un evento eligiendo una de sus identidades", - "Registration is allowed, anyone can register.": "El registro está permitido, cualquiera puede registrarse.", - "Registration is closed.": "El registro está cerrado.", - "Registration is currently closed.": "El registro está actualmente cerrado.", - "Registrations are restricted by whitelisting.": "Los registros están restringidos por la lista blanca.", - "Reject": "Rechazar", - "Rejected": "Rechazado", - "Rejected participations": "Participaciones rechazadas", - "Reopen": "Reabrir", - "Reply": "Respuesta", - "Report": "Declarar", - "Report this comment": "Informar de este comentario", - "Report this event": "Informa de este evento", - "Reported": "Declarado", - "Reported by": "Declarado por", - "Reported by someone on {domain}": "Declarado por alguien en {dominio}", - "Reported by {reporter}": "Declarado por {reporter}", - "Reported identity": "Identidad declarada", - "Reports": "Declaraciones", - "Requests": "Solicitudes", - "Resend confirmation email": "Reenviar correo electrónico de confirmación", - "Reset my password": "Restablecer mi contraseña", - "Resolved": "Resuelto", - "Resource provided is not an URL": "El recurso proporcionado no es una URL", - "Role": "Rol", - "Save": "Guardar", - "Save draft": "Guardar borrador", - "Search": "Buscar", - "Search events, groups, etc.": "Buscar eventos, grupos, etc.", - "Search results: \"{search}\"": "Resultados de búsqueda: \"{search}\"", - "Searching…": "Buscando…", - "Send email": "Enviar correo electrónico", - "Send me an email to reset my password": "Enviarme un correo electrónico para restablecer mi contraseña", - "Send me the confirmation email once again": "Envíame el correo electrónico de confirmación una vez más", - "Send the report": "Enviar el informe", - "Set an URL to a page with your own terms.": "Establezca una URL a una página con sus propios términos.", - "Settings": "Configuraciones", - "Share this event": "Comparte este event", - "Show map": "Mostrar mapa", - "Show remaining number of places": "Muestra el número restante de plazas", - "Show the time when the event begins": "Muestra la hora en que comienza el evento", - "Show the time when the event ends": "Muestra la hora en que finaliza el evento", - "Sign up": "Regístrate", - "Software to the people": "Software para la gente", - "Starts on…": "Comienza en …", - "Status": "Estado", - "Street": "Calle", - "Tentative: Will be confirmed later": "Intento: se confirmará más tarde", - "Terms": "Condiciones", - "The account's email address was changed. Check your emails to verify it.": "Se cambió la dirección de correo electrónico de la cuenta. Revise sus correos electrónicos para verificarlo.", - "The actual number of participants may differ, as this event is hosted on another instance.": "El número real de participantes puede diferir ya que este evento se aloja en otra instancia.", - "The content came from another server. Transfer an anonymous copy of the report?": "El contenido vino de otro servidor. ¿Transferir una copia anónima del informe?", - "The current identity doesn't have any permission on this event. You should probably change it.": "La identidad actual no tiene ningún permiso para este evento. Probablemente deberías cambiarlo.", - "The current password is invalid": "La contraseña actual no es válida", - "The draft event has been updated": "El borrador del evento ha sido actualizado", - "The event has been created as a draft": "El evento ha sido creado como borrador", - "The event has been published": "El evento ha sido publicado", - "The event has been updated": "El evento ha sido actualizado", - "The event has been updated and published": "El evento ha sido actualizado y publicado", - "The event organiser has chosen to validate manually participations. Do you want to add a little note to explain why you want to participate to this event?": "El organizador del evento ha elegido validar las participaciones manualmente. ¿Desea agregar una pequeña nota para explicar por qué desea participar en este evento?", - "The event organizer didn't add any description.": "El organizador del evento no agregó ninguna descripción.", - "The event organizer manually approves participations. Since you've chosen to participate without an account, please explain why you want to participate to this event.": "El organizador del evento aprueba manualmente las participaciones. Dado que ha elegido participar sin una cuenta, explique por qué desea participar en este evento.", - "The event title will be ellipsed.": "El título del evento será elipsado.", - "The new email doesn't seem to be valid": "El nuevo correo electrónico no parece ser válido", - "The new email must be different": "El nuevo correo electrónico debe ser diferente", - "The new password must be different": "La nueva contraseña debe ser diferente", - "The page you're looking for doesn't exist.": "La página que estás buscando no existe.", - "The password provided is invalid": "La contraseña proporcionada no es válida", - "The password was successfully changed": "La contraseña fue cambiada con éxito", - "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "El informe se enviará a los moderadores de su instancia. Puede explicar por qué declara este contenido a continuación.", - "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "La cuenta de usuario que está intentando iniciar sesión aún no se ha confirmado. Verifique su bandeja de entrada de correo electrónico y eventualmente su carpeta de correo no deseado.", - "The {default_terms} will be used. They will be translated in the user's language.": "Se utilizarán los {default_terms}. Se traducirán en el idioma del usuario.", - "There are {participants} participants.": "Hay {participantes} participantes.", - "There will be no way to recover your data.": "No habrá forma de recuperar sus datos.", - "These events may interest you": "Estos eventos pueden interesarte", - "This Mobilizon instance and this event organizer allows anonymous participations, but requires validation through email confirmation.": "Esta instancia de Mobilizon y este organizador de eventos permiten participaciones anónimas pero requieren validación mediante confirmación por correo electrónico.", - "This email is already registered as participant for this event": "Este correo electrónico ya está registrado como participante para este evento", - "This information is saved only on your computer. Click for details": "Esta información se guarda solo en su computadora. Haga clic para más detalles", - "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Esta instalación (llamada \"instancia\") puede fácilmente {interconnect}, gracias a {protocol}.", - "This instance isn't opened to registrations, but you can register on other instances.": "Esta instancia no está abierta a registros pero puede registrarse en otras instancias.", - "This is a demonstration site to test the beta version of Mobilizon.": "Este es un sitio de demostración para probar la versión beta de Mobilizon.", - "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Esto eliminará/anonimizará todo el contenido (eventos, comentarios, mensajes, participaciones ...) creado con esta identidad.", - "Title": "Título", - "To achieve your registration, please create a first identity profile.": "Para conseguir su registro, cree un primer perfil de identidad.", - "To change the world, change the software": "Para cambiar el mundo, cambia el software", - "To confirm, type your event title \"{eventTitle}\"": "Para confirmar, escriba el título de su evento \"{eventTitle}\"", - "To confirm, type your identity username \"{preferredUsername}\"": "Para confirmar, escriba su nombre de usuario de identidad \"{preferredUsername}\"", - "Transfer to {outsideDomain}": "Transferir a {outsideDomain}", - "Type": "Tipo", - "URL": "URL", - "Unfortunately, this instance isn't opened to registrations": "Desafortunadamente, esta instancia no está abierta a registros", - "Unfortunately, your participation request was rejected by the organizers.": "Lamentablemente, su solicitud de participación fue rechazada por los organizadores.", - "Unknown": "Desconocido", - "Unknown actor": "Actor desconocido", - "Unknown error.": "Error desconocido.", - "Unsaved changes": "Cambios no guardados", - "Upcoming": "Próximo", - "Update event {name}": "Actualizar evento {name}", - "Update my event": "Actualizar mi evento", - "Updated": "Actualizado", - "Username": "Nombre de usuario", - "Users": "Los usuarios", - "View a reply": "|Ver una respuesta|Ver {totalReplies} respuestas", - "View event page": "Ver página del evento", - "View everything": "Ver todo", - "View page on {hostname} (in a new window)": "Ver página en {hostname} (en una nueva ventana)", - "Visible everywhere on the web (public)": "Visible en todas partes de la web (público)", - "Waiting for organization team approval.": "Esperando la aprobación del equipo de la organización.", - "Waiting list": "Lista de espera", - "Warning": "Advertencia", - "We just sent an email to {email}": "Acabamos de enviar un correo electrónico a {email}", - "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Queremos desarrollar un común digital , que todos puedan hacer suyo, que respete la privacidad y activismo por diseño .", - "We will redirect you to your instance in order to interact with this event": "Lo redirigiremos a su instancia para interactuar con este evento", - "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "No cambiaremos el mundo de Facebook. La herramienta con la que soñamos, las corporaciones de capitalismo de vigilancia no la desarrollarán ya que no podrían beneficiarse de ella. Esta es una oportunidad para construir algo mejor, adoptando otro enfoque.", - "Website / URL": "Sitio web / URL", - "Welcome back {username}!": "¡Bienvenido de nuevo {username}!", - "Welcome back!": "¡Bienvenido de nuevo!", - "Welcome on your administration panel": "Bienvenido en tu panel de administración", - "Welcome to Mobilizon, {username}!": "¡Bienvenido a Mobilizon, {username}!", - "Who can view this event and participate": "Quién puede ver este evento y participar", - "World map": "Mapa del mundo", - "Write something…": "Escribe algo…", - "You and one other person are going to this event": "Eres el único que va a este evento|Usted y otra persona asistirán a este evento|Usted y las personas {approved}asistirán a este evento.", - "You are already a participant of this event.": "Ya eres un participante de este evento.", - "You are participating in this event anonymously": "Estás participando en este evento de forma anónima", - "You are participating in this event anonymously but didn't confirm participation": "Participas en este evento de forma anónima pero no has confirmado la participación", - "You can add tags by hitting the Enter key or by adding a comma": "Puede agregar etiquetas presionando la tecla Intro o agregando una coma", - "You can try another search term or drag and drop the marker on the map": "Puedes probar con otro término de búsqueda o arrastrar y soltar el marcador en el mapa", - "You can't remove your last identity.": "No puedes eliminar tu última identidad.", - "You don't follow any instances yet.": "Todavía no sigues ninguna instancia.", - "You have been disconnected": "Has sido desconectado", - "You have cancelled your participation": "Has cancelado tu participación", - "You have one event in {days} days.": "No tienes eventos en {days} días|Tienes un evento en {days} días. |Tienes {count} eventos en {days} días", - "You have one event today.": "No tienes eventos hoy|Tienes un evento hoy.|Tienes {count} eventos hoy", - "You have one event tomorrow.": "No tienes eventos mañana|Tienes un evento mañana.|Tienes {count} eventos mañana", - "You may also ask to {resend_confirmation_email}.": "También puede solicitar {resend_confirmation_email}.", - "You need to login.": "Necesitas iniciar sesión.", - "You will be redirected to the original instance": "Serás redirigido a la instancia original", - "You wish to participate to the following event": "Desea participar en el siguiente evento", - "You'll receive a confirmation email.": "Recibirá un correo electrónico de confirmación.", - "Your account has been successfully deleted": "Su cuenta ha sido eliminada exitosamente", - "Your account has been validated": "Su cuenta ha sido validada", - "Your account is being validated": "Su cuenta esta siendo validada", - "Your account is nearly ready, {username}": "Su cuenta está casi lista, {username}", - "Your current email is {email}. You use it to log in.": "Su correo electrónico actual es {correo electrónico}. Lo usas para iniciar sesión.", - "Your email has been changed": "Su correo ha sido cambiado", - "Your email is being changed": "Su correo electrónico está siendo cambiado", - "Your email is not whitelisted, you can't register.": "Su correo electrónico no está en la lista blanca, no puede registrarse.", - "Your email will only be used to confirm that you're a real person and send you eventual updates for this event. It will NOT be transmitted to other instances or to the event organizer.": "Su correo electrónico solo se utilizará para confirmar que es una persona real y enviarle actualizaciones eventuales para este evento. NO se transmitirá a otras instancias ni al organizador del evento.", - "Your federated identity": "Su identidad federada", - "Your local administrator resumed its policy:": "Su administrador local reanudó su política:", - "Your participation has been confirmed": "Su participación ha sido confirmada", - "Your participation has been rejected": "Su participación ha sido rechazada", - "Your participation has been requested": "Su participación ha sido solicitada", - "Your participation has been validated": "Su participación ha sido validada", - "Your participation is being validated": "Tu participación está siendo validada", - "Your participation status has been changed": "Su estado de participación ha cambiado", - "[This comment has been deleted]": "[Este comentario ha sido eliminado]", - "[deleted]": "[eliminado]", - "a decentralised federation protocol": "un protocolo de federación descentralizado", - "as {identity}": "como {identity}", - "default Mobilizon terms": "términos predeterminados de Mobilizon", - "e.g. 10 Rue Jangot": "e.j. 10 Rue Jangot", - "firstDayOfWeek": "0", - "iCal Feed": "iCal Feed", - "interconnect with others like it": "interconectarse con otros como él", - "its source code is public": "su código fuente es público", - "on our blog": "en nuestro blog", - "profile@instance": "perfil@instancia", - "resend confirmation email": "reenviar correo electrónico de confirmación", - "respect of the fundamental freedoms": "respeto de las libertades fundamentales", - "with another identity…": "con otra identidad …", - "{approved} / {total} seats": "Asientos {approved}/{total}", - "{count} participants": "Aún no hay participantes|Un participante|{count} participantes", - "{count} requests waiting": "{count} solicitudes en espera", - "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} garantiza {respect} de las personas que lo usarán. Desde {source}, cualquiera puede auditarlo, lo que garantiza su transparencia.", - "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© The Mobilizon Contributors {date} - Hecho con Elixir, Phoenix, VueJS y con un poco de amor y algunas semanas", - "© The OpenStreetMap Contributors": "© The OpenStreetMap Contributors" + "Please do not use it in any real way.": "Por favor, no lo use de ninguna manera real", + "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Una herramienta fácil de usar, emancipadora y ética, para reunir, organizar y movilizar.", + "A validation email was sent to {email}": "Un correo electrónico de confirmación fue enviado a {email}", + "Abandon edition": "Abandonar la edición", + "About": "Acerca de", + "About Mobilizon": "A propósito de Mobilizon", + "About this event": "Acerca este evento", + "About this instance": "Acerca de esta instancia", + "Accepted": "Aceptado", + "Account": "Cuenta", + "Account settings": "Configuración de la cuenta", + "Add": "Añadir", + "Add a note": "Añade una nota", + "Add an address": "Añade una dirección", + "Add an instance": "Añade una instancia", + "Add some tags": "Añade algunas etiquetas", + "Add to my calendar": "Añadir a mi calendario", + "Additional comments": "Comentarios adicionales", + "Admin": "Administrador", + "Admin settings": "Ajustes de administración", + "Admin settings successfully saved.": "Ajustes de administración guardados correctamente.", + "Administration": "Administración", + "All the places have already been taken": "Todos los plazas han sido ocupados | Un plazas aún está disponible | {lugares} plazas aún están disponibles", + "Allow all comments": "Permitir todos los comentarios", + "Allow registrations": "Permitir registros", + "An error has occurred.": "Se ha producido un error.", + "Anonymous participant": "Participante anónimo", + "Anonymous participants will be asked to confirm their participation through e-mail.": "Los participantes anónimos deberán confirmar su participación por correo electrónico.", + "Anonymous participations": "Participaciones anónimas", + "Approve": "Aprobar", + "Are you really sure you want to delete your whole account? You'll lose everything. Identities, settings, events created, messages and participations will be gone forever.": "¿Estás realmente seguro de que deseas eliminar toda tu cuenta? Lo perderás todo. Las identidades, la configuración, los eventos creados, los mensajes y las participaciones desaparecerán para siempre.", + "Are you sure you want to delete this comment? This action cannot be undone.": "¿Estás seguro de que quieres eliminar este comentario? Esta acción no se puede deshacer.", + "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "¿Estás seguro de que quieres eliminar este evento? Esta acción no se puede deshacer. Es posible que desee entablar una conversación con el creador del evento o editar el evento en su lugar.", + "Are you sure you want to cancel the event creation? You'll lose all modifications.": "¿Seguro que quieres cancelar la creación del evento? Perderás todas las modificaciones.", + "Are you sure you want to cancel the event edition? You'll lose all modifications.": "¿Seguro que quieres cancelar la edición del evento? Perderás todas las modificaciones.", + "Are you sure you want to cancel your participation at event \"{title}\"?": "¿Está seguro de que desea cancelar su participación en el evento \"{title}\"?", + "Are you sure you want to delete this event? This action cannot be reverted.": "¿Seguro que quieres eliminar este evento? Esta acción no se puede revertir.", + "Avatar": "Avatar", + "Back to previous page": "Volver a la página anterior", + "Before you can login, you need to click on the link inside it to validate your account": "Antes de iniciar sesión, debe hacer clic en el enlace que se encuentra dentro para validar su cuenta", + "By @{username}": "Por @{username}", + "Cancel": "Cancelar", + "Cancel anonymous participation": "Cancelar participación anónima", + "Cancel creation": "Cancelar creación", + "Cancel edition": "Cancelar edición", + "Cancel my participation request…": "Cancelar mi solicitud de participación …", + "Cancel my participation…": "Cancelar mi participación …", + "Cancelled: Won't happen": "Cancelado: no sucederá", + "Category": "Categoría", + "Change": "Cambiar", + "Change my email": "Cambiar mi correo electrónico", + "Change my identity…": "Cambiar mi identidad …", + "Change my password": "Cambiar mi contraseña", + "Clear": "Limpiar", + "Click to select": "Haz clic para selaccionar", + "Click to upload": "Haz clic para subir (upload)", + "Close": "Cerrar", + "Close comments for all (except for admins)": "Cerrar comentarios para todos (excepto para administradores)", + "Closed": "Cerrado", + "Comment deleted": "Comentario borrado", + "Comment from @{username} reported": "Comentario de @{username} declarado", + "Comments": "Comentarios", + "Comments have been closed.": "Los comentarios han sido cerrados.", + "Confirm my participation": "Confirma mi participación", + "Confirm my particpation": "Confirmar mi participación", + "Confirmed: Will happen": "Confirmado: sucederá", + "Continue editing": "Continua editando", + "Country": "País", + "Create": "Crear", + "Create a new event": "Crear un nuevo evento", + "Create a new group": "Crear un nuevo grupo", + "Create a new identity": "Crear una nueva identidad", + "Create and manage several identities from the same account": "Crear y administrar varias identidades desde la misma cuenta", + "Create group": "Crear un grupo", + "Create my event": "Crear mi evento", + "Create my group": "Crear mi grupo", + "Create my profile": "Crear mi perfil", + "Create token": "Crear token", + "Create, edit or delete events": "Crear, editar o eliminar eventos", + "Creator": "Creador", + "Current identity has been changed to {identityName} in order to manage this event.": "La identidad actual se ha cambiado a {identityName} para gestionar este evento.", + "Current page": "Página actual", + "Custom": "Personalizado", + "Custom URL": "URL personalizada", + "Custom text": "Texto personalizado", + "Dashboard": "Panel de control", + "Date": "Fecha", + "Date and time settings": "Configuración de fecha y hora", + "Date parameters": "Parámetros de fecha", + "Default": "Valor predeterminados", + "Default Mobilizon.org terms": "Términos predeterminados de Mobilizon.org", + "Delete": "Eliminar", + "Delete Comment": "Eliminar comentario", + "Delete Event": "Eliminar evento", + "Delete account": "Eliminar cuenta", + "Delete event": "Eliminar evento", + "Delete everything": "Eliminar todo", + "Delete my account": "Eliminar mi cuenta", + "Delete this identity": "Eliminar esta identidad", + "Delete your identity": "Eliminar tu identidad", + "Delete {eventTitle}": "Eliminar {eventTitle}", + "Delete {preferredUsername}": "Eliminar {preferredUsername}", + "Deleting comment": "Eliminando comentario", + "Deleting event": "Eliminando evento", + "Deleting my account will delete all of my identities.": "Eliminar mi cuenta eliminará todas mis identidades.", + "Deleting your Mobilizon account": "Eliminando tu cuenta de Mobilizon", + "Description": "Descripción", + "Didn't receive the instructions ?": "¿No recibiste las instrucciones?", + "Display name": "Mostrar nombre", + "Display participation price": "Mostrar precio de participación", + "Domain": "Dominio", + "Draft": "Borrador", + "Drafts": "Borradores", + "Edit": "Editar", + "Eg: Stockholm, Dance, Chess…": "Ej .: Estocolmo, Danza, Ajedrez …", + "Either on the {instance} instance or on another instance.": "Ya sea en la instancia {instancia} o en otra instancia.", + "Either the account is already validated, either the validation token is incorrect.": "O la cuenta ya está validada, o bien el testigo de validación es incorrecto.", + "Either the email has already been changed, either the validation token is incorrect.": "O el correo electrónico ya se ha cambiado, o bien el token de validación es incorrecto.", + "Either the participation has already been validated, either the validation token is incorrect.": "O la participación ya ha sido validada, o bien el token de validación es incorrecto.", + "Email": "Correo elecxtrónico", + "Ends on…": "Termina en …", + "Enjoy discovering Mobilizon!": "¡Disfruta descubriendo Mobilizon!", + "Enter the link URL": "Introduzca la URL del enlace", + "Enter your own terms. HTML tags allowed. Mobilizon.org's terms are provided as template.": "Introduzca sus propios términos. Etiquetas HTML permitidas. Los términos de Mobilizon.org se proporcionan como plantilla.", + "Error while changing email": "Error al cambiar el correo electrónico", + "Error while communicating with the server.": "Error al comunicarse con el servidor.", + "Error while saving report.": "Error al guardar el informe.", + "Error while validating account": "Error al validar la cuenta", + "Error while validating participation": "Error al validar la participación", + "Event": "Evento", + "Event already passed": "Evento ya pasado", + "Event cancelled": "Evento cancelado", + "Event creation": "Creación de evento", + "Event edition": "Edición del evento", + "Event list": "Lista de eventos", + "Event not found.": "Evento no encontrado.", + "Event page settings": "Configuración de la página del evento", + "Event to be confirmed": "Evento por confirmar", + "Event {eventTitle} deleted": "Evento {eventTitle} eliminado", + "Event {eventTitle} reported": "Evento {eventTitle} declarado", + "Events": "Eventos", + "Ex: test.mobilizon.org": "Ej: test.mobilizon.org", + "Exclude": "Excluir", + "Explore": "Explorar", + "Failed to save admin settings": "Error al guardar la configuración de administrador", + "Featured events": "Eventos particulares", + "Features": "Caracteristicas", + "Federation": "Federación", + "Find an address": "Buscar una dirección", + "Find an instance": "Buscar una instancia", + "Followers": "Seguidores", + "Followings": "Seguimientos", + "For instance: London, Taekwondo, Architecture…": "Por ejemplo: Londres, Taekwondo, Arquitectura …", + "Forgot your password ?": "¿Olvidaste tu contraseña ?", + "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "Desde una fiesta de cumpleaños con amigos y familiares hasta una marcha por el cambio climático, en este momento, nuestras reuniones están atrapadas dentro de las plataformas de los gigantes tecnológicos . ¿Cómo podemos organizarnos, cómo podemos hacer clic en \"Asistir\", sin proporcionar datos privados a Facebook o encerrarnos dentro de MeetUp?", + "From the {startDate} at {startTime} to the {endDate}": "Desde {startDate} en {startTime} hasta {endDate}", + "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Desde el {startDate} en {startTime} hasta el {endDate} en {endTime}", + "From the {startDate} to the {endDate}": "Desde el {startDate} hasta el {endDate}", + "Gather ⋅ Organize ⋅ Mobilize": "Reúna ⋅ Organice ⋅ Movilice", + "General": "General", + "General information": "Información general", + "Getting location": "Obtener ubicación", + "Go": "Ir", + "Going as {name}": "Ir como {nombre}", + "Group List": "Lista de grupo", + "Group full name": "Nombre completo del grupo", + "Group name": "Nombre del grupo", + "Group {displayName} created": "Grupo {displayName} creado", + "Groups": "Grupos", + "Headline picture": "Imagen del titular", + "Hide replies": "Ocultar respuestas", + "I create an identity": "Crear una identidad", + "I don't have a Mobilizon account": "No tengo una cuenta de Mobilizon", + "I have a Mobilizon account": "Tengo una cuenta de Mobilizon", + "I have an account on another Mobilizon instance.": "Tengo una cuenta en otra instancia de Mobilizon.", + "I participate": "Yo participo", + "I want to allow people to participate without an account.": "Quiero permitir que las personas participen sin una cuenta.", + "I want to approve every participation request": "Quiero aprobar cada solicitud de participación", + "Identity {displayName} created": "Identidad {displayName} creada", + "Identity {displayName} deleted": "Identidad {displayName} eliminada", + "Identity {displayName} updated": "Identidad {displayName} actualizada", + "If an account with this email exists, we just sent another confirmation email to {email}": "Si existe una cuenta con este correo electrónico, acabamos de enviar otro correo electrónico de confirmación a {email}", + "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Si esta identidad es el único administrador de algún grupo, debe eliminarlo antes de poder eliminar esta identidad.", + "If you want, you may send a message to the event organizer here.": "Si lo desea, puede enviar un mensaje al organizador del evento aquí.", + "Impossible to login, your email or password seems incorrect.": "Imposible iniciar sesión, su correo electrónico o contraseña parece incorrecta.", + "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "Mientras tanto, tenga en cuenta que el software no está (todavía) terminado. Más información {onBlog}.", + "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "La instalación de Mobilizon permitirá a las comunidades liberarse de los servicios de los gigantes tecnológicos creando su propia plataforma de eventos .", + "Instance Description": "Descripción de instancia", + "Instance Name": "Nombre de instancia", + "Instance Terms": "Términos de Instancia", + "Instance Terms Source": "Fuente de Términos de Instancia", + "Instance Terms URL": "URL de Términos de Instancia", + "Instance settings": "Configuraciones de instancia", + "Instances": "Instancias", + "Join {instance}, a Mobilizon instance": "Únase a {instancia}, una instancia de Mobilizon", + "Last published event": "Último evento publicado", + "Last week": "La semana pasada", + "Learn more": "Aprende más", + "Learn more about Mobilizon": "Conoce más sobre Mobilizon", + "Leave event": "Dejar evento", + "Leaving event \"{title}\"": "Saliendo del evento \"{title}\"", + "Let's create a new common": "Creemos un nuevo \"bien común\"", + "License": "Licencia", + "Limited number of places": "Número limitado de plazas", + "Load more": "Carga más", + "Locality": "Localidad", + "Log in": "Iniciar sesión", + "Log out": "Cerrar sesión", + "Login": "Iniciar sesión", + "Login on Mobilizon!": "¡Inicia sesión en Mobilizon!", + "Login on {instance}": "Inicia sesión en {instancia}", + "Manage participations": "Administrar participaciones", + "Mark as resolved": "Marca como resuelto", + "Members": "Miembros", + "Message": "Mensaje", + "Mobilizon is a federated network. You can interact with this event from a different server.": "Mobilizon es una red federada. Puede interactuar con este evento desde un servidor diferente.", + "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon es un software gratuito/libre que permitirá a las comunidades crear sus propios espacios para publicar eventos con el fin de emanciparse mejor de los gigantes tecnológicos.", + "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon está en desarrollo, añadiremos nuevas funciones a este sitio durante las actualizaciones regulares, hasta el lanzamiento de la versión 1 del software en la primera mitad de 2020 .", + "Mobilizon’s licence": "Licencia de Mobilizon", + "Moderated comments (shown after approval)": "Comentarios moderados (mostrados después de la aprobación)", + "Moderation": "Moderación", + "Moderation log": "Registro de moderación", + "My account": "Mi cuenta", + "My events": "Mis eventos", + "My identities": "Mis identidades", + "Name": "Nombre", + "New email": "Nuevo correo electrónico", + "New note": "Nueva nota", + "New password": "Nueva contraseña", + "New profile": "Nuevo perfil", + "Next page": "Siguiente página", + "No actors found": "No se encontraron actores", + "No address defined": "Ninguna dirección definida", + "No closed reports yet": "Aún no hay informes cerrados", + "No comment": "Sin comentarios", + "No comments yet": "Sin comentarios aún", + "No end date": "Sin fecha de finalización", + "No events found": "No se encontraron eventos", + "No group found": "Ningún grupo encontrado", + "No groups found": "No se encontraron grupos", + "No instance follows your instance yet.": "Ninguna instancia sigue a tu instancia todavía.", + "No instance to approve|Approve instance|Approve {number} instances": "No hay instancia para aprobar|Aprobar instancia|Aprobar {número} instancias", + "No instance to reject|Reject instance|Reject {number} instances": "Ninguna instancia para rechazar | Rechazar instancia | Rechazar {número} instancias", + "No instance to remove|Remove instance|Remove {number} instances": "No hay instancias para eliminar|Eliminar instancias|Eliminar {número} instancias", + "No message": "Sin mensaje", + "No notification settings yet": "Aún no hay configuración de notificaciones", + "No open reports yet": "Aún no hay informes abiertos", + "No participant to approve|Approve participant|Approve {number} participants": "Ningún participante debe aprobar|Aprobar participante|Aprobar {number} participantes", + "No participant to reject|Reject participant|Reject {number} participants": "Ningún participante que rechazar|Rechazar participante|Rechazar {number} participantes", + "No preferences yet": "Aún no hay preferencias", + "No resolved reports yet": "Aún no hay informes resueltos", + "No results for \"{queryText}\"": "No hay resultados para \"{queryText}\"", + "No user account with this email was found. Maybe you made a typo?": "No se encontró ninguna cuenta de usuario con este correo electrónico. Tal vez hiciste un error tipográfico?", + "Notes": "Notas", + "Notifications": "Notificaciones", + "Number of places": "Numero de plazas", + "OK": "OK", + "Old password": "Contraseña anterior", + "On {date}": "el {date}", + "On {date} ending at {endTime}": "El {fecha} que termina en {endTime}", + "On {date} from {startTime} to {endTime}": "El {fecha} de {startTime} a {endTime}", + "On {date} starting at {startTime}": "El {fecha} a partir de {startTime}", + "One person is going": "Nadie va|Una persona va|personas {approved} van", + "Only accessible through link and search (private)": "Solo accesible a través de enlace y búsqueda (privado)", + "Only alphanumeric characters and underscores are supported.": "Solo se admiten caracteres alfanuméricos y guiones bajos.", + "Open": "Abrir", + "Opened reports": "Informes abiertos", + "Or": "O", + "Organized": "Organizado", + "Organized by {name}": "Organizado por {name}", + "Organizer": "Organizador", + "Other software may also support this.": "Otro software también puede soportar esto.", + "Otherwise this identity will just be removed from the group administrators.": "De lo contrario, esta identidad solo se eliminará de los administradores del grupo.", + "Page": "Página", + "Page limited to my group (asks for auth)": "Página limitada a mi grupo (solicita autenticación)", + "Page not found": "Página no encontrada", + "Participant": "Participante", + "Participant already was rejected.": "El participante ya fue rechazado.", + "Participant has already been approved as participant.": "El participante ya ha sido aprobado como participante.", + "Participants": "Participantes", + "Participate": "Participar", + "Participate using your email address": "Participa usando tu dirección de correo electrónico", + "Participation approval": "Aprobación de la participación", + "Participation confirmation": "Confirmación de participación", + "Participation requested!": "¡Participación solicitada!", + "Password": "Contraseña", + "Password (confirmation)": "Confirmación de contraseña)", + "Password reset": "Restablecimiento de contraseña", + "Past events": "Eventos pasados", + "Pending": "Pendiente", + "Pick an identity": "Elige una identidad", + "Please check your spam folder if you didn't receive the email.": "Verifique su carpeta de correo no deseado (spam) si no recibió el correo electrónico.", + "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Póngase en contacto con el administrador de Mobilizon de esta instancia si cree que esto es un error.", + "Please enter your password to confirm this action.": "Introduzca su contraseña para confirmar esta acción.", + "Please make sure the address is correct and that the page hasn't been moved.": "Asegúrese de que la dirección sea correcta y que la página no se haya movido.", + "Please read the full rules": "Por favor lea las reglas completas", + "Please refresh the page and retry.": "Actualice la página y vuelva a intentarlo.", + "Post a comment": "Publicar un comentario", + "Post a reply": "Publica una respuesta", + "Postal Code": "Código postal", + "Preferences": "Preferencias", + "Previous page": "Pagina anterior", + "Privacy Policy": "Política de privacidad", + "Private event": "Evento privado", + "Private feeds": "Feeds privados", + "Profiles": "Perfiles", + "Public RSS/Atom Feed": "RSS/Atom Feed público", + "Public comment moderation": "Moderación de comentarios públicos", + "Public event": "Evento público", + "Public feeds": "Feeds públicos", + "Public iCal Feed": "Feed público de iCal", + "Publish": "Publicar", + "Published events": "Eventos publicados", + "RSS/Atom Feed": "RSS/Atom Feed", + "Read Framasoft’s statement of intent on the Framablog": "Lea la declaración de intenciones de Framasoft en el Framablog", + "Redirecting to event…": "Redirigiendo al evento …", + "Region": "Región", + "Register": "Registrar", + "Register an account on Mobilizon!": "¡Registre una cuenta en Mobilizon!", + "Register for an event by choosing one of your identities": "Regístrese para un evento eligiendo una de sus identidades", + "Registration is allowed, anyone can register.": "El registro está permitido, cualquiera puede registrarse.", + "Registration is closed.": "El registro está cerrado.", + "Registration is currently closed.": "El registro está actualmente cerrado.", + "Registrations are restricted by whitelisting.": "Los registros están restringidos por la lista blanca.", + "Reject": "Rechazar", + "Rejected": "Rechazado", + "Rejected participations": "Participaciones rechazadas", + "Reopen": "Reabrir", + "Reply": "Respuesta", + "Report": "Declarar", + "Report this comment": "Informar de este comentario", + "Report this event": "Informa de este evento", + "Reported": "Declarado", + "Reported by": "Declarado por", + "Reported by someone on {domain}": "Declarado por alguien en {dominio}", + "Reported by {reporter}": "Declarado por {reporter}", + "Reported identity": "Identidad declarada", + "Reports": "Declaraciones", + "Requests": "Solicitudes", + "Resend confirmation email": "Reenviar correo electrónico de confirmación", + "Reset my password": "Restablecer mi contraseña", + "Resolved": "Resuelto", + "Resource provided is not an URL": "El recurso proporcionado no es una URL", + "Role": "Rol", + "Save": "Guardar", + "Save draft": "Guardar borrador", + "Search": "Buscar", + "Search events, groups, etc.": "Buscar eventos, grupos, etc.", + "Search results: \"{search}\"": "Resultados de búsqueda: \"{search}\"", + "Searching…": "Buscando…", + "Send email": "Enviar correo electrónico", + "Send me an email to reset my password": "Enviarme un correo electrónico para restablecer mi contraseña", + "Send me the confirmation email once again": "Envíame el correo electrónico de confirmación una vez más", + "Send the report": "Enviar el informe", + "Set an URL to a page with your own terms.": "Establezca una URL a una página con sus propios términos.", + "Settings": "Configuraciones", + "Share this event": "Comparte este event", + "Show map": "Mostrar mapa", + "Show remaining number of places": "Muestra el número restante de plazas", + "Show the time when the event begins": "Muestra la hora en que comienza el evento", + "Show the time when the event ends": "Muestra la hora en que finaliza el evento", + "Sign up": "Regístrate", + "Software to the people": "Software para la gente", + "Starts on…": "Comienza en …", + "Status": "Estado", + "Street": "Calle", + "Tentative: Will be confirmed later": "Intento: se confirmará más tarde", + "Terms": "Condiciones", + "The account's email address was changed. Check your emails to verify it.": "Se cambió la dirección de correo electrónico de la cuenta. Revise sus correos electrónicos para verificarlo.", + "The actual number of participants may differ, as this event is hosted on another instance.": "El número real de participantes puede diferir ya que este evento se aloja en otra instancia.", + "The content came from another server. Transfer an anonymous copy of the report?": "El contenido vino de otro servidor. ¿Transferir una copia anónima del informe?", + "The current identity doesn't have any permission on this event. You should probably change it.": "La identidad actual no tiene ningún permiso para este evento. Probablemente deberías cambiarlo.", + "The current password is invalid": "La contraseña actual no es válida", + "The draft event has been updated": "El borrador del evento ha sido actualizado", + "The event has been created as a draft": "El evento ha sido creado como borrador", + "The event has been published": "El evento ha sido publicado", + "The event has been updated": "El evento ha sido actualizado", + "The event has been updated and published": "El evento ha sido actualizado y publicado", + "The event organiser has chosen to validate manually participations. Do you want to add a little note to explain why you want to participate to this event?": "El organizador del evento ha elegido validar las participaciones manualmente. ¿Desea agregar una pequeña nota para explicar por qué desea participar en este evento?", + "The event organizer didn't add any description.": "El organizador del evento no agregó ninguna descripción.", + "The event organizer manually approves participations. Since you've chosen to participate without an account, please explain why you want to participate to this event.": "El organizador del evento aprueba manualmente las participaciones. Dado que ha elegido participar sin una cuenta, explique por qué desea participar en este evento.", + "The event title will be ellipsed.": "El título del evento será elipsado.", + "The new email doesn't seem to be valid": "El nuevo correo electrónico no parece ser válido", + "The new email must be different": "El nuevo correo electrónico debe ser diferente", + "The new password must be different": "La nueva contraseña debe ser diferente", + "The page you're looking for doesn't exist.": "La página que estás buscando no existe.", + "The password provided is invalid": "La contraseña proporcionada no es válida", + "The password was successfully changed": "La contraseña fue cambiada con éxito", + "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "El informe se enviará a los moderadores de su instancia. Puede explicar por qué declara este contenido a continuación.", + "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "La cuenta de usuario que está intentando iniciar sesión aún no se ha confirmado. Verifique su bandeja de entrada de correo electrónico y eventualmente su carpeta de correo no deseado.", + "The {default_terms} will be used. They will be translated in the user's language.": "Se utilizarán los {default_terms}. Se traducirán en el idioma del usuario.", + "There are {participants} participants.": "Hay {participantes} participantes.", + "There will be no way to recover your data.": "No habrá forma de recuperar sus datos.", + "These events may interest you": "Estos eventos pueden interesarte", + "This Mobilizon instance and this event organizer allows anonymous participations, but requires validation through email confirmation.": "Esta instancia de Mobilizon y este organizador de eventos permiten participaciones anónimas pero requieren validación mediante confirmación por correo electrónico.", + "This email is already registered as participant for this event": "Este correo electrónico ya está registrado como participante para este evento", + "This information is saved only on your computer. Click for details": "Esta información se guarda solo en su computadora. Haga clic para más detalles", + "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Esta instalación (llamada \"instancia\") puede fácilmente {interconnect}, gracias a {protocol}.", + "This instance isn't opened to registrations, but you can register on other instances.": "Esta instancia no está abierta a registros pero puede registrarse en otras instancias.", + "This is a demonstration site to test the beta version of Mobilizon.": "Este es un sitio de demostración para probar la versión beta de Mobilizon.", + "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Esto eliminará/anonimizará todo el contenido (eventos, comentarios, mensajes, participaciones ...) creado con esta identidad.", + "Title": "Título", + "To achieve your registration, please create a first identity profile.": "Para conseguir su registro, cree un primer perfil de identidad.", + "To change the world, change the software": "Para cambiar el mundo, cambia el software", + "To confirm, type your event title \"{eventTitle}\"": "Para confirmar, escriba el título de su evento \"{eventTitle}\"", + "To confirm, type your identity username \"{preferredUsername}\"": "Para confirmar, escriba su nombre de usuario de identidad \"{preferredUsername}\"", + "Transfer to {outsideDomain}": "Transferir a {outsideDomain}", + "Type": "Tipo", + "URL": "URL", + "Unfortunately, this instance isn't opened to registrations": "Desafortunadamente, esta instancia no está abierta a registros", + "Unfortunately, your participation request was rejected by the organizers.": "Lamentablemente, su solicitud de participación fue rechazada por los organizadores.", + "Unknown": "Desconocido", + "Unknown actor": "Actor desconocido", + "Unknown error.": "Error desconocido.", + "Unsaved changes": "Cambios no guardados", + "Upcoming": "Próximo", + "Update event {name}": "Actualizar evento {name}", + "Update my event": "Actualizar mi evento", + "Updated": "Actualizado", + "Username": "Nombre de usuario", + "Users": "Los usuarios", + "View a reply": "|Ver una respuesta|Ver {totalReplies} respuestas", + "View event page": "Ver página del evento", + "View everything": "Ver todo", + "View page on {hostname} (in a new window)": "Ver página en {hostname} (en una nueva ventana)", + "Visible everywhere on the web (public)": "Visible en todas partes de la web (público)", + "Waiting for organization team approval.": "Esperando la aprobación del equipo de la organización.", + "Waiting list": "Lista de espera", + "Warning": "Advertencia", + "We just sent an email to {email}": "Acabamos de enviar un correo electrónico a {email}", + "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Queremos desarrollar un común digital , que todos puedan hacer suyo, que respete la privacidad y activismo por diseño .", + "We will redirect you to your instance in order to interact with this event": "Lo redirigiremos a su instancia para interactuar con este evento", + "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "No cambiaremos el mundo de Facebook. La herramienta con la que soñamos, las corporaciones de capitalismo de vigilancia no la desarrollarán ya que no podrían beneficiarse de ella. Esta es una oportunidad para construir algo mejor, adoptando otro enfoque.", + "Website / URL": "Sitio web / URL", + "Welcome back {username}!": "¡Bienvenido de nuevo {username}!", + "Welcome back!": "¡Bienvenido de nuevo!", + "Welcome on your administration panel": "Bienvenido en tu panel de administración", + "Welcome to Mobilizon, {username}!": "¡Bienvenido a Mobilizon, {username}!", + "Who can view this event and participate": "Quién puede ver este evento y participar", + "World map": "Mapa del mundo", + "Write something…": "Escribe algo…", + "You and one other person are going to this event": "Eres el único que va a este evento|Usted y otra persona asistirán a este evento|Usted y las personas {approved}asistirán a este evento.", + "You are already a participant of this event.": "Ya eres un participante de este evento.", + "You are participating in this event anonymously": "Estás participando en este evento de forma anónima", + "You are participating in this event anonymously but didn't confirm participation": "Participas en este evento de forma anónima pero no has confirmado la participación", + "You can add tags by hitting the Enter key or by adding a comma": "Puede agregar etiquetas presionando la tecla Intro o agregando una coma", + "You can try another search term or drag and drop the marker on the map": "Puedes probar con otro término de búsqueda o arrastrar y soltar el marcador en el mapa", + "You can't remove your last identity.": "No puedes eliminar tu última identidad.", + "You don't follow any instances yet.": "Todavía no sigues ninguna instancia.", + "You have been disconnected": "Has sido desconectado", + "You have cancelled your participation": "Has cancelado tu participación", + "You have one event in {days} days.": "No tienes eventos en {days} días|Tienes un evento en {days} días. |Tienes {count} eventos en {days} días", + "You have one event today.": "No tienes eventos hoy|Tienes un evento hoy.|Tienes {count} eventos hoy", + "You have one event tomorrow.": "No tienes eventos mañana|Tienes un evento mañana.|Tienes {count} eventos mañana", + "You may also ask to {resend_confirmation_email}.": "También puede solicitar {resend_confirmation_email}.", + "You need to login.": "Necesitas iniciar sesión.", + "You will be redirected to the original instance": "Serás redirigido a la instancia original", + "You wish to participate to the following event": "Desea participar en el siguiente evento", + "You'll receive a confirmation email.": "Recibirá un correo electrónico de confirmación.", + "Your account has been successfully deleted": "Su cuenta ha sido eliminada exitosamente", + "Your account has been validated": "Su cuenta ha sido validada", + "Your account is being validated": "Su cuenta esta siendo validada", + "Your account is nearly ready, {username}": "Su cuenta está casi lista, {username}", + "Your current email is {email}. You use it to log in.": "Su correo electrónico actual es {correo electrónico}. Lo usas para iniciar sesión.", + "Your email has been changed": "Su correo ha sido cambiado", + "Your email is being changed": "Su correo electrónico está siendo cambiado", + "Your email is not whitelisted, you can't register.": "Su correo electrónico no está en la lista blanca, no puede registrarse.", + "Your email will only be used to confirm that you're a real person and send you eventual updates for this event. It will NOT be transmitted to other instances or to the event organizer.": "Su correo electrónico solo se utilizará para confirmar que es una persona real y enviarle actualizaciones eventuales para este evento. NO se transmitirá a otras instancias ni al organizador del evento.", + "Your federated identity": "Su identidad federada", + "Your local administrator resumed its policy:": "Su administrador local reanudó su política:", + "Your participation has been confirmed": "Su participación ha sido confirmada", + "Your participation has been rejected": "Su participación ha sido rechazada", + "Your participation has been requested": "Su participación ha sido solicitada", + "Your participation has been validated": "Su participación ha sido validada", + "Your participation is being validated": "Tu participación está siendo validada", + "Your participation status has been changed": "Su estado de participación ha cambiado", + "[This comment has been deleted]": "[Este comentario ha sido eliminado]", + "[deleted]": "[eliminado]", + "a decentralised federation protocol": "un protocolo de federación descentralizado", + "as {identity}": "como {identity}", + "default Mobilizon terms": "términos predeterminados de Mobilizon", + "e.g. 10 Rue Jangot": "e.j. 10 Rue Jangot", + "firstDayOfWeek": "0", + "iCal Feed": "iCal Feed", + "interconnect with others like it": "interconectarse con otros como él", + "its source code is public": "su código fuente es público", + "on our blog": "en nuestro blog", + "profile@instance": "perfil@instancia", + "resend confirmation email": "reenviar correo electrónico de confirmación", + "respect of the fundamental freedoms": "respeto de las libertades fundamentales", + "with another identity…": "con otra identidad …", + "{approved} / {total} seats": "Asientos {approved}/{total}", + "{count} participants": "Aún no hay participantes|Un participante|{count} participantes", + "{count} requests waiting": "{count} solicitudes en espera", + "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} garantiza {respect} de las personas que lo usarán. Desde {source}, cualquiera puede auditarlo, lo que garantiza su transparencia.", + "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© The Mobilizon Contributors {date} - Hecho con Elixir, Phoenix, VueJS y con un poco de amor y algunas semanas", + "© The OpenStreetMap Contributors": "© The OpenStreetMap Contributors" } diff --git a/js/src/i18n/fi.json b/js/src/i18n/fi.json index d137670c4..c694268ec 100644 --- a/js/src/i18n/fi.json +++ b/js/src/i18n/fi.json @@ -1,501 +1,501 @@ { - "Please do not use it in any real way.": "Älä käytä todellisiin tarkoituksiin.", - "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Käyttäjäystävällinen, vapauttava ja eettinen työkalu tapahtumien järjestämiseen, organisointiin ja mobilisointiin.", - "A validation email was sent to {email}": "Vahvistussähköposti lähetettiin osoitteeseen {email}", - "Abandon edition": "Peruuta muokkaus", - "About": "Tietoja", - "About Mobilizon": "Tietoa Mobilizonista", - "About this event": "Tietoa tapahtumasta", - "About this instance": "Tietoa tästä palvelimesta", - "Accepted": "Hyväksytty", - "Account": "Tili", - "Add": "Lisää", - "Add a note": "Lisää merkintä", - "Add an address": "Lisää osoite", - "Add an instance": "Lisää palvelin", - "Add some tags": "Lisää tunnisteita", - "Add to my calendar": "Lisää omaan kalenteriin", - "Additional comments": "Lisäkommentit", - "Admin": "Ylläpitäjä", - "Admin settings": "Ylläpitoasetukset", - "Admin settings successfully saved.": "Ylläpitoasetukset tallennettu.", - "Administration": "Ylläpito", - "All the places have already been taken": "Kaikki paikat on varattu|Vielä yksi paikka vapaana|Vielä {places} paikkaa vapaana", - "Allow all comments": "Salli kaikki kommentit", - "Allow registrations": "Salli rekisteröityminen", - "An error has occurred.": "Tapahtui virhe.", - "Anonymous participant": "Nimetön osallistuja", - "Anonymous participants will be asked to confirm their participation through e-mail.": "Anonyymejä osallistujia pyydetään vahvistamaan osallistumisensa sähköpostitse.", - "Anonymous participations": "Anonyymit osallistujat", - "Approve": "Hyväksy", - "Are you really sure you want to delete your whole account? You'll lose everything. Identities, settings, events created, messages and participations will be gone forever.": "Haluatko varmasti poistaa koko tilin? Tällöin kaikki poistetaan. Identiteetit, asetukset, luodut tapahtumat, viestit ja osallistumiset poistetaan pysyvästi.", - "Are you sure you want to delete this comment? This action cannot be undone.": "Haluatko varmasti poistaa tämän kommentin? Toimintoa ei voi perua.", - "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "Haluatko varmasti poistaa tämän tapahtuman? Toimintoa ei voi perua. Poistamisen sijaan voisit ehkä keskustella tapahtuman luojan kanssa tai muokata tapahtumaa.", - "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Haluatko varmasti keskeyttää tapahtuman luomisen? Kaikki muutokset menetetään.", - "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Haluatko varmasti keskeyttää tapahtuman muokkaamisen? Kaikki muutokset menetetään.", - "Are you sure you want to cancel your participation at event \"{title}\"?": "Haluatko varmasti perua osallistumisesi tapahtumaan {title}?", - "Are you sure you want to delete this event? This action cannot be reverted.": "Haluatko varmasti poistaa tämän tapahtuman? Toimintoa ei voi perua.", - "Avatar": "Avatar", - "Back to previous page": "Palaa edelliselle sivulle", - "Before you can login, you need to click on the link inside it to validate your account": "Sinun on ennen sisäänkirjautumista vahvistettava tilisi napsauttamalla siinä olevaa linkkiä", - "By @{username}": "Tehnyt @{username}", - "Cancel": "Peruuta", - "Cancel anonymous participation": "Peruuta anonyymi osallistuminen", - "Cancel creation": "Peruuta luonti", - "Cancel edition": "Peruuta muokkaus", - "Cancel my participation request…": "Peru osallistumispyyntöni…", - "Cancel my participation…": "Peru osallistumiseni…", - "Cancelled: Won't happen": "Peruutettu: Ei onnistu", - "Category": "Luokka", - "Change": "Muuta", - "Change my email": "Vaihda sähköpostiosoitteeni", - "Change my identity…": "Vaihda identiteettiä…", - "Change my password": "Vaihda salasana", - "Change password": "Vaihda salasana", - "Clear": "Tyhjennä", - "Click to select": "Valitse napsauttamalla", - "Click to upload": "Lähetä napsauttamalla", - "Close": "Sulje", - "Close comments for all (except for admins)": "Sulje kommentit kaikilta (paitsi ylläpitäjiltä)", - "Closed": "Suljettu", - "Comment deleted": "Kommentti poistettu", - "Comment from @{username} reported": "Käyttäjän @{username} kommentti raportoitu", - "Comments": "Kommentit", - "Comments have been closed.": "Kommentointi on pois käytöstä.", - "Confirm my participation": "Vahvista osallistumiseni", - "Confirm my particpation": "Vahvista osallistumiseni", - "Confirmed: Will happen": "Vahvistettu: Tapahtuu", - "Continue editing": "Jatka muokkausta", - "Country": "Maa", - "Create": "Luo", - "Create a new event": "Luo uusi tapahtuma", - "Create a new group": "Luo uusi ryhmä", - "Create a new identity": "Luo uusi identiteetti", - "Create and manage several identities from the same account": "Luo ja hallinnoi useita identiteettejä saman tilin kautta", - "Create group": "Luo ryhmä", - "Create my event": "Luo oma tapahtuma", - "Create my group": "Luo oma ryhmä", - "Create my profile": "Luo oma profiili", - "Create token": "Luo merkki", - "Create, edit or delete events": "Luo, muokkaa tai poista tapahtumia", - "Creator": "Luoja", - "Current identity has been changed to {identityName} in order to manage this event.": "Nykyiseksi identiteetiksi on vaihdettu {identityName} tämän tapahtuman hallinnointia varten.", - "Current page": "Nykyinen sivu", - "Custom": "Mukautettu", - "Custom URL": "Vapaavalintainen URL", - "Custom text": "Vapaavalintainen teksti", - "Dashboard": "Kojelauta", - "Date": "Päivämäärä", - "Date and time settings": "Aika- ja päivämääräasetukset", - "Date parameters": "Päivämäärävalinnat", - "Default": "Oletus", - "Default Mobilizon.org terms": "Mobilizon.orgin oletuskäyttöehdot", - "Delete": "Poista", - "Delete Comment": "Poista kommentti", - "Delete Event": "Poista tapahtuma", - "Delete account": "Poista tili", - "Delete event": "Poista tapahtuma", - "Delete everything": "Poista kaikki", - "Delete my account": "Poista tilini", - "Delete this identity": "Poista tämä identiteetti", - "Delete your identity": "Poista oma identiteetti", - "Delete {eventTitle}": "Poista {eventTitle}", - "Delete {preferredUsername}": "Poista {preferredUsername}", - "Deleting comment": "Poistetaan kommentti", - "Deleting event": "Poistetaan tapahtuma", - "Deleting my account will delete all of my identities.": "Oman tilin poistaminen poistaa kaikki identiteettini.", - "Deleting your Mobilizon account": "Poistetaan Mobilizon-tiliäsi", - "Description": "Kuvaus", - "Didn't receive the instructions ?": "Eivätkö ohjeet tulleet perille?", - "Display name": "Näytä nimi", - "Display participation price": "Näytä osallistumisen hinta", - "Domain": "Verkkotunnus", - "Draft": "Luonnos", - "Drafts": "Luonnokset", - "Edit": "Muokkaa", - "Eg: Stockholm, Dance, Chess…": "Esim. Helsinki, tanssi, shakki, …", - "Either on the {instance} instance or on another instance.": "Joko palvelimella {instance} tai toisella palvelimella.", - "Either the account is already validated, either the validation token is incorrect.": "Joko tili on jo vahvistettu tai vahvistusmerkki on virheellinen.", - "Either the email has already been changed, either the validation token is incorrect.": "Joko sähköpostiosoite on jo vaihdettu tai vahvistusmerkki on virheellinen.", - "Either the participation has already been validated, either the validation token is incorrect.": "Joko osallistuminen on jo vahvistettu tai vahvistumerkki on virheellinen.", - "Email": "Sähköposti", - "Ends on…": "Päättyy…", - "Enjoy discovering Mobilizon!": "Mukavaa tutustumista Mobilizoniin!", - "Enter the link URL": "Syötä linkin URL", - "Enter your own terms. HTML tags allowed. Mobilizon.org's terms are provided as template.": "Syötä palvelimen käyttöehdot. HTML-merkinnät ovat sallittuja. Mallina voi käyttää Mobilizon.orgin käyttöehtoja.", - "Error while changing email": "Virhe sähköpostiosoitetta vaihdettaessa", - "Error while communicating with the server.": "Virhe palvelinyhteydessä.", - "Error while saving report.": "Virhe raportin tallennuksessa.", - "Error while validating account": "Virhe tilin vahvistamisessa", - "Error while validating participation": "Virhe osallistumisen vahvistamisessa", - "Event": "Tapahtuma", - "Event already passed": "Tapahtuma on jo mennyt", - "Event cancelled": "Tapahtuma peruttu", - "Event creation": "Tapahtuman luonti", - "Event edition": "Tapahtuman muokkaus", - "Event list": "Tapahtumaluettelo", - "Event not found.": "Tapahtumaa ei löydy.", - "Event page settings": "Tapahtumasivun asetukset", - "Event to be confirmed": "Tapahtuma odottaa vahvistamista", - "Event {eventTitle} deleted": "Tapahtuma {eventTitle} poistettu", - "Event {eventTitle} reported": "Tapahtuma (eventTitle} raportoitu", - "Events": "Tapahtumat", - "Ex: test.mobilizon.org": "Esim. test.mobilizon.org", - "Exclude": "Jätä pois", - "Explore": "Tutustu", - "Failed to save admin settings": "Ylläpitoasetusten tallennus epäonnistui", - "Featured events": "Ehdotetut tapahtumat", - "Features": "Ominaisuudet", - "Federation": "Federaatio", - "Find an address": "Etsi osoitetta", - "Find an instance": "Etsi palvelinta", - "Followers": "Seuraajat", - "Followings": "Seurattavat", - "For instance: London, Taekwondo, Architecture…": "Esimerkiksi: Tampere, taekwondo, arkkitehtuuri, …", - "Forgot your password ?": "Unohditko salasanasi?", - "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "Kaikki tapahtumamme kaverien ja perheen kesken vietettävistä syntymäpäiväjuhlista ilmastomarsseihin ovat tätä nykyä teknologiajättien armoilla. Kuinka voimme järjestäytyä ja ilmoittaa osallistuvamme tapahtumiin luovuttamatta yksityisiä tietojamme Facebookille tai joutumatta jumiin MeetUpiin?", - "From the {startDate} at {startTime} to the {endDate}": "Alkaa {startDate} klo {startTime} ja päättyy {endDate}", - "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Alkaa {startDate} klo {startTime} ja päättyy {endDate} klo {endTime}", - "From the {startDate} to the {endDate}": "Alkaa {startDate} ja päättyy {endDate}", - "Gather ⋅ Organize ⋅ Mobilize": "Kokoonnu ⋅ Järjestä ⋅ Mobilisoi", - "General": "Yleinen", - "General information": "Yleiset tiedot", - "Getting location": "Haetaan sijaintia", - "Go": "Siirry", - "Going as {name}": "Osallistu nimellä {name}", - "Group List": "Ryhmäluettelo", - "Group full name": "Ryhmän koko nimi", - "Group name": "Ryhmän nimi", - "Group {displayName} created": "Ryhmä {displayName} luotu", - "Groups": "Ryhmät", - "Headline picture": "Otsikkokuva", - "Hide replies": "Piilota vastaukset", - "I create an identity": "Luon indentiteetin", - "I don't have a Mobilizon account": "Minulla ei ole Mobilizon-tiliä", - "I have a Mobilizon account": "Minulla on Mobilizon-tili", - "I have an account on another Mobilizon instance.": "Minulla on tili toisella Mobilizon-palvelimella.", - "I participate": "Osallistun", - "I want to allow people to participate without an account.": "Osallistuminen ilman käyttäjätiliä sallittu.", - "I want to approve every participation request": "Haluan hyväksyä kaikki osallistumispyynnöt", - "Identity {displayName} created": "Identiteetti {displayName} luotu", - "Identity {displayName} deleted": "Identiteetti {displayName} poistettu", - "Identity {displayName} updated": "Identiteetti {displayName} päivitetty", - "If an account with this email exists, we just sent another confirmation email to {email}": "Jos osoitteeseen {email} liittyvä tili on jo olemassa, lähetämme vain uuden vahvistusviestin", - "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Jos tämä identiteetti on joidenkin ryhmien ainoa ylläpitäjä, ryhmät on poistettava ennen kuin identiteetin voi poistaa.", - "If you want, you may send a message to the event organizer here.": "Tästä voit halutessasi lähettää tapahtuman järjestäjälle viestin.", - "Impossible to login, your email or password seems incorrect.": "Sisäänkirjautuminen ei onnistu, sähköposti tai salasana on väärin.", - "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "Huomaathan, että tämä ohjelma ei ole (vielä) kokonaan valmis. Lue lisää: {onBlog}.", - "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Asentamalla Mobilizonin yhteisöt voivat luoda oman tapahtuma-alustansa ja vapautua teknologiajättien palveluista.", - "Instance Description": "Palvelimen kuvaus", - "Instance Name": "Palvelimen nimi", - "Instance Terms": "Palvelimen käyttöehdot", - "Instance Terms Source": "Palvelimen käyttöehtojen lähde", - "Instance Terms URL": "Pälvelimen käyttöehtojen URL", - "Instance settings": "Palvelimen asetukset", - "Instances": "Palvelimet", - "Join {instance}, a Mobilizon instance": "Liity Mobilizon-palvelimelle {instance}", - "Last published event": "Viimeisin julkaistu tapahtuma", - "Last week": "Viime viikko", - "Learn more": "Lue lisää", - "Learn more about Mobilizon": "Lue lisää Mobilizonista", - "Leave event": "Poistu tapahtumasta", - "Leaving event \"{title}\"": "Poistutaan tapahtumasta {title}", - "Let's create a new common": "Luodaan uutta yhteisomaisuutta", - "License": "Käyttöoikeussopimus", - "Limited number of places": "Paikkoja rajoitettu määrä", - "Load more": "Lataa lisää", - "Locality": "Sijainti", - "Log in": "Kirjaudu sisään", - "Log out": "Kirjaudu ulos", - "Login": "Kirjaudu sisään", - "Login on Mobilizon!": "Kirjaudu sisään Mobilizoniin!", - "Login on {instance}": "Kirjaudu palvelimelle {instance}", - "Manage participations": "Hallinnoi osallistumisia", - "Mark as resolved": "Merkitse ratkaistuksi", - "Members": "Jäsenet", - "Message": "Viesti", - "Mobilizon is a federated network. You can interact with this event from a different server.": "Mobilizon on federoituva verkosto. Tätä tapahtumasivua voi käyttää myös toiselta palvelimelta.", - "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon on vapaa ja ilmainen ohjelma, jonka avulla yhteisöt voivat luoda omia tilojaan tapahtumailmoittelua varten ja näin vapautua teknologiajättien ikeestä.", - "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizonin kehitystyö on vielä käynnissä, ja tälle sivulle lisätään säännöllisesti uusia ominaisuuksia, kunnes ohjelman versio 1 julkaistaan vuoden 2020 alkupuoliskolla.", - "Mobilizon’s licence": "Mobilizonin käyttöoikeussopimus", - "Moderated comments (shown after approval)": "Moderoidut kommentit (näytetään hyväksymisen jälkeen)", - "Moderation": "Moderointi", - "Moderation log": "Moderointiloki", - "My account": "Oma tili", - "My events": "Omat tapahtumat", - "My identities": "Omat identiteetit", - "Name": "Nimi", - "New email": "Uusi sähköpostiosoite", - "New note": "Uusi merkintä", - "New password": "Uusi salasana", - "New profile": "Uusi profiili", - "Next page": "Seuraava sivu", - "No actors found": "Toimijoita ei löytynyt", - "No address defined": "Ei määritettyä osoitetta", - "No closed reports yet": "Suljettuja raportteja ei vielä ole", - "No comment": "Ei kommenttia", - "No comments yet": "Kommentteja ei vielä ole", - "No end date": "Ei päättymispäivää", - "No events found": "Tapahtumia ei löytynyt", - "No group found": "Ryhmää ei löytynyt", - "No groups found": "Ryhmiä ei löytynyt", - "No instance follows your instance yet.": "Mikään palvelin ei vielä seuraa tätä palvelinta.", - "No instance to approve|Approve instance|Approve {number} instances": "Ei hyväksyttäviä palvelimia|Hyväksy palvelin|Hyväksy {number} palvelinta", - "No instance to reject|Reject instance|Reject {number} instances": "Ei hylättäviä palvelimia|Hylkää palvelin|Hylkää {number} palvelinta", - "No instance to remove|Remove instance|Remove {number} instances": "Ei poistettavia palvelimia|Poista palvelin|Poista {number} palvelinta", - "No message": "Ei viestiä", - "No notification settings yet": "Ei vielä ilmoitusasetuksia", - "No open reports yet": "Avoimia raportteja ei vielä ole", - "No participant to approve|Approve participant|Approve {number} participants": "Ei osallistujia hyväksyttäväksi|Hyväksy osallistuja|Hyväksy {number} osallistujaa", - "No participant to reject|Reject participant|Reject {number} participants": "Ei osallistujia hylättäväksi|Hylkää osallistuja|Hylkää {number} osallistujaa", - "No preferences yet": "Valintoja ei ole vielä tehty", - "No resolved reports yet": "Ratkaistuja raportteja ei vielä ole", - "No results for \"{queryText}\"": "Ei tuloksia haulle ”{queryText}”", - "No user account with this email was found. Maybe you made a typo?": "Tällä sähköpostiosoitteella ei löytynyt käyttäjätiliä. Tarkista kirjoitusasu.", - "Notes": "Merkinnät", - "Notifications": "Ilmoitukset", - "Number of places": "Paikkojen määrä", - "OK": "OK", - "Old password": "Vanha salasana", - "On {date}": "{date}", - "On {date} ending at {endTime}": "{date}, päättyy {endTime}", - "On {date} from {startTime} to {endTime}": "{date} klo {startTime}–{endTime}", - "On {date} starting at {startTime}": "{date} klo {startTime}", - "One person is going": "Kukaan ei ole menossa | Yksi henkilö menossa | {approved} henkilöä menossa", - "Only accessible through link and search (private)": "Pääsy vain linkin ja hakutoiminnon kautta (yksityinen)", - "Only alphanumeric characters and underscores are supported.": "Vain kirjaimet, numerot ja alaviiva ovat sallittuja.", - "Open": "Avoin", - "Opened reports": "Avatut raportit", - "Or": "Tai", - "Organized": "Järjestetty", - "Organized by {name}": "Järjestää {name}", - "Organizer": "Järjestäjä", - "Other software may also support this.": "Myös muut ohjelmat voivat tukea tätä.", - "Otherwise this identity will just be removed from the group administrators.": "Muussa tapauksessa tämä identiteetti vain poistetaan ryhmän ylläpitäjistä.", - "Page": "Sivu", - "Page limited to my group (asks for auth)": "Sivu rajattu omalle ryhmälle (vaatii tunnistautumista)", - "Page not found": "Sivua ei löydy", - "Participant": "Osallistuja", - "Participant already was rejected.": "Osallistuja on jo hylätty.", - "Participant has already been approved as participant.": "Osallistuja on jo hyväksytty.", - "Participants": "Osallistujat", - "Participate": "Osallistu", - "Participate using your email address": "Osallistu sähköpostiosoitteella", - "Participation approval": "Osallistumisen hyväksyntä", - "Participation confirmation": "Osallistumisvahvistus", - "Participation requested!": "Osallistumista pyydetty!", - "Password": "Salasana", - "Password (confirmation)": "Salasana (varmistus)", - "Password change": "Salasanan vaihto", - "Password reset": "Salasanan palautus", - "Past events": "Menneet tapahtumat", - "Pending": "Odottaa", - "Pick an identity": "Valitse identiteetti", - "Please check your spam folder if you didn't receive the email.": "Jos et saanut sähköpostia, tarkista roskapostikansio.", - "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Jos epäilet tätä virheeksi, ota yhteyttä tämän palvelimen Mobilizon-ylläpitäjään.", - "Please enter your password to confirm this action.": "Vahvista toimenpide syöttämällä salasanasi.", - "Please make sure the address is correct and that the page hasn't been moved.": "Varmista, että osoite on oikein eikä sivua ole siirretty.", - "Please read the full rules": "Lue säännöt kokonaan", - "Please refresh the page and retry.": "Päivitä sivu ja yritä uudelleen.", - "Post a comment": "Lähetä kommentti", - "Post a reply": "Lähetä vastaus", - "Postal Code": "Postinumero", - "Preferences": "Valinnat", - "Previous page": "Edellinen sivu", - "Privacy Policy": "Tietosuojakäytäntö", - "Private event": "Yksityistapahtuma", - "Private feeds": "Yksityissyötteet", - "Profiles": "Profiilit", - "Public RSS/Atom Feed": "Julkinen RSS/Atom-syöte", - "Public comment moderation": "Julkisten kommenttien moderointi", - "Public event": "Julkinen tapahtuma", - "Public feeds": "Julkiset syötteet", - "Public iCal Feed": "Julkinen iCal-syöte", - "Publish": "Julkaise", - "Published events": "Julkaistut tapahtumat", - "RSS/Atom Feed": "RSS/Atom-syöte", - "Read Framasoft’s statement of intent on the Framablog": "Lue Framasoftin päämääräjulkilausuma Framablogista", - "Redirecting to event…": "Siirrytään tapahtumaan…", - "Region": "Alue", - "Register": "Rekisteröidy", - "Register an account on Mobilizon!": "Rekisteröi Mobilizon-tili!", - "Register for an event by choosing one of your identities": "Ilmoittaudu tapahtumaan valitsemalla jokin identiteeteistäsi", - "Registration is allowed, anyone can register.": "Rekisteröityminen on sallittu, kuka tahansa voi rekisteröityä.", - "Registration is closed.": "Rekisteröityminen on pois käytöstä.", - "Registration is currently closed.": "Rekisteröityminen on tällä hetkellä pois käytöstä.", - "Registrations are restricted by whitelisting.": "Rekisteröitymistä rajoitetaan hyväksyttyjen luettelolla.", - "Reject": "Hylkää", - "Rejected": "Hylätty", - "Rejected participations": "Hylätyt osallistumiset", - "Reopen": "Avaa uudelleen", - "Reply": "Vastaa", - "Report": "Raportoi", - "Report this comment": "Raportoi kommentti", - "Report this event": "Raportoi tapahtuma", - "Reported": "Raportoitu", - "Reported by": "Raportoinut", - "Reported by someone on {domain}": "Raportoitu palvelimelta {domain}", - "Reported by {reporter}": "Raportoinut {reporter}", - "Reported identity": "Raportoitu identiteetti", - "Reports": "Raportit", - "Requests": "Pyynnöt", - "Resend confirmation email": "Lähetä vahvistussähköposti uudelleen", - "Reset my password": "Palauta salasana", - "Resolved": "Ratkaistu", - "Resource provided is not an URL": "Ilmoitettu resurssi ei ole URL", - "Role": "Rooli", - "Save": "Tallenna", - "Save draft": "Tallenna luonnos", - "Search": "Hae", - "Search events, groups, etc.": "Etsi tapahtumia, ryhmiä jne.", - "Search results: \"{search}\"": "Hakutulokset: ”{search}”", - "Searching…": "Haetaan…", - "Send email": "Lähetä sähköposti", - "Send me an email to reset my password": "Lähetä salasananpalautusviesti", - "Send me the confirmation email once again": "Lähetä vahvistussähköposti uudelleen", - "Send the report": "Lähetä raportti", - "Set an URL to a page with your own terms.": "Aseta palvelimen käyttöehdot sisältävän sivun URL.", - "Settings": "Asetukset", - "Share this event": "Jaa tapahtuma", - "Show map": "Näytä kartta", - "Show remaining number of places": "Näytä vapaana olevien paikkojen määrä", - "Show the time when the event begins": "Näytä tapahtuman alkamisaika", - "Show the time when the event ends": "Näytä tapahtuman päättymisaika", - "Sign up": "Luo tili", - "Software to the people": "Ohjelmia ihmisille", - "Starts on…": "Alkaa…", - "Status": "Tila", - "Street": "Katuosoite", - "Tentative: Will be confirmed later": "Alustava: vahvistetaan myöhemmin", - "Terms": "Käyttöehdot", - "The account's email address was changed. Check your emails to verify it.": "Tilin sähköpostiosoite vaihdettiin. Katso vahvistusviesti sähköpostistasi.", - "The actual number of participants may differ, as this event is hosted on another instance.": "Koska tapahtumasivu sijaitsee toisella palvelimella, osallistujien todellinen määrä voi poiketa tästä.", - "The content came from another server. Transfer an anonymous copy of the report?": "Sisältö on peräisin toiselta palvelimelta. Lähetetäänkö raportista sinne anonyymi kopio?", - "The current identity doesn't have any permission on this event. You should probably change it.": "Nykyisellä identiteetillä ei ole tapahtumaan liittyviä oikeuksia. Vaihda toiseen identiteettiin.", - "The current password is invalid": "Nykyinen salasana ei kelpaa", - "The draft event has been updated": "Tapahtumaluonnosta on päivitetty", - "The event has been created as a draft": "Tapahtuma on luotu luonnoksena", - "The event has been published": "Tapahtuma on julkaistu", - "The event has been updated": "Tapahtuma on päivitetty", - "The event has been updated and published": "Tapahtuma on päivitetty ja julkaistu", - "The event organiser has chosen to validate manually participations. Do you want to add a little note to explain why you want to participate to this event?": "Tapahtuman järjestäjä haluaa hyväksyä osallistujat käsin. Haluatko lisätä maininnan, jossa kerrot, miksi haluat osallistua tapahtumaan?", - "The event organizer didn't add any description.": "Tapahtuman järjestäjä ei ole lisännyt kuvausta.", - "The event organizer manually approves participations. Since you've chosen to participate without an account, please explain why you want to participate to this event.": "Tapahtuman järjestäjä hyväksyy osallistujat käsin. Koska olet päättänyt osallistua ilman tiliä, kerro, miksi haluat osallistua tapahtumaan.", - "The event title will be ellipsed.": "Tapahtuman otsikkoa lyhennetään.", - "The new email doesn't seem to be valid": "Uusi sähköpostiosoite ei kelpaa", - "The new email must be different": "Uuden sähköpostiosoitteen on oltava eri kuin vanhan", - "The new password must be different": "Uuden salasanan on oltava eri kuin vanhan", - "The page you're looking for doesn't exist.": "Etsimääsi sivua ei ole olemassa.", - "The password provided is invalid": "Annettu salasana ei kelpaa", - "The password was successfully changed": "Salasanan vaihto onnistui", - "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "Raportti lähetetään oman palvelimesi moderaattoreille. Alla voit kertoa, miksi raportoit sisällöstä.", - "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "Käyttäjätiliä, jolla yrität kirjautua, ei ole vielä vahvistettu. Tarkista sähköpostilaatikkosi ja tarvittaessa roskapostikansiosi.", - "The {default_terms} will be used. They will be translated in the user's language.": "{default_terms} ovat käytössä. Ne käännetään käyttäjän kielelle.", - "There are {participants} participants.": "Osallistujia on {participants}.", - "There will be no way to recover your data.": "Tietoja ei voi palauttaa millään tavalla.", - "These events may interest you": "Nämä tapahtumat saattavat kiinnostaa sinua", - "This Mobilizon instance and this event organizer allows anonymous participations, but requires validation through email confirmation.": "Anonyymi osallistuminen on sallittua tällä Mobilizon-palvelimella ja tähän tapahtumaan, mutta osallistuminen on vahvistettava sähköpostitse.", - "This email is already registered as participant for this event": "Sähköpostiosoite on jo kirjattu tapahtuman osallistujiin", - "This information is saved only on your computer. Click for details": "Nämä tiedot tallennetaan vain omalle tietokoneellesi. Katso lisätietoja napsauttamalla", - "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "{protocol}-protokollan ansiosta tämä palvelin on vaivattomasti yhteydessä muihin ({interconnect}).", - "This instance isn't opened to registrations, but you can register on other instances.": "Tälle palvelimelle ei voi rekisteröityä, mutta voit rekisteröityä muille palvelimille.", - "This is a demonstration site to test the beta version of Mobilizon.": "Tällä esittelysivulla voit koekäyttää Mobilizonin beetaversiota.", - "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Tämä poistaa tai anonymisoi kaiken tällä identiteetillä luodun sisällön (tapahtumat, kommentit, viestit, osallistumiset jne.).", - "Title": "Otsikko", - "To achieve your registration, please create a first identity profile.": "Viimeistele rekisteröityminen luomalla ensimmäinen identiteettiprofiili.", - "To change the world, change the software": "Vaihda ohjelmaa ja muuta maailmaa", - "To confirm, type your event title \"{eventTitle}\"": "Vahvista syöttämällä tapahtuman otsikko ”{eventTitle}”", - "To confirm, type your identity username \"{preferredUsername}\"": "Vahvista syöttämällä identiteettisi käyttäjänimi ”{preferredUsername}”", - "Transfer to {outsideDomain}": "Siirry osoitteeseen {outsideDomain}", - "Type": "Tyyppi", - "URL": "URL", - "Unfortunately, this instance isn't opened to registrations": "Valitettavasti tälle palvelimelle ei voi rekisteröityä", - "Unfortunately, your participation request was rejected by the organizers.": "Ikävä kyllä järjestäjät hylkäsivät osallistumispyyntösi.", - "Unknown": "Tuntematon", - "Unknown actor": "Tuntematon tekijä", - "Unknown error.": "Tuntematon virhe.", - "Unsaved changes": "Tallentamattomia muutoksia", - "Upcoming": "Tulossa", - "Update event {name}": "Päivitä tapahtumaa {name}", - "Update my event": "Päivitä omaa tapahtumaa", - "Updated": "Päivitetty", - "Username": "Käyttäjänimi", - "Users": "Käyttäjät", - "View a reply": "|Näytä vastaus|Näytä {totalReplies} vastausta", - "View event page": "Näytä tapahtumasivu", - "View everything": "Näytä kaikki", - "View page on {hostname} (in a new window)": "Näytä sivu palvelimella {hostname} (uudessa ikkunassa)", - "Visible everywhere on the web (public)": "Näkyy kaikkialla verkossa (julkinen)", - "Waiting for organization team approval.": "Odottaa järjestäjien hyväksyntää.", - "Waiting list": "Odotuslista", - "Warning": "Varoitus", - "We just sent an email to {email}": "Lähetimme juuri sähköpostia osoitteeseen {email}", - "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Haluamme kehittää digitaalista yhteisomaisuutta, josta jokainen voi tehdä omanlaisensa ja joka kunnioittaa yksityisyyttä ja aktivismia ihan luonnostaan.", - "We will redirect you to your instance in order to interact with this event": "Ohjaamme sinut omalle palvelimellesi, jotta voit osallistua tapahtumaan", - "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "Maailmaa ei muuteta Facebookissa. Valvontakapitalismia harjoittavat yhtiöt eivät kehitä tarvitsemiamme työkaluja, sillä ne eivät saisi niistä voittoa. Tämä on tilaisuus rakentaa jotakin paljon parempaa uudesta lähtökohdasta.", - "Website / URL": "Verkkosivu/URL", - "Welcome back {username}!": "Tervetuloa takaisin, {username}!", - "Welcome back!": "Tervetuloa takaisin!", - "Welcome on your administration panel": "Tervetuloa hallintapaneeliin", - "Welcome to Mobilizon, {username}!": "Tervetuloa Mobilizoniin, {username}!", - "Who can view this event and participate": "Kuka voi nähdä tapahtuman ja osallistua siihen", - "World map": "Maailmankartta", - "Write something…": "Kirjoita jotain…", - "You and one other person are going to this event": "Vain sinä olet menossa tähän tapahtumaan | Vain sinä ja yksi sinun lisäksesi on menossa tähän tapahtumaan | Sinä ja {approved} muuta henkilöä ovat menossa tähän tapahtumaan.", - "You are already a participant of this event.": "Olet jo tapahtuman osallistuja.", - "You are already logged-in.": "Olet jo kirjautunut sisään.", - "You are participating in this event anonymously": "Osallistut tapahtumaan anonyymisti", - "You are participating in this event anonymously but didn't confirm participation": "Osallistut tapahtumaan anonyymisti, mutta et ole vahvistanut osallistumistasi", - "You can add tags by hitting the Enter key or by adding a comma": "Voit lisätä tunnisteita painamalla enteriä tai lisäämällä pilkun", - "You can try another search term or drag and drop the marker on the map": "Voit kokeilla toista hakuehtoa tai vetää merkin kartalle", - "You can't remove your last identity.": "Et voi poistaa viimeistä identiteettiäsi.", - "You don't follow any instances yet.": "Et seuraa vielä yhtäkään palvelinta.", - "You have been disconnected": "Yhteytesi on katkaistu", - "You have cancelled your participation": "Olet perunut osallistumisesi", - "You have one event in {days} days.": "Sinulla ei ole tapahtumia seuraavien {days} päivän aikana | Sinulla on yksi tapahtuma seuraavien {days} päivän aikana | Sinulla on {count} tapahtumaa seuraavien {days} päivän aikana", - "You have one event today.": "Sinulla ei ole tapahtumia tänään | Sinulla on yksi tapahtuma tänään | Sinulla on {count} tapahtumaa tänään", - "You have one event tomorrow.": "Sinulla ei ole tapahtumia huomenna | Sinulla on yksi tapahtuma huomenna | Sinulla on {count} tapahtumaa huomenna", - "You may also ask to {resend_confirmation_email}.": "Voit myös pyytää {resend_confirmation_email}.", - "You need to login.": "Kirjaudu sisään.", - "You will be redirected to the original instance": "Sinut ohjataan alkuperäiselle palvelimelle", - "You wish to participate to the following event": "Haluat osallistua seuraavaan tapahtumaan", - "You'll receive a confirmation email.": "Saat sähköpostiin vahvistuksen.", - "Your account has been successfully deleted": "Tilin poistaminen onnistui", - "Your account has been validated": "Tilisi on vahvistettu", - "Your account is being validated": "Tiliäsi vahvistetaan", - "Your account is nearly ready, {username}": "Tilisi on melkein valmis, {username}", - "Your current email is {email}. You use it to log in.": "Nykyinen sähköpostiosoitteesi on {email}. Kirjaudu sisään sillä.", - "Your email has been changed": "Sähköpostiosoitteesi on vaihdettu", - "Your email is being changed": "Sähköpostiosoitetta vaihdetaan", - "Your email is not whitelisted, you can't register.": "Sähköpostiosoitteesi ei ole hyväksyttyjen luettelossa, et voi rekisteröityä.", - "Your email will only be used to confirm that you're a real person and send you eventual updates for this event. It will NOT be transmitted to other instances or to the event organizer.": "Sähköpostiosoitettasi käytetään vain vahvistamaan se, että olet todellinen ihminen, sekä lähettämään mahdollisia päivityksiä tapahtuman tietoihin. Osoitetta EI luovuteta muille palvelimille tai tapahtuman järjestäjälle.", - "Your federated identity": "Identiteettisi fediversumissa", - "Your local administrator resumed its policy:": "Paikallisen ylläpitäjän tiivistys käytännöstään:", - "Your participation has been confirmed": "Osallistumisesi on vahvistettu", - "Your participation has been rejected": "Osallistumisesi on hylätty", - "Your participation has been requested": "Osallistumispyyntösi on tehty", - "Your participation has been validated": "Osallistumisesi on vahvistettu", - "Your participation is being validated": "Osallistumisesi odottaa vahvistusta", - "Your participation status has been changed": "Osallistumisesi tilaa on muutettu", - "[This comment has been deleted]": "[Kommentti on poistettu]", - "[deleted]": "[poistettu]", - "a decentralised federation protocol": "hajautettu federoituva protokolla", - "as {identity}": "identiteetillä {identity}", - "default Mobilizon terms": "Mobilizonin oletuskäyttöehdot", - "e.g. 10 Rue Jangot": "esim. Hämeenkatu 10", - "firstDayOfWeek": "0", - "iCal Feed": "iCal-syöte", - "interconnect with others like it": "yhdistä muihin samankaltaisiin", - "its source code is public": "sen lähdekoodi on julkinen", - "on our blog": "blogissamme", - "profile@instance": "profiili@palvelin", - "resend confirmation email": "lähettämään vahvistussähköpostin uudelleen", - "respect of the fundamental freedoms": "perusoikeuksien kunnioittamisen", - "with another identity…": "toisella identiteetillä…", - "{approved} / {total} seats": "{approved} / {total} paikkaa", - "{count} participants": "Ei osallistujia vielä | Yksi osallistuja | {count} osallistujaa", - "{count} requests waiting": "{count} pyyntöä odottamassa", - "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} varmistaa sitä käyttävien ihmisten {respect}. Koska {source}, kuka tahansa voi tarkastaa sen ja varmistua sen läpinäkyvyydestä.", - "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© Mobilizon-tekijät {date} – Valmistusaineina Elixir, Phoenix, VueJS sekä rakkaus ja aika", - "© The OpenStreetMap Contributors": "© OpenStreetMap-tekijät" + "Please do not use it in any real way.": "Älä käytä todellisiin tarkoituksiin.", + "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Käyttäjäystävällinen, vapauttava ja eettinen työkalu tapahtumien järjestämiseen, organisointiin ja mobilisointiin.", + "A validation email was sent to {email}": "Vahvistussähköposti lähetettiin osoitteeseen {email}", + "Abandon edition": "Peruuta muokkaus", + "About": "Tietoja", + "About Mobilizon": "Tietoa Mobilizonista", + "About this event": "Tietoa tapahtumasta", + "About this instance": "Tietoa tästä palvelimesta", + "Accepted": "Hyväksytty", + "Account": "Tili", + "Add": "Lisää", + "Add a note": "Lisää merkintä", + "Add an address": "Lisää osoite", + "Add an instance": "Lisää palvelin", + "Add some tags": "Lisää tunnisteita", + "Add to my calendar": "Lisää omaan kalenteriin", + "Additional comments": "Lisäkommentit", + "Admin": "Ylläpitäjä", + "Admin settings": "Ylläpitoasetukset", + "Admin settings successfully saved.": "Ylläpitoasetukset tallennettu.", + "Administration": "Ylläpito", + "All the places have already been taken": "Kaikki paikat on varattu|Vielä yksi paikka vapaana|Vielä {places} paikkaa vapaana", + "Allow all comments": "Salli kaikki kommentit", + "Allow registrations": "Salli rekisteröityminen", + "An error has occurred.": "Tapahtui virhe.", + "Anonymous participant": "Nimetön osallistuja", + "Anonymous participants will be asked to confirm their participation through e-mail.": "Anonyymejä osallistujia pyydetään vahvistamaan osallistumisensa sähköpostitse.", + "Anonymous participations": "Anonyymit osallistujat", + "Approve": "Hyväksy", + "Are you really sure you want to delete your whole account? You'll lose everything. Identities, settings, events created, messages and participations will be gone forever.": "Haluatko varmasti poistaa koko tilin? Tällöin kaikki poistetaan. Identiteetit, asetukset, luodut tapahtumat, viestit ja osallistumiset poistetaan pysyvästi.", + "Are you sure you want to delete this comment? This action cannot be undone.": "Haluatko varmasti poistaa tämän kommentin? Toimintoa ei voi perua.", + "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "Haluatko varmasti poistaa tämän tapahtuman? Toimintoa ei voi perua. Poistamisen sijaan voisit ehkä keskustella tapahtuman luojan kanssa tai muokata tapahtumaa.", + "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Haluatko varmasti keskeyttää tapahtuman luomisen? Kaikki muutokset menetetään.", + "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Haluatko varmasti keskeyttää tapahtuman muokkaamisen? Kaikki muutokset menetetään.", + "Are you sure you want to cancel your participation at event \"{title}\"?": "Haluatko varmasti perua osallistumisesi tapahtumaan {title}?", + "Are you sure you want to delete this event? This action cannot be reverted.": "Haluatko varmasti poistaa tämän tapahtuman? Toimintoa ei voi perua.", + "Avatar": "Avatar", + "Back to previous page": "Palaa edelliselle sivulle", + "Before you can login, you need to click on the link inside it to validate your account": "Sinun on ennen sisäänkirjautumista vahvistettava tilisi napsauttamalla siinä olevaa linkkiä", + "By @{username}": "Tehnyt @{username}", + "Cancel": "Peruuta", + "Cancel anonymous participation": "Peruuta anonyymi osallistuminen", + "Cancel creation": "Peruuta luonti", + "Cancel edition": "Peruuta muokkaus", + "Cancel my participation request…": "Peru osallistumispyyntöni…", + "Cancel my participation…": "Peru osallistumiseni…", + "Cancelled: Won't happen": "Peruutettu: Ei onnistu", + "Category": "Luokka", + "Change": "Muuta", + "Change my email": "Vaihda sähköpostiosoitteeni", + "Change my identity…": "Vaihda identiteettiä…", + "Change my password": "Vaihda salasana", + "Change password": "Vaihda salasana", + "Clear": "Tyhjennä", + "Click to select": "Valitse napsauttamalla", + "Click to upload": "Lähetä napsauttamalla", + "Close": "Sulje", + "Close comments for all (except for admins)": "Sulje kommentit kaikilta (paitsi ylläpitäjiltä)", + "Closed": "Suljettu", + "Comment deleted": "Kommentti poistettu", + "Comment from @{username} reported": "Käyttäjän @{username} kommentti raportoitu", + "Comments": "Kommentit", + "Comments have been closed.": "Kommentointi on pois käytöstä.", + "Confirm my participation": "Vahvista osallistumiseni", + "Confirm my particpation": "Vahvista osallistumiseni", + "Confirmed: Will happen": "Vahvistettu: Tapahtuu", + "Continue editing": "Jatka muokkausta", + "Country": "Maa", + "Create": "Luo", + "Create a new event": "Luo uusi tapahtuma", + "Create a new group": "Luo uusi ryhmä", + "Create a new identity": "Luo uusi identiteetti", + "Create and manage several identities from the same account": "Luo ja hallinnoi useita identiteettejä saman tilin kautta", + "Create group": "Luo ryhmä", + "Create my event": "Luo oma tapahtuma", + "Create my group": "Luo oma ryhmä", + "Create my profile": "Luo oma profiili", + "Create token": "Luo merkki", + "Create, edit or delete events": "Luo, muokkaa tai poista tapahtumia", + "Creator": "Luoja", + "Current identity has been changed to {identityName} in order to manage this event.": "Nykyiseksi identiteetiksi on vaihdettu {identityName} tämän tapahtuman hallinnointia varten.", + "Current page": "Nykyinen sivu", + "Custom": "Mukautettu", + "Custom URL": "Vapaavalintainen URL", + "Custom text": "Vapaavalintainen teksti", + "Dashboard": "Kojelauta", + "Date": "Päivämäärä", + "Date and time settings": "Aika- ja päivämääräasetukset", + "Date parameters": "Päivämäärävalinnat", + "Default": "Oletus", + "Default Mobilizon.org terms": "Mobilizon.orgin oletuskäyttöehdot", + "Delete": "Poista", + "Delete Comment": "Poista kommentti", + "Delete Event": "Poista tapahtuma", + "Delete account": "Poista tili", + "Delete event": "Poista tapahtuma", + "Delete everything": "Poista kaikki", + "Delete my account": "Poista tilini", + "Delete this identity": "Poista tämä identiteetti", + "Delete your identity": "Poista oma identiteetti", + "Delete {eventTitle}": "Poista {eventTitle}", + "Delete {preferredUsername}": "Poista {preferredUsername}", + "Deleting comment": "Poistetaan kommentti", + "Deleting event": "Poistetaan tapahtuma", + "Deleting my account will delete all of my identities.": "Oman tilin poistaminen poistaa kaikki identiteettini.", + "Deleting your Mobilizon account": "Poistetaan Mobilizon-tiliäsi", + "Description": "Kuvaus", + "Didn't receive the instructions ?": "Eivätkö ohjeet tulleet perille?", + "Display name": "Näytä nimi", + "Display participation price": "Näytä osallistumisen hinta", + "Domain": "Verkkotunnus", + "Draft": "Luonnos", + "Drafts": "Luonnokset", + "Edit": "Muokkaa", + "Eg: Stockholm, Dance, Chess…": "Esim. Helsinki, tanssi, shakki, …", + "Either on the {instance} instance or on another instance.": "Joko palvelimella {instance} tai toisella palvelimella.", + "Either the account is already validated, either the validation token is incorrect.": "Joko tili on jo vahvistettu tai vahvistusmerkki on virheellinen.", + "Either the email has already been changed, either the validation token is incorrect.": "Joko sähköpostiosoite on jo vaihdettu tai vahvistusmerkki on virheellinen.", + "Either the participation has already been validated, either the validation token is incorrect.": "Joko osallistuminen on jo vahvistettu tai vahvistumerkki on virheellinen.", + "Email": "Sähköposti", + "Ends on…": "Päättyy…", + "Enjoy discovering Mobilizon!": "Mukavaa tutustumista Mobilizoniin!", + "Enter the link URL": "Syötä linkin URL", + "Enter your own terms. HTML tags allowed. Mobilizon.org's terms are provided as template.": "Syötä palvelimen käyttöehdot. HTML-merkinnät ovat sallittuja. Mallina voi käyttää Mobilizon.orgin käyttöehtoja.", + "Error while changing email": "Virhe sähköpostiosoitetta vaihdettaessa", + "Error while communicating with the server.": "Virhe palvelinyhteydessä.", + "Error while saving report.": "Virhe raportin tallennuksessa.", + "Error while validating account": "Virhe tilin vahvistamisessa", + "Error while validating participation": "Virhe osallistumisen vahvistamisessa", + "Event": "Tapahtuma", + "Event already passed": "Tapahtuma on jo mennyt", + "Event cancelled": "Tapahtuma peruttu", + "Event creation": "Tapahtuman luonti", + "Event edition": "Tapahtuman muokkaus", + "Event list": "Tapahtumaluettelo", + "Event not found.": "Tapahtumaa ei löydy.", + "Event page settings": "Tapahtumasivun asetukset", + "Event to be confirmed": "Tapahtuma odottaa vahvistamista", + "Event {eventTitle} deleted": "Tapahtuma {eventTitle} poistettu", + "Event {eventTitle} reported": "Tapahtuma (eventTitle} raportoitu", + "Events": "Tapahtumat", + "Ex: test.mobilizon.org": "Esim. test.mobilizon.org", + "Exclude": "Jätä pois", + "Explore": "Tutustu", + "Failed to save admin settings": "Ylläpitoasetusten tallennus epäonnistui", + "Featured events": "Ehdotetut tapahtumat", + "Features": "Ominaisuudet", + "Federation": "Federaatio", + "Find an address": "Etsi osoitetta", + "Find an instance": "Etsi palvelinta", + "Followers": "Seuraajat", + "Followings": "Seurattavat", + "For instance: London, Taekwondo, Architecture…": "Esimerkiksi: Tampere, taekwondo, arkkitehtuuri, …", + "Forgot your password ?": "Unohditko salasanasi?", + "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "Kaikki tapahtumamme kaverien ja perheen kesken vietettävistä syntymäpäiväjuhlista ilmastomarsseihin ovat tätä nykyä teknologiajättien armoilla. Kuinka voimme järjestäytyä ja ilmoittaa osallistuvamme tapahtumiin luovuttamatta yksityisiä tietojamme Facebookille tai joutumatta jumiin MeetUpiin?", + "From the {startDate} at {startTime} to the {endDate}": "Alkaa {startDate} klo {startTime} ja päättyy {endDate}", + "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Alkaa {startDate} klo {startTime} ja päättyy {endDate} klo {endTime}", + "From the {startDate} to the {endDate}": "Alkaa {startDate} ja päättyy {endDate}", + "Gather ⋅ Organize ⋅ Mobilize": "Kokoonnu ⋅ Järjestä ⋅ Mobilisoi", + "General": "Yleinen", + "General information": "Yleiset tiedot", + "Getting location": "Haetaan sijaintia", + "Go": "Siirry", + "Going as {name}": "Osallistu nimellä {name}", + "Group List": "Ryhmäluettelo", + "Group full name": "Ryhmän koko nimi", + "Group name": "Ryhmän nimi", + "Group {displayName} created": "Ryhmä {displayName} luotu", + "Groups": "Ryhmät", + "Headline picture": "Otsikkokuva", + "Hide replies": "Piilota vastaukset", + "I create an identity": "Luon indentiteetin", + "I don't have a Mobilizon account": "Minulla ei ole Mobilizon-tiliä", + "I have a Mobilizon account": "Minulla on Mobilizon-tili", + "I have an account on another Mobilizon instance.": "Minulla on tili toisella Mobilizon-palvelimella.", + "I participate": "Osallistun", + "I want to allow people to participate without an account.": "Osallistuminen ilman käyttäjätiliä sallittu.", + "I want to approve every participation request": "Haluan hyväksyä kaikki osallistumispyynnöt", + "Identity {displayName} created": "Identiteetti {displayName} luotu", + "Identity {displayName} deleted": "Identiteetti {displayName} poistettu", + "Identity {displayName} updated": "Identiteetti {displayName} päivitetty", + "If an account with this email exists, we just sent another confirmation email to {email}": "Jos osoitteeseen {email} liittyvä tili on jo olemassa, lähetämme vain uuden vahvistusviestin", + "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Jos tämä identiteetti on joidenkin ryhmien ainoa ylläpitäjä, ryhmät on poistettava ennen kuin identiteetin voi poistaa.", + "If you want, you may send a message to the event organizer here.": "Tästä voit halutessasi lähettää tapahtuman järjestäjälle viestin.", + "Impossible to login, your email or password seems incorrect.": "Sisäänkirjautuminen ei onnistu, sähköposti tai salasana on väärin.", + "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "Huomaathan, että tämä ohjelma ei ole (vielä) kokonaan valmis. Lue lisää: {onBlog}.", + "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Asentamalla Mobilizonin yhteisöt voivat luoda oman tapahtuma-alustansa ja vapautua teknologiajättien palveluista.", + "Instance Description": "Palvelimen kuvaus", + "Instance Name": "Palvelimen nimi", + "Instance Terms": "Palvelimen käyttöehdot", + "Instance Terms Source": "Palvelimen käyttöehtojen lähde", + "Instance Terms URL": "Pälvelimen käyttöehtojen URL", + "Instance settings": "Palvelimen asetukset", + "Instances": "Palvelimet", + "Join {instance}, a Mobilizon instance": "Liity Mobilizon-palvelimelle {instance}", + "Last published event": "Viimeisin julkaistu tapahtuma", + "Last week": "Viime viikko", + "Learn more": "Lue lisää", + "Learn more about Mobilizon": "Lue lisää Mobilizonista", + "Leave event": "Poistu tapahtumasta", + "Leaving event \"{title}\"": "Poistutaan tapahtumasta {title}", + "Let's create a new common": "Luodaan uutta yhteisomaisuutta", + "License": "Käyttöoikeussopimus", + "Limited number of places": "Paikkoja rajoitettu määrä", + "Load more": "Lataa lisää", + "Locality": "Sijainti", + "Log in": "Kirjaudu sisään", + "Log out": "Kirjaudu ulos", + "Login": "Kirjaudu sisään", + "Login on Mobilizon!": "Kirjaudu sisään Mobilizoniin!", + "Login on {instance}": "Kirjaudu palvelimelle {instance}", + "Manage participations": "Hallinnoi osallistumisia", + "Mark as resolved": "Merkitse ratkaistuksi", + "Members": "Jäsenet", + "Message": "Viesti", + "Mobilizon is a federated network. You can interact with this event from a different server.": "Mobilizon on federoituva verkosto. Tätä tapahtumasivua voi käyttää myös toiselta palvelimelta.", + "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon on vapaa ja ilmainen ohjelma, jonka avulla yhteisöt voivat luoda omia tilojaan tapahtumailmoittelua varten ja näin vapautua teknologiajättien ikeestä.", + "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizonin kehitystyö on vielä käynnissä, ja tälle sivulle lisätään säännöllisesti uusia ominaisuuksia, kunnes ohjelman versio 1 julkaistaan vuoden 2020 alkupuoliskolla.", + "Mobilizon’s licence": "Mobilizonin käyttöoikeussopimus", + "Moderated comments (shown after approval)": "Moderoidut kommentit (näytetään hyväksymisen jälkeen)", + "Moderation": "Moderointi", + "Moderation log": "Moderointiloki", + "My account": "Oma tili", + "My events": "Omat tapahtumat", + "My identities": "Omat identiteetit", + "Name": "Nimi", + "New email": "Uusi sähköpostiosoite", + "New note": "Uusi merkintä", + "New password": "Uusi salasana", + "New profile": "Uusi profiili", + "Next page": "Seuraava sivu", + "No actors found": "Toimijoita ei löytynyt", + "No address defined": "Ei määritettyä osoitetta", + "No closed reports yet": "Suljettuja raportteja ei vielä ole", + "No comment": "Ei kommenttia", + "No comments yet": "Kommentteja ei vielä ole", + "No end date": "Ei päättymispäivää", + "No events found": "Tapahtumia ei löytynyt", + "No group found": "Ryhmää ei löytynyt", + "No groups found": "Ryhmiä ei löytynyt", + "No instance follows your instance yet.": "Mikään palvelin ei vielä seuraa tätä palvelinta.", + "No instance to approve|Approve instance|Approve {number} instances": "Ei hyväksyttäviä palvelimia|Hyväksy palvelin|Hyväksy {number} palvelinta", + "No instance to reject|Reject instance|Reject {number} instances": "Ei hylättäviä palvelimia|Hylkää palvelin|Hylkää {number} palvelinta", + "No instance to remove|Remove instance|Remove {number} instances": "Ei poistettavia palvelimia|Poista palvelin|Poista {number} palvelinta", + "No message": "Ei viestiä", + "No notification settings yet": "Ei vielä ilmoitusasetuksia", + "No open reports yet": "Avoimia raportteja ei vielä ole", + "No participant to approve|Approve participant|Approve {number} participants": "Ei osallistujia hyväksyttäväksi|Hyväksy osallistuja|Hyväksy {number} osallistujaa", + "No participant to reject|Reject participant|Reject {number} participants": "Ei osallistujia hylättäväksi|Hylkää osallistuja|Hylkää {number} osallistujaa", + "No preferences yet": "Valintoja ei ole vielä tehty", + "No resolved reports yet": "Ratkaistuja raportteja ei vielä ole", + "No results for \"{queryText}\"": "Ei tuloksia haulle ”{queryText}”", + "No user account with this email was found. Maybe you made a typo?": "Tällä sähköpostiosoitteella ei löytynyt käyttäjätiliä. Tarkista kirjoitusasu.", + "Notes": "Merkinnät", + "Notifications": "Ilmoitukset", + "Number of places": "Paikkojen määrä", + "OK": "OK", + "Old password": "Vanha salasana", + "On {date}": "{date}", + "On {date} ending at {endTime}": "{date}, päättyy {endTime}", + "On {date} from {startTime} to {endTime}": "{date} klo {startTime}–{endTime}", + "On {date} starting at {startTime}": "{date} klo {startTime}", + "One person is going": "Kukaan ei ole menossa | Yksi henkilö menossa | {approved} henkilöä menossa", + "Only accessible through link and search (private)": "Pääsy vain linkin ja hakutoiminnon kautta (yksityinen)", + "Only alphanumeric characters and underscores are supported.": "Vain kirjaimet, numerot ja alaviiva ovat sallittuja.", + "Open": "Avoin", + "Opened reports": "Avatut raportit", + "Or": "Tai", + "Organized": "Järjestetty", + "Organized by {name}": "Järjestää {name}", + "Organizer": "Järjestäjä", + "Other software may also support this.": "Myös muut ohjelmat voivat tukea tätä.", + "Otherwise this identity will just be removed from the group administrators.": "Muussa tapauksessa tämä identiteetti vain poistetaan ryhmän ylläpitäjistä.", + "Page": "Sivu", + "Page limited to my group (asks for auth)": "Sivu rajattu omalle ryhmälle (vaatii tunnistautumista)", + "Page not found": "Sivua ei löydy", + "Participant": "Osallistuja", + "Participant already was rejected.": "Osallistuja on jo hylätty.", + "Participant has already been approved as participant.": "Osallistuja on jo hyväksytty.", + "Participants": "Osallistujat", + "Participate": "Osallistu", + "Participate using your email address": "Osallistu sähköpostiosoitteella", + "Participation approval": "Osallistumisen hyväksyntä", + "Participation confirmation": "Osallistumisvahvistus", + "Participation requested!": "Osallistumista pyydetty!", + "Password": "Salasana", + "Password (confirmation)": "Salasana (varmistus)", + "Password change": "Salasanan vaihto", + "Password reset": "Salasanan palautus", + "Past events": "Menneet tapahtumat", + "Pending": "Odottaa", + "Pick an identity": "Valitse identiteetti", + "Please check your spam folder if you didn't receive the email.": "Jos et saanut sähköpostia, tarkista roskapostikansio.", + "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Jos epäilet tätä virheeksi, ota yhteyttä tämän palvelimen Mobilizon-ylläpitäjään.", + "Please enter your password to confirm this action.": "Vahvista toimenpide syöttämällä salasanasi.", + "Please make sure the address is correct and that the page hasn't been moved.": "Varmista, että osoite on oikein eikä sivua ole siirretty.", + "Please read the full rules": "Lue säännöt kokonaan", + "Please refresh the page and retry.": "Päivitä sivu ja yritä uudelleen.", + "Post a comment": "Lähetä kommentti", + "Post a reply": "Lähetä vastaus", + "Postal Code": "Postinumero", + "Preferences": "Valinnat", + "Previous page": "Edellinen sivu", + "Privacy Policy": "Tietosuojakäytäntö", + "Private event": "Yksityistapahtuma", + "Private feeds": "Yksityissyötteet", + "Profiles": "Profiilit", + "Public RSS/Atom Feed": "Julkinen RSS/Atom-syöte", + "Public comment moderation": "Julkisten kommenttien moderointi", + "Public event": "Julkinen tapahtuma", + "Public feeds": "Julkiset syötteet", + "Public iCal Feed": "Julkinen iCal-syöte", + "Publish": "Julkaise", + "Published events": "Julkaistut tapahtumat", + "RSS/Atom Feed": "RSS/Atom-syöte", + "Read Framasoft’s statement of intent on the Framablog": "Lue Framasoftin päämääräjulkilausuma Framablogista", + "Redirecting to event…": "Siirrytään tapahtumaan…", + "Region": "Alue", + "Register": "Rekisteröidy", + "Register an account on Mobilizon!": "Rekisteröi Mobilizon-tili!", + "Register for an event by choosing one of your identities": "Ilmoittaudu tapahtumaan valitsemalla jokin identiteeteistäsi", + "Registration is allowed, anyone can register.": "Rekisteröityminen on sallittu, kuka tahansa voi rekisteröityä.", + "Registration is closed.": "Rekisteröityminen on pois käytöstä.", + "Registration is currently closed.": "Rekisteröityminen on tällä hetkellä pois käytöstä.", + "Registrations are restricted by whitelisting.": "Rekisteröitymistä rajoitetaan hyväksyttyjen luettelolla.", + "Reject": "Hylkää", + "Rejected": "Hylätty", + "Rejected participations": "Hylätyt osallistumiset", + "Reopen": "Avaa uudelleen", + "Reply": "Vastaa", + "Report": "Raportoi", + "Report this comment": "Raportoi kommentti", + "Report this event": "Raportoi tapahtuma", + "Reported": "Raportoitu", + "Reported by": "Raportoinut", + "Reported by someone on {domain}": "Raportoitu palvelimelta {domain}", + "Reported by {reporter}": "Raportoinut {reporter}", + "Reported identity": "Raportoitu identiteetti", + "Reports": "Raportit", + "Requests": "Pyynnöt", + "Resend confirmation email": "Lähetä vahvistussähköposti uudelleen", + "Reset my password": "Palauta salasana", + "Resolved": "Ratkaistu", + "Resource provided is not an URL": "Ilmoitettu resurssi ei ole URL", + "Role": "Rooli", + "Save": "Tallenna", + "Save draft": "Tallenna luonnos", + "Search": "Hae", + "Search events, groups, etc.": "Etsi tapahtumia, ryhmiä jne.", + "Search results: \"{search}\"": "Hakutulokset: ”{search}”", + "Searching…": "Haetaan…", + "Send email": "Lähetä sähköposti", + "Send me an email to reset my password": "Lähetä salasananpalautusviesti", + "Send me the confirmation email once again": "Lähetä vahvistussähköposti uudelleen", + "Send the report": "Lähetä raportti", + "Set an URL to a page with your own terms.": "Aseta palvelimen käyttöehdot sisältävän sivun URL.", + "Settings": "Asetukset", + "Share this event": "Jaa tapahtuma", + "Show map": "Näytä kartta", + "Show remaining number of places": "Näytä vapaana olevien paikkojen määrä", + "Show the time when the event begins": "Näytä tapahtuman alkamisaika", + "Show the time when the event ends": "Näytä tapahtuman päättymisaika", + "Sign up": "Luo tili", + "Software to the people": "Ohjelmia ihmisille", + "Starts on…": "Alkaa…", + "Status": "Tila", + "Street": "Katuosoite", + "Tentative: Will be confirmed later": "Alustava: vahvistetaan myöhemmin", + "Terms": "Käyttöehdot", + "The account's email address was changed. Check your emails to verify it.": "Tilin sähköpostiosoite vaihdettiin. Katso vahvistusviesti sähköpostistasi.", + "The actual number of participants may differ, as this event is hosted on another instance.": "Koska tapahtumasivu sijaitsee toisella palvelimella, osallistujien todellinen määrä voi poiketa tästä.", + "The content came from another server. Transfer an anonymous copy of the report?": "Sisältö on peräisin toiselta palvelimelta. Lähetetäänkö raportista sinne anonyymi kopio?", + "The current identity doesn't have any permission on this event. You should probably change it.": "Nykyisellä identiteetillä ei ole tapahtumaan liittyviä oikeuksia. Vaihda toiseen identiteettiin.", + "The current password is invalid": "Nykyinen salasana ei kelpaa", + "The draft event has been updated": "Tapahtumaluonnosta on päivitetty", + "The event has been created as a draft": "Tapahtuma on luotu luonnoksena", + "The event has been published": "Tapahtuma on julkaistu", + "The event has been updated": "Tapahtuma on päivitetty", + "The event has been updated and published": "Tapahtuma on päivitetty ja julkaistu", + "The event organiser has chosen to validate manually participations. Do you want to add a little note to explain why you want to participate to this event?": "Tapahtuman järjestäjä haluaa hyväksyä osallistujat käsin. Haluatko lisätä maininnan, jossa kerrot, miksi haluat osallistua tapahtumaan?", + "The event organizer didn't add any description.": "Tapahtuman järjestäjä ei ole lisännyt kuvausta.", + "The event organizer manually approves participations. Since you've chosen to participate without an account, please explain why you want to participate to this event.": "Tapahtuman järjestäjä hyväksyy osallistujat käsin. Koska olet päättänyt osallistua ilman tiliä, kerro, miksi haluat osallistua tapahtumaan.", + "The event title will be ellipsed.": "Tapahtuman otsikkoa lyhennetään.", + "The new email doesn't seem to be valid": "Uusi sähköpostiosoite ei kelpaa", + "The new email must be different": "Uuden sähköpostiosoitteen on oltava eri kuin vanhan", + "The new password must be different": "Uuden salasanan on oltava eri kuin vanhan", + "The page you're looking for doesn't exist.": "Etsimääsi sivua ei ole olemassa.", + "The password provided is invalid": "Annettu salasana ei kelpaa", + "The password was successfully changed": "Salasanan vaihto onnistui", + "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "Raportti lähetetään oman palvelimesi moderaattoreille. Alla voit kertoa, miksi raportoit sisällöstä.", + "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "Käyttäjätiliä, jolla yrität kirjautua, ei ole vielä vahvistettu. Tarkista sähköpostilaatikkosi ja tarvittaessa roskapostikansiosi.", + "The {default_terms} will be used. They will be translated in the user's language.": "{default_terms} ovat käytössä. Ne käännetään käyttäjän kielelle.", + "There are {participants} participants.": "Osallistujia on {participants}.", + "There will be no way to recover your data.": "Tietoja ei voi palauttaa millään tavalla.", + "These events may interest you": "Nämä tapahtumat saattavat kiinnostaa sinua", + "This Mobilizon instance and this event organizer allows anonymous participations, but requires validation through email confirmation.": "Anonyymi osallistuminen on sallittua tällä Mobilizon-palvelimella ja tähän tapahtumaan, mutta osallistuminen on vahvistettava sähköpostitse.", + "This email is already registered as participant for this event": "Sähköpostiosoite on jo kirjattu tapahtuman osallistujiin", + "This information is saved only on your computer. Click for details": "Nämä tiedot tallennetaan vain omalle tietokoneellesi. Katso lisätietoja napsauttamalla", + "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "{protocol}-protokollan ansiosta tämä palvelin on vaivattomasti yhteydessä muihin ({interconnect}).", + "This instance isn't opened to registrations, but you can register on other instances.": "Tälle palvelimelle ei voi rekisteröityä, mutta voit rekisteröityä muille palvelimille.", + "This is a demonstration site to test the beta version of Mobilizon.": "Tällä esittelysivulla voit koekäyttää Mobilizonin beetaversiota.", + "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Tämä poistaa tai anonymisoi kaiken tällä identiteetillä luodun sisällön (tapahtumat, kommentit, viestit, osallistumiset jne.).", + "Title": "Otsikko", + "To achieve your registration, please create a first identity profile.": "Viimeistele rekisteröityminen luomalla ensimmäinen identiteettiprofiili.", + "To change the world, change the software": "Vaihda ohjelmaa ja muuta maailmaa", + "To confirm, type your event title \"{eventTitle}\"": "Vahvista syöttämällä tapahtuman otsikko ”{eventTitle}”", + "To confirm, type your identity username \"{preferredUsername}\"": "Vahvista syöttämällä identiteettisi käyttäjänimi ”{preferredUsername}”", + "Transfer to {outsideDomain}": "Siirry osoitteeseen {outsideDomain}", + "Type": "Tyyppi", + "URL": "URL", + "Unfortunately, this instance isn't opened to registrations": "Valitettavasti tälle palvelimelle ei voi rekisteröityä", + "Unfortunately, your participation request was rejected by the organizers.": "Ikävä kyllä järjestäjät hylkäsivät osallistumispyyntösi.", + "Unknown": "Tuntematon", + "Unknown actor": "Tuntematon tekijä", + "Unknown error.": "Tuntematon virhe.", + "Unsaved changes": "Tallentamattomia muutoksia", + "Upcoming": "Tulossa", + "Update event {name}": "Päivitä tapahtumaa {name}", + "Update my event": "Päivitä omaa tapahtumaa", + "Updated": "Päivitetty", + "Username": "Käyttäjänimi", + "Users": "Käyttäjät", + "View a reply": "|Näytä vastaus|Näytä {totalReplies} vastausta", + "View event page": "Näytä tapahtumasivu", + "View everything": "Näytä kaikki", + "View page on {hostname} (in a new window)": "Näytä sivu palvelimella {hostname} (uudessa ikkunassa)", + "Visible everywhere on the web (public)": "Näkyy kaikkialla verkossa (julkinen)", + "Waiting for organization team approval.": "Odottaa järjestäjien hyväksyntää.", + "Waiting list": "Odotuslista", + "Warning": "Varoitus", + "We just sent an email to {email}": "Lähetimme juuri sähköpostia osoitteeseen {email}", + "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Haluamme kehittää digitaalista yhteisomaisuutta, josta jokainen voi tehdä omanlaisensa ja joka kunnioittaa yksityisyyttä ja aktivismia ihan luonnostaan.", + "We will redirect you to your instance in order to interact with this event": "Ohjaamme sinut omalle palvelimellesi, jotta voit osallistua tapahtumaan", + "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "Maailmaa ei muuteta Facebookissa. Valvontakapitalismia harjoittavat yhtiöt eivät kehitä tarvitsemiamme työkaluja, sillä ne eivät saisi niistä voittoa. Tämä on tilaisuus rakentaa jotakin paljon parempaa uudesta lähtökohdasta.", + "Website / URL": "Verkkosivu/URL", + "Welcome back {username}!": "Tervetuloa takaisin, {username}!", + "Welcome back!": "Tervetuloa takaisin!", + "Welcome on your administration panel": "Tervetuloa hallintapaneeliin", + "Welcome to Mobilizon, {username}!": "Tervetuloa Mobilizoniin, {username}!", + "Who can view this event and participate": "Kuka voi nähdä tapahtuman ja osallistua siihen", + "World map": "Maailmankartta", + "Write something…": "Kirjoita jotain…", + "You and one other person are going to this event": "Vain sinä olet menossa tähän tapahtumaan | Vain sinä ja yksi sinun lisäksesi on menossa tähän tapahtumaan | Sinä ja {approved} muuta henkilöä ovat menossa tähän tapahtumaan.", + "You are already a participant of this event.": "Olet jo tapahtuman osallistuja.", + "You are already logged-in.": "Olet jo kirjautunut sisään.", + "You are participating in this event anonymously": "Osallistut tapahtumaan anonyymisti", + "You are participating in this event anonymously but didn't confirm participation": "Osallistut tapahtumaan anonyymisti, mutta et ole vahvistanut osallistumistasi", + "You can add tags by hitting the Enter key or by adding a comma": "Voit lisätä tunnisteita painamalla enteriä tai lisäämällä pilkun", + "You can try another search term or drag and drop the marker on the map": "Voit kokeilla toista hakuehtoa tai vetää merkin kartalle", + "You can't remove your last identity.": "Et voi poistaa viimeistä identiteettiäsi.", + "You don't follow any instances yet.": "Et seuraa vielä yhtäkään palvelinta.", + "You have been disconnected": "Yhteytesi on katkaistu", + "You have cancelled your participation": "Olet perunut osallistumisesi", + "You have one event in {days} days.": "Sinulla ei ole tapahtumia seuraavien {days} päivän aikana | Sinulla on yksi tapahtuma seuraavien {days} päivän aikana | Sinulla on {count} tapahtumaa seuraavien {days} päivän aikana", + "You have one event today.": "Sinulla ei ole tapahtumia tänään | Sinulla on yksi tapahtuma tänään | Sinulla on {count} tapahtumaa tänään", + "You have one event tomorrow.": "Sinulla ei ole tapahtumia huomenna | Sinulla on yksi tapahtuma huomenna | Sinulla on {count} tapahtumaa huomenna", + "You may also ask to {resend_confirmation_email}.": "Voit myös pyytää {resend_confirmation_email}.", + "You need to login.": "Kirjaudu sisään.", + "You will be redirected to the original instance": "Sinut ohjataan alkuperäiselle palvelimelle", + "You wish to participate to the following event": "Haluat osallistua seuraavaan tapahtumaan", + "You'll receive a confirmation email.": "Saat sähköpostiin vahvistuksen.", + "Your account has been successfully deleted": "Tilin poistaminen onnistui", + "Your account has been validated": "Tilisi on vahvistettu", + "Your account is being validated": "Tiliäsi vahvistetaan", + "Your account is nearly ready, {username}": "Tilisi on melkein valmis, {username}", + "Your current email is {email}. You use it to log in.": "Nykyinen sähköpostiosoitteesi on {email}. Kirjaudu sisään sillä.", + "Your email has been changed": "Sähköpostiosoitteesi on vaihdettu", + "Your email is being changed": "Sähköpostiosoitetta vaihdetaan", + "Your email is not whitelisted, you can't register.": "Sähköpostiosoitteesi ei ole hyväksyttyjen luettelossa, et voi rekisteröityä.", + "Your email will only be used to confirm that you're a real person and send you eventual updates for this event. It will NOT be transmitted to other instances or to the event organizer.": "Sähköpostiosoitettasi käytetään vain vahvistamaan se, että olet todellinen ihminen, sekä lähettämään mahdollisia päivityksiä tapahtuman tietoihin. Osoitetta EI luovuteta muille palvelimille tai tapahtuman järjestäjälle.", + "Your federated identity": "Identiteettisi fediversumissa", + "Your local administrator resumed its policy:": "Paikallisen ylläpitäjän tiivistys käytännöstään:", + "Your participation has been confirmed": "Osallistumisesi on vahvistettu", + "Your participation has been rejected": "Osallistumisesi on hylätty", + "Your participation has been requested": "Osallistumispyyntösi on tehty", + "Your participation has been validated": "Osallistumisesi on vahvistettu", + "Your participation is being validated": "Osallistumisesi odottaa vahvistusta", + "Your participation status has been changed": "Osallistumisesi tilaa on muutettu", + "[This comment has been deleted]": "[Kommentti on poistettu]", + "[deleted]": "[poistettu]", + "a decentralised federation protocol": "hajautettu federoituva protokolla", + "as {identity}": "identiteetillä {identity}", + "default Mobilizon terms": "Mobilizonin oletuskäyttöehdot", + "e.g. 10 Rue Jangot": "esim. Hämeenkatu 10", + "firstDayOfWeek": "0", + "iCal Feed": "iCal-syöte", + "interconnect with others like it": "yhdistä muihin samankaltaisiin", + "its source code is public": "sen lähdekoodi on julkinen", + "on our blog": "blogissamme", + "profile@instance": "profiili@palvelin", + "resend confirmation email": "lähettämään vahvistussähköpostin uudelleen", + "respect of the fundamental freedoms": "perusoikeuksien kunnioittamisen", + "with another identity…": "toisella identiteetillä…", + "{approved} / {total} seats": "{approved} / {total} paikkaa", + "{count} participants": "Ei osallistujia vielä | Yksi osallistuja | {count} osallistujaa", + "{count} requests waiting": "{count} pyyntöä odottamassa", + "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} varmistaa sitä käyttävien ihmisten {respect}. Koska {source}, kuka tahansa voi tarkastaa sen ja varmistua sen läpinäkyvyydestä.", + "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© Mobilizon-tekijät {date} – Valmistusaineina Elixir, Phoenix, VueJS sekä rakkaus ja aika", + "© The OpenStreetMap Contributors": "© OpenStreetMap-tekijät" } diff --git a/js/src/i18n/fr_FR.json b/js/src/i18n/fr_FR.json index cdb2731ea..39f8e0fc4 100644 --- a/js/src/i18n/fr_FR.json +++ b/js/src/i18n/fr_FR.json @@ -1,504 +1,574 @@ { - "Please do not use it in any real way.": "Merci de ne pas en faire une utilisation réelle.", - "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Un outil convivial, émancipateur et éthique pour se rassembler, s'organiser et se mobiliser.", - "A validation email was sent to {email}": "Un email de validation a été envoyé à {email}", - "Abandon edition": "Abandonner la modification", - "About Mobilizon": "À propos de Mobilizon", - "About this event": "À propos de cet évènement", - "About this instance": "À propos de cette instance", - "About": "À propos", - "Accepted": "Accepté", - "Account": "Compte", - "Add a note": "Ajouter une note", - "Add an address": "Ajouter une adresse", - "Add an instance": "Ajouter une instance", - "Add some tags": "Ajouter des tags", - "Add to my calendar": "Ajouter à mon agenda", - "Add": "Ajouter", - "Additional comments": "Commentaires additionnels", - "Admin settings successfully saved.": "Les paramètres administrateur ont bien été sauvegardés.", - "Admin settings": "Paramètres administrateur", - "Admin": "Admin", - "Administration": "Administration", - "All the places have already been taken": "Toutes les places ont été prises|Une place est encore disponible|{places} places sont encore disponibles", - "Allow all comments": "Autoriser tous les commentaires", - "Allow registrations": "Autoriser les inscriptions", - "An error has occurred.": "Une erreur est survenue.", - "Anonymous participant": "Participant⋅e anonyme", - "Anonymous participants will be asked to confirm their participation through e-mail.": "Les participants anonymes devront confirmer leur participation par email.", - "Anonymous participations": "Participations anonymes", - "Approve": "Approuver", - "Are you really sure you want to delete your whole account? You'll lose everything. Identities, settings, events created, messages and participations will be gone forever.": "Êtes-vous vraiment certain⋅e de vouloir supprimer votre compte ? Vous allez tout perdre. Identités, paramètres, événements créés, messages et participations disparaîtront pour toujours.", - "Are you sure you want to delete this comment? This action cannot be undone.": "Êtes-vous certain⋅e de vouloir supprimer ce commentaire ? Cette action ne peut pas être annulée.", - "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "Êtes-vous certain⋅e de vouloir supprimer cet évènement ? Cette action n'est pas réversible. Vous voulez peut-être engager la conversation avec le créateur de l'évènement ou bien modifier son évènement à la place.", - "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Étes-vous certain⋅e de vouloir annuler la création de l'évènement ? Vous allez perdre toutes vos modifications.", - "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Êtes-vous certain⋅e de vouloir annuler la modification de l'évènement ? Vous allez perdre toutes vos modifications.", - "Are you sure you want to cancel your participation at event \"{title}\"?": "Êtes-vous certain⋅e de vouloir annuler votre participation à l'évènement « {title} » ?", - "Are you sure you want to delete this event? This action cannot be reverted.": "Êtes-vous certain⋅e de vouloir supprimer cet évènement ? Cette action ne peut être annulée.", - "Avatar": "Avatar", - "Back to previous page": "Retour à la page précédente", - "Before you can login, you need to click on the link inside it to validate your account": "Avant que vous puissiez vous enregistrer, vous devez cliquer sur le lien à l'intérieur pour valider votre compte", - "By @{username}": "Par @{username}", - "Cancel anonymous participation": "Annuler ma participation anonyme", - "Cancel creation": "Annuler la création", - "Cancel edition": "Annuler la modification", - "Cancel my participation request…": "Annuler ma demande de participation…", - "Cancel my participation…": "Annuler ma participation…", - "Cancel": "Annuler", - "Cancelled: Won't happen": "Annulé : N'aura pas lieu", - "Category": "Catégorie", - "Change my email": "Changer mon adresse e-mail", - "Change my identity…": "Changer mon identité…", - "Change my password": "Modifier mon mot de passe", - "Change password": "Modifier mot de passe", - "Change": "Modifier", - "Clear": "Effacer", - "Click to select": "Cliquez pour sélectionner", - "Click to upload": "Cliquez pour uploader", - "Close comments for all (except for admins)": "Fermer les commentaires à tout le monde (excepté les administrateur⋅ices)", - "Close": "Fermé", - "Closed": "Fermé", - "Comment deleted": "Commentaire supprimé", - "Comment from @{username} reported": "Commentaire de @{username} signalé", - "Comments have been closed.": "Les commentaires sont fermés.", - "Comments on the event page": "Commentaires sur la page de l'événement", - "Comments": "Commentaires", - "Confirm my participation": "Confirmer ma participation", - "Confirm my particpation": "Confirmer ma participation", - "Confirmed: Will happen": "Confirmé : aura lieu", - "Continue editing": "Continuer la modification", - "Country": "Pays", - "Create a new event": "Créer un nouvel évènement", - "Create a new group": "Créer un nouveau groupe", - "Create a new identity": "Créer une nouvelle identité", - "Create and manage several identities from the same account": "Créer et gérer plusieurs identités sur un même compte", - "Create group": "Créer un groupe", - "Create my event": "Créer mon évènement", - "Create my group": "Créer mon groupe", - "Create my profile": "Créer mon profil", - "Create token": "Créer un jeton", - "Create, edit or delete events": "Créer, modifier ou supprimer des évènements", - "Create": "Créer", - "Creator": "Créateur⋅ice", - "Current identity has been changed to {identityName} in order to manage this event.": "L'identité actuelle a été changée à {identityName} pour pouvoir gérer cet évènement.", - "Current page": "Page courante", - "Custom URL": "URL personnalisée", - "Custom text": "Texte personnalisé", - "Custom": "Personnel", - "Dashboard": "Tableau de bord", - "Date and time settings": "Paramètres de date et d'heure", - "Date parameters": "Paramètres de date", - "Date": "Date", - "Default Mobilizon.org terms": "Conditions d'utilisation par défaut de Mobilizon.org", - "Default": "Default", - "Delete Comment": "Supprimer le commentaire", - "Delete Event": "Supprimer l'évènement", - "Delete account": "Suppression du compte", - "Delete event": "Supprimer un évènement", - "Delete everything": "Tout supprimer", - "Delete my account": "Supprimer mon compte", - "Delete this identity": "Supprimer cette identité", - "Delete your identity": "Supprimer votre identité", - "Delete {eventTitle}": "Supprimer {eventTitle}", - "Delete {preferredUsername}": "Supprimer {preferredUsername}", - "Delete": "Supprimer", - "Deleting comment": "Suppression du commentaire en cours", - "Deleting event": "Suppression de l'évènement", - "Deleting my account will delete all of my identities.": "Supprimer mon compte supprimera toutes mes identités.", - "Deleting your Mobilizon account": "Supprimer votre compte Mobilizon", - "Description": "Description", - "Didn't receive the instructions ?": "Vous n'avez pas reçu les instructions ?", - "Display name": "Nom affiché", - "Display participation price": "Afficher un prix de participation", - "Domain": "Domaine", - "Draft": "Brouillon", - "Drafts": "Brouillons", - "Edit": "Modifier", - "Eg: Stockholm, Dance, Chess…": "Par exemple : Lyon, Danse, Bridge…", - "Either on the {instance} instance or on another instance.": "Sur l'instance {instance} ou bien sur une autre instance.", - "Either the account is already validated, either the validation token is incorrect.": "Soit le compte est déjà validé, soit le jeton de validation est incorrect.", - "Either the email has already been changed, either the validation token is incorrect.": "Soit l'adresse email a déjà été modifiée, soit le jeton de validation est incorrect.", - "Either the participation has already been validated, either the validation token is incorrect.": "Soit la participation a déjà été validée, soit le jeton de validation est incorrect.", - "Email": "Email", - "Ends on…": "Se termine le…", - "Enjoy discovering Mobilizon!": "Amusez-vous bien en découvrant Mobilizon !", - "Enter the link URL": "Entrez l'URL du lien", - "Enter your own terms. HTML tags allowed. Mobilizon.org's terms are provided as template.": "Entrez vos propres conditions d'utilisations. Les balises HTML sont autorisées. Les conditions d'utilisation par défaut de Mobilizon.org sont fournies comme modèle.", - "Error while changing email": "Erreur lors de la modification de l'adresse email", - "Error while communicating with the server.": "Erreur de communication avec le serveur.", - "Error while saving report.": "Erreur lors de l'enregistrement du signalement.", - "Error while validating account": "Erreur lors de la validation du compte", - "Error while validating participation": "Erreur lors de la validation de la participation", - "Event already passed": "Événement déjà passé", - "Event cancelled": "Événement annulé", - "Event creation": "Création d'évènement", - "Event edition": "Modification d'évènement", - "Event list": "Liste d'évènements", - "Event not found.": "Événement non trouvé.", - "Event page settings": "Paramètres de la page de l'évènement", - "Event to be confirmed": "Événement à confirmer", - "Event {eventTitle} deleted": "Événement {eventTitle} supprimé", - "Event {eventTitle} reported": "Événement {eventTitle} signalé", - "Event": "Événement", - "Events": "Événements", - "Ex: test.mobilizon.org": "Ex : test.mobilizon.org", - "Exclude": "Exclure", - "Explore": "Explorer", - "Failed to save admin settings": "Échec de la sauvegarde des paramètres administrateur", - "Featured events": "Événements à la une", - "Features": "Fonctionnalités", - "Federation": "Fédération", - "Find an address": "Trouver une adresse", - "Find an instance": "Trouver une instance", - "Followers": "Abonnés", - "Followings": "Abonnements", - "For instance: London, Taekwondo, Architecture…": "Par exemple : Lyon, Taekwondo, Architecture…", - "Forgot your password ?": "Mot de passe oublié ?", - "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "De l’anniversaire entre ami·e·s à une marche pour le climat, aujourd’hui, les bonnes raisons de se rassembler sont captées par les géants du web. Comment s’organiser, comment cliquer sur « je participe » sans livrer des données intimes à Facebook ou s’enfermer dans MeetUp ?", - "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Du {startDate} à {startTime} au {endDate} à {endTime}", - "From the {startDate} at {startTime} to the {endDate}": "Du {startDate} à {startTime} jusqu'au {endDate}", - "From the {startDate} to the {endDate}": "Du {startDate} au {endDate}", - "Gather ⋅ Organize ⋅ Mobilize": "Rassembler ⋅ Organiser ⋅ Mobiliser", - "General information": "Informations générales", - "General": "Général", - "Getting location": "Récupération de la position", - "Go": "Allons-y", - "Going as {name}": "En tant que {name}", - "Group List": "Liste de groupes", - "Group full name": "Nom complet du groupe", - "Group name": "Nom du groupe", - "Group {displayName} created": "Groupe {displayName} créé", - "Groups": "Groupes", - "Headline picture": "Image à la une", - "Hide replies": "Masquer les réponses", - "I create an identity": "Je crée une identité", - "I don't have a Mobilizon account": "Je n'ai pas de compte Mobilizon", - "I have a Mobilizon account": "J'ai un compte Mobilizon", - "I have an account on another Mobilizon instance.": "J'ai un compte sur une autre instance Mobilizon.", - "I participate": "Je participe", - "I want to allow people to participate without an account.": "Je veux permettre aux gens de participer sans avoir un compte.", - "I want to approve every participation request": "Je veux approuver chaque demande de participation", - "Identity {displayName} created": "Identité {displayName} créée", - "Identity {displayName} deleted": "Identité {displayName} supprimée", - "Identity {displayName} updated": "Identité {displayName} mise à jour", - "If an account with this email exists, we just sent another confirmation email to {email}": "Si un compte avec un tel email existe, nous venons juste d'envoyer un nouvel email de confirmation à {email}", - "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Si cette identité est la seule administratrice de certains groupes, vous devez les supprimer avant de pouvoir supprimer cette identité.", - "If you want, you may send a message to the event organizer here.": "Si vous le désirez, vous pouvez laisser un message pour l'organisateur⋅ice de l'événement ci-dessous.", - "Impossible to login, your email or password seems incorrect.": "Impossible de se connecter, votre email ou bien votre mot de passe semble incorrect.", - "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "D'ici là, veuillez considérer que le logiciel n'est pas (encore) fini. Plus d'informations {onBlog}.", - "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Installer Mobilizon permettra à des collectifs de s’émanciper des outils des géants du web en créant leur propre plateforme d’évènements.", - "Instance Description": "Description de l'instance", - "Instance Name": "Nom de l'instance", - "Instance Terms Source": "Source des conditions d'utilisation de l'instance", - "Instance Terms URL": "URL des conditions générales de l'instance", - "Instance Terms": "Conditions générales de l'instance", - "Instance settings": "Paramètres de l'instance", - "Instances": "Instances", - "Join {instance}, a Mobilizon instance": "Rejoignez {instance}, une instance Mobilizon", - "Last published event": "Dernier évènement publié", - "Last week": "La semaine dernière", - "Learn more about Mobilizon": "En apprendre plus à propos de Mobilizon", - "Learn more": "En apprendre plus", - "Leave event": "Annuler ma participation à l'évènement", - "Leaving event \"{title}\"": "Annuler ma participation à l'évènement", - "Let's create a new common": "Créons un nouveau Common", - "License": "Licence", - "Limited number of places": "Nombre de places limité", - "Load more": "Voir plus", - "Locality": "Commune", - "Log in": "Se connecter", - "Log out": "Se déconnecter", - "Login on Mobilizon!": "Se connecter sur Mobilizon !", - "Login on {instance}": "Se connecter sur {instance}", - "Login": "Se connecter", - "Manage participations": "Gérer les participations", - "Mark as resolved": "Marquer comme résolu", - "Members": "Membres", - "Message": "Message", - "Mobilizon is a federated network. You can interact with this event from a different server.": "Mobilizon est un réseau fédéré. Vous pouvez interagir avec cet événement depuis un serveur différent.", - "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon est un logiciel libre qui permettra à des communautés de créer leurs propres espaces de publication d’évènements, afin de mieux s’émanciper des géants du web.", - "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon est en cours de développement, nous ajouterons de nouvelles fonctionnalités à ce site lors de mises à jour régulières, jusqu'à la publication de la version 1 du logiciel au premier semestre 2020.", - "Mobilizon’s licence": "La licence de Mobilizon", - "Moderated comments (shown after approval)": "Commentaires modérés (affichés après validation)", - "Moderation log": "Journaux de modération", - "Moderation": "Modération", - "My account": "Mon compte", - "My events": "Mes évènements", - "My identities": "Mes identités", - "Name": "Nom", - "New email": "Nouvelle adresse e-mail", - "New note": "Nouvelle note", - "New password": "Nouveau mot de passe", - "New profile": "Nouveau profil", - "Next page": "Page suivante", - "No actors found": "Aucun acteur trouvé", - "No address defined": "Aucune adresse définie", - "No closed reports yet": "Aucun signalement fermé pour le moment", - "No comment": "Pas de commentaire", - "No comments yet": "Pas encore de commentaires", - "No end date": "Pas de date de fin", - "No events found": "Aucun évènement trouvé", - "No group found": "Aucun groupe trouvé", - "No groups found": "Aucun groupe trouvé", - "No instance follows your instance yet.": "Aucune instance ne suit votre instance pour le moment.", - "No instance to approve|Approve instance|Approve {number} instances": "Aucune instance à approuver|Approuver une instance|Approuver {number} instances", - "No instance to reject|Reject instance|Reject {number} instances": "Aucune instance à rejeter|Rejeter une instance|Rejeter {number} instances", - "No instance to remove|Remove instance|Remove {number} instances": "Pas d'instances à supprimer|Supprimer une instance|Supprimer {number} instances", - "No message": "Pas de message", - "No notification settings yet": "Pas encore de paramètres de notification", - "No open reports yet": "Aucun signalement ouvert pour le moment", - "No participant to approve|Approve participant|Approve {number} participants": "Aucun⋅e participant⋅e à valider|Valider le ou la participant⋅e|Valider {number} participant⋅es", - "No participant to reject|Reject participant|Reject {number} participants": "Aucun⋅e participant⋅e à refuser|Refuser le ou la participant⋅e|Refuser {number} participant⋅es", - "No preferences yet": "Pas encore de préférences", - "No resolved reports yet": "Aucun signalement résolu pour le moment", - "No results for \"{queryText}\"": "Pas de résultats pour « {queryText} »", - "No user account with this email was found. Maybe you made a typo?": "Aucun compte utilisateur trouvé pour cet email. Peut-être avez-vous fait une faute de frappe ?", - "Notes": "Notes", - "Notifications": "Notifications", - "Number of places": "Nombre de places", - "OK": "OK", - "Old password": "Ancien mot de passe", - "On {date} ending at {endTime}": "Le {date}, se terminant à {endTime}", - "On {date} from {startTime} to {endTime}": "Le {date} de {startTime} à {endTime}", - "On {date} starting at {startTime}": "Le {date} à partir de {startTime}", - "On {date}": "Le {date}", - "One person is going": "Personne n'y va | Une personne y va | {approved} personnes y vont", - "Only accessible through link and search (private)": "Uniquement accessibles par lien et la recherche (privé)", - "Only alphanumeric characters and underscores are supported.": "Seuls les caractères alphanumériques et les tirets bas sont acceptés.", - "Open": "Ouvert", - "Opened reports": "Signalements ouverts", - "Or": "Ou", - "Organized by {name}": "Organisé par {name}", - "Organized": "Organisés", - "Organizer": "Organisateur⋅ice", - "Other software may also support this.": "D'autres logiciels peuvent également supporter cette fonctionnalité.", - "Otherwise this identity will just be removed from the group administrators.": "Sinon cette identité sera juste supprimée des administrateur⋅ices du groupe.", - "Page limited to my group (asks for auth)": "Accès limité à mon groupe (demande authentification)", - "Page not found": "Page non trouvée", - "Page": "Page", - "Participant already was rejected.": "Le ou la participant⋅e a déjà été refusé⋅e.", - "Participant has already been approved as participant.": "Le ou la participant⋅e a déjà été approuvé⋅e en tant que participant⋅e.", - "Participant": "Participant⋅e", - "Participants": "Participant⋅e⋅s", - "Participate using your email address": "Participer en utilisant votre adresse email", - "Participate": "Participer", - "Participation approval": "Validation des participations", - "Participation confirmation": "Confirmation de votre participation", - "Participation requested!": "Participation demandée !", - "Password (confirmation)": "Mot de passe (confirmation)", - "Password change": "Changement de mot de passe", - "Password reset": "Réinitialisation du mot de passe", - "Password": "Mot de passe", - "Past events": "Événements passés", - "Pending": "En attente", - "Pick an identity": "Choisissez une identité", - "Please check your spam folder if you didn't receive the email.": "Merci de vérifier votre dossier des indésirables si vous n'avez pas reçu l'email.", - "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Veuillez contacter l'administrateur⋅ice de cette instance Mobilizon si vous pensez qu’il s’agit d’une erreur.", - "Please enter your password to confirm this action.": "Merci d'entrer votre mot de passe pour confirmer cette action.", - "Please make sure the address is correct and that the page hasn't been moved.": "Assurez‐vous que l’adresse est correcte et que la page n’a pas été déplacée.", - "Please read the full rules": "Merci de lire les règles complètes", - "Please refresh the page and retry.": "Merci de rafraîchir la page puis réessayer.", - "Please type at least 5 characters": "Merci d'entrer au moins 5 caractères", - "Post a comment": "Ajouter un commentaire", - "Post a reply": "Envoyer une réponse", - "Postal Code": "Code postal", - "Preferences": "Préférences", - "Previous page": "Page précédente", - "Privacy Policy": "Politique de confidentialité", - "Private event": "Événement privé", - "Private feeds": "Flux privés", - "Profiles": "Profils", - "Public RSS/Atom Feed": "Flux RSS/Atom public", - "Public comment moderation": "Modération des commentaires publics", - "Public event": "Événement public", - "Public feeds": "Flux publics", - "Public iCal Feed": "Flux iCal public", - "Publish": "Publier", - "Published events": "Événements publiés", - "RSS/Atom Feed": "Flux RSS/Atom", - "Read Framasoft’s statement of intent on the Framablog": "Lire la note d’intention de Framasoft sur le Framablog", - "Redirecting to event…": "Redirection vers l'événement…", - "Region": "Région", - "Register an account on Mobilizon!": "S'inscrire sur Mobilizon !", - "Register for an event by choosing one of your identities": "S'inscrire à un évènement en choisissant une de vos identités", - "Register": "S'inscrire", - "Registration is allowed, anyone can register.": "Les inscriptions sont autorisées, n'importe qui peut s'inscrire.", - "Registration is closed.": "Les inscriptions sont fermées.", - "Registration is currently closed.": "Les inscriptions sont actuellement fermées.", - "Registrations are restricted by whitelisting.": "Les inscriptions sont restreintes par liste blanche.", - "Reject": "Rejeter", - "Rejected participations": "Participations rejetées", - "Rejected": "Rejetés", - "Reopen": "Réouvrir", - "Reply": "Répondre", - "Report this comment": "Signaler ce commentaire", - "Report this event": "Signaler cet évènement", - "Report": "Signalement", - "Reported by someone on {domain}": "Signalé par quelqu'un depuis {domain}", - "Reported by {reporter}": "Signalé par {reporter}", - "Reported by": "Signalée par", - "Reported identity": "Identité signalée", - "Reported": "Signalée", - "Reports": "Signalements", - "Requests": "Requêtes", - "Resend confirmation email": "Envoyer à nouveau l'email de confirmation", - "Reset my password": "Réinitialiser mon mot de passe", - "Resolved": "Résolu", - "Resource provided is not an URL": "La ressource fournie n'est pas une URL", - "Role": "Rôle", - "Save draft": "Enregistrer le brouillon", - "Save": "Enregistrer", - "Search events, groups, etc.": "Rechercher des évènements, des groupes, etc.", - "Search results: \"{search}\"": "Résultats de recherche : « {search} »", - "Search": "Rechercher", - "Searching…": "Recherche en cours…", - "Send email": "Envoyer un email", - "Send me an email to reset my password": "Envoyez-moi un email pour réinitialiser mon mot de passe", - "Send me the confirmation email once again": "Envoyez-moi l'email de confirmation encore une fois", - "Send the report": "Envoyer le signalement", - "Set an URL to a page with your own terms.": "Entrez une URL vers une page web avec vos propres conditions d'utilisation.", - "Settings": "Paramètres", - "Share this event": "Partager l'évènement", - "Show map": "Afficher la carte", - "Show remaining number of places": "Afficher le nombre de places restantes", - "Show the time when the event begins": "Afficher l'heure de début de l'évènement", - "Show the time when the event ends": "Afficher l'heure de fin de l'évènement", - "Sign up": "S'enregistrer", - "Software to the people": "Des logiciels pour les gens", - "Starts on…": "Débute le…", - "Status": "Statut", - "Street": "Rue", - "Tentative: Will be confirmed later": "Provisoire : sera confirmé plus tard", - "Terms": "Conditions d'utilisation", - "The account's email address was changed. Check your emails to verify it.": "L'adresse email du compte a été modifiée. Vérifiez vos emails pour confirmer le changement.", - "The actual number of participants may differ, as this event is hosted on another instance.": "Le nombre réel de participant⋅e⋅s peut être différent, car cet événement provient d'une autre instance.", - "The content came from another server. Transfer an anonymous copy of the report?": "Le contenu provient d'une autre instance. Transférer une copie anonyme du signalement ?", - "The current identity doesn't have any permission on this event. You should probably change it.": "L'identité actuelle n'a pas de permissions sur cet évènement. Vous devriez probablement en changer.", - "The current password is invalid": "Le mot de passe actuel est invalide", - "The draft event has been updated": "L'évènement brouillon a été mis à jour", - "The event has been created as a draft": "L'évènement a été créé en tant que brouillon", - "The event has been published": "L'évènement a été publié", - "The event has been updated and published": "L'évènement a été mis à jour et publié", - "The event has been updated": "L'évènement a été mis à jour", - "The event organiser has chosen to validate manually participations. Do you want to add a little note to explain why you want to participate to this event?": "L'organisateur⋅ice de l'événement a choisi de valider manuellement les demandes de participation. Voulez-vous ajouter un petit message pour expliquer pourquoi vous souhaitez participer à cet événement ?", - "The event organizer didn't add any description.": "L'organisateur⋅ice de l'évènement n'a pas ajouté de description.", - "The event organizer manually approves participations. Since you've chosen to participate without an account, please explain why you want to participate to this event.": "L'organisateur⋅ice de l'événement valide les participations manuellement. Comme vous avez choisi de participer sans compte, merci d'expliquer pourquoi vous voulez participer à cet événement.", - "The event title will be ellipsed.": "Le titre de l'évènement sera ellipsé.", - "The new email doesn't seem to be valid": "La nouvelle adresse email ne semble pas être valide", - "The new email must be different": "La nouvelle adresse email doit être différente", - "The new password must be different": "Le nouveau mot de passe doit être différent", - "The page you're looking for doesn't exist.": "La page que vous recherchez n'existe pas.", - "The password provided is invalid": "Le mot de passe fourni est invalide", - "The password was successfully changed": "Le mot de passe a été changé avec succès", - "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "Le signalement sera envoyé aux modérateur⋅ices de votre instance. Vous pouvez expliquer pourquoi vous signalez ce contenu ci-dessous.", - "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "Le compte utilisateur avec lequel vous essayez de vous connectez n'a pas été confirmé. Vérifiez la boite de réception de votre adresse email et éventuellement le dossier des messages indésirables.", - "The {default_terms} will be used. They will be translated in the user's language.": "Les {default_terms} seront utilisées. Elles seront traduites dans la langue de l'utilisateur⋅ice.", - "There are {participants} participants.": "Il n'y a qu'un⋅e participant⋅e. | Il y a {participants} participant⋅es.", - "There will be no way to recover your data.": "Il n'y aura aucun moyen de récupérer vos données.", - "These events may interest you": "Ces évènements peuvent vous intéresser", - "This Mobilizon instance and this event organizer allows anonymous participations, but requires validation through email confirmation.": "Cette instance Mobilizon et l'organisateur⋅ice de l'événement autorise les participations anonymes, mais requiert une validation à travers une confirmation par email.", - "This email is already registered as participant for this event": "Cet email est déjà enregistré comme participant⋅e pour cet événement", - "This information is saved only on your computer. Click for details": "Cette information est sauvegardée uniquement sur votre appareil. Cliquez pour plus de details", - "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Cette installation (appelée “instance“) peut facilement {interconnect}, grâce à {protocol}.", - "This instance isn't opened to registrations, but you can register on other instances.": "Cette instance n'autorise pas les inscriptions, mais vous pouvez vous enregistrer sur d'autres instances.", - "This is a demonstration site to test the beta version of Mobilizon.": "Ceci est un site de démonstration permettant de tester la version bêta de Mobilizon.", - "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Cela supprimera / anonymisera tout le contenu (évènements, commentaires, messages, participations…) créés avec cette identité.", - "Title": "Titre", - "To achieve your registration, please create a first identity profile.": "Pour finir votre inscription, veuillez créer un premier profil.", - "To change the world, change the software": "Changer de logiciel pour changer le monde", - "To confirm, type your event title \"{eventTitle}\"": "Pour confirmer, entrez le titre de l'évènement « {eventTitle} »", - "To confirm, type your identity username \"{preferredUsername}\"": "Pour confirmer, entrez le nom de l’identité « {preferredUsername} »", - "Transfer to {outsideDomain}": "Transférer à {outsideDomain}", - "Type": "Type", - "URL": "URL", - "Unfortunately, this instance isn't opened to registrations": "Malheureusement, cette instance n'est pas ouverte aux inscriptions", - "Unfortunately, your participation request was rejected by the organizers.": "Malheureusement, votre demande de participation a été refusée par les organisateur⋅ices.", - "Unknown actor": "Acteur inconnu", - "Unknown error.": "Erreur inconnue.", - "Unknown": "Inconnu", - "Unsaved changes": "Modifications non enregistrées", - "Upcoming": "À venir", - "Update event {name}": "Mettre à jour l'évènement {name}", - "Update my event": "Mettre à jour mon évènement", - "Updated": "Mis à jour", - "Username": "Pseudo", - "Users": "Utilisateur⋅ice⋅s", - "View a reply": "Aucune réponse | Voir une réponse | Voir {totalReplies} réponses", - "View event page": "Voir la page de l'évènement", - "View everything": "Voir tout", - "View page on {hostname} (in a new window)": "Voir la page sur {hostname} (dans une nouvelle fenêtre)", - "Visible everywhere on the web (public)": "Visible partout sur le web (public)", - "Waiting for organization team approval.": "En attente d'approbation par l'organisation.", - "Waiting list": "Liste d'attente", - "Warning": "Attention", - "We just sent an email to {email}": "Nous venons d'envoyer un email à {email}", - "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Nous voulons développer un commun numérique, que tout le monde pourra s’approprier, conçu dans le respect de la vie privée et de l’action militante.", - "We will redirect you to your instance in order to interact with this event": "Nous vous redirigerons vers votre instance pour interagir avec cet événement", - "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "On ne changera pas le monde depuis Facebook. L’outil dont nous rêvons, les entreprises du capitalisme de surveillance sont incapables de le produire, car elles ne sauraient pas en tirer profit. C’est l’occasion de faire mieux qu’elles, en faisant autrement.", - "Website / URL": "Site web / URL", - "Welcome back {username}!": "Bon retour {username} !", - "Welcome back!": "Bon retour !", - "Welcome on your administration panel": "Bienvenue sur votre espace d'administration", - "Welcome to Mobilizon, {username}!": "Bienvenue sur Mobilizon, {username} !", - "Who can view this event and participate": "Qui peut voir cet évènement et y participer", - "World map": "Carte mondiale", - "Write something…": "Écrivez quelque chose…", - "You and one other person are going to this event": "Vous êtes le ou la seul⋅e à vous rendre à cet évènement | Vous et une autre personne vous rendez à cet évènement | Vous et {approved} autres personnes vous rendez à cet évènement.", - "You are already a participant of this event.": "Vous participez déjà à cet évènement.", - "You are already logged-in.": "Vous êtes déjà connecté.", - "You are participating in this event anonymously but didn't confirm participation": "Vous participez à cet événement anonymement mais vous n'avez pas confirmé votre participation", - "You are participating in this event anonymously": "Vous participez à cet événement anonymement", - "You can add tags by hitting the Enter key or by adding a comma": "Vous pouvez ajouter des tags en appuyant sur la touche Entrée ou bien en ajoutant une virgule", - "You can try another search term or drag and drop the marker on the map": "Vous pouvez essayer avec d'autres termes de recherche ou bien glisser et déposer le marqueur sur la carte", - "You can't remove your last identity.": "Vous ne pouvez pas supprimer votre dernière identité.", - "You don't follow any instances yet.": "Vous ne suivez aucune instance pour le moment.", - "You have been disconnected": "Vous avez été déconnecté⋅e", - "You have cancelled your participation": "Vous avez annulé votre participation", - "You have one event in {days} days.": "Vous n'avez pas d'évènements dans {days} jours | Vous avez un évènement dans {days} jours. | Vous avez {count} évènements dans {days} jours", - "You have one event today.": "Vous n'avez pas d'évenement aujourd'hui | Vous avez un évènement aujourd'hui. | Vous avez {count} évènements aujourd'hui", - "You have one event tomorrow.": "Vous n'avez pas d'évènement demain | Vous avez un évènement demain. | Vous avez {count} évènements demain", - "You may also ask to {resend_confirmation_email}.": "Vous pouvez aussi demander à {resend_confirmation_email}.", - "You need to login.": "Vous devez vous connecter.", - "You will be redirected to the original instance": "Vous allez être redirigé⋅e vers l'instance d'origine", - "You wish to participate to the following event": "Vous souhaitez participer à l'événement suivant", - "You'll receive a confirmation email.": "Vous recevrez un email de confirmation.", - "Your account has been successfully deleted": "Votre compte a été supprimé avec succès", - "Your account has been validated": "Votre compte a été validé", - "Your account is being validated": "Votre compte est en cours de validation", - "Your account is nearly ready, {username}": "Votre compte est presque prêt, {username}", - "Your current email is {email}. You use it to log in.": "Votre adresse e-mail actuelle est {email}. Vous l'utilisez pour vous connecter.", - "Your email has been changed": "Votre adresse email a bien été modifiée", - "Your email is being changed": "Votre adresse email est en train d'être modifiée", - "Your email is not whitelisted, you can't register.": "Votre email n'est pas sur la liste blanche, vous ne pouvez pas vous inscrire.", - "Your email will only be used to confirm that you're a real person and send you eventual updates for this event. It will NOT be transmitted to other instances or to the event organizer.": "Votre email sera uniquement utilisé pour confirmer que vous êtes bien une personne réelle et vous envoyer des éventuelles mises à jour pour cet événement. Il ne sera PAS transmis à d'autres instances ou à l'organisateur de l'événement.", - "Your federated identity profile@instance": "Votre identité fédérée profil@instance", - "Your federated identity": "Votre identité fédérée", - "Your local administrator resumed its policy:": "Votre administrateur⋅ice local a résumé sa politique ainsi :", - "Your participation has been confirmed": "Votre participation a été confirmée", - "Your participation has been rejected": "Votre participation a été rejettée", - "Your participation has been requested": "Votre participation a été demandée", - "Your participation has been validated": "Votre participation a été validée", - "Your participation is being validated": "Votre participation est en cours de validation", - "Your participation status has been changed": "Le statut de votre participation a été mis à jour", - "[This comment has been deleted]": "[Ce commentaire a été supprimé]", - "[deleted]": "[supprimé]", - "a decentralised federation protocol": "un protocole de fédération décentralisée", - "as {identity}": "en tant que {identity}", - "default Mobilizon terms": "conditions d'utilisation par défaut de Mobilizon.org", - "e.g. 10 Rue Jangot": "par exemple : 10 Rue Jangot", - "firstDayOfWeek": "1", - "iCal Feed": "Flux iCal", - "interconnect with others like it": "s’interconnecter simplement avec d’autres", - "its source code is public": "son code source est public", - "on our blog": "sur notre blog", - "profile@instance": "profil@instance", - "resend confirmation email": "réenvoyer l'email de confirmation", - "respect of the fundamental freedoms": "le respect des libertés fondamentales", - "with another identity…": "avec une autre identité…", - "{approved} / {total} seats": "{approved} / {total} places", - "{count} participants": "Aucun⋅e participant⋅e | Un⋅e participant⋅e | {count} participant⋅e⋅s", - "{count} requests waiting": "Une demande en attente|{count} demandes en attente", - "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} garantit {respect} des personnes qui l'utiliseront. Puisque {source}, il est publiquement auditable, ce qui garantit sa transparence.", - "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© Les contributeurs de Mobilizon {date} - Fait avec Elixir, Phoenix, VueJS & et de l'amour et des semaines", - "© The OpenStreetMap Contributors": "© Les Contributeur⋅ices OpenStreetMap" -} \ No newline at end of file + "Please do not use it in any real way.": "Merci de ne pas en faire une utilisation réelle.", + "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Un outil convivial, émancipateur et éthique pour se rassembler, s'organiser et se mobiliser.", + "A validation email was sent to {email}": "Un email de validation a été envoyé à {email}", + "Abandon edition": "Abandonner la modification", + "About Mobilizon": "À propos de Mobilizon", + "About this event": "À propos de cet évènement", + "About this instance": "À propos de cette instance", + "About": "À propos", + "Accepted": "Accepté", + "Account": "Compte", + "Add a note": "Ajouter une note", + "Add an address": "Ajouter une adresse", + "Add an instance": "Ajouter une instance", + "Add some tags": "Ajouter des tags", + "Add to my calendar": "Ajouter à mon agenda", + "Add": "Ajouter", + "Additional comments": "Commentaires additionnels", + "Admin settings successfully saved.": "Les paramètres administrateur ont bien été sauvegardés.", + "Admin settings": "Paramètres administrateur", + "Admin": "Admin", + "Administration": "Administration", + "All the places have already been taken": "Toutes les places ont été prises|Une place est encore disponible|{places} places sont encore disponibles", + "Allow all comments": "Autoriser tous les commentaires", + "Allow registrations": "Autoriser les inscriptions", + "An error has occurred.": "Une erreur est survenue.", + "Anonymous participant": "Participant⋅e anonyme", + "Anonymous participants will be asked to confirm their participation through e-mail.": "Les participants anonymes devront confirmer leur participation par email.", + "Anonymous participations": "Participations anonymes", + "Approve": "Approuver", + "Are you really sure you want to delete your whole account? You'll lose everything. Identities, settings, events created, messages and participations will be gone forever.": "Êtes-vous vraiment certain⋅e de vouloir supprimer votre compte ? Vous allez tout perdre. Identités, paramètres, événements créés, messages et participations disparaîtront pour toujours.", + "Are you sure you want to delete this comment? This action cannot be undone.": "Êtes-vous certain⋅e de vouloir supprimer ce commentaire ? Cette action ne peut pas être annulée.", + "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "Êtes-vous certain⋅e de vouloir supprimer cet évènement ? Cette action n'est pas réversible. Vous voulez peut-être engager la conversation avec le créateur de l'évènement ou bien modifier son évènement à la place.", + "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Étes-vous certain⋅e de vouloir annuler la création de l'évènement ? Vous allez perdre toutes vos modifications.", + "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Êtes-vous certain⋅e de vouloir annuler la modification de l'évènement ? Vous allez perdre toutes vos modifications.", + "Are you sure you want to cancel your participation at event \"{title}\"?": "Êtes-vous certain⋅e de vouloir annuler votre participation à l'évènement « {title} » ?", + "Are you sure you want to delete this event? This action cannot be reverted.": "Êtes-vous certain⋅e de vouloir supprimer cet évènement ? Cette action ne peut être annulée.", + "Avatar": "Avatar", + "Back to previous page": "Retour à la page précédente", + "Before you can login, you need to click on the link inside it to validate your account": "Avant que vous puissiez vous enregistrer, vous devez cliquer sur le lien à l'intérieur pour valider votre compte", + "By @{username}": "Par @{username}", + "By @{username} and @{group}": "Par @{username} et @{group}", + "Cancel anonymous participation": "Annuler ma participation anonyme", + "Cancel creation": "Annuler la création", + "Cancel edition": "Annuler la modification", + "Cancel my participation request…": "Annuler ma demande de participation…", + "Cancel my participation…": "Annuler ma participation…", + "Cancel": "Annuler", + "Cancelled: Won't happen": "Annulé : N'aura pas lieu", + "Category": "Catégorie", + "Change my email": "Changer mon adresse e-mail", + "Change my identity…": "Changer mon identité…", + "Change my password": "Modifier mon mot de passe", + "Change password": "Modifier mot de passe", + "Change": "Modifier", + "Clear": "Effacer", + "Click to select": "Cliquez pour sélectionner", + "Click to upload": "Cliquez pour uploader", + "Close comments for all (except for admins)": "Fermer les commentaires à tout le monde (excepté les administrateur⋅ices)", + "Close": "Fermé", + "Closed": "Fermé", + "Comment deleted": "Commentaire supprimé", + "Comment from @{username} reported": "Commentaire de @{username} signalé", + "Comments have been closed.": "Les commentaires sont fermés.", + "Comments on the event page": "Commentaires sur la page de l'événement", + "Comments": "Commentaires", + "Confirm my participation": "Confirmer ma participation", + "Confirm my particpation": "Confirmer ma participation", + "Confirmed: Will happen": "Confirmé : aura lieu", + "Continue editing": "Continuer la modification", + "Country": "Pays", + "Create a new event": "Créer un nouvel évènement", + "Create a new group": "Créer un nouveau groupe", + "Create a new identity": "Créer une nouvelle identité", + "Create and manage several identities from the same account": "Créer et gérer plusieurs identités sur un même compte", + "Create group": "Créer un groupe", + "Create my event": "Créer mon évènement", + "Create my group": "Créer mon groupe", + "Create my profile": "Créer mon profil", + "Create token": "Créer un jeton", + "Create, edit or delete events": "Créer, modifier ou supprimer des évènements", + "Create": "Créer", + "Creator": "Créateur⋅ice", + "Current identity has been changed to {identityName} in order to manage this event.": "L'identité actuelle a été changée à {identityName} pour pouvoir gérer cet évènement.", + "Current page": "Page courante", + "Custom URL": "URL personnalisée", + "Custom text": "Texte personnalisé", + "Custom": "Personnel", + "Dashboard": "Tableau de bord", + "Date and time settings": "Paramètres de date et d'heure", + "Date parameters": "Paramètres de date", + "Date": "Date", + "Default Mobilizon.org terms": "Conditions d'utilisation par défaut de Mobilizon.org", + "Default": "Default", + "Delete Comment": "Supprimer le commentaire", + "Delete Event": "Supprimer l'évènement", + "Delete account": "Suppression du compte", + "Delete event": "Supprimer un évènement", + "Delete everything": "Tout supprimer", + "Delete my account": "Supprimer mon compte", + "Delete this identity": "Supprimer cette identité", + "Delete your identity": "Supprimer votre identité", + "Delete {eventTitle}": "Supprimer {eventTitle}", + "Delete {preferredUsername}": "Supprimer {preferredUsername}", + "Delete": "Supprimer", + "Deleting comment": "Suppression du commentaire en cours", + "Deleting event": "Suppression de l'évènement", + "Deleting my account will delete all of my identities.": "Supprimer mon compte supprimera toutes mes identités.", + "Deleting your Mobilizon account": "Supprimer votre compte Mobilizon", + "Description": "Description", + "Didn't receive the instructions ?": "Vous n'avez pas reçu les instructions ?", + "Display name": "Nom affiché", + "Display participation price": "Afficher un prix de participation", + "Domain": "Domaine", + "Draft": "Brouillon", + "Drafts": "Brouillons", + "Edit": "Modifier", + "Eg: Stockholm, Dance, Chess…": "Par exemple : Lyon, Danse, Bridge…", + "Either on the {instance} instance or on another instance.": "Sur l'instance {instance} ou bien sur une autre instance.", + "Either the account is already validated, either the validation token is incorrect.": "Soit le compte est déjà validé, soit le jeton de validation est incorrect.", + "Either the email has already been changed, either the validation token is incorrect.": "Soit l'adresse email a déjà été modifiée, soit le jeton de validation est incorrect.", + "Either the participation has already been validated, either the validation token is incorrect.": "Soit la participation a déjà été validée, soit le jeton de validation est incorrect.", + "Email": "Email", + "Ends on…": "Se termine le…", + "Enjoy discovering Mobilizon!": "Amusez-vous bien en découvrant Mobilizon !", + "Enter the link URL": "Entrez l'URL du lien", + "Enter your own terms. HTML tags allowed. Mobilizon.org's terms are provided as template.": "Entrez vos propres conditions d'utilisations. Les balises HTML sont autorisées. Les conditions d'utilisation par défaut de Mobilizon.org sont fournies comme modèle.", + "Error while changing email": "Erreur lors de la modification de l'adresse email", + "Error while communicating with the server.": "Erreur de communication avec le serveur.", + "Error while saving report.": "Erreur lors de l'enregistrement du signalement.", + "Error while validating account": "Erreur lors de la validation du compte", + "Error while validating participation": "Erreur lors de la validation de la participation", + "Event already passed": "Événement déjà passé", + "Event cancelled": "Événement annulé", + "Event creation": "Création d'évènement", + "Event edition": "Modification d'évènement", + "Event list": "Liste d'évènements", + "Event not found.": "Événement non trouvé.", + "Event page settings": "Paramètres de la page de l'évènement", + "Event to be confirmed": "Événement à confirmer", + "Event {eventTitle} deleted": "Événement {eventTitle} supprimé", + "Event {eventTitle} reported": "Événement {eventTitle} signalé", + "Event": "Événement", + "Events": "Événements", + "Ex: test.mobilizon.org": "Ex : test.mobilizon.org", + "Exclude": "Exclure", + "Explore": "Explorer", + "Failed to save admin settings": "Échec de la sauvegarde des paramètres administrateur", + "Featured events": "Événements à la une", + "Features": "Fonctionnalités", + "Federation": "Fédération", + "Find an address": "Trouver une adresse", + "Find an instance": "Trouver une instance", + "Followers": "Abonnés", + "Followings": "Abonnements", + "For instance: London, Taekwondo, Architecture…": "Par exemple : Lyon, Taekwondo, Architecture…", + "Forgot your password ?": "Mot de passe oublié ?", + "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "De l’anniversaire entre ami·e·s à une marche pour le climat, aujourd’hui, les bonnes raisons de se rassembler sont captées par les géants du web. Comment s’organiser, comment cliquer sur « je participe » sans livrer des données intimes à Facebook ou s’enfermer dans MeetUp ?", + "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Du {startDate} à {startTime} au {endDate} à {endTime}", + "From the {startDate} at {startTime} to the {endDate}": "Du {startDate} à {startTime} jusqu'au {endDate}", + "From the {startDate} to the {endDate}": "Du {startDate} au {endDate}", + "Gather ⋅ Organize ⋅ Mobilize": "Rassembler ⋅ Organiser ⋅ Mobiliser", + "General information": "Informations générales", + "General": "Général", + "Getting location": "Récupération de la position", + "Go": "Allons-y", + "Going as {name}": "En tant que {name}", + "Group List": "Liste de groupes", + "Group full name": "Nom complet du groupe", + "Group name": "Nom du groupe", + "Group {displayName} created": "Groupe {displayName} créé", + "Groups": "Groupes", + "Headline picture": "Image à la une", + "Hide replies": "Masquer les réponses", + "I create an identity": "Je crée une identité", + "I don't have a Mobilizon account": "Je n'ai pas de compte Mobilizon", + "I have a Mobilizon account": "J'ai un compte Mobilizon", + "I have an account on another Mobilizon instance.": "J'ai un compte sur une autre instance Mobilizon.", + "I participate": "Je participe", + "I want to allow people to participate without an account.": "Je veux permettre aux gens de participer sans avoir un compte.", + "I want to approve every participation request": "Je veux approuver chaque demande de participation", + "Identity {displayName} created": "Identité {displayName} créée", + "Identity {displayName} deleted": "Identité {displayName} supprimée", + "Identity {displayName} updated": "Identité {displayName} mise à jour", + "If an account with this email exists, we just sent another confirmation email to {email}": "Si un compte avec un tel email existe, nous venons juste d'envoyer un nouvel email de confirmation à {email}", + "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Si cette identité est la seule administratrice de certains groupes, vous devez les supprimer avant de pouvoir supprimer cette identité.", + "If you want, you may send a message to the event organizer here.": "Si vous le désirez, vous pouvez laisser un message pour l'organisateur⋅ice de l'événement ci-dessous.", + "Impossible to login, your email or password seems incorrect.": "Impossible de se connecter, votre email ou bien votre mot de passe semble incorrect.", + "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "D'ici là, veuillez considérer que le logiciel n'est pas (encore) fini. Plus d'informations {onBlog}.", + "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Installer Mobilizon permettra à des collectifs de s’émanciper des outils des géants du web en créant leur propre plateforme d’évènements.", + "Instance Description": "Description de l'instance", + "Instance Name": "Nom de l'instance", + "Instance Terms Source": "Source des conditions d'utilisation de l'instance", + "Instance Terms URL": "URL des conditions générales de l'instance", + "Instance Terms": "Conditions générales de l'instance", + "Instance settings": "Paramètres de l'instance", + "Instances": "Instances", + "Join {instance}, a Mobilizon instance": "Rejoignez {instance}, une instance Mobilizon", + "Last published event": "Dernier évènement publié", + "Last week": "La semaine dernière", + "Learn more about Mobilizon": "En apprendre plus à propos de Mobilizon", + "Learn more": "En apprendre plus", + "Leave event": "Annuler ma participation à l'évènement", + "Leaving event \"{title}\"": "Annuler ma participation à l'évènement", + "Let's create a new common": "Créons un nouveau Common", + "License": "Licence", + "Limited number of places": "Nombre de places limité", + "Load more": "Voir plus", + "Locality": "Commune", + "Log in": "Se connecter", + "Log out": "Se déconnecter", + "Login on Mobilizon!": "Se connecter sur Mobilizon !", + "Login on {instance}": "Se connecter sur {instance}", + "Login": "Se connecter", + "Manage participations": "Gérer les participations", + "Mark as resolved": "Marquer comme résolu", + "Members": "Membres", + "Message": "Message", + "Mobilizon is a federated network. You can interact with this event from a different server.": "Mobilizon est un réseau fédéré. Vous pouvez interagir avec cet événement depuis un serveur différent.", + "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon est un logiciel libre qui permettra à des communautés de créer leurs propres espaces de publication d’évènements, afin de mieux s’émanciper des géants du web.", + "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon est en cours de développement, nous ajouterons de nouvelles fonctionnalités à ce site lors de mises à jour régulières, jusqu'à la publication de la version 1 du logiciel au premier semestre 2020.", + "Mobilizon’s licence": "La licence de Mobilizon", + "Moderated comments (shown after approval)": "Commentaires modérés (affichés après validation)", + "Moderation log": "Journaux de modération", + "Moderation": "Modération", + "My account": "Mon compte", + "My events": "Mes évènements", + "My identities": "Mes identités", + "Name": "Nom", + "New email": "Nouvelle adresse e-mail", + "New note": "Nouvelle note", + "New password": "Nouveau mot de passe", + "New profile": "Nouveau profil", + "Next page": "Page suivante", + "No actors found": "Aucun acteur trouvé", + "No address defined": "Aucune adresse définie", + "No closed reports yet": "Aucun signalement fermé pour le moment", + "No comment": "Pas de commentaire", + "No comments yet": "Pas encore de commentaires", + "No end date": "Pas de date de fin", + "No events found": "Aucun évènement trouvé", + "No group found": "Aucun groupe trouvé", + "No groups found": "Aucun groupe trouvé", + "No instance follows your instance yet.": "Aucune instance ne suit votre instance pour le moment.", + "No instance to approve|Approve instance|Approve {number} instances": "Aucune instance à approuver|Approuver une instance|Approuver {number} instances", + "No instance to reject|Reject instance|Reject {number} instances": "Aucune instance à rejeter|Rejeter une instance|Rejeter {number} instances", + "No instance to remove|Remove instance|Remove {number} instances": "Pas d'instances à supprimer|Supprimer une instance|Supprimer {number} instances", + "No message": "Pas de message", + "No notification settings yet": "Pas encore de paramètres de notification", + "No open reports yet": "Aucun signalement ouvert pour le moment", + "No participant to approve|Approve participant|Approve {number} participants": "Aucun⋅e participant⋅e à valider|Valider le ou la participant⋅e|Valider {number} participant⋅es", + "No participant to reject|Reject participant|Reject {number} participants": "Aucun⋅e participant⋅e à refuser|Refuser le ou la participant⋅e|Refuser {number} participant⋅es", + "No preferences yet": "Pas encore de préférences", + "No resolved reports yet": "Aucun signalement résolu pour le moment", + "No results for \"{queryText}\"": "Pas de résultats pour « {queryText} »", + "No user account with this email was found. Maybe you made a typo?": "Aucun compte utilisateur trouvé pour cet email. Peut-être avez-vous fait une faute de frappe ?", + "Notes": "Notes", + "Notifications": "Notifications", + "Number of places": "Nombre de places", + "OK": "OK", + "Old password": "Ancien mot de passe", + "On {date} ending at {endTime}": "Le {date}, se terminant à {endTime}", + "On {date} from {startTime} to {endTime}": "Le {date} de {startTime} à {endTime}", + "On {date} starting at {startTime}": "Le {date} à partir de {startTime}", + "On {date}": "Le {date}", + "One person is going": "Personne n'y va | Une personne y va | {approved} personnes y vont", + "Only accessible through link and search (private)": "Uniquement accessibles par lien et la recherche (privé)", + "Only alphanumeric characters and underscores are supported.": "Seuls les caractères alphanumériques et les tirets bas sont acceptés.", + "Open": "Ouvert", + "Opened reports": "Signalements ouverts", + "Or": "Ou", + "Organized by {name}": "Organisé par {name}", + "Organized": "Organisés", + "Organizer": "Organisateur⋅ice", + "Other software may also support this.": "D'autres logiciels peuvent également supporter cette fonctionnalité.", + "Otherwise this identity will just be removed from the group administrators.": "Sinon cette identité sera juste supprimée des administrateur⋅ices du groupe.", + "Page limited to my group (asks for auth)": "Accès limité à mon groupe (demande authentification)", + "Page not found": "Page non trouvée", + "Page": "Page", + "Participant already was rejected.": "Le ou la participant⋅e a déjà été refusé⋅e.", + "Participant has already been approved as participant.": "Le ou la participant⋅e a déjà été approuvé⋅e en tant que participant⋅e.", + "Participant": "Participant⋅e", + "Participants": "Participant⋅e⋅s", + "Participate using your email address": "Participer en utilisant votre adresse email", + "Participate": "Participer", + "Participation approval": "Validation des participations", + "Participation confirmation": "Confirmation de votre participation", + "Participation requested!": "Participation demandée !", + "Password (confirmation)": "Mot de passe (confirmation)", + "Password change": "Changement de mot de passe", + "Password reset": "Réinitialisation du mot de passe", + "Password": "Mot de passe", + "Past events": "Événements passés", + "Pending": "En attente", + "Pick an identity": "Choisissez une identité", + "Please check your spam folder if you didn't receive the email.": "Merci de vérifier votre dossier des indésirables si vous n'avez pas reçu l'email.", + "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Veuillez contacter l'administrateur⋅ice de cette instance Mobilizon si vous pensez qu’il s’agit d’une erreur.", + "Please enter your password to confirm this action.": "Merci d'entrer votre mot de passe pour confirmer cette action.", + "Please make sure the address is correct and that the page hasn't been moved.": "Assurez‐vous que l’adresse est correcte et que la page n’a pas été déplacée.", + "Please read the full rules": "Merci de lire les règles complètes", + "Please refresh the page and retry.": "Merci de rafraîchir la page puis réessayer.", + "Please type at least 5 characters": "Merci d'entrer au moins 5 caractères", + "Post a comment": "Ajouter un commentaire", + "Post a reply": "Envoyer une réponse", + "Postal Code": "Code postal", + "Preferences": "Préférences", + "Previous page": "Page précédente", + "Privacy Policy": "Politique de confidentialité", + "Private event": "Événement privé", + "Private feeds": "Flux privés", + "Profiles": "Profils", + "Public RSS/Atom Feed": "Flux RSS/Atom public", + "Public comment moderation": "Modération des commentaires publics", + "Public event": "Événement public", + "Public feeds": "Flux publics", + "Public iCal Feed": "Flux iCal public", + "Publish": "Publier", + "Published events": "Événements publiés", + "RSS/Atom Feed": "Flux RSS/Atom", + "Read Framasoft’s statement of intent on the Framablog": "Lire la note d’intention de Framasoft sur le Framablog", + "Redirecting to event…": "Redirection vers l'événement…", + "Region": "Région", + "Register an account on Mobilizon!": "S'inscrire sur Mobilizon !", + "Register for an event by choosing one of your identities": "S'inscrire à un évènement en choisissant une de vos identités", + "Register": "S'inscrire", + "Registration is allowed, anyone can register.": "Les inscriptions sont autorisées, n'importe qui peut s'inscrire.", + "Registration is closed.": "Les inscriptions sont fermées.", + "Registration is currently closed.": "Les inscriptions sont actuellement fermées.", + "Registrations are restricted by whitelisting.": "Les inscriptions sont restreintes par liste blanche.", + "Reject": "Rejeter", + "Rejected participations": "Participations rejetées", + "Rejected": "Rejetés", + "Reopen": "Réouvrir", + "Reply": "Répondre", + "Report this comment": "Signaler ce commentaire", + "Report this event": "Signaler cet évènement", + "Report": "Signalement", + "Reported by someone on {domain}": "Signalé par quelqu'un depuis {domain}", + "Reported by {reporter}": "Signalé par {reporter}", + "Reported by": "Signalée par", + "Reported identity": "Identité signalée", + "Reported": "Signalée", + "Reports": "Signalements", + "Requests": "Requêtes", + "Resend confirmation email": "Envoyer à nouveau l'email de confirmation", + "Reset my password": "Réinitialiser mon mot de passe", + "Resolved": "Résolu", + "Resource provided is not an URL": "La ressource fournie n'est pas une URL", + "Role": "Rôle", + "Save draft": "Enregistrer le brouillon", + "Save": "Enregistrer", + "Search events, groups, etc.": "Rechercher des évènements, des groupes, etc.", + "Search results: \"{search}\"": "Résultats de recherche : « {search} »", + "Search": "Rechercher", + "Searching…": "Recherche en cours…", + "Send email": "Envoyer un email", + "Send me an email to reset my password": "Envoyez-moi un email pour réinitialiser mon mot de passe", + "Send me the confirmation email once again": "Envoyez-moi l'email de confirmation encore une fois", + "Send the report": "Envoyer le signalement", + "Set an URL to a page with your own terms.": "Entrez une URL vers une page web avec vos propres conditions d'utilisation.", + "Settings": "Paramètres", + "Share this event": "Partager l'évènement", + "Show map": "Afficher la carte", + "Show remaining number of places": "Afficher le nombre de places restantes", + "Show the time when the event begins": "Afficher l'heure de début de l'évènement", + "Show the time when the event ends": "Afficher l'heure de fin de l'évènement", + "Sign up": "S'enregistrer", + "Software to the people": "Des logiciels pour les gens", + "Starts on…": "Débute le…", + "Status": "Statut", + "Street": "Rue", + "Tentative: Will be confirmed later": "Provisoire : sera confirmé plus tard", + "Terms": "Conditions d'utilisation", + "The account's email address was changed. Check your emails to verify it.": "L'adresse email du compte a été modifiée. Vérifiez vos emails pour confirmer le changement.", + "The actual number of participants may differ, as this event is hosted on another instance.": "Le nombre réel de participant⋅e⋅s peut être différent, car cet événement provient d'une autre instance.", + "The content came from another server. Transfer an anonymous copy of the report?": "Le contenu provient d'une autre instance. Transférer une copie anonyme du signalement ?", + "The current identity doesn't have any permission on this event. You should probably change it.": "L'identité actuelle n'a pas de permissions sur cet évènement. Vous devriez probablement en changer.", + "The current password is invalid": "Le mot de passe actuel est invalide", + "The draft event has been updated": "L'évènement brouillon a été mis à jour", + "The event has been created as a draft": "L'évènement a été créé en tant que brouillon", + "The event has been published": "L'évènement a été publié", + "The event has been updated and published": "L'évènement a été mis à jour et publié", + "The event has been updated": "L'évènement a été mis à jour", + "The event organiser has chosen to validate manually participations. Do you want to add a little note to explain why you want to participate to this event?": "L'organisateur⋅ice de l'événement a choisi de valider manuellement les demandes de participation. Voulez-vous ajouter un petit message pour expliquer pourquoi vous souhaitez participer à cet événement ?", + "The event organizer didn't add any description.": "L'organisateur⋅ice de l'évènement n'a pas ajouté de description.", + "The event organizer manually approves participations. Since you've chosen to participate without an account, please explain why you want to participate to this event.": "L'organisateur⋅ice de l'événement valide les participations manuellement. Comme vous avez choisi de participer sans compte, merci d'expliquer pourquoi vous voulez participer à cet événement.", + "The event title will be ellipsed.": "Le titre de l'évènement sera ellipsé.", + "The new email doesn't seem to be valid": "La nouvelle adresse email ne semble pas être valide", + "The new email must be different": "La nouvelle adresse email doit être différente", + "The new password must be different": "Le nouveau mot de passe doit être différent", + "The page you're looking for doesn't exist.": "La page que vous recherchez n'existe pas.", + "The password provided is invalid": "Le mot de passe fourni est invalide", + "The password was successfully changed": "Le mot de passe a été changé avec succès", + "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "Le signalement sera envoyé aux modérateur⋅ices de votre instance. Vous pouvez expliquer pourquoi vous signalez ce contenu ci-dessous.", + "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "Le compte utilisateur avec lequel vous essayez de vous connectez n'a pas été confirmé. Vérifiez la boite de réception de votre adresse email et éventuellement le dossier des messages indésirables.", + "The {default_terms} will be used. They will be translated in the user's language.": "Les {default_terms} seront utilisées. Elles seront traduites dans la langue de l'utilisateur⋅ice.", + "There are {participants} participants.": "Il n'y a qu'un⋅e participant⋅e. | Il y a {participants} participant⋅es.", + "There will be no way to recover your data.": "Il n'y aura aucun moyen de récupérer vos données.", + "These events may interest you": "Ces évènements peuvent vous intéresser", + "This Mobilizon instance and this event organizer allows anonymous participations, but requires validation through email confirmation.": "Cette instance Mobilizon et l'organisateur⋅ice de l'événement autorise les participations anonymes, mais requiert une validation à travers une confirmation par email.", + "This email is already registered as participant for this event": "Cet email est déjà enregistré comme participant⋅e pour cet événement", + "This information is saved only on your computer. Click for details": "Cette information est sauvegardée uniquement sur votre appareil. Cliquez pour plus de details", + "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Cette installation (appelée “instance“) peut facilement {interconnect}, grâce à {protocol}.", + "This instance isn't opened to registrations, but you can register on other instances.": "Cette instance n'autorise pas les inscriptions, mais vous pouvez vous enregistrer sur d'autres instances.", + "This is a demonstration site to test the beta version of Mobilizon.": "Ceci est un site de démonstration permettant de tester la version bêta de Mobilizon.", + "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Cela supprimera / anonymisera tout le contenu (évènements, commentaires, messages, participations…) créés avec cette identité.", + "Title": "Titre", + "To achieve your registration, please create a first identity profile.": "Pour finir votre inscription, veuillez créer un premier profil.", + "To change the world, change the software": "Changer de logiciel pour changer le monde", + "To confirm, type your event title \"{eventTitle}\"": "Pour confirmer, entrez le titre de l'évènement « {eventTitle} »", + "To confirm, type your identity username \"{preferredUsername}\"": "Pour confirmer, entrez le nom de l’identité « {preferredUsername} »", + "Transfer to {outsideDomain}": "Transférer à {outsideDomain}", + "Type": "Type", + "URL": "URL", + "Unfortunately, this instance isn't opened to registrations": "Malheureusement, cette instance n'est pas ouverte aux inscriptions", + "Unfortunately, your participation request was rejected by the organizers.": "Malheureusement, votre demande de participation a été refusée par les organisateur⋅ices.", + "Unknown actor": "Acteur inconnu", + "Unknown error.": "Erreur inconnue.", + "Unknown": "Inconnu", + "Unsaved changes": "Modifications non enregistrées", + "Upcoming": "À venir", + "Update event {name}": "Mettre à jour l'évènement {name}", + "Update my event": "Mettre à jour mon évènement", + "Updated": "Mis à jour", + "Username": "Pseudo", + "Users": "Utilisateur⋅ice⋅s", + "View a reply": "Aucune réponse | Voir une réponse | Voir {totalReplies} réponses", + "View event page": "Voir la page de l'évènement", + "View everything": "Voir tout", + "View page on {hostname} (in a new window)": "Voir la page sur {hostname} (dans une nouvelle fenêtre)", + "Visible everywhere on the web (public)": "Visible partout sur le web (public)", + "Waiting for organization team approval.": "En attente d'approbation par l'organisation.", + "Waiting list": "Liste d'attente", + "Warning": "Attention", + "We just sent an email to {email}": "Nous venons d'envoyer un email à {email}", + "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Nous voulons développer un commun numérique, que tout le monde pourra s’approprier, conçu dans le respect de la vie privée et de l’action militante.", + "We will redirect you to your instance in order to interact with this event": "Nous vous redirigerons vers votre instance pour interagir avec cet événement", + "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "On ne changera pas le monde depuis Facebook. L’outil dont nous rêvons, les entreprises du capitalisme de surveillance sont incapables de le produire, car elles ne sauraient pas en tirer profit. C’est l’occasion de faire mieux qu’elles, en faisant autrement.", + "Website / URL": "Site web / URL", + "Welcome back {username}!": "Bon retour {username} !", + "Welcome back!": "Bon retour !", + "Welcome on your administration panel": "Bienvenue sur votre espace d'administration", + "Welcome to Mobilizon, {username}!": "Bienvenue sur Mobilizon, {username} !", + "Who can view this event and participate": "Qui peut voir cet évènement et y participer", + "World map": "Carte mondiale", + "Write something…": "Écrivez quelque chose…", + "You and one other person are going to this event": "Vous êtes le ou la seul⋅e à vous rendre à cet évènement | Vous et une autre personne vous rendez à cet évènement | Vous et {approved} autres personnes vous rendez à cet évènement.", + "You are already a participant of this event.": "Vous participez déjà à cet évènement.", + "You are already logged-in.": "Vous êtes déjà connecté.", + "You are participating in this event anonymously but didn't confirm participation": "Vous participez à cet événement anonymement mais vous n'avez pas confirmé votre participation", + "You are participating in this event anonymously": "Vous participez à cet événement anonymement", + "You can add tags by hitting the Enter key or by adding a comma": "Vous pouvez ajouter des tags en appuyant sur la touche Entrée ou bien en ajoutant une virgule", + "You can try another search term or drag and drop the marker on the map": "Vous pouvez essayer avec d'autres termes de recherche ou bien glisser et déposer le marqueur sur la carte", + "You can't remove your last identity.": "Vous ne pouvez pas supprimer votre dernière identité.", + "You don't follow any instances yet.": "Vous ne suivez aucune instance pour le moment.", + "You have been disconnected": "Vous avez été déconnecté⋅e", + "You have cancelled your participation": "Vous avez annulé votre participation", + "You have one event in {days} days.": "Vous n'avez pas d'évènements dans {days} jours | Vous avez un évènement dans {days} jours. | Vous avez {count} évènements dans {days} jours", + "You have one event today.": "Vous n'avez pas d'évenement aujourd'hui | Vous avez un évènement aujourd'hui. | Vous avez {count} évènements aujourd'hui", + "You have one event tomorrow.": "Vous n'avez pas d'évènement demain | Vous avez un évènement demain. | Vous avez {count} évènements demain", + "You may also ask to {resend_confirmation_email}.": "Vous pouvez aussi demander à {resend_confirmation_email}.", + "You need to login.": "Vous devez vous connecter.", + "You will be redirected to the original instance": "Vous allez être redirigé⋅e vers l'instance d'origine", + "You wish to participate to the following event": "Vous souhaitez participer à l'événement suivant", + "You'll receive a confirmation email.": "Vous recevrez un email de confirmation.", + "Your account has been successfully deleted": "Votre compte a été supprimé avec succès", + "Your account has been validated": "Votre compte a été validé", + "Your account is being validated": "Votre compte est en cours de validation", + "Your account is nearly ready, {username}": "Votre compte est presque prêt, {username}", + "Your current email is {email}. You use it to log in.": "Votre adresse e-mail actuelle est {email}. Vous l'utilisez pour vous connecter.", + "Your email has been changed": "Votre adresse email a bien été modifiée", + "Your email is being changed": "Votre adresse email est en train d'être modifiée", + "Your email is not whitelisted, you can't register.": "Votre email n'est pas sur la liste blanche, vous ne pouvez pas vous inscrire.", + "Your email will only be used to confirm that you're a real person and send you eventual updates for this event. It will NOT be transmitted to other instances or to the event organizer.": "Votre email sera uniquement utilisé pour confirmer que vous êtes bien une personne réelle et vous envoyer des éventuelles mises à jour pour cet événement. Il ne sera PAS transmis à d'autres instances ou à l'organisateur de l'événement.", + "Your federated identity profile@instance": "Votre identité fédérée profil@instance", + "Your federated identity": "Votre identité fédérée", + "Your local administrator resumed its policy:": "Votre administrateur⋅ice local a résumé sa politique ainsi :", + "Your participation has been confirmed": "Votre participation a été confirmée", + "Your participation has been rejected": "Votre participation a été rejettée", + "Your participation has been requested": "Votre participation a été demandée", + "Your participation has been validated": "Votre participation a été validée", + "Your participation is being validated": "Votre participation est en cours de validation", + "Your participation status has been changed": "Le statut de votre participation a été mis à jour", + "[This comment has been deleted]": "[Ce commentaire a été supprimé]", + "[deleted]": "[supprimé]", + "a decentralised federation protocol": "un protocole de fédération décentralisée", + "as {identity}": "en tant que {identity}", + "default Mobilizon terms": "conditions d'utilisation par défaut de Mobilizon.org", + "e.g. 10 Rue Jangot": "par exemple : 10 Rue Jangot", + "firstDayOfWeek": "1", + "iCal Feed": "Flux iCal", + "interconnect with others like it": "s’interconnecter simplement avec d’autres", + "its source code is public": "son code source est public", + "on our blog": "sur notre blog", + "profile@instance": "profil@instance", + "resend confirmation email": "réenvoyer l'email de confirmation", + "respect of the fundamental freedoms": "le respect des libertés fondamentales", + "with another identity…": "avec une autre identité…", + "{approved} / {total} seats": "{approved} / {total} places", + "{count} participants": "Aucun⋅e participant⋅e | Un⋅e participant⋅e | {count} participant⋅e⋅s", + "{count} requests waiting": "Une demande en attente|{count} demandes en attente", + "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} garantit {respect} des personnes qui l'utiliseront. Puisque {source}, il est publiquement auditable, ce qui garantit sa transparence.", + "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© Les contributeurs de Mobilizon {date} - Fait avec Elixir, Phoenix, VueJS & et de l'amour et des semaines", + "© The OpenStreetMap Contributors": "© Les Contributeur⋅ices OpenStreetMap", + "@{username} ({role})": "@{username} ({role})", + "Collections": "Collections", + "{title} ({count} todos)": "{title} ({count} todos)", + "Pick a group": "Choisissez un groupe", + "Unset group": "Déselectionner le groupe", + "Add a group": "Ajouter un groupe", + "The event will show the group as organizer.": "L'événement affichera le groupe en tant qu'organisateur⋅ice.", + "My groups": "Mes groupes", + "Assigned to": "Assigné à", + "Due on": "Prévu pour le", + "Organizers": "Organisateur⋅ices", + "Hide the organizer": "Masquer l'organisateur⋅ice", + "Don't show @{organizer} as event host alongside @{group}": "Ne pas afficher @{organizer} comme organisateur⋅ice de l'événement avec @{group}", + "Group": "Groupe", + "Ongoing tasks": "Tâches en cours", + "Create a new task list": "Créer une nouvelle liste de tâches", + "You need to create the group before you create an event.": "Vous devez créer le groupe avant de créer l'événement.", + "This identity is not a member of any group.": "Cette identité n'est membre d'aucun groupe.", + "(Masked)": "(Masqué)", + "{going}/{capacity} available places": "Pas de places restantes|{going}/{capacity} places restantes", + "No one is going to this event": "Personne n'a va encore|Une personne y va|{going} personnes y vont", + "By @{group}": "Par @{group}", + "Date and time": "Date et heure", + "Location": "Lieu", + "No resources selected": "Aucune ressource sélectionnée|Une ressource sélectionnée|{count} ressources sélectionnées", + "You have been invited by {invitedBy} to the following group:": "Vous avez été invité par {invitedBy} à rejoindre le groupe suivant :", + "Accept": "Accepter", + "Decline": "Refuser", + "Rename": "Renommer", + "Move": "Déplacer", + "Contact": "Contact", + "Website": "Site web", + "Actor": "Acteur", + "Statut": "Statut", + "Conversations": "Conversations", + "Text": "Texte", + "New conversation": "Nouvelle conversation", + "Create a new conversation": "Créer une nouvelle conversation", + "All group members and other eventual server admins will still be able to view this information.": "Tous les membres du groupes et les administrateur·ices d'éventuels autres serveurs seront toujours en capacité de voir cette information.", + "Upcoming events": "Événements à venir", + "View all upcoming events": "Voir tous les événements à venir", + "Resources": "Resources", + "View all resources": "Voir toutes les resources", + "Public page": "Page publique", + "Followed by {count} persons": "Suivi par {count} personnes", + "Edit biography": "Éditer la biographie", + "Post a public message": "Poster un message public", + "View all todos": "Voir tous les todos", + "Discussions": "Discussions", + "View all conversations": "Voir toutes les conversations", + "No public upcoming events": "Aucun événement public à venir", + "Latest posts": "Derniers messages publics", + "Invite a new member": "Inviter un nouveau membre", + "Ex: someone@mobilizon.org": "Ex: une_personne@mobilizon.org", + "Invite member": "Inviter un·e membre", + "Group Members": "Membres du groupe", + "Public": "Public", + "New folder": "Nouveau dossier", + "New link": "Nouveau lien", + "Rename resource": "Renommer la resource", + "Create resource": "Créer une resource", + "Create a pad": "Créer un pad", + "Create a calc": "Créer un calc", + "Create a visioconference": "Créer une visio-conférence", + "Create folder": "Créer un dossier", + "Task lists": "Listes de tâches", + "Add a todo": "Ajouter un todo", + "List title": "Titre de la liste", + "Create a new list": "Créer une nouvelle liste" +} diff --git a/js/src/i18n/index.js b/js/src/i18n/index.js deleted file mode 100644 index 049096a2a..000000000 --- a/js/src/i18n/index.js +++ /dev/null @@ -1,41 +0,0 @@ -import ar from './ar'; -import be from './be'; -import ca from './ca'; -import cs from './cs'; -import de from './de'; -import en_US from './en_US'; -import es from './es'; -import fi from './fi'; -import fr_FR from './fr_FR'; -import it from './it'; -import ja from './ja'; -import nl from './nl'; -import oc from './oc'; -import pl from './pl'; -import pt from './pt'; -import pt_BR from './pt_BR'; -import ru from './ru'; -import sv from './sv'; - -export default { - ar, - be, - ca, - cs, - de, - en: en_US, - en_US, - es, - fi, - fr: fr_FR, - fr_FR, - it, - ja, - nl, - oc, - pl, - pt, - pt_BR, - ru, - sv -} \ No newline at end of file diff --git a/js/src/i18n/index.ts b/js/src/i18n/index.ts new file mode 100644 index 000000000..af920d2e7 --- /dev/null +++ b/js/src/i18n/index.ts @@ -0,0 +1,43 @@ +/* eslint-disable @typescript-eslint/camelcase */ + +import ar from "./ar.json"; +import be from "./be.json"; +import ca from "./ca.json"; +import cs from "./cs.json"; +import de from "./de.json"; +import en_US from "./en_US.json"; +import es from "./es.json"; +import fi from "./fi.json"; +import fr_FR from "./fr_FR.json"; +import it from "./it.json"; +import ja from "./ja.json"; +import nl from "./nl.json"; +import oc from "./oc.json"; +import pl from "./pl.json"; +import pt from "./pt.json"; +import pt_BR from "./pt_BR.json"; +import ru from "./ru.json"; +import sv from "./sv.json"; + +export default { + ar, + be, + ca, + cs, + de, + en: en_US, + en_US, + es, + fi, + fr: fr_FR, + fr_FR, + it, + ja, + nl, + oc, + pl, + pt, + pt_BR, + ru, + sv, +}; diff --git a/js/src/i18n/it.json b/js/src/i18n/it.json index 33c79911e..768c0524b 100644 --- a/js/src/i18n/it.json +++ b/js/src/i18n/it.json @@ -1,14 +1,14 @@ { - "Add": "Aggiungi", - "Add an address": "Aggiungi un indirizzo", - "Add to my calendar": "Aggiungi al mio calendario", - "Allow all comments": "Permetti tutti i commenti", - "An error has occurred.": "C'è stato un errore.", - "Cancel": "Cancella", - "Cancel creation": "Cancella creazione", - "Change": "Cambia", - "Change my password": "Cambia la mia password", - "Change password": "Cambia password", - "Comments": "Commenti", - "Confirm my particpation": "Conferma la mia partecipazione" + "Add": "Aggiungi", + "Add an address": "Aggiungi un indirizzo", + "Add to my calendar": "Aggiungi al mio calendario", + "Allow all comments": "Permetti tutti i commenti", + "An error has occurred.": "C'è stato un errore.", + "Cancel": "Cancella", + "Cancel creation": "Cancella creazione", + "Change": "Cambia", + "Change my password": "Cambia la mia password", + "Change password": "Cambia password", + "Comments": "Commenti", + "Confirm my particpation": "Conferma la mia partecipazione" } diff --git a/js/src/i18n/nl.json b/js/src/i18n/nl.json index ad932ae49..ee524cd5b 100644 --- a/js/src/i18n/nl.json +++ b/js/src/i18n/nl.json @@ -1,326 +1,326 @@ { - "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Een gebruiksvriendelijk, emanciperend en ethisch verantwoord instrument om mensen samen te brengen, zich te organiseren, en te mobiliseren.", - "A validation email was sent to {email}": "Er is een valideringsemail verstuurd naar {email}", - "Abandon edition": "Bewerking annuleren", - "About": "Over", - "About Mobilizon": "Over Mobilizon", - "About this event": "Over dit evenement", - "About this instance": "Over deze server", - "Add": "Toevoegen", - "Add an address": "Een adres toevoegen", - "Add some tags": "Tags toevoegen", - "Add to my calendar": "Aan mijn kalender toevoegen", - "Additional comments": "Meer opmerkingen", - "Administration": "Administratie", - "All the places have already been taken": "Ale plaatsen zijn bezet|Er is nog één plaats vrij|Er zijn nog {places} plaatsen vrij", - "Allow all comments": "Alle opmerkingen toestaan", - "An error has occurred.": "Er is een fout opgetreden.", - "Approve": "Goedkeuren", - "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Bent u zeker dat u het aanmaken van dit evenement wil annuleren? Alle veranderingen zullen verloren gaan.", - "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Bent u zeker dat u het bewerken van dit evenement wil annuleren? Alle veranderingen zullen verloren gaan.", - "Are you sure you want to cancel your participation at event \"{title}\"?": "Bent u zeker dat u uw deelname aan het evenement \"{title}\" wil annuleren?", - "Are you sure you want to delete this event? This action cannot be reverted.": "Bent u zeker dat u dit evenement wil verwijderen? Dit kan niet ongedaan gemaakt worden.", - "Avatar": "Profielfoto", - "Before you can login, you need to click on the link inside it to validate your account": "Voordat u zich kan aanmelden, moet u op de link erin klikken om uw account te valideren", - "By @{username}": "Door @{username}", - "Cancel": "Annuleren", - "Cancel creation": "Aanmaken annuleren", - "Cancel edition": "Bewerken annuleren", - "Cancel my participation request…": "Mijn deelnameverzoek annuleren…", - "Cancel my participation…": "Mijn deelname annuleren…", - "Cancelled: Won't happen": "Geannuleerd: gaat niet door", - "Category": "Categorie", - "Change": "Wijzigen", - "Change my identity…": "Identiteit veranderen…", - "Change my password": "Wachtwoord wijzigen", - "Change password": "Wachtwoord wijzigen", - "Clear": "Leegmaken", - "Click to select": "Klik om te kiezen", - "Click to upload": "Klik om te uploaden", - "Close comments for all (except for admins)": "Opmerkingen sluiten voor iedereen (behalve beheerders)", - "Comments": "Opmerkingen", - "Comments on the event page": "Opmerkingen op de pagina van het evenement", - "Confirm my particpation": "Mijn deelname bevestigen", - "Confirmed: Will happen": "Bevestigd: gaat door", - "Continue editing": "Verder gaan met bewerken", - "Country": "Land", - "Create": "Aanmaken", - "Create a new event": "Maak een nieuw evenement aan", - "Create a new group": "Maak een nieuwe groep", - "Create a new identity": "Maak een nieuwe identiteit", - "Create and manage several identities from the same account": "Maak en beheer meerdere identiteiten vanuit dezelfde account", - "Create group": "Groep aanmaken", - "Create my event": "Mijn evenement aanmaken", - "Create my group": "Mijn groep aanmaken", - "Create my profile": "Mijn profiel aanmaken", - "Create token": "Token aanmaken", - "Create, edit or delete events": "Maak, bewerk, of verwijder evenementen", - "Creator": "Aanmaker", - "Current identity has been changed to {identityName} in order to manage this event.": "De huidige identiteit is veranderd in {identityName} om dit evenement te beheren.", - "Date and time settings": "Datum- en tijdsinstellingen", - "Date parameters": "Datuminstellingen", - "Delete": "Verwijder", - "Delete event": "Evenement verwijderen", - "Delete this identity": "Deze identiteit verwijderen", - "Delete your identity": "Uw identiteit verwijderen", - "Delete {eventTitle}": "Verwijder {eventTitle}", - "Delete {preferredUsername}": "Verwijder {preferredUsername}", - "Description": "Beschrijving", - "Didn't receive the instructions ?": "Hebt u de instructies niet ontvangen?", - "Display name": "Getoonde naam", - "Display participation price": "Prijs voor deelname tonen", - "Draft": "Concept", - "Drafts": "Concepten", - "Edit": "Bewerken", - "Eg: Stockholm, Dance, Chess…": "Bvb: Stockholm, dansen, schaken…", - "Either the account is already validated, either the validation token is incorrect.": "Ofwel is de account al gevalideerd, ofwel is de validatietoken incorrect.", - "Email": "Email", - "Ends on…": "Eindigt op…", - "Enjoy discovering Mobilizon!": "Veel plezier met het ontdekken van Mobilizon!", - "Enter the link URL": "Voeg de link URL in", - "Error while communicating with the server.": "Fout tijdens het communiceren met de server.", - "Error while saving report.": "Fout tijdens het opslaan van de melding.", - "Error while validating account": "Fout tijdens het valideren van de account", - "Event": "Evenement", - "Event already passed": "Evenement is al voorbij", - "Event cancelled": "Evenement geannuleerd", - "Event creation": "Aanmaken van het evenement", - "Event edition": "Bewerken van het evenement", - "Event list": "Evenementenlijst", - "Event not found.": "Evenement niet gevonden.", - "Event page settings": "Instellingen voor de pagina van het evenement", - "Event to be confirmed": "Evenement te bevestigen", - "Event {eventTitle} deleted": "Evenement {eventTitle} verwjderd", - "Event {eventTitle} reported": "Evenement {eventTitle} gemeld", - "Events": "Evenementen", - "Exclude": "Uitsluiten", - "Explore": "Ontdekken", - "Featured events": "Suggesties", - "Features": "Functies", - "Find an address": "Een adres zoeken", - "Find an instance": "Een server zoeken", - "For instance: London, Taekwondo, Architecture…": "Bijvoorbeeld: Londen, Taekwondo, Architectuur…", - "Forgot your password ?": "Wachtwoord vergeten?", - "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "Van een verjaardagsfeestje met vrienden en familie tot een mars tegen de klimaatverandering, momenteel zitten onze bijeenkomsten gevangen in de platformen van de techgiganten. Hoe kunnen we iets organiseren, hoe kunnen we op \"Aanwezig\" klikken, zonder privégegevens aan Facebook te geven of onszelf op te sluiten in MeetUp?", - "From the {startDate} at {startTime} to the {endDate}": "Van{startDate} om {startTime} tot {endDate}", - "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Van {startDate} om {startTime} tot {endDate} om {endTime}", - "From the {startDate} to the {endDate}": "Van {startDate} tot {endDate}", - "Gather ⋅ Organize ⋅ Mobilize": "Breng samen - Organiseer - Mobiliseer", - "General information": "Algemene informatie", - "Going as {name}": "Deelnemen als {name}", - "Group List": "Lijst met groepen", - "Group full name": "Volledige naam van de groep", - "Group name": "Groepsnaam", - "Group {displayName} created": "Groep {displayName} aangemaakt", - "Groups": "Groepen", - "Headline picture": "TItelafbeelding", - "I create an identity": "Ik maak een identiteit aan", - "I participate": "Ik neem deel", - "I want to approve every participation request": "Ik wil ieder deelnameverzoek goedkeuren", - "Identity {displayName} created": "Identiteit {displayName} aangemaakt", - "Identity {displayName} deleted": "Identiteit {displayName} verwijderd", - "Identity {displayName} updated": "Identiteit {displayName} bijgewerkt", - "If an account with this email exists, we just sent another confirmation email to {email}": "Als er al een account met dit emailadres bestaat, hebben we net nog een bevestigingsemail verstuurd naar {email}", - "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Als deze identiteit de enige beheerder van een of meerdere groepen is, moet u deze eerst verwijderen voordat u de identiteit kan verwijderen.", - "Impossible to login, your email or password seems incorrect.": "Aanmelden niet mogelijk, uw emailadres of wachtwoord is fout.", - "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "Gelieve er intussen rekening mee te houden dat de software (nog) niet klaar is. Meer informatie {onBlog}.", - "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Door Mobilizon te installeren zullen gemeenschappen zich kunnen bevrijden van de platformen en diensten van de techgiganten, en hun eigen evenementenplatform maken.", - "Join {instance}, a Mobilizon instance": "Sluit je aan bij {instance}, een Mobilizonserver", - "Last published event": "Laatst gepubliceerd evenement", - "Last week": "Vorige week", - "Learn more": "Leer meer", - "Learn more about Mobilizon": "Leer meer over Mobilizon", - "Leave event": "Evenement verlaten", - "Leaving event \"{title}\"": "Evenement \"{title}\" verlaten", - "Let's create a new common": "Laten we een nieuwe “common” maken", - "License": "Licentie", - "Limited number of places": "Beperkt aantal plaatsen", - "Load more": "Meer laden", - "Locality": "Plaats", - "Log in": "Aanmelden", - "Log out": "Afmelden", - "Login": "Aanmelden", - "Login on Mobilizon!": "Aanmelden bij Mobilizon!", - "Manage participations": "Deelnames beheren", - "Members": "Leden", - "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon is gratis/vrije software die gemeenschappen in staat stelt om hun eigen ruimtes te maken om evenementen te publiceren, zodat ze zich beter kunnen emanciperen van de techgiganten.", - "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon is in ontwikkeling, we zullen regelmatig nieuwe functies toevoegen aan deze site via updates, tot versie 1 van de software beschikbaar is in de eerste helft van 2020.", - "Mobilizon’s licence": "Mobilizonlicentie", - "Moderated comments (shown after approval)": "Gemodereerde opmerkingen (getoond na goedkeuring)", - "My account": "Mijn account", - "My events": "Mijn evenementen", - "My identities": "Mijn identiteiten", - "Name": "Naam", - "New password": "Nieuw wachtwoord", - "No address defined": "Geen adres ingesteld", - "No end date": "Geen einddatum", - "No events found": "Geen evenementen gevonden", - "No group found": "Geen groep gevonden", - "No groups found": "Geen groepen gevonden", - "No results for \"{queryText}\"": "Geen resultaten voor \"{queryText}\"", - "No user account with this email was found. Maybe you made a typo?": "Er is geen gebruikersaccount gevonden met dit emailadres. Misschien hebt u een tikfout gemaakt?", - "Number of places": "Aantal plaatsen", - "OK": "OK", - "Old password": "Oud wachtwoord", - "On {date}": "Op {date}", - "On {date} ending at {endTime}": "Op {date}, tot {endTime}", - "On {date} from {startTime} to {endTime}": "Op {date} van {startTime} tot {endTime}", - "On {date} starting at {startTime}": "Op {date} vanaf {startTime}", - "One person is going": "Niemand gaat | Eén persoon gaat | {approved} personen gaan", - "Only accessible through link and search (private)": "Alleen bereikbaar via link en zoeken (privé)", - "Opened reports": "Geopende meldingen", - "Organized": "Georganiseerd", - "Organized by {name}": "Georganiseerd door {name}", - "Organizer": "Organisator", - "Otherwise this identity will just be removed from the group administrators.": "Anders zal deze identiteit alleen verwijderd worden uit de beheerders van de groep.", - "Page limited to my group (asks for auth)": "Pagina beperkt tot mijn groep (vraag om authentificatie)", - "Page not found": "Pagina niet gevonden", - "Participant already was rejected.": "Deelnemer werd al geweigerd.", - "Participant has already been approved as participant.": "Deelnemer is al goedgekeurd.", - "Participants": "Deelnemers", - "Participate": "Deelnemen", - "Participation approval": "Goedkeuring van deelnemers", - "Participation requested!": "Deelname aangevraagd!", - "Password": "Wachtwoord", - "Password (confirmation)": "Wachtwoord (bevestigen)", - "Password change": "Wachtwoord veranderen", - "Password reset": "Wachtwoord opnieuw instellen", - "Past events": "Voorbije evenementen", - "Pick an identity": "Kies een identiteit", - "Please check your spam folder if you didn't receive the email.": "Gelieve uw map met spamberichten te controleren indien u de email niet ontvangen hebt.", - "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Gelieve de beheerder van deze Mobilizonserver te contacteren als u denkt dat dit niet juist is.", - "Please make sure the address is correct and that the page hasn't been moved.": "Gelieve te controleren dat het adres juist is, en de pagina niet verplaatst is.", - "Please read the full rules": "Gelieve de volledige regels te lezen", - "Please refresh the page and retry.": "Gelieve de pagina te verversen, en opnieuw te proberen.", - "Please type at least 5 characters": "Gelieve minstens 5 tekens te typen", - "Postal Code": "Postcode", - "Private event": "Privé-evenement", - "Private feeds": "Privéfeeds", - "Public RSS/Atom Feed": "Openbaar RSS-/Atomfeed", - "Public comment moderation": "Modereren van openbare opmerkingen", - "Public event": "Openbaar evenement", - "Public feeds": "Openbare feeds", - "Public iCal Feed": "Openbaar iCalfeed", - "Publish": "Publiceren", - "Published events": "Gepubliceerde evenementen", - "RSS/Atom Feed": "RSS-/Atomfeed", - "Read Framasoft’s statement of intent on the Framablog": "Lees de intentieverklaring van Framasoft op de Framablog", - "Region": "Regio", - "Register": "Inschrijven", - "Register an account on Mobilizon!": "Maak een account op Mobilizon!", - "Register for an event by choosing one of your identities": "Meld u aan voor een evenement door een van uw identiteiten te kiezen", - "Registration is currently closed.": "Inschrijvingen zijn momenteel gesloten.", - "Reject": "Afwijzen", - "Rejected": "Afgewezen", - "Rejected participations": "Afgewezen deelnames", - "Report": "Melden", - "Report this event": "Meld dit evenement", - "Requests": "Aanvragen", - "Resend confirmation email": "Bevestigingsemail opnieuw versturen", - "Reset my password": "Mijn wachtwoord opnieuw instellen", - "Save": "Opslaan", - "Save draft": "Concept opslaan", - "Search": "Zoeken", - "Search events, groups, etc.": "Zoek evenementen, groepen, etc.", - "Search results: \"{search}\"": "Zoekresultaten: \"{search}\"", - "Searching…": "Zoeken…", - "Send me an email to reset my password": "Stuur mij een email om mijn wachtwoord opnieuw in te stellen", - "Send me the confirmation email once again": "Stuur mij de bevestigingsemail nog eens", - "Send the report": "Verstuur de melding", - "Share this event": "Dit evenement delen", - "Show map": "Kaart tonen", - "Show remaining number of places": "Toon het overblijvend aantal plaatsen", - "Show the time when the event begins": "Toon de tijd wanneer het evenement begint", - "Show the time when the event ends": "Toon de tijd wanneer het evenement eindigt", - "Sign up": "Inschrijven", - "Software to the people": "Software voor de mensen", - "Starts on…": "Begint op…", - "Status": "Status", - "Street": "Straat", - "Tentative: Will be confirmed later": "Onder voorbehoud: zal later bevestigd worden", - "The content came from another server. Transfer an anonymous copy of the report?": "De inhoud komt van een andere server. Wilt u een anonieme kopie van de melding versturen?", - "The current identity doesn't have any permission on this event. You should probably change it.": "De huidige identiteit heeft geen toegang tot dit evenement. U moet waarschijnlijk een andere kiezen.", - "The draft event has been updated": "Het conceptevenement is bijgewerkt", - "The event has been created as a draft": "Het evenement is aangemaakt als concept", - "The event has been published": "Het evenement is gepubliceerd", - "The event has been updated": "Het evenement is bijgewerkt", - "The event has been updated and published": "Het evenement is bijgewerkt en gepubliceerd", - "The event organizer didn't add any description.": "De organisator van het evenement heeft geen beschrijving toegevoegd.", - "The event title will be ellipsed.": "De titel van het evenement zal verkort getoond worden.", - "The page you're looking for doesn't exist.": "De pagina waarnaar u zoekt bestaat niet.", - "The password was successfully changed": "Het wachtwoord is succesvol veranderd", - "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "De melding zal verstuurd worden naar de moderatoren van uw server. U kunt uitleggen waarom u onderstaande inhoud gemeld hebt.", - "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "De account waarmee u zich probeert aan te melden is nog niet bevestigd. Controleer uw email inbox, en eventueel uw map met spamberichten.", - "There are {participants} participants.": "Er zijn {participants} deelnemers.", - "These events may interest you": "Deze evenementen zouden u kunnen interesseren", - "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Deze installatie (\"server\" genoemd) kan zich dankzij {protocol} gemakkelijk {interconnect}.", - "This instance isn't opened to registrations, but you can register on other instances.": "Deze server is nog niet open voor inschrijvingen, maar u kan zich inschrijven op andere servers.", - "This is a demonstration site to test the beta version of Mobilizon.": "Dit is een demosite om de bètaversie van Mobilizon te testen.", - "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Dit zal alle inhoud (evenementen, opmerkingen, berichten, deelnames…) die aangemaakt is met deze identiteit verwijderen / anonimiseren.", - "Title": "Titel", - "To achieve your registration, please create a first identity profile.": "Gelieven een eerste identiteitsprofiel aan te maken om uw inschrijven te voltooien.", - "To change the world, change the software": "Verander de software om de wereld te veranderen", - "To confirm, type your event title \"{eventTitle}\"": "Typ de titel van uw evenement \"{eventTitle}\" om te bevestigen", - "To confirm, type your identity username \"{preferredUsername}\"": "Typ de gebruikersnaam van uw identiteit \"{preferredUsername}\" om te bevestigen", - "Transfer to {outsideDomain}": "Verplaatsen naar {outsideDomain}", - "Unfortunately, this instance isn't opened to registrations": "Jammer genoeg is deze server niet open voor inschrijvingen", - "Unfortunately, your participation request was rejected by the organizers.": "Helaas is uw deelnameverzoek afgewezen door de organisatoren.", - "Unknown error.": "Onbekende fout.", - "Unsaved changes": "Niet-bewaarde veranderingen", - "Upcoming": "Binnenkort", - "Update event {name}": "Evenement {name} bijwerken", - "Update my event": "Mijn evenement bijwerken", - "Username": "Gebruikersnaam", - "Users": "Gebruikers", - "View event page": "Pagina van het evenement bekijken", - "View everything": "Alles bekijken", - "View page on {hostname} (in a new window)": "Pagina bekijken op {hostname} (in een nieuw venster)", - "Visible everywhere on the web (public)": "Overal op het internet zichtbaar (openbaar)", - "Waiting for organization team approval.": "Wacht op goedkeuring van het organisatieteam.", - "Waiting list": "Wachtlijst", - "Warning": "Waarschuwing", - "We just sent an email to {email}": "We hebben zonet een email verstuurd naar {email}", - "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "We willen een digitale “common” ontwikkelen, die iedereen hun eigen kan maken, en die ontworpen is om privacy en activisme te respecteren.", - "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "We zullen de wereld niet veranderen van Facebook. Het hulpmiddel waar we van dromen zal niet door de bedrijven van het toezichtskapitalisme ontwikkeld worden omdat ze er geen winst kunnen mee maken. Er is een mogelijkheid om iets beters te bouwen door een andere benadering te kiezen.", - "Website / URL": "Website / URL", - "Welcome back {username}!": "Welkom terug {username}!", - "Welcome back!": "Welkom terug!", - "Welcome on your administration panel": "Welkom bij uw beheersoverzicht", - "Welcome to Mobilizon, {username}!": "Welkom bij Mobilizon, {username}!", - "Who can view this event and participate": "Wie kan dit evenement bekijken en eraan deelnemen", - "World map": "Wereldkaart", - "Write something…": "Schrijf iets…", - "You and one other person are going to this event": "U bent de enige die naar dit evenement gaat | U en één andere persoon gaan naar dit evenement | U en {approved} personen gaan naar dit evenement.", - "You are already a participant of this event.": "U neemt al deel aan dit evenement.", - "You are already logged-in.": "U bent al aangemeld.", - "You can add tags by hitting the Enter key or by adding a comma": "U kunt tags toevoegen door op de Enter-toets te drukken, of door een komma toe te voegen", - "You can't remove your last identity.": "U kunt uw laatste identiteit niet verwijderen.", - "You have been disconnected": "De verbinding is verbroken", - "You have cancelled your participation": "U hebt uw deelname geannuleerd", - "You have one event in {days} days.": "U hebt geen evenementen in {days} dagen | U hebt één evenement in {days} dagen. | U hebt {count} evenementen in {days} dagen", - "You have one event today.": "U hebt vandaag geen evenementen | U hebt vandaag één evenement | U hebt vandaag {count} evenementen", - "You have one event tomorrow.": "U hebt morgen geen evenementen | U hebt morgen één evenement. | U hebt morgen {count} evenementen", - "You may also ask to {resend_confirmation_email}.": "U kunt ook vragen om {resend_confirmation_email}.", - "You need to login.": "U moet zich aanmelden.", - "Your account has been validated": "Uw account is gevalideerd", - "Your account is being validated": "Uw account wordt gevalideerd", - "Your account is nearly ready, {username}": "Uw account is bijna klaar, {username}", - "Your local administrator resumed its policy:": "Uw plaatselijke beheerder heeft zijn politiek hervat:", - "Your participation has been confirmed": "Uw deelname is bevestigd", - "Your participation has been requested": "Uw deelname is aangevraagd", - "a decentralised federation protocol": "een gedecentraliseerd federatieprotocol", - "e.g. 10 Rue Jangot": "bvb. Jangotstraat 10", - "firstDayOfWeek": "1", - "iCal Feed": "iCalfeed", - "interconnect with others like it": "zich met andere zoals zichzelf verbinden", - "its source code is public": "de broncode is openbaar", - "on our blog": "op onze blog", - "resend confirmation email": "bevestigingsemail opnieuw versturen", - "respect of the fundamental freedoms": "respect voor de fundamentele vrijheden", - "with another identity…": "met een andere identiteit…", - "{approved} / {total} seats": "{approved} / {total} plaatsen", - "{count} participants": "Nog geen deelnemers | Eén deelnemer | {count} deelnemers", - "{count} requests waiting": "{count} aanvragen in afwachting", - "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} garandeert {respect} van de mensen die het gebruiken. Omdat {source} kan iedereen het bekijken en analyseren, wat transparantie garandeert.", - "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© Het Mobilizonteam {date} - Ontwikkeld met Elixir, Phoenix, VueJS & veel liefde en tijd" + "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Een gebruiksvriendelijk, emanciperend en ethisch verantwoord instrument om mensen samen te brengen, zich te organiseren, en te mobiliseren.", + "A validation email was sent to {email}": "Er is een valideringsemail verstuurd naar {email}", + "Abandon edition": "Bewerking annuleren", + "About": "Over", + "About Mobilizon": "Over Mobilizon", + "About this event": "Over dit evenement", + "About this instance": "Over deze server", + "Add": "Toevoegen", + "Add an address": "Een adres toevoegen", + "Add some tags": "Tags toevoegen", + "Add to my calendar": "Aan mijn kalender toevoegen", + "Additional comments": "Meer opmerkingen", + "Administration": "Administratie", + "All the places have already been taken": "Ale plaatsen zijn bezet|Er is nog één plaats vrij|Er zijn nog {places} plaatsen vrij", + "Allow all comments": "Alle opmerkingen toestaan", + "An error has occurred.": "Er is een fout opgetreden.", + "Approve": "Goedkeuren", + "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Bent u zeker dat u het aanmaken van dit evenement wil annuleren? Alle veranderingen zullen verloren gaan.", + "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Bent u zeker dat u het bewerken van dit evenement wil annuleren? Alle veranderingen zullen verloren gaan.", + "Are you sure you want to cancel your participation at event \"{title}\"?": "Bent u zeker dat u uw deelname aan het evenement \"{title}\" wil annuleren?", + "Are you sure you want to delete this event? This action cannot be reverted.": "Bent u zeker dat u dit evenement wil verwijderen? Dit kan niet ongedaan gemaakt worden.", + "Avatar": "Profielfoto", + "Before you can login, you need to click on the link inside it to validate your account": "Voordat u zich kan aanmelden, moet u op de link erin klikken om uw account te valideren", + "By @{username}": "Door @{username}", + "Cancel": "Annuleren", + "Cancel creation": "Aanmaken annuleren", + "Cancel edition": "Bewerken annuleren", + "Cancel my participation request…": "Mijn deelnameverzoek annuleren…", + "Cancel my participation…": "Mijn deelname annuleren…", + "Cancelled: Won't happen": "Geannuleerd: gaat niet door", + "Category": "Categorie", + "Change": "Wijzigen", + "Change my identity…": "Identiteit veranderen…", + "Change my password": "Wachtwoord wijzigen", + "Change password": "Wachtwoord wijzigen", + "Clear": "Leegmaken", + "Click to select": "Klik om te kiezen", + "Click to upload": "Klik om te uploaden", + "Close comments for all (except for admins)": "Opmerkingen sluiten voor iedereen (behalve beheerders)", + "Comments": "Opmerkingen", + "Comments on the event page": "Opmerkingen op de pagina van het evenement", + "Confirm my particpation": "Mijn deelname bevestigen", + "Confirmed: Will happen": "Bevestigd: gaat door", + "Continue editing": "Verder gaan met bewerken", + "Country": "Land", + "Create": "Aanmaken", + "Create a new event": "Maak een nieuw evenement aan", + "Create a new group": "Maak een nieuwe groep", + "Create a new identity": "Maak een nieuwe identiteit", + "Create and manage several identities from the same account": "Maak en beheer meerdere identiteiten vanuit dezelfde account", + "Create group": "Groep aanmaken", + "Create my event": "Mijn evenement aanmaken", + "Create my group": "Mijn groep aanmaken", + "Create my profile": "Mijn profiel aanmaken", + "Create token": "Token aanmaken", + "Create, edit or delete events": "Maak, bewerk, of verwijder evenementen", + "Creator": "Aanmaker", + "Current identity has been changed to {identityName} in order to manage this event.": "De huidige identiteit is veranderd in {identityName} om dit evenement te beheren.", + "Date and time settings": "Datum- en tijdsinstellingen", + "Date parameters": "Datuminstellingen", + "Delete": "Verwijder", + "Delete event": "Evenement verwijderen", + "Delete this identity": "Deze identiteit verwijderen", + "Delete your identity": "Uw identiteit verwijderen", + "Delete {eventTitle}": "Verwijder {eventTitle}", + "Delete {preferredUsername}": "Verwijder {preferredUsername}", + "Description": "Beschrijving", + "Didn't receive the instructions ?": "Hebt u de instructies niet ontvangen?", + "Display name": "Getoonde naam", + "Display participation price": "Prijs voor deelname tonen", + "Draft": "Concept", + "Drafts": "Concepten", + "Edit": "Bewerken", + "Eg: Stockholm, Dance, Chess…": "Bvb: Stockholm, dansen, schaken…", + "Either the account is already validated, either the validation token is incorrect.": "Ofwel is de account al gevalideerd, ofwel is de validatietoken incorrect.", + "Email": "Email", + "Ends on…": "Eindigt op…", + "Enjoy discovering Mobilizon!": "Veel plezier met het ontdekken van Mobilizon!", + "Enter the link URL": "Voeg de link URL in", + "Error while communicating with the server.": "Fout tijdens het communiceren met de server.", + "Error while saving report.": "Fout tijdens het opslaan van de melding.", + "Error while validating account": "Fout tijdens het valideren van de account", + "Event": "Evenement", + "Event already passed": "Evenement is al voorbij", + "Event cancelled": "Evenement geannuleerd", + "Event creation": "Aanmaken van het evenement", + "Event edition": "Bewerken van het evenement", + "Event list": "Evenementenlijst", + "Event not found.": "Evenement niet gevonden.", + "Event page settings": "Instellingen voor de pagina van het evenement", + "Event to be confirmed": "Evenement te bevestigen", + "Event {eventTitle} deleted": "Evenement {eventTitle} verwjderd", + "Event {eventTitle} reported": "Evenement {eventTitle} gemeld", + "Events": "Evenementen", + "Exclude": "Uitsluiten", + "Explore": "Ontdekken", + "Featured events": "Suggesties", + "Features": "Functies", + "Find an address": "Een adres zoeken", + "Find an instance": "Een server zoeken", + "For instance: London, Taekwondo, Architecture…": "Bijvoorbeeld: Londen, Taekwondo, Architectuur…", + "Forgot your password ?": "Wachtwoord vergeten?", + "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "Van een verjaardagsfeestje met vrienden en familie tot een mars tegen de klimaatverandering, momenteel zitten onze bijeenkomsten gevangen in de platformen van de techgiganten. Hoe kunnen we iets organiseren, hoe kunnen we op \"Aanwezig\" klikken, zonder privégegevens aan Facebook te geven of onszelf op te sluiten in MeetUp?", + "From the {startDate} at {startTime} to the {endDate}": "Van{startDate} om {startTime} tot {endDate}", + "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Van {startDate} om {startTime} tot {endDate} om {endTime}", + "From the {startDate} to the {endDate}": "Van {startDate} tot {endDate}", + "Gather ⋅ Organize ⋅ Mobilize": "Breng samen - Organiseer - Mobiliseer", + "General information": "Algemene informatie", + "Going as {name}": "Deelnemen als {name}", + "Group List": "Lijst met groepen", + "Group full name": "Volledige naam van de groep", + "Group name": "Groepsnaam", + "Group {displayName} created": "Groep {displayName} aangemaakt", + "Groups": "Groepen", + "Headline picture": "TItelafbeelding", + "I create an identity": "Ik maak een identiteit aan", + "I participate": "Ik neem deel", + "I want to approve every participation request": "Ik wil ieder deelnameverzoek goedkeuren", + "Identity {displayName} created": "Identiteit {displayName} aangemaakt", + "Identity {displayName} deleted": "Identiteit {displayName} verwijderd", + "Identity {displayName} updated": "Identiteit {displayName} bijgewerkt", + "If an account with this email exists, we just sent another confirmation email to {email}": "Als er al een account met dit emailadres bestaat, hebben we net nog een bevestigingsemail verstuurd naar {email}", + "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Als deze identiteit de enige beheerder van een of meerdere groepen is, moet u deze eerst verwijderen voordat u de identiteit kan verwijderen.", + "Impossible to login, your email or password seems incorrect.": "Aanmelden niet mogelijk, uw emailadres of wachtwoord is fout.", + "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "Gelieve er intussen rekening mee te houden dat de software (nog) niet klaar is. Meer informatie {onBlog}.", + "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Door Mobilizon te installeren zullen gemeenschappen zich kunnen bevrijden van de platformen en diensten van de techgiganten, en hun eigen evenementenplatform maken.", + "Join {instance}, a Mobilizon instance": "Sluit je aan bij {instance}, een Mobilizonserver", + "Last published event": "Laatst gepubliceerd evenement", + "Last week": "Vorige week", + "Learn more": "Leer meer", + "Learn more about Mobilizon": "Leer meer over Mobilizon", + "Leave event": "Evenement verlaten", + "Leaving event \"{title}\"": "Evenement \"{title}\" verlaten", + "Let's create a new common": "Laten we een nieuwe “common” maken", + "License": "Licentie", + "Limited number of places": "Beperkt aantal plaatsen", + "Load more": "Meer laden", + "Locality": "Plaats", + "Log in": "Aanmelden", + "Log out": "Afmelden", + "Login": "Aanmelden", + "Login on Mobilizon!": "Aanmelden bij Mobilizon!", + "Manage participations": "Deelnames beheren", + "Members": "Leden", + "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon is gratis/vrije software die gemeenschappen in staat stelt om hun eigen ruimtes te maken om evenementen te publiceren, zodat ze zich beter kunnen emanciperen van de techgiganten.", + "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon is in ontwikkeling, we zullen regelmatig nieuwe functies toevoegen aan deze site via updates, tot versie 1 van de software beschikbaar is in de eerste helft van 2020.", + "Mobilizon’s licence": "Mobilizonlicentie", + "Moderated comments (shown after approval)": "Gemodereerde opmerkingen (getoond na goedkeuring)", + "My account": "Mijn account", + "My events": "Mijn evenementen", + "My identities": "Mijn identiteiten", + "Name": "Naam", + "New password": "Nieuw wachtwoord", + "No address defined": "Geen adres ingesteld", + "No end date": "Geen einddatum", + "No events found": "Geen evenementen gevonden", + "No group found": "Geen groep gevonden", + "No groups found": "Geen groepen gevonden", + "No results for \"{queryText}\"": "Geen resultaten voor \"{queryText}\"", + "No user account with this email was found. Maybe you made a typo?": "Er is geen gebruikersaccount gevonden met dit emailadres. Misschien hebt u een tikfout gemaakt?", + "Number of places": "Aantal plaatsen", + "OK": "OK", + "Old password": "Oud wachtwoord", + "On {date}": "Op {date}", + "On {date} ending at {endTime}": "Op {date}, tot {endTime}", + "On {date} from {startTime} to {endTime}": "Op {date} van {startTime} tot {endTime}", + "On {date} starting at {startTime}": "Op {date} vanaf {startTime}", + "One person is going": "Niemand gaat | Eén persoon gaat | {approved} personen gaan", + "Only accessible through link and search (private)": "Alleen bereikbaar via link en zoeken (privé)", + "Opened reports": "Geopende meldingen", + "Organized": "Georganiseerd", + "Organized by {name}": "Georganiseerd door {name}", + "Organizer": "Organisator", + "Otherwise this identity will just be removed from the group administrators.": "Anders zal deze identiteit alleen verwijderd worden uit de beheerders van de groep.", + "Page limited to my group (asks for auth)": "Pagina beperkt tot mijn groep (vraag om authentificatie)", + "Page not found": "Pagina niet gevonden", + "Participant already was rejected.": "Deelnemer werd al geweigerd.", + "Participant has already been approved as participant.": "Deelnemer is al goedgekeurd.", + "Participants": "Deelnemers", + "Participate": "Deelnemen", + "Participation approval": "Goedkeuring van deelnemers", + "Participation requested!": "Deelname aangevraagd!", + "Password": "Wachtwoord", + "Password (confirmation)": "Wachtwoord (bevestigen)", + "Password change": "Wachtwoord veranderen", + "Password reset": "Wachtwoord opnieuw instellen", + "Past events": "Voorbije evenementen", + "Pick an identity": "Kies een identiteit", + "Please check your spam folder if you didn't receive the email.": "Gelieve uw map met spamberichten te controleren indien u de email niet ontvangen hebt.", + "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Gelieve de beheerder van deze Mobilizonserver te contacteren als u denkt dat dit niet juist is.", + "Please make sure the address is correct and that the page hasn't been moved.": "Gelieve te controleren dat het adres juist is, en de pagina niet verplaatst is.", + "Please read the full rules": "Gelieve de volledige regels te lezen", + "Please refresh the page and retry.": "Gelieve de pagina te verversen, en opnieuw te proberen.", + "Please type at least 5 characters": "Gelieve minstens 5 tekens te typen", + "Postal Code": "Postcode", + "Private event": "Privé-evenement", + "Private feeds": "Privéfeeds", + "Public RSS/Atom Feed": "Openbaar RSS-/Atomfeed", + "Public comment moderation": "Modereren van openbare opmerkingen", + "Public event": "Openbaar evenement", + "Public feeds": "Openbare feeds", + "Public iCal Feed": "Openbaar iCalfeed", + "Publish": "Publiceren", + "Published events": "Gepubliceerde evenementen", + "RSS/Atom Feed": "RSS-/Atomfeed", + "Read Framasoft’s statement of intent on the Framablog": "Lees de intentieverklaring van Framasoft op de Framablog", + "Region": "Regio", + "Register": "Inschrijven", + "Register an account on Mobilizon!": "Maak een account op Mobilizon!", + "Register for an event by choosing one of your identities": "Meld u aan voor een evenement door een van uw identiteiten te kiezen", + "Registration is currently closed.": "Inschrijvingen zijn momenteel gesloten.", + "Reject": "Afwijzen", + "Rejected": "Afgewezen", + "Rejected participations": "Afgewezen deelnames", + "Report": "Melden", + "Report this event": "Meld dit evenement", + "Requests": "Aanvragen", + "Resend confirmation email": "Bevestigingsemail opnieuw versturen", + "Reset my password": "Mijn wachtwoord opnieuw instellen", + "Save": "Opslaan", + "Save draft": "Concept opslaan", + "Search": "Zoeken", + "Search events, groups, etc.": "Zoek evenementen, groepen, etc.", + "Search results: \"{search}\"": "Zoekresultaten: \"{search}\"", + "Searching…": "Zoeken…", + "Send me an email to reset my password": "Stuur mij een email om mijn wachtwoord opnieuw in te stellen", + "Send me the confirmation email once again": "Stuur mij de bevestigingsemail nog eens", + "Send the report": "Verstuur de melding", + "Share this event": "Dit evenement delen", + "Show map": "Kaart tonen", + "Show remaining number of places": "Toon het overblijvend aantal plaatsen", + "Show the time when the event begins": "Toon de tijd wanneer het evenement begint", + "Show the time when the event ends": "Toon de tijd wanneer het evenement eindigt", + "Sign up": "Inschrijven", + "Software to the people": "Software voor de mensen", + "Starts on…": "Begint op…", + "Status": "Status", + "Street": "Straat", + "Tentative: Will be confirmed later": "Onder voorbehoud: zal later bevestigd worden", + "The content came from another server. Transfer an anonymous copy of the report?": "De inhoud komt van een andere server. Wilt u een anonieme kopie van de melding versturen?", + "The current identity doesn't have any permission on this event. You should probably change it.": "De huidige identiteit heeft geen toegang tot dit evenement. U moet waarschijnlijk een andere kiezen.", + "The draft event has been updated": "Het conceptevenement is bijgewerkt", + "The event has been created as a draft": "Het evenement is aangemaakt als concept", + "The event has been published": "Het evenement is gepubliceerd", + "The event has been updated": "Het evenement is bijgewerkt", + "The event has been updated and published": "Het evenement is bijgewerkt en gepubliceerd", + "The event organizer didn't add any description.": "De organisator van het evenement heeft geen beschrijving toegevoegd.", + "The event title will be ellipsed.": "De titel van het evenement zal verkort getoond worden.", + "The page you're looking for doesn't exist.": "De pagina waarnaar u zoekt bestaat niet.", + "The password was successfully changed": "Het wachtwoord is succesvol veranderd", + "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "De melding zal verstuurd worden naar de moderatoren van uw server. U kunt uitleggen waarom u onderstaande inhoud gemeld hebt.", + "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "De account waarmee u zich probeert aan te melden is nog niet bevestigd. Controleer uw email inbox, en eventueel uw map met spamberichten.", + "There are {participants} participants.": "Er zijn {participants} deelnemers.", + "These events may interest you": "Deze evenementen zouden u kunnen interesseren", + "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Deze installatie (\"server\" genoemd) kan zich dankzij {protocol} gemakkelijk {interconnect}.", + "This instance isn't opened to registrations, but you can register on other instances.": "Deze server is nog niet open voor inschrijvingen, maar u kan zich inschrijven op andere servers.", + "This is a demonstration site to test the beta version of Mobilizon.": "Dit is een demosite om de bètaversie van Mobilizon te testen.", + "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Dit zal alle inhoud (evenementen, opmerkingen, berichten, deelnames…) die aangemaakt is met deze identiteit verwijderen / anonimiseren.", + "Title": "Titel", + "To achieve your registration, please create a first identity profile.": "Gelieven een eerste identiteitsprofiel aan te maken om uw inschrijven te voltooien.", + "To change the world, change the software": "Verander de software om de wereld te veranderen", + "To confirm, type your event title \"{eventTitle}\"": "Typ de titel van uw evenement \"{eventTitle}\" om te bevestigen", + "To confirm, type your identity username \"{preferredUsername}\"": "Typ de gebruikersnaam van uw identiteit \"{preferredUsername}\" om te bevestigen", + "Transfer to {outsideDomain}": "Verplaatsen naar {outsideDomain}", + "Unfortunately, this instance isn't opened to registrations": "Jammer genoeg is deze server niet open voor inschrijvingen", + "Unfortunately, your participation request was rejected by the organizers.": "Helaas is uw deelnameverzoek afgewezen door de organisatoren.", + "Unknown error.": "Onbekende fout.", + "Unsaved changes": "Niet-bewaarde veranderingen", + "Upcoming": "Binnenkort", + "Update event {name}": "Evenement {name} bijwerken", + "Update my event": "Mijn evenement bijwerken", + "Username": "Gebruikersnaam", + "Users": "Gebruikers", + "View event page": "Pagina van het evenement bekijken", + "View everything": "Alles bekijken", + "View page on {hostname} (in a new window)": "Pagina bekijken op {hostname} (in een nieuw venster)", + "Visible everywhere on the web (public)": "Overal op het internet zichtbaar (openbaar)", + "Waiting for organization team approval.": "Wacht op goedkeuring van het organisatieteam.", + "Waiting list": "Wachtlijst", + "Warning": "Waarschuwing", + "We just sent an email to {email}": "We hebben zonet een email verstuurd naar {email}", + "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "We willen een digitale “common” ontwikkelen, die iedereen hun eigen kan maken, en die ontworpen is om privacy en activisme te respecteren.", + "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "We zullen de wereld niet veranderen van Facebook. Het hulpmiddel waar we van dromen zal niet door de bedrijven van het toezichtskapitalisme ontwikkeld worden omdat ze er geen winst kunnen mee maken. Er is een mogelijkheid om iets beters te bouwen door een andere benadering te kiezen.", + "Website / URL": "Website / URL", + "Welcome back {username}!": "Welkom terug {username}!", + "Welcome back!": "Welkom terug!", + "Welcome on your administration panel": "Welkom bij uw beheersoverzicht", + "Welcome to Mobilizon, {username}!": "Welkom bij Mobilizon, {username}!", + "Who can view this event and participate": "Wie kan dit evenement bekijken en eraan deelnemen", + "World map": "Wereldkaart", + "Write something…": "Schrijf iets…", + "You and one other person are going to this event": "U bent de enige die naar dit evenement gaat | U en één andere persoon gaan naar dit evenement | U en {approved} personen gaan naar dit evenement.", + "You are already a participant of this event.": "U neemt al deel aan dit evenement.", + "You are already logged-in.": "U bent al aangemeld.", + "You can add tags by hitting the Enter key or by adding a comma": "U kunt tags toevoegen door op de Enter-toets te drukken, of door een komma toe te voegen", + "You can't remove your last identity.": "U kunt uw laatste identiteit niet verwijderen.", + "You have been disconnected": "De verbinding is verbroken", + "You have cancelled your participation": "U hebt uw deelname geannuleerd", + "You have one event in {days} days.": "U hebt geen evenementen in {days} dagen | U hebt één evenement in {days} dagen. | U hebt {count} evenementen in {days} dagen", + "You have one event today.": "U hebt vandaag geen evenementen | U hebt vandaag één evenement | U hebt vandaag {count} evenementen", + "You have one event tomorrow.": "U hebt morgen geen evenementen | U hebt morgen één evenement. | U hebt morgen {count} evenementen", + "You may also ask to {resend_confirmation_email}.": "U kunt ook vragen om {resend_confirmation_email}.", + "You need to login.": "U moet zich aanmelden.", + "Your account has been validated": "Uw account is gevalideerd", + "Your account is being validated": "Uw account wordt gevalideerd", + "Your account is nearly ready, {username}": "Uw account is bijna klaar, {username}", + "Your local administrator resumed its policy:": "Uw plaatselijke beheerder heeft zijn politiek hervat:", + "Your participation has been confirmed": "Uw deelname is bevestigd", + "Your participation has been requested": "Uw deelname is aangevraagd", + "a decentralised federation protocol": "een gedecentraliseerd federatieprotocol", + "e.g. 10 Rue Jangot": "bvb. Jangotstraat 10", + "firstDayOfWeek": "1", + "iCal Feed": "iCalfeed", + "interconnect with others like it": "zich met andere zoals zichzelf verbinden", + "its source code is public": "de broncode is openbaar", + "on our blog": "op onze blog", + "resend confirmation email": "bevestigingsemail opnieuw versturen", + "respect of the fundamental freedoms": "respect voor de fundamentele vrijheden", + "with another identity…": "met een andere identiteit…", + "{approved} / {total} seats": "{approved} / {total} plaatsen", + "{count} participants": "Nog geen deelnemers | Eén deelnemer | {count} deelnemers", + "{count} requests waiting": "{count} aanvragen in afwachting", + "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} garandeert {respect} van de mensen die het gebruiken. Omdat {source} kan iedereen het bekijken en analyseren, wat transparantie garandeert.", + "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© Het Mobilizonteam {date} - Ontwikkeld met Elixir, Phoenix, VueJS & veel liefde en tijd" } diff --git a/js/src/i18n/oc.json b/js/src/i18n/oc.json index e3a66f210..9fbaed00f 100644 --- a/js/src/i18n/oc.json +++ b/js/src/i18n/oc.json @@ -1,538 +1,536 @@ { - "Please do not use it in any real way.": "Mercés de l’utilizar pas d’un biais real", - "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Una aisina conviviala, liberatritz e etica per s’amassar, s’organizar e se mobilizar.", - "A validation email was sent to {email}": "Un corrièl de validacion es estat enviat a {email}", - "Abandon edition": "Abandonar la modificacion", - "About": "A prepaus", - "About Mobilizon": "A prepaus de Mobilizon", - "About this event": "Tocant aqueste eveniment", - "About this instance": "Tocant aquesta instància", - "Accepted": "Acceptada", - "Account": "Compte", - "Account settings": "Paramètres del compte", - "Add": "Ajustar", - "Add a new profile": "Ajustar un perfil novèl", - "Add a note": "Ajustar una nòta", - "Add a tag": "Ajustar una etiqueta", - "Add an address": "Ajustar una adreça", - "Add an instance": "Ajustar una instància", - "Add some tags": "Ajustar d’etiquetas", - "Add to my calendar": "Ajustar a mon calendièr", - "Additional comments": "Comentari adicional", - "Admin": "Admin", - "Admin settings": "Paramètres d’administracion", - "Admin settings successfully saved.": "Paramètres d’administracion corrèctament enregistrats.", - "Administration": "Administracion", - "All the places have already been taken": "Totas las plaças son presas|Una plaça es encara disponibla|{places} plaças son encara disponiblas", - "Allow all comments": "Autorizar totes los comentaris", - "Allow registrations": "Permetre las inscripcions", - "An error has occurred.": "Una error s’es producha.", - "Anonymous participant": "Participants anonims", - "Anonymous participants will be asked to confirm their participation through e-mail.": "Òm demandarà als participants anonims de confirmar lor venguda via un corrièl.", - "Anonymous participations": "Participacions anonimas", - "Approve": "Aprovar", - "Are you going to this event?": "Anatz a aqueste eveniment ?", - "Are you really sure you want to delete your whole account? You'll lose everything. Identities, settings, events created, messages and participations will be gone forever.": "Volètz vertadièrament suprimir vòstre compte ? O perdretz tot. Identitats, paramètres, eveniments creats, messatges e participacions desapareisseràn per totjorn.", - "Are you sure you want to delete this comment? This action cannot be undone.": "Volètz vertadièrament suprimir aqueste comentari ? Aquesta accion es irreversibla.", - "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "Volètz vertadièrament suprimir aqueste eveniment ? Aquesta accion es irreversibla. Benlèu qu’a la plaça volètz començar una conversacion amb l’organizaire o modificar sos eveniment.", - "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Volètz vertadièrament anullar la creacion de l’eveniment ? Perdretz totas vòstras modificacions.", - "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Volètz vertadièrament anullar la modificacion de l’eveniment ? Perdretz totas vòstras modificacions.", - "Are you sure you want to cancel your participation at event \"{title}\"?": "Volètz vertadièrament anullar vòstra participacion a l’eveniment « {title} » ?", - "Are you sure you want to delete this event? This action cannot be reverted.": "Volètz vertadièrament suprimir aqueste eveniment ? Aquesta accion se pòt pas anullar.", - "Avatar": "Avatar", - "Back to previous page": "Tornar a pas pagina precedenta", - "Before you can login, you need to click on the link inside it to validate your account": "Abans que poscatz vos marcar, devètz clicar lo ligam dedins per validar lo compte", - "By @{username}": "Per @{username}", - "Cancel": "Anullar", - "Cancel anonymous participation": "Anullar la participacion anonima", - "Cancel creation": "Anullar la creacion", - "Cancel edition": "Anullar la modificacion", - "Cancel my participation request…": "Anullar ma demanda de participacion…", - "Cancel my participation…": "Anullar ma participacion…", - "Cancelled: Won't happen": "Anullat : se tendrà pas", - "Category": "Categoria", - "Change": "Modificar", - "Change my email": "Cambiar mon adreça electronica", - "Change my identity…": "Cambiar mon identitat…", - "Change my password": "Modificar mon senhal", - "Change password": "Modificar mon senhal", - "Clear": "Escafar", - "Click to select": "Clicatz per seleccionar", - "Click to upload": "Clicatz per enviar", - "Close": "Tancar", - "Close comments for all (except for admins)": "Barrar los comentaris a tot lo monde (fòra los administrators)", - "Closed": "Tancat", - "Comment deleted": "Comentari suprimit", - "Comment from @{username} reported": "Comentari de @{username} senhalat", - "Comments": "Comentaris", - "Comments have been closed.": "Los comentaris son barrats.", - "Comments on the event page": "Comentari a pagina de l’eveniment", - "Confirm my participation": "Confirmar ma participacion", - "Confirm my particpation": "Confirmar ma participacion", - "Confirmed: Will happen": "Confirmat : se tendrà", - "Continue editing": "Contunhar la modificacion", - "Country": "País", - "Create": "Crear", - "Create a new event": "Crear un eveniment novèl", - "Create a new group": "Crear un grop novèl", - "Create a new identity": "Crear una identitat novèla", - "Create and manage several identities from the same account": "Crear e gerir mantunas identitats amb lo meteis compte", - "Create group": "Crear un grop", - "Create my event": "Crear mon eveniment", - "Create my group": "Crear mon grop", - "Create my profile": "Crear mon perfil", - "Create token": "Crear un geton", - "Create, edit or delete events": "Crear, modificar o suprimir d’eveniments", - "Creator": "Creator", - "Current": "Actual", - "Current identity has been changed to {identityName} in order to manage this event.": "L’identitat actuala es estada cambiada per {identityName} per dire de poder gerir aqueste eveniment.", - "Current page": "Pagina actuala", - "Custom": "Personalizar", - "Custom URL": "URL personalizada", - "Custom text": "Tèxt personalizat", - "Dashboard": "Tablèu de bòrd", - "Date": "Data", - "Date and time settings": "Paramètres de data e d’ora", - "Date parameters": "Paramètres de data", - "Default": "Per defaut", - "Default Mobilizon.org terms": "Tèrmes de Mobilizon.org per defaut", - "Delete": "Suprimir", - "Delete Comment": "Suprimir lo comentari", - "Delete Event": "Suprimir l’eveniment", - "Delete account": "Supression del compte", - "Delete event": "Suprimir un eveniment", - "Delete everything": "O suprimir tot", - "Delete my account": "Suprimir mon compte", - "Delete this identity": "Suprimir aquesta identitat", - "Delete your identity": "Suprimir vòstra identitat", - "Delete {eventTitle}": "Suprimir {eventTitle}", - "Delete {preferredUsername}": "Suprimir {preferredUsername}", - "Deleting comment": "Supression del comentari", - "Deleting event": "Supression de l’eveniment", - "Deleting my account will delete all of my identities.": "La supression de compte menarà la supression de totas mas identitats.", - "Deleting your Mobilizon account": "Suprimir vòstre compte Mobilizon", - "Description": "Descripcion", - "Didn't receive the instructions ?": "Avètz pas recebudas las consignas ?", - "Disallow promoting on Mobilizon": "Refusar la promocion sus Mobilizon", - "Display name": "Nom mostrat", - "Display participation price": "Far veire un prètz de participacion", - "Do you want to participate in {title}?": "Volètz participar a {title} ?", - "Domain": "Domeni", - "Draft": "Borrolhon", - "Drafts": "Borrolhons", - "Edit": "Editar", - "Eg: Stockholm, Dance, Chess…": "Per exemple : Tolosa, balèti, velhada…", - "Either on the {instance} instance or on another instance.": "Siá sus l’instància {instance} siá sus una autra instància.", - "Either the account is already validated, either the validation token is incorrect.": "Siá lo compte es ja validat, siá lo geton de validacion es incorrècte.", - "Either the email has already been changed, either the validation token is incorrect.": "Siá l’adreça electronica es ja estada modificada, siá lo geton de validacion es incorrèct.", - "Either the participation has already been validated, either the validation token is incorrect.": "Siá la participacion es ja estada validada, siá lo geton de validacion es incorrèct.", - "Email": "Corrièl", - "Ends on…": "S’acaba lo…", - "Enjoy discovering Mobilizon!": "Amusatz-vos ben en descobrir Mobilizon !", - "Enter some tags": "Escriure d’etiquetas", - "Enter the link URL": "Picatz l’URL del ligam", - "Enter your own terms. HTML tags allowed. Mobilizon.org's terms are provided as template.": "Picatz vòstres pròpris tèrmes. Balisas HTML autorizadas. Los tèrmes de Mobilizon.org son donats en exemple.", - "Error while changing email": "Error en modificar l’adreça electronica", - "Error while communicating with the server.": "Error de comunicacion amb lo servidor.", - "Error while saving report.": "Error en enregistrant lo senhalament.", - "Error while validating account": "Error en validant lo compte", - "Error while validating participation": "Error en validant la participacion", - "Event": "Eveniment", - "Event already passed": "Eveniment ja passat", - "Event cancelled": "Eveniment anullat", - "Event creation": "Creacion d’eveniment", - "Event edition": "Modificacion d’eveniment", - "Event list": "Lista d’eveniments", - "Event not found.": "Eveniment pas trobat.", - "Event page settings": "Paramètres de la pagina d’eveniment", - "Event to be confirmed": "Eveniment de confirmar", - "Event {eventTitle} deleted": "Eveniment {eventTitle} suprimit", - "Event {eventTitle} reported": "Eveniment {eventTitle} senhalat", - "Events": "Eveniments", - "Events nearby you": "Eveniments prop de çò vòstre", - "Events you're going at": "Eveniment ont anatz", - "Ex: test.mobilizon.org": "Ex : test.mobilizon.org", - "Exclude": "Exclure", - "Explore": "Explorar", - "Failed to save admin settings": "Fracàs de l’enregistrament dels paramètres d’administracion", - "Featured events": "Eveniments notables", - "Features": "Foncionalitats", - "Federation": "Federacion", - "Find an address": "Trobar una adreça", - "Find an instance": "Trobar una instància", - "Followers": "Seguidors", - "Followings": "Abonaments", - "For instance: London, Taekwondo, Architecture…": "Per exemple : Tolosa, Taekwondo, Arquitectura…", - "Forgot your password ?": "Senhal oblidat ?", - "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "De l’anniversari d’amics a una caminada pel climat, uèi, las bonas rasons de s’amassar son traçadas pels gigants del web. Cossí s’organizar, cossí clicar sus « participi » sens provesir de donadas privadas a Facebook o se clavar dins MeetUp ?", - "From the {startDate} at {startTime} to the {endDate}": "Del {startDate} a {startTime} fins al {endDate}", - "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Del {startDate} a {startTime} fins al {endDate} a {endTime}", - "From the {startDate} to the {endDate}": "Del {startDate} fins al {endDate}", - "Gather ⋅ Organize ⋅ Mobilize": "Amassar ⋅ Organizar ⋅ Mobilizar", - "General": "General", - "General information": "Informacions generalas", - "Getting location": "Obtencion de la localizacion", - "Go": "Zo", - "Going as {name}": "Coma {name}", - "Group": "Grop", - "Group List": "Lista dels grops", - "Group full name": "Nom complèt del grop", - "Group name": "Nom del grop", - "Group {displayName} created": "Grop {displayName} creat", - "Groups": "Grops", - "Headline picture": "Imatge endavant", - "Hide replies": "Rescondre las responsas", - "I create an identity": "Crèï una identitat", - "I don't have a Mobilizon account": "Ai pas de compte Mobilizon", - "I have a Mobilizon account": "Ai un compte Mobilizon", - "I have an account on another Mobilizon instance.": "Ai un compte sus una autra instància Mobilizon.", - "I participate": "Participi", - "I want to allow people to participate without an account.": "Vòli permetre al monde de participar sens compte.", - "I want to approve every participation request": "Vòli aprovar cada demanda de participacion", - "Identities": "Identitats", - "Identity": "Identitat", - "Identity {displayName} created": "Identitat {displayName} creada", - "Identity {displayName} deleted": "Identitat {displayName} suprimida", - "Identity {displayName} updated": "Identitat {displayName} actualizada", - "If an account with this email exists, we just sent another confirmation email to {email}": "Se un compte amb aquesta adreça existís, venèm d’enviar un novèl corrièl de confirmacion a {email}", - "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "S’aquesta identitat es l’unica que pòt administrar unes grops, vos cal los suprimir d’en primièr per dire de poder suprimir aquesta identitat.", - "If you want, you may send a message to the event organizer here.": "Se volètz, podètz daissar aquí un messatge per l’organizator de l’eveniment çai-jos.", - "Impossible to login, your email or password seems incorrect.": "Connexion impossibla, lo corrièl o lo senhal sembla incorrècte.", - "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "D’aquel temps, consideratz que lo logicial es pas (encara) acabat. Mai d’informacion {onBlog}.", - "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Installar Mobilizon permetrà a de collectius de se liberar de las aisinas dels gigants del web en creant lor pròpria plataforma d’eveniments.", - "Instance Description": "Descripcion de l’instància", - "Instance Name": "Nom de l’instància", - "Instance Terms": "Tèrmes de l’instància", - "Instance Terms Source": "Font dels tèrmes de l’instància", - "Instance Terms URL": "URL dels tèrmes de l’instància", - "Instance settings": "Paramètres de l’instància", - "Instances": "Instàncias", - "Join": "Participar", - "Join event {title}": "Participar a {title}", - "Join {instance}, a Mobilizon instance": "Rejonhètz {instance}, una instància Mobilizon", - "Last published event": "Darrièr eveniment publicat", - "Last week": "La setmana passada", - "Learn more": "Ne saber mai", - "Learn more about Mobilizon": "Ne saber mai subre Mobilizon", - "Learn more on": "Ne saber mai sus", - "Learn more on {0}": "Ne saber mai sus {0}", - "Leave": "Quitar", - "Leave event": "Anullar ma participacion a l’eveniment", - "Leaving event \"{title}\"": "Quitar l’eveniment « {title} »", - "Legal": "Mencions legalas", - "Let's create a new common": "Creem un nòu Common", - "License": "Licéncia", - "Limited number of places": "Nombre de plaças limitat", - "Limited places": "Plaças limitadas", - "Load more": "Ne veire mai", - "Loading…": "Cargament…", - "Locality": "Comuna", - "Log in": "Se connectar", - "Log out": "Se desconnectar", - "Login": "Se connectar", - "Login on Mobilizon!": "Se connectar a Mobilizon !", - "Login on {instance}": "Connexion a {instance}", - "Manage participants": "Gerir los participants", - "Manage participations": "Gerir las participacions", - "Mark as resolved": "Marcar coma resolgut", - "Members": "Membres", - "Message": "Messatge", - "Mobilizon is a federated network. You can interact with this event from a different server.": "Mobilizon es un malhum federat. Podètz interagir amb aqueste eveniment d’un servidor diferent estant.", - "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon es un logicial liure que permetrà a de comunautats de crear lor pròpris espacis de publicacion d’eveniments, per dire de se liberar melhor dels gigants del web.", - "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon es en desvolopament, ajustarem de nòvas foncionalitats a aqueste site pendent de mesas a jorn regularas, fins a la publicacion de la version 1 del logicial al primièr semèstre 2020.", - "Mobilizon’s licence": "Licéncia de Mobilizon", - "Moderated comments (shown after approval)": "Comentaris moderats (mostrat aprèp validacion)", - "Moderation": "Moderacion", - "Moderation log": "Jornals de moderacion", - "My account": "Mon compte", - "My events": "Mos eveniments", - "My identities": "Mas identitats", - "Name": "Nom", - "New email": "Adreça novèla", - "New note": "Nòva nòta", - "New password": "Nòu senhal", - "New profile": "Nòu perfil", - "Next page": "Pagina seguenta", - "No actors found": "Cap d’actor pas trobat", - "No address defined": "Cap d’adreça pas definida", - "No closed reports yet": "Cap de senhalament tancat pel moment", - "No comment": "Cap de comentari", - "No comments yet": "Cap de comentari pel moment", - "No end date": "Cap de data de fin", - "No events found": "Cap d’eveniment pas trobat", - "No group found": "Cap de grop pas trobat", - "No groups found": "Cap de grop pas trobat", - "No instance follows your instance yet.": "Cap d’instància vos sèc pel moment.", - "No instance to approve|Approve instance|Approve {number} instances": "Cap d’instància de validar|Validar l’instància|Validar {number} instàncias", - "No instance to reject|Reject instance|Reject {number} instances": "Cap d’instància de regetar|Regetar l’instància|Regetar {number} instàncias", - "No instance to remove|Remove instance|Remove {number} instances": "Cap d’instància de levar|Levar l’instància|Levar {number} instàncias", - "No message": "Cap de messatge", - "No notification settings yet": "Cap de paramètres de notificacion pel moment", - "No open reports yet": "Cap de senhalament dubèrt pel moment", - "No participant to approve|Approve participant|Approve {number} participants": "Cap de participar de validar|Validar la participacion|Validar los {number} participants", - "No participant to reject|Reject participant|Reject {number} participants": "Cap de participant de regetar|Regetar la participacion|Regetar los {number} participants", - "No participants yet": "Cap de participant pel moment", - "No preferences yet": "Cap de preferéncia pel moment", - "No resolved reports yet": "Cap de senhalament resolgut pel moment", - "No results for \"{queryText}\"": "Cap de resultats per « {queryText} »", - "No user account with this email was found. Maybe you made a typo?": "Pas de compte utilizaire pas trobat amb aquesta adreça. Benlèu qu’avètz fach una deca ?", - "Notes": "Nòtas", - "Notifications": "Notificacions", - "Number of places": "Nombre de plaças", - "OK": "OK", - "Old password": "Ancian senhal", - "On {date}": "Lo {date}", - "On {date} ending at {endTime}": "Lo {date}, s’acaba a {endTime}", - "On {date} from {startTime} to {endTime}": "Lo {date} de {startTime} fins a {endTime}", - "On {date} starting at {startTime}": "Lo {date} a partir de {startTime}", - "One person is going": "Degun i va pas | Una persona i va | {approved} personas i van", - "Only accessible through link and search (private)": "Solament accessible via ligam e la recèrca (privat)", - "Only alphanumeric characters and underscores are supported.": "Solament los caractèrs alfanumerics e los jonhents basses son suportats.", - "Open": "Dobrir", - "Opened reports": "Senhalaments dubèrts", - "Or": "O", - "Organize and take action, freely": "S’organizar e agir, liurament", - "Organized": "Organizats", - "Organized by {name}": "Organizat per {name}", - "Organizer": "Organizator", - "Other software may also support this.": "D’autres logicials pòdon tanben èsser compatibles amb aquò.", - "Otherwise this identity will just be removed from the group administrators.": "Autrament aquesta identitat serà pas que suprimida dels administrators del grop.", - "Page": "Pagina", - "Page limited to my group (asks for auth)": "Accès limitat a mon grop (demanda d’autentificacion)", - "Page not found": "Pagina pas trobada", - "Participant": "Participant", - "Participant already was rejected.": "Lo participant es ja estat regetat.", - "Participant has already been approved as participant.": "Lo participant es ja estat aprovat coma participant.", - "Participants": "Participants", - "Participate": "Participar", - "Participate using your email address": "Participar en utilizant una adreça electronica", - "Participation approval": "Validacion dels participants", - "Participation confirmation": "Confirmacion de participacion", - "Participation requested!": "Participacion demandada !", - "Password": "Senhal", - "Password (confirmation)": "Senhal (confirmacion)", - "Password change": "Cambiament de senhal", - "Password reset": "Reïnicializar lo senhal", - "Past events": "Eveniments passats", - "Pending": "En espèra", - "Pick an identity": "Causir una identitat", - "Please check your spam folder if you didn't receive the email.": "Mercés de verificar vòstre dorsièr de messatges indesirables s’avètz pas recebut lo corrièl.", - "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Volgatz contactar l’administrator d’aquesta instància Mobilizon se pensatz qu’es una error.", - "Please enter your password to confirm this action.": "Volgatz picar vòstre senhal per confirmar aquesta accion.", - "Please make sure the address is correct and that the page hasn't been moved.": "Asseguratz-vos que l’adreça es corrècta e que la pagina es pas estada desplaçada.", - "Please read the full rules": "Mercés de legir las règlas complètas", - "Please refresh the page and retry.": "Actualizatz la pagina e tornatz ensajar.", - "Please type at least 5 characters": "Mercés de picar almens 5 caractèrs", - "Post a comment": "Publicar lo comentari", - "Post a reply": "Respondre", - "Postal Code": "Còdi postal", - "Preferences": "Preferéncias", - "Previous page": "Pagina precedenta", - "Privacy Policy": "Politica de confidencialitat", - "Private event": "Eveniment privat", - "Private feeds": "Flux privats", - "Profiles": "Perfils", - "Promotion": "Promocion", - "Public RSS/Atom Feed": "Flux RSS/Atom public", - "Public comment moderation": "Moderacion dels comentaris publics", - "Public event": "Eveniment public", - "Public feeds": "Flux publics", - "Public iCal Feed": "Flux iCal public", - "Publish": "Publicar", - "Published events": "Eveniments publicats", - "RSS/Atom Feed": "Flux RSS/Atom", - "Read Framasoft’s statement of intent on the Framablog": "Legir la nòta d’intencion de Framasoft sul Framablog", - "Redirecting to event…": "Redireccion cap a l’eveniment…", - "Region": "Region", - "Register": "S’inscriure", - "Register an account on Mobilizon!": "S’inscriure a Mobilizon !", - "Register for an event by choosing one of your identities": "S’inscriure a un eveniment en causir una de vòstras identitats", - "Registration is allowed, anyone can register.": "Las inscripcions son dubèrtas, tot lo monde pòt s’enregistrar.", - "Registration is closed.": "Las inscripcions son barradas.", - "Registration is currently closed.": "Las inscripcions son actualament tampadas.", - "Registrations are restricted by whitelisting.": "Las inscripcions son limitadas per lista blanca.", - "Reject": "Regetar", - "Rejected": "Regetadas", - "Rejected participations": "Participacions regetadas", - "Reopen": "Tornar dobrir", - "Reply": "Respondre", - "Report": "Senhalar", - "Report this comment": "Senhalar aqueste comentari", - "Report this event": "Senhalar aqueste eveniment", - "Reported": "Senhalada", - "Reported by": "Senhalat per", - "Reported by someone on {domain}": "Senhalat per qualqu’un de {domain}", - "Reported by {reporter}": "Senhalat per {reporter}", - "Reported identity": "Identitat senhalada", - "Reports": "Senhalaments", - "Requests": "Requèstas", - "Resend confirmation email": "Tornar enviar lo corrièl de confirmacion", - "Reset my password": "Reïnicializar mon senhal", - "Resolved": "Resolgut", - "Resource provided is not an URL": "La ressorça fornida es pas una URL", - "Role": "Ròtle", - "Save": "Enregistrar", - "Save draft": "Enregistar lo borrolhon", - "Search": "Recercar", - "Search events, groups, etc.": "Recercar d’eveniments, de grops, etc.", - "Search results: \"{search}\"": "Resultats de recèrca : « {search} »", - "Searching…": "Recèrca…", - "Send confirmation email again": "Tornar enviar lo corrièl de validacion", - "Send email": "Enviar un corrièl", - "Send email to reset my password": "Enviar un corrièl per dire de reïnicializar mon senhal", - "Send me an email to reset my password": "Enviatz-me un corrièl per reïnicializar lo senhal", - "Send me the confirmation email once again": "Tornatz-me enviar lo corrièl de confirmacion", - "Send the report": "Enviar lo senhalament", - "Set an URL to a page with your own terms.": "Definissètz l’URL d’una pagina amb vòstres pròpris tèrmes.", - "Settings": "Paramètres", - "Share this event": "Partejar l’eveniment", - "Show map": "Mostrar la mapa", - "Show remaining number of places": "Far veire lo nombre de plaças que demòran", - "Show the time when the event begins": "Mostrar l’ora de debuta de l’eveniment", - "Show the time when the event ends": "Mostrar l’ora de fin de l’eveniment", - "Sign up": "S’inscriure", - "Software to the people": "Logicial pel pòble", - "Starts on…": "Comença lo…", - "Status": "Estat", - "Street": "Carrièra", - "Tentative: Will be confirmed later": "Provisòri : serà confirmat mai tard", - "Terms": "Tèrmes", - "The account's email address was changed. Check your emails to verify it.": "L’adreça electronica es ja estada modificada. Verificatz vòstres corrièls per confirmar lo cambiament.", - "The actual number of participants may differ, as this event is hosted on another instance.": "Lo nombre real pòt èsser diferent pr’amor que l’eveniment ven d’una autra instància.", - "The content came from another server. Transfer an anonymous copy of the report?": "Lo contengut ven d’una autra instància. Transferir una còpia anonima del senhalament ?", - "The current identity doesn't have any permission on this event. You should probably change it.": "L’identitat actuala a pas cap d’autorizacion sus aqueste eveniment. Deuriatz benlèu ne causir una autra.", - "The current password is invalid": "Lo senhal actual es invalid", - "The draft event has been updated": "L’eveniment borrolhon es estat actualizat", - "The event came from another instance. Your participation will be confirmed after we confirm it with the other instance.": "L’eveniment ven d’una autra instància. Vòstra participacion serà confirmada aprèp qu’ajam recebut la confirmacion de l’autra instància.", - "The event has been created as a draft": "L’eveniment es estat creat coma borrolhon", - "The event has been published": "L’eveniment es estat publicat", - "The event has been updated": "L’eveniment es estat actualizat", - "The event has been updated and published": "L’eveniment es estat actualizat e publicat", - "The event organiser has chosen to validate manually participations. Do you want to add a little note to explain why you want to participate to this event?": "L’organizator de l’eveniment causèt d’aprovar manualament las participacions d’aqueste eveniment. Volètz ajustar un messatjon per dire d’explicar perque volètz participar a aqueste eveniment ?", - "The event organizer didn't add any description.": "L’organizator de l’eveniment a pas ajustat cap de descripcion.", - "The event organizer has chosen to approve manually the participations to this event. You will receive a notification when your participation has been approved": "L’organizator de l’eveniment causèt d’aprovar manualament las participacions d’aqueste eveniment. Recebretz una notificacion quand serà aprovada", - "The event organizer manually approves participations. Since you've chosen to participate without an account, please explain why you want to participate to this event.": "L’organizator d’aqueste eveniment aprovar manualament las participacion. Estant qu’avètz causit de participar sens compte, mercés d’explicar perque volètz participar a aqueste eveniment.", - "The event title will be ellipsed.": "Lo títol de l’eveniment utilizarà una ellipsi.", - "The new email doesn't seem to be valid": "La nòva adreça sembla pas èsser valida", - "The new email must be different": "La nòva adreça deu èsser diferenta", - "The new password must be different": "Lo nòu senhal deu èsser diferent", - "The page you're looking for doesn't exist.": "La pagina que cercatz existís pas.", - "The password provided is invalid": "Lo senhal provesit es invalid", - "The password was successfully changed": "Lo senhal es estat corrèctament cambiat", - "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "Lo senhalament serà enviat als moderators de l’autra instància. Podètz explicar çai-jos perque senhalatz lo contengut.", - "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "Lo compte utilizaire que volètz utilizar per vos connectar es pas estat confirmat. Verificatz la bóstia de recepcion de vòstre corrièl e eventualament lo dorsièr de messatges indesirables.", - "The {date} at {time}": "Lo {date} a {time}", - "The {default_terms} will be used. They will be translated in the user's language.": "Los {default_terms} seràn utilizat. Seràn traduches dins la lenga de l’utilizaire.", - "There are {participants} participants.": "I a pas qu’un participant | I a {participants} participants.", - "There will be no way to recover your data.": "I aurà pas cap de recuperar vòstras donadas.", - "These events may interest you": "Aquestes eveniments pòdon vos interessar", - "This Mobilizon instance and this event organizer allows anonymous participations, but requires validation through email confirmation.": "Aquesta instància Mobilizon e l’organizaire de l’eveniment permeton las participacions anonimas, mas aquò requerís una validacion per email.", - "This email is already registered as participant for this event": "Aqueste eveniment a ja una adreça electrica enregistrada coma participanta", - "This information is saved only on your computer. Click for details": "Aquesta informacion es solament enregistrada sus vòstre ordenador. Clicatz per mai de detalhs", - "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Aquesta installacion (apeladas « instància ») pòt facilament {interconnect}, gràcias a {protocol}.", - "This instance isn't opened to registrations, but you can register on other instances.": "Aquesta instància permet pas las inscripcion, mas podètz vos marcar sus d’autras instàncias.", - "This is a demonstration site to test the beta version of Mobilizon.": "Aquò es un site de demostracion per ensajar la version beta de Mobilizon.", - "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Aquò suprimirà / far venir anonim tot lo contengut (eveniments, comentaris, messatges, participacions…) creat amb aquesta identitat.", - "Title": "Títol", - "To achieve your registration, please create a first identity profile.": "Per acabar vòstra inscripcion, mercés de crear un primièr perfil.", - "To change the world, change the software": "Per cambiar lo monde, cambiatz de logicial", - "To confirm, type your event title \"{eventTitle}\"": "Per confirmar picatz lo títol de l’eveniment « {eventTitle} »", - "To confirm, type your identity username \"{preferredUsername}\"": "Per confirmar picatz lo nom de l’identitat « {preferredUsername} »", - "Transfer to {outsideDomain}": "Transferit a {outsideDomain}", - "Type": "Tipe", - "URL": "URL", - "Unfortunately, this instance isn't opened to registrations": "Malaürosament, aquesta instància es pas dubèrta a las inscripcions", - "Unfortunately, your participation request was rejected by the organizers.": "Malaürosament, vòstra demanda de participacion es estada refusada pels organizators.", - "Unknown": "Desconegut", - "Unknown actor": "Actor desconegut", - "Unknown error.": "Error desconeguda.", - "Unsaved changes": "Modificacions pas enregistradas", - "Upcoming": "Venents", - "Update event {name}": "Actualizar l’eveniment {name}", - "Update my event": "Modificar mon eveniment", - "Updated": "Actualizat", - "User logout": "Desconnexion", - "Username": "Nom d’utilizaire", - "Users": "Utilizaires", - "View a reply": "|Veire una responsa|Veire {totalReplies} responsas", - "View event page": "Veire la pagina de l’eveniment", - "View everything": "O veire tot", - "View page on {hostname} (in a new window)": "Veire la pagina {hostname} (dins una fenèstra novèla)", - "Visible everywhere on the web (public)": "Visible per tot lo web (public)", - "Waiting for organization team approval.": "Es espèra d’aprovacion per l’organizacion.", - "Waiting list": "Lista d’espèra", - "Warning": "Avertiment", - "We just sent an email to {email}": "Venèm d’enviar un corrièl a {email}", - "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Volèm desvolopar un ben comun numeric, que tot lo monde poirà s’apropriar, concebut dins lo respet de la vida privada e de l’accion militanta.", - "We will redirect you to your instance in order to interact with this event": "Anam vos enviar a vòstra instància per dire d’interagir amb aqueste eveniment", - "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "Cambiarem pas lo monde de Facebook estant. L’aisina que somiem, las entrepresas del capitalisme de susvelhança son pas capablas de lo produire, perque poirián pas ne traire profièch.", - "Website / URL": "Site web / URL", - "Welcome back {username}!": "Tornatz ben {username} !", - "Welcome back!": "Tornatz ben aquí !", - "Welcome on your administration panel": "La benvenguda a vòstre espaci d’administracion", - "Welcome to Mobilizon, {username}!": "Benvengut a Mobilizon, {username} !", - "Who can view this event and participate": "Qual pòt veire aqueste eveniment e i participar", - "World map": "Mapa mondiala", - "Write something…": "Escrivètz quicòm…", - "You and one other person are going to this event": "Sètz l’unica persona a anar a aqueste eveniment | Vos e una persona mai anatz a aqueste eveniment | Vos e {approved} personas mai anatz a aqueste eveniment.", - "You announced that you're going to this event.": "Avètz anonciat qu’anatz a aqueste eveniment.", - "You are already a participant of this event.": "Participatz ja a aqueste eveniment.", - "You are already logged-in.": "Sètz ja connectat.", - "You are an organizer.": "Sètz un organizaire.", - "You are participating in this event anonymously": "Participatz a aqueste eveniment d’un biais anonim", - "You are participating in this event anonymously but didn't confirm participation": "Participatz a aqueste eveniment d’un biais anonim mas avètz pas encara confirmat vòstra participacion", - "You can add tags by hitting the Enter key or by adding a comma": "Podètz ajustar d’etiquetas en tocant la tòca Entrada o en ajustant una vergula", - "You can try another search term or drag and drop the marker on the map": "Podètz ensajar un autre tèrme de recèrca o botar lo marcador sus la mapa", - "You can't remove your last identity.": "Podètz pas suprimir vòstra darrièra identitat.", - "You don't follow any instances yet.": "Seguissètz pas cap d’instància pel moment.", - "You have been disconnected": "Sètz estat desconnectat", - "You have cancelled your participation": "Avètz anullada vòstra participacion", - "You have one event in {days} days.": "Avètz pas cap d’eveniment d’aquí {days} jorns | Avètz un eveniment d’aquí {days} jorns. | Avètz {count} eveniments d’aquí {days} jorns", - "You have one event today.": "Avètz pas cap d’eveniment uèi | Avètz un eveniment uèi. | Avètz {count} eveniments uèi", - "You have one event tomorrow.": "Avètz pas cap d’eveniment deman| Avètz un eveniment deman. | Avètz {count} eveniments deman", - "You may also ask to {resend_confirmation_email}.": "Podètz tanben demandar a {resend_confirmation_email}.", - "You need to login.": "Vos cal vos connectar.", - "You will be redirected to the original instance": "Vos enviarem a l’instància d’origina", - "You wish to participate to the following event": "Volètz participar a l’eveniment seguent", - "You'll receive a confirmation email.": "Recebretz un corrièl de confirmacion.", - "You're not going to any event yet": "Avètz pas cap d’eveniment pel moment", - "Your account has been successfully deleted": "Lo compte es estat corrèctament suprimit", - "Your account has been validated": "Vòstre compte es estat validat", - "Your account is being validated": "Vòstre compte es en validacion", - "Your account is nearly ready, {username}": "Vòstre compte es gaireben prèst, {username}", - "Your current email is {email}. You use it to log in.": "Vòstra adreça actuala es {email}. L’utilizatz per vos connectar.", - "Your email has been changed": "L’adreça electronica es estada corrèctament modificada", - "Your email is being changed": "Vòstra adreça electronica es a èsser modificada", - "Your email is not whitelisted, you can't register.": "Vòstra adreça es pas en lista blanca, vos podètz pas inscriure.", - "Your email will only be used to confirm that you're a real person and send you eventual updates for this event. It will NOT be transmitted to other instances or to the event organizer.": "Vòstra adreça email serà pas qu’utilizada per confirmar que sètz ben una persona reala e per vos enviar d’eventualas novetats tocant aqueste eveniment. SERÀ pas jamai transmesa a d’autras instàncias o a l’organizaire de l’eveniment.", - "Your federated identity": "Vòstra identitat federada", - "Your local administrator resumed its policy:": "Vòstre administrator local resumèt sa politica aital :", - "Your participation has been confirmed": "Vòstra participacion es estada confirmada", - "Your participation has been rejected": "Vòstra participacion es estada regetada", - "Your participation has been requested": "Vòstra participacion es estada demandada", - "Your participation has been validated": "L’organizaire a validat vòstra participacion", - "Your participation is being validated": "Vòstra participacion es en espèra de validacion", - "Your participation status has been changed": "L’estatut de vòstra participacion a cambiat", - "[This comment has been deleted]": "[Aqueste comentari es estat escafat]", - "[deleted]": "[escafat]", - "a decentralised federation protocol": "un protocòl de federacion descentralizat", - "as {identity}": "coma {identity}", - "default Mobilizon terms": "tèrmes per defaut de Mobilizon", - "e.g. 10 Rue Jangot": "per exemple : 10 carrièra Jangot", - "firstDayOfWeek": "1", - "iCal Feed": "Flux iCal", - "interconnect with others like it": "s’interconnectar simplament amb d’autras", - "its source code is public": "son còdi font es public", - "on our blog": "sus nòstre blòg", - "profile@instance": "perfil@instancia", - "resend confirmation email": "tornar enviar lo messatge de confirmacion", - "respect of the fundamental freedoms": "lo respet de las libertats fondamentalas", - "with another identity…": "amb una autra identitat…", - "{actor}'s avatar": "Avatar de {actor}", - "{approved} / {total} seats": "{approved} / {total} plaças", - "{count} participants": "Cap de participacion pel moment|Un participant|{count} participants", - "{count} requests waiting": "Una demanda en espèra|{count} demandas en espèra", - "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} assegura {respect} del monde que l’utilizaràn. Del moment que {source}, tot lo monde pòt l’inspectar, aquò assegura sa transparéncia.", - "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© Los contribuidors de Mobilizon {date} - Fach amb Elixir, Phoenix, VueJS e d’amor e de setmanas", - "© The OpenStreetMap Contributors": "© Los contribuitors d’OpenStreetMap" -} + "Please do not use it in any real way.": "Mercés de l’utilizar pas d’un biais real", + "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Una aisina conviviala, liberatritz e etica per s’amassar, s’organizar e se mobilizar.", + "A validation email was sent to {email}": "Un corrièl de validacion es estat enviat a {email}", + "Abandon edition": "Abandonar la modificacion", + "About": "A prepaus", + "About Mobilizon": "A prepaus de Mobilizon", + "About this event": "Tocant aqueste eveniment", + "About this instance": "Tocant aquesta instància", + "Accepted": "Acceptada", + "Account": "Compte", + "Account settings": "Paramètres del compte", + "Add": "Ajustar", + "Add a new profile": "Ajustar un perfil novèl", + "Add a note": "Ajustar una nòta", + "Add a tag": "Ajustar una etiqueta", + "Add an address": "Ajustar una adreça", + "Add an instance": "Ajustar una instància", + "Add some tags": "Ajustar d’etiquetas", + "Add to my calendar": "Ajustar a mon calendièr", + "Additional comments": "Comentari adicional", + "Admin": "Admin", + "Admin settings": "Paramètres d’administracion", + "Admin settings successfully saved.": "Paramètres d’administracion corrèctament enregistrats.", + "Administration": "Administracion", + "All the places have already been taken": "Totas las plaças son presas|Una plaça es encara disponibla|{places} plaças son encara disponiblas", + "Allow all comments": "Autorizar totes los comentaris", + "Allow registrations": "Permetre las inscripcions", + "An error has occurred.": "Una error s’es producha.", + "Anonymous participant": "Participants anonims", + "Anonymous participants will be asked to confirm their participation through e-mail.": "Òm demandarà als participants anonims de confirmar lor venguda via un corrièl.", + "Anonymous participations": "Participacions anonimas", + "Approve": "Aprovar", + "Are you going to this event?": "Anatz a aqueste eveniment ?", + "Are you really sure you want to delete your whole account? You'll lose everything. Identities, settings, events created, messages and participations will be gone forever.": "Volètz vertadièrament suprimir vòstre compte ? O perdretz tot. Identitats, paramètres, eveniments creats, messatges e participacions desapareisseràn per totjorn.", + "Are you sure you want to delete this comment? This action cannot be undone.": "Volètz vertadièrament suprimir aqueste comentari ? Aquesta accion es irreversibla.", + "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "Volètz vertadièrament suprimir aqueste eveniment ? Aquesta accion es irreversibla. Benlèu qu’a la plaça volètz començar una conversacion amb l’organizaire o modificar sos eveniment.", + "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Volètz vertadièrament anullar la creacion de l’eveniment ? Perdretz totas vòstras modificacions.", + "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Volètz vertadièrament anullar la modificacion de l’eveniment ? Perdretz totas vòstras modificacions.", + "Are you sure you want to cancel your participation at event \"{title}\"?": "Volètz vertadièrament anullar vòstra participacion a l’eveniment « {title} » ?", + "Are you sure you want to delete this event? This action cannot be reverted.": "Volètz vertadièrament suprimir aqueste eveniment ? Aquesta accion se pòt pas anullar.", + "Avatar": "Avatar", + "Back to previous page": "Tornar a pas pagina precedenta", + "Before you can login, you need to click on the link inside it to validate your account": "Abans que poscatz vos marcar, devètz clicar lo ligam dedins per validar lo compte", + "By @{username}": "Per @{username}", + "Cancel": "Anullar", + "Cancel anonymous participation": "Anullar la participacion anonima", + "Cancel creation": "Anullar la creacion", + "Cancel edition": "Anullar la modificacion", + "Cancel my participation request…": "Anullar ma demanda de participacion…", + "Cancel my participation…": "Anullar ma participacion…", + "Cancelled: Won't happen": "Anullat : se tendrà pas", + "Category": "Categoria", + "Change": "Modificar", + "Change my email": "Cambiar mon adreça electronica", + "Change my identity…": "Cambiar mon identitat…", + "Change my password": "Modificar mon senhal", + "Change password": "Modificar mon senhal", + "Clear": "Escafar", + "Click to select": "Clicatz per seleccionar", + "Click to upload": "Clicatz per enviar", + "Close": "Tancar", + "Close comments for all (except for admins)": "Barrar los comentaris a tot lo monde (fòra los administrators)", + "Closed": "Tancat", + "Comment deleted": "Comentari suprimit", + "Comment from @{username} reported": "Comentari de @{username} senhalat", + "Comments": "Comentaris", + "Comments have been closed.": "Los comentaris son barrats.", + "Comments on the event page": "Comentari a pagina de l’eveniment", + "Confirm my participation": "Confirmar ma participacion", + "Confirm my particpation": "Confirmar ma participacion", + "Confirmed: Will happen": "Confirmat : se tendrà", + "Continue editing": "Contunhar la modificacion", + "Country": "País", + "Create": "Crear", + "Create a new event": "Crear un eveniment novèl", + "Create a new group": "Crear un grop novèl", + "Create a new identity": "Crear una identitat novèla", + "Create and manage several identities from the same account": "Crear e gerir mantunas identitats amb lo meteis compte", + "Create group": "Crear un grop", + "Create my event": "Crear mon eveniment", + "Create my group": "Crear mon grop", + "Create my profile": "Crear mon perfil", + "Create token": "Crear un geton", + "Create, edit or delete events": "Crear, modificar o suprimir d’eveniments", + "Creator": "Creator", + "Current": "Actual", + "Current identity has been changed to {identityName} in order to manage this event.": "L’identitat actuala es estada cambiada per {identityName} per dire de poder gerir aqueste eveniment.", + "Current page": "Pagina actuala", + "Custom": "Personalizar", + "Custom URL": "URL personalizada", + "Custom text": "Tèxt personalizat", + "Dashboard": "Tablèu de bòrd", + "Date": "Data", + "Date and time settings": "Paramètres de data e d’ora", + "Date parameters": "Paramètres de data", + "Default": "Per defaut", + "Default Mobilizon.org terms": "Tèrmes de Mobilizon.org per defaut", + "Delete": "Suprimir", + "Delete Comment": "Suprimir lo comentari", + "Delete Event": "Suprimir l’eveniment", + "Delete account": "Supression del compte", + "Delete event": "Suprimir un eveniment", + "Delete everything": "O suprimir tot", + "Delete my account": "Suprimir mon compte", + "Delete this identity": "Suprimir aquesta identitat", + "Delete your identity": "Suprimir vòstra identitat", + "Delete {eventTitle}": "Suprimir {eventTitle}", + "Delete {preferredUsername}": "Suprimir {preferredUsername}", + "Deleting comment": "Supression del comentari", + "Deleting event": "Supression de l’eveniment", + "Deleting my account will delete all of my identities.": "La supression de compte menarà la supression de totas mas identitats.", + "Deleting your Mobilizon account": "Suprimir vòstre compte Mobilizon", + "Description": "Descripcion", + "Didn't receive the instructions ?": "Avètz pas recebudas las consignas ?", + "Disallow promoting on Mobilizon": "Refusar la promocion sus Mobilizon", + "Display name": "Nom mostrat", + "Display participation price": "Far veire un prètz de participacion", + "Do you want to participate in {title}?": "Volètz participar a {title} ?", + "Domain": "Domeni", + "Draft": "Borrolhon", + "Drafts": "Borrolhons", + "Edit": "Editar", + "Eg: Stockholm, Dance, Chess…": "Per exemple : Tolosa, balèti, velhada…", + "Either on the {instance} instance or on another instance.": "Siá sus l’instància {instance} siá sus una autra instància.", + "Either the account is already validated, either the validation token is incorrect.": "Siá lo compte es ja validat, siá lo geton de validacion es incorrècte.", + "Either the email has already been changed, either the validation token is incorrect.": "Siá l’adreça electronica es ja estada modificada, siá lo geton de validacion es incorrèct.", + "Either the participation has already been validated, either the validation token is incorrect.": "Siá la participacion es ja estada validada, siá lo geton de validacion es incorrèct.", + "Email": "Corrièl", + "Ends on…": "S’acaba lo…", + "Enjoy discovering Mobilizon!": "Amusatz-vos ben en descobrir Mobilizon !", + "Enter some tags": "Escriure d’etiquetas", + "Enter the link URL": "Picatz l’URL del ligam", + "Enter your own terms. HTML tags allowed. Mobilizon.org's terms are provided as template.": "Picatz vòstres pròpris tèrmes. Balisas HTML autorizadas. Los tèrmes de Mobilizon.org son donats en exemple.", + "Error while changing email": "Error en modificar l’adreça electronica", + "Error while communicating with the server.": "Error de comunicacion amb lo servidor.", + "Error while saving report.": "Error en enregistrant lo senhalament.", + "Error while validating account": "Error en validant lo compte", + "Error while validating participation": "Error en validant la participacion", + "Event": "Eveniment", + "Event already passed": "Eveniment ja passat", + "Event cancelled": "Eveniment anullat", + "Event creation": "Creacion d’eveniment", + "Event edition": "Modificacion d’eveniment", + "Event list": "Lista d’eveniments", + "Event not found.": "Eveniment pas trobat.", + "Event page settings": "Paramètres de la pagina d’eveniment", + "Event to be confirmed": "Eveniment de confirmar", + "Event {eventTitle} deleted": "Eveniment {eventTitle} suprimit", + "Event {eventTitle} reported": "Eveniment {eventTitle} senhalat", + "Events": "Eveniments", + "Events nearby you": "Eveniments prop de çò vòstre", + "Events you're going at": "Eveniment ont anatz", + "Ex: test.mobilizon.org": "Ex : test.mobilizon.org", + "Exclude": "Exclure", + "Explore": "Explorar", + "Failed to save admin settings": "Fracàs de l’enregistrament dels paramètres d’administracion", + "Featured events": "Eveniments notables", + "Features": "Foncionalitats", + "Federation": "Federacion", + "Find an address": "Trobar una adreça", + "Find an instance": "Trobar una instància", + "Followers": "Seguidors", + "Followings": "Abonaments", + "For instance: London, Taekwondo, Architecture…": "Per exemple : Tolosa, Taekwondo, Arquitectura…", + "Forgot your password ?": "Senhal oblidat ?", + "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "De l’anniversari d’amics a una caminada pel climat, uèi, las bonas rasons de s’amassar son traçadas pels gigants del web. Cossí s’organizar, cossí clicar sus « participi » sens provesir de donadas privadas a Facebook o se clavar dins MeetUp ?", + "From the {startDate} at {startTime} to the {endDate}": "Del {startDate} a {startTime} fins al {endDate}", + "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Del {startDate} a {startTime} fins al {endDate} a {endTime}", + "From the {startDate} to the {endDate}": "Del {startDate} fins al {endDate}", + "Gather ⋅ Organize ⋅ Mobilize": "Amassar ⋅ Organizar ⋅ Mobilizar", + "General": "General", + "General information": "Informacions generalas", + "Getting location": "Obtencion de la localizacion", + "Go": "Zo", + "Going as {name}": "Coma {name}", + "Group": "Grop", + "Group List": "Lista dels grops", + "Group full name": "Nom complèt del grop", + "Group name": "Nom del grop", + "Group {displayName} created": "Grop {displayName} creat", + "Groups": "Grops", + "Headline picture": "Imatge endavant", + "Hide replies": "Rescondre las responsas", + "I create an identity": "Crèï una identitat", + "I don't have a Mobilizon account": "Ai pas de compte Mobilizon", + "I have a Mobilizon account": "Ai un compte Mobilizon", + "I have an account on another Mobilizon instance.": "Ai un compte sus una autra instància Mobilizon.", + "I participate": "Participi", + "I want to allow people to participate without an account.": "Vòli permetre al monde de participar sens compte.", + "I want to approve every participation request": "Vòli aprovar cada demanda de participacion", + "Identities": "Identitats", + "Identity": "Identitat", + "Identity {displayName} created": "Identitat {displayName} creada", + "Identity {displayName} deleted": "Identitat {displayName} suprimida", + "Identity {displayName} updated": "Identitat {displayName} actualizada", + "If an account with this email exists, we just sent another confirmation email to {email}": "Se un compte amb aquesta adreça existís, venèm d’enviar un novèl corrièl de confirmacion a {email}", + "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "S’aquesta identitat es l’unica que pòt administrar unes grops, vos cal los suprimir d’en primièr per dire de poder suprimir aquesta identitat.", + "If you want, you may send a message to the event organizer here.": "Se volètz, podètz daissar aquí un messatge per l’organizator de l’eveniment çai-jos.", + "Impossible to login, your email or password seems incorrect.": "Connexion impossibla, lo corrièl o lo senhal sembla incorrècte.", + "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "D’aquel temps, consideratz que lo logicial es pas (encara) acabat. Mai d’informacion {onBlog}.", + "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Installar Mobilizon permetrà a de collectius de se liberar de las aisinas dels gigants del web en creant lor pròpria plataforma d’eveniments.", + "Instance Description": "Descripcion de l’instància", + "Instance Name": "Nom de l’instància", + "Instance Terms": "Tèrmes de l’instància", + "Instance Terms Source": "Font dels tèrmes de l’instància", + "Instance Terms URL": "URL dels tèrmes de l’instància", + "Instance settings": "Paramètres de l’instància", + "Instances": "Instàncias", + "Join": "Participar", + "Join event {title}": "Participar a {title}", + "Join {instance}, a Mobilizon instance": "Rejonhètz {instance}, una instància Mobilizon", + "Last published event": "Darrièr eveniment publicat", + "Last week": "La setmana passada", + "Learn more": "Ne saber mai", + "Learn more about Mobilizon": "Ne saber mai subre Mobilizon", + "Learn more on": "Ne saber mai sus", + "Learn more on {0}": "Ne saber mai sus {0}", + "Leave": "Quitar", + "Leave event": "Anullar ma participacion a l’eveniment", + "Leaving event \"{title}\"": "Quitar l’eveniment « {title} »", + "Legal": "Mencions legalas", + "Let's create a new common": "Creem un nòu Common", + "License": "Licéncia", + "Limited number of places": "Nombre de plaças limitat", + "Limited places": "Plaças limitadas", + "Load more": "Ne veire mai", + "Loading…": "Cargament…", + "Locality": "Comuna", + "Log in": "Se connectar", + "Log out": "Se desconnectar", + "Login": "Se connectar", + "Login on Mobilizon!": "Se connectar a Mobilizon !", + "Login on {instance}": "Connexion a {instance}", + "Manage participants": "Gerir los participants", + "Manage participations": "Gerir las participacions", + "Mark as resolved": "Marcar coma resolgut", + "Members": "Membres", + "Message": "Messatge", + "Mobilizon is a federated network. You can interact with this event from a different server.": "Mobilizon es un malhum federat. Podètz interagir amb aqueste eveniment d’un servidor diferent estant.", + "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon es un logicial liure que permetrà a de comunautats de crear lor pròpris espacis de publicacion d’eveniments, per dire de se liberar melhor dels gigants del web.", + "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon es en desvolopament, ajustarem de nòvas foncionalitats a aqueste site pendent de mesas a jorn regularas, fins a la publicacion de la version 1 del logicial al primièr semèstre 2020.", + "Mobilizon’s licence": "Licéncia de Mobilizon", + "Moderated comments (shown after approval)": "Comentaris moderats (mostrat aprèp validacion)", + "Moderation": "Moderacion", + "Moderation log": "Jornals de moderacion", + "My account": "Mon compte", + "My events": "Mos eveniments", + "My identities": "Mas identitats", + "Name": "Nom", + "New email": "Adreça novèla", + "New note": "Nòva nòta", + "New password": "Nòu senhal", + "New profile": "Nòu perfil", + "Next page": "Pagina seguenta", + "No actors found": "Cap d’actor pas trobat", + "No address defined": "Cap d’adreça pas definida", + "No closed reports yet": "Cap de senhalament tancat pel moment", + "No comment": "Cap de comentari", + "No comments yet": "Cap de comentari pel moment", + "No end date": "Cap de data de fin", + "No events found": "Cap d’eveniment pas trobat", + "No group found": "Cap de grop pas trobat", + "No groups found": "Cap de grop pas trobat", + "No instance follows your instance yet.": "Cap d’instància vos sèc pel moment.", + "No instance to approve|Approve instance|Approve {number} instances": "Cap d’instància de validar|Validar l’instància|Validar {number} instàncias", + "No instance to reject|Reject instance|Reject {number} instances": "Cap d’instància de regetar|Regetar l’instància|Regetar {number} instàncias", + "No instance to remove|Remove instance|Remove {number} instances": "Cap d’instància de levar|Levar l’instància|Levar {number} instàncias", + "No message": "Cap de messatge", + "No notification settings yet": "Cap de paramètres de notificacion pel moment", + "No open reports yet": "Cap de senhalament dubèrt pel moment", + "No participant to approve|Approve participant|Approve {number} participants": "Cap de participar de validar|Validar la participacion|Validar los {number} participants", + "No participant to reject|Reject participant|Reject {number} participants": "Cap de participant de regetar|Regetar la participacion|Regetar los {number} participants", + "No participants yet": "Cap de participant pel moment", + "No preferences yet": "Cap de preferéncia pel moment", + "No resolved reports yet": "Cap de senhalament resolgut pel moment", + "No results for \"{queryText}\"": "Cap de resultats per « {queryText} »", + "No user account with this email was found. Maybe you made a typo?": "Pas de compte utilizaire pas trobat amb aquesta adreça. Benlèu qu’avètz fach una deca ?", + "Notes": "Nòtas", + "Notifications": "Notificacions", + "Number of places": "Nombre de plaças", + "OK": "OK", + "Old password": "Ancian senhal", + "On {date}": "Lo {date}", + "On {date} ending at {endTime}": "Lo {date}, s’acaba a {endTime}", + "On {date} from {startTime} to {endTime}": "Lo {date} de {startTime} fins a {endTime}", + "On {date} starting at {startTime}": "Lo {date} a partir de {startTime}", + "One person is going": "Degun i va pas | Una persona i va | {approved} personas i van", + "Only accessible through link and search (private)": "Solament accessible via ligam e la recèrca (privat)", + "Only alphanumeric characters and underscores are supported.": "Solament los caractèrs alfanumerics e los jonhents basses son suportats.", + "Open": "Dobrir", + "Opened reports": "Senhalaments dubèrts", + "Or": "O", + "Organize and take action, freely": "S’organizar e agir, liurament", + "Organized": "Organizats", + "Organized by {name}": "Organizat per {name}", + "Organizer": "Organizator", + "Other software may also support this.": "D’autres logicials pòdon tanben èsser compatibles amb aquò.", + "Otherwise this identity will just be removed from the group administrators.": "Autrament aquesta identitat serà pas que suprimida dels administrators del grop.", + "Page": "Pagina", + "Page limited to my group (asks for auth)": "Accès limitat a mon grop (demanda d’autentificacion)", + "Page not found": "Pagina pas trobada", + "Participant": "Participant", + "Participant already was rejected.": "Lo participant es ja estat regetat.", + "Participant has already been approved as participant.": "Lo participant es ja estat aprovat coma participant.", + "Participants": "Participants", + "Participate": "Participar", + "Participate using your email address": "Participar en utilizant una adreça electronica", + "Participation approval": "Validacion dels participants", + "Participation confirmation": "Confirmacion de participacion", + "Participation requested!": "Participacion demandada !", + "Password": "Senhal", + "Password (confirmation)": "Senhal (confirmacion)", + "Password change": "Cambiament de senhal", + "Password reset": "Reïnicializar lo senhal", + "Past events": "Eveniments passats", + "Pending": "En espèra", + "Pick an identity": "Causir una identitat", + "Please check your spam folder if you didn't receive the email.": "Mercés de verificar vòstre dorsièr de messatges indesirables s’avètz pas recebut lo corrièl.", + "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Volgatz contactar l’administrator d’aquesta instància Mobilizon se pensatz qu’es una error.", + "Please enter your password to confirm this action.": "Volgatz picar vòstre senhal per confirmar aquesta accion.", + "Please make sure the address is correct and that the page hasn't been moved.": "Asseguratz-vos que l’adreça es corrècta e que la pagina es pas estada desplaçada.", + "Please read the full rules": "Mercés de legir las règlas complètas", + "Please refresh the page and retry.": "Actualizatz la pagina e tornatz ensajar.", + "Please type at least 5 characters": "Mercés de picar almens 5 caractèrs", + "Post a comment": "Publicar lo comentari", + "Post a reply": "Respondre", + "Postal Code": "Còdi postal", + "Preferences": "Preferéncias", + "Previous page": "Pagina precedenta", + "Privacy Policy": "Politica de confidencialitat", + "Private event": "Eveniment privat", + "Private feeds": "Flux privats", + "Profiles": "Perfils", + "Promotion": "Promocion", + "Public RSS/Atom Feed": "Flux RSS/Atom public", + "Public comment moderation": "Moderacion dels comentaris publics", + "Public event": "Eveniment public", + "Public feeds": "Flux publics", + "Public iCal Feed": "Flux iCal public", + "Publish": "Publicar", + "Published events": "Eveniments publicats", + "RSS/Atom Feed": "Flux RSS/Atom", + "Read Framasoft’s statement of intent on the Framablog": "Legir la nòta d’intencion de Framasoft sul Framablog", + "Redirecting to event…": "Redireccion cap a l’eveniment…", + "Region": "Region", + "Register": "S’inscriure", + "Register an account on Mobilizon!": "S’inscriure a Mobilizon !", + "Register for an event by choosing one of your identities": "S’inscriure a un eveniment en causir una de vòstras identitats", + "Registration is allowed, anyone can register.": "Las inscripcions son dubèrtas, tot lo monde pòt s’enregistrar.", + "Registration is closed.": "Las inscripcions son barradas.", + "Registration is currently closed.": "Las inscripcions son actualament tampadas.", + "Registrations are restricted by whitelisting.": "Las inscripcions son limitadas per lista blanca.", + "Reject": "Regetar", + "Rejected": "Regetadas", + "Rejected participations": "Participacions regetadas", + "Reopen": "Tornar dobrir", + "Reply": "Respondre", + "Report": "Senhalar", + "Report this comment": "Senhalar aqueste comentari", + "Report this event": "Senhalar aqueste eveniment", + "Reported": "Senhalada", + "Reported by": "Senhalat per", + "Reported by someone on {domain}": "Senhalat per qualqu’un de {domain}", + "Reported by {reporter}": "Senhalat per {reporter}", + "Reported identity": "Identitat senhalada", + "Reports": "Senhalaments", + "Requests": "Requèstas", + "Resend confirmation email": "Tornar enviar lo corrièl de confirmacion", + "Reset my password": "Reïnicializar mon senhal", + "Resolved": "Resolgut", + "Resource provided is not an URL": "La ressorça fornida es pas una URL", + "Role": "Ròtle", + "Save": "Enregistrar", + "Save draft": "Enregistar lo borrolhon", + "Search": "Recercar", + "Search events, groups, etc.": "Recercar d’eveniments, de grops, etc.", + "Search results: \"{search}\"": "Resultats de recèrca : « {search} »", + "Searching…": "Recèrca…", + "Send confirmation email again": "Tornar enviar lo corrièl de validacion", + "Send email": "Enviar un corrièl", + "Send email to reset my password": "Enviar un corrièl per dire de reïnicializar mon senhal", + "Send me an email to reset my password": "Enviatz-me un corrièl per reïnicializar lo senhal", + "Send me the confirmation email once again": "Tornatz-me enviar lo corrièl de confirmacion", + "Send the report": "Enviar lo senhalament", + "Set an URL to a page with your own terms.": "Definissètz l’URL d’una pagina amb vòstres pròpris tèrmes.", + "Settings": "Paramètres", + "Share this event": "Partejar l’eveniment", + "Show map": "Mostrar la mapa", + "Show remaining number of places": "Far veire lo nombre de plaças que demòran", + "Show the time when the event begins": "Mostrar l’ora de debuta de l’eveniment", + "Show the time when the event ends": "Mostrar l’ora de fin de l’eveniment", + "Sign up": "S’inscriure", + "Software to the people": "Logicial pel pòble", + "Starts on…": "Comença lo…", + "Status": "Estat", + "Street": "Carrièra", + "Tentative: Will be confirmed later": "Provisòri : serà confirmat mai tard", + "Terms": "Tèrmes", + "The account's email address was changed. Check your emails to verify it.": "L’adreça electronica es ja estada modificada. Verificatz vòstres corrièls per confirmar lo cambiament.", + "The actual number of participants may differ, as this event is hosted on another instance.": "Lo nombre real pòt èsser diferent pr’amor que l’eveniment ven d’una autra instància.", + "The content came from another server. Transfer an anonymous copy of the report?": "Lo contengut ven d’una autra instància. Transferir una còpia anonima del senhalament ?", + "The current identity doesn't have any permission on this event. You should probably change it.": "L’identitat actuala a pas cap d’autorizacion sus aqueste eveniment. Deuriatz benlèu ne causir una autra.", + "The current password is invalid": "Lo senhal actual es invalid", + "The draft event has been updated": "L’eveniment borrolhon es estat actualizat", + "The event came from another instance. Your participation will be confirmed after we confirm it with the other instance.": "L’eveniment ven d’una autra instància. Vòstra participacion serà confirmada aprèp qu’ajam recebut la confirmacion de l’autra instància.", + "The event has been created as a draft": "L’eveniment es estat creat coma borrolhon", + "The event has been published": "L’eveniment es estat publicat", + "The event has been updated": "L’eveniment es estat actualizat", + "The event has been updated and published": "L’eveniment es estat actualizat e publicat", + "The event organizer didn't add any description.": "L’organizator de l’eveniment a pas ajustat cap de descripcion.", + "The event organizer has chosen to approve manually the participations to this event. You will receive a notification when your participation has been approved": "L’organizator de l’eveniment causèt d’aprovar manualament las participacions d’aqueste eveniment. Recebretz una notificacion quand serà aprovada", + "The event title will be ellipsed.": "Lo títol de l’eveniment utilizarà una ellipsi.", + "The new email doesn't seem to be valid": "La nòva adreça sembla pas èsser valida", + "The new email must be different": "La nòva adreça deu èsser diferenta", + "The new password must be different": "Lo nòu senhal deu èsser diferent", + "The page you're looking for doesn't exist.": "La pagina que cercatz existís pas.", + "The password provided is invalid": "Lo senhal provesit es invalid", + "The password was successfully changed": "Lo senhal es estat corrèctament cambiat", + "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "Lo senhalament serà enviat als moderators de l’autra instància. Podètz explicar çai-jos perque senhalatz lo contengut.", + "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "Lo compte utilizaire que volètz utilizar per vos connectar es pas estat confirmat. Verificatz la bóstia de recepcion de vòstre corrièl e eventualament lo dorsièr de messatges indesirables.", + "The {date} at {time}": "Lo {date} a {time}", + "The {default_terms} will be used. They will be translated in the user's language.": "Los {default_terms} seràn utilizat. Seràn traduches dins la lenga de l’utilizaire.", + "There are {participants} participants.": "I a pas qu’un participant | I a {participants} participants.", + "There will be no way to recover your data.": "I aurà pas cap de recuperar vòstras donadas.", + "These events may interest you": "Aquestes eveniments pòdon vos interessar", + "This Mobilizon instance and this event organizer allows anonymous participations, but requires validation through email confirmation.": "Aquesta instància Mobilizon e l’organizaire de l’eveniment permeton las participacions anonimas, mas aquò requerís una validacion per email.", + "This email is already registered as participant for this event": "Aqueste eveniment a ja una adreça electrica enregistrada coma participanta", + "This information is saved only on your computer. Click for details": "Aquesta informacion es solament enregistrada sus vòstre ordenador. Clicatz per mai de detalhs", + "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Aquesta installacion (apeladas « instància ») pòt facilament {interconnect}, gràcias a {protocol}.", + "This instance isn't opened to registrations, but you can register on other instances.": "Aquesta instància permet pas las inscripcion, mas podètz vos marcar sus d’autras instàncias.", + "This is a demonstration site to test the beta version of Mobilizon.": "Aquò es un site de demostracion per ensajar la version beta de Mobilizon.", + "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Aquò suprimirà / far venir anonim tot lo contengut (eveniments, comentaris, messatges, participacions…) creat amb aquesta identitat.", + "Title": "Títol", + "To achieve your registration, please create a first identity profile.": "Per acabar vòstra inscripcion, mercés de crear un primièr perfil.", + "To change the world, change the software": "Per cambiar lo monde, cambiatz de logicial", + "To confirm, type your event title \"{eventTitle}\"": "Per confirmar picatz lo títol de l’eveniment « {eventTitle} »", + "To confirm, type your identity username \"{preferredUsername}\"": "Per confirmar picatz lo nom de l’identitat « {preferredUsername} »", + "Transfer to {outsideDomain}": "Transferit a {outsideDomain}", + "Type": "Tipe", + "URL": "URL", + "Unfortunately, this instance isn't opened to registrations": "Malaürosament, aquesta instància es pas dubèrta a las inscripcions", + "Unfortunately, your participation request was rejected by the organizers.": "Malaürosament, vòstra demanda de participacion es estada refusada pels organizators.", + "Unknown": "Desconegut", + "Unknown actor": "Actor desconegut", + "Unknown error.": "Error desconeguda.", + "Unsaved changes": "Modificacions pas enregistradas", + "Upcoming": "Venents", + "Update event {name}": "Actualizar l’eveniment {name}", + "Update my event": "Modificar mon eveniment", + "Updated": "Actualizat", + "User logout": "Desconnexion", + "Username": "Nom d’utilizaire", + "Users": "Utilizaires", + "View a reply": "|Veire una responsa|Veire {totalReplies} responsas", + "View event page": "Veire la pagina de l’eveniment", + "View everything": "O veire tot", + "View page on {hostname} (in a new window)": "Veire la pagina {hostname} (dins una fenèstra novèla)", + "Visible everywhere on the web (public)": "Visible per tot lo web (public)", + "Waiting for organization team approval.": "Es espèra d’aprovacion per l’organizacion.", + "Waiting list": "Lista d’espèra", + "Warning": "Avertiment", + "We just sent an email to {email}": "Venèm d’enviar un corrièl a {email}", + "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Volèm desvolopar un ben comun numeric, que tot lo monde poirà s’apropriar, concebut dins lo respet de la vida privada e de l’accion militanta.", + "We will redirect you to your instance in order to interact with this event": "Anam vos enviar a vòstra instància per dire d’interagir amb aqueste eveniment", + "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "Cambiarem pas lo monde de Facebook estant. L’aisina que somiem, las entrepresas del capitalisme de susvelhança son pas capablas de lo produire, perque poirián pas ne traire profièch.", + "Website / URL": "Site web / URL", + "Welcome back {username}!": "Tornatz ben {username} !", + "Welcome back!": "Tornatz ben aquí !", + "Welcome on your administration panel": "La benvenguda a vòstre espaci d’administracion", + "Welcome to Mobilizon, {username}!": "Benvengut a Mobilizon, {username} !", + "Who can view this event and participate": "Qual pòt veire aqueste eveniment e i participar", + "World map": "Mapa mondiala", + "Write something…": "Escrivètz quicòm…", + "You and one other person are going to this event": "Sètz l’unica persona a anar a aqueste eveniment | Vos e una persona mai anatz a aqueste eveniment | Vos e {approved} personas mai anatz a aqueste eveniment.", + "You announced that you're going to this event.": "Avètz anonciat qu’anatz a aqueste eveniment.", + "You are already a participant of this event.": "Participatz ja a aqueste eveniment.", + "You are already logged-in.": "Sètz ja connectat.", + "You are an organizer.": "Sètz un organizaire.", + "You are participating in this event anonymously": "Participatz a aqueste eveniment d’un biais anonim", + "You are participating in this event anonymously but didn't confirm participation": "Participatz a aqueste eveniment d’un biais anonim mas avètz pas encara confirmat vòstra participacion", + "You can add tags by hitting the Enter key or by adding a comma": "Podètz ajustar d’etiquetas en tocant la tòca Entrada o en ajustant una vergula", + "You can try another search term or drag and drop the marker on the map": "Podètz ensajar un autre tèrme de recèrca o botar lo marcador sus la mapa", + "You can't remove your last identity.": "Podètz pas suprimir vòstra darrièra identitat.", + "You don't follow any instances yet.": "Seguissètz pas cap d’instància pel moment.", + "You have been disconnected": "Sètz estat desconnectat", + "You have cancelled your participation": "Avètz anullada vòstra participacion", + "You have one event in {days} days.": "Avètz pas cap d’eveniment d’aquí {days} jorns | Avètz un eveniment d’aquí {days} jorns. | Avètz {count} eveniments d’aquí {days} jorns", + "You have one event today.": "Avètz pas cap d’eveniment uèi | Avètz un eveniment uèi. | Avètz {count} eveniments uèi", + "You have one event tomorrow.": "Avètz pas cap d’eveniment deman| Avètz un eveniment deman. | Avètz {count} eveniments deman", + "You may also ask to {resend_confirmation_email}.": "Podètz tanben demandar a {resend_confirmation_email}.", + "You need to login.": "Vos cal vos connectar.", + "You will be redirected to the original instance": "Vos enviarem a l’instància d’origina", + "You wish to participate to the following event": "Volètz participar a l’eveniment seguent", + "You'll receive a confirmation email.": "Recebretz un corrièl de confirmacion.", + "You're not going to any event yet": "Avètz pas cap d’eveniment pel moment", + "Your account has been successfully deleted": "Lo compte es estat corrèctament suprimit", + "Your account has been validated": "Vòstre compte es estat validat", + "Your account is being validated": "Vòstre compte es en validacion", + "Your account is nearly ready, {username}": "Vòstre compte es gaireben prèst, {username}", + "Your current email is {email}. You use it to log in.": "Vòstra adreça actuala es {email}. L’utilizatz per vos connectar.", + "Your email has been changed": "L’adreça electronica es estada corrèctament modificada", + "Your email is being changed": "Vòstra adreça electronica es a èsser modificada", + "Your email is not whitelisted, you can't register.": "Vòstra adreça es pas en lista blanca, vos podètz pas inscriure.", + "Your email will only be used to confirm that you're a real person and send you eventual updates for this event. It will NOT be transmitted to other instances or to the event organizer.": "Vòstra adreça email serà pas qu’utilizada per confirmar que sètz ben una persona reala e per vos enviar d’eventualas novetats tocant aqueste eveniment. SERÀ pas jamai transmesa a d’autras instàncias o a l’organizaire de l’eveniment.", + "Your federated identity": "Vòstra identitat federada", + "Your local administrator resumed its policy:": "Vòstre administrator local resumèt sa politica aital :", + "Your participation has been confirmed": "Vòstra participacion es estada confirmada", + "Your participation has been rejected": "Vòstra participacion es estada regetada", + "Your participation has been requested": "Vòstra participacion es estada demandada", + "Your participation has been validated": "L’organizaire a validat vòstra participacion", + "Your participation is being validated": "Vòstra participacion es en espèra de validacion", + "Your participation status has been changed": "L’estatut de vòstra participacion a cambiat", + "[This comment has been deleted]": "[Aqueste comentari es estat escafat]", + "[deleted]": "[escafat]", + "a decentralised federation protocol": "un protocòl de federacion descentralizat", + "as {identity}": "coma {identity}", + "default Mobilizon terms": "tèrmes per defaut de Mobilizon", + "e.g. 10 Rue Jangot": "per exemple : 10 carrièra Jangot", + "firstDayOfWeek": "1", + "iCal Feed": "Flux iCal", + "interconnect with others like it": "s’interconnectar simplament amb d’autras", + "its source code is public": "son còdi font es public", + "on our blog": "sus nòstre blòg", + "profile@instance": "perfil@instancia", + "resend confirmation email": "tornar enviar lo messatge de confirmacion", + "respect of the fundamental freedoms": "lo respet de las libertats fondamentalas", + "with another identity…": "amb una autra identitat…", + "{actor}'s avatar": "Avatar de {actor}", + "{approved} / {total} seats": "{approved} / {total} plaças", + "{count} participants": "Cap de participacion pel moment|Un participant|{count} participants", + "{count} requests waiting": "Una demanda en espèra|{count} demandas en espèra", + "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} assegura {respect} del monde que l’utilizaràn. Del moment que {source}, tot lo monde pòt l’inspectar, aquò assegura sa transparéncia.", + "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© Los contribuidors de Mobilizon {date} - Fach amb Elixir, Phoenix, VueJS e d’amor e de setmanas", + "© The OpenStreetMap Contributors": "© Los contribuitors d’OpenStreetMap" +} \ No newline at end of file diff --git a/js/src/i18n/pl.json b/js/src/i18n/pl.json index f169c312b..927112a7e 100644 --- a/js/src/i18n/pl.json +++ b/js/src/i18n/pl.json @@ -1,305 +1,305 @@ { - "Please do not use it in any real way.": "Nie wykorzystuj go do żadnych rzeczywistych celów.", - "A validation email was sent to {email}": "Wiadomość potwierdzającą została wysłana na {email}", - "Abandon edition": "Porzuć edycję", - "About": "Informacje", - "About Mobilizon": "O Mobilizon", - "About this event": "O tym wydarzeniu", - "About this instance": "O tej instancji", - "Add": "Dodaj", - "Add an address": "Dodaj adres", - "Add some tags": "Dodaj tagi", - "Add to my calendar": "Dodaj do kalendarza", - "Additional comments": "Dodatkowe komentarze", - "Administration": "Administracja", - "Allow all comments": "Pozwól na wszystkie komentarze", - "An error has occurred.": "Wystąpił błąd.", - "Approve": "Zatwierdź", - "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Czy na pewno chcesz anulować tworzenie wydarzenia? Utracisz wszystkie zmiany.", - "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Czy na pewno chcesz usunąć edycję wydarzenia? Utracisz wszystkie zmiany.", - "Are you sure you want to cancel your participation at event \"{title}\"?": "Czy na pewno chcesz wycofać swój udział w wydarzeniu „{title}”?", - "Are you sure you want to delete this event? This action cannot be reverted.": "Czy na pewno chcesz usunąć to wydarzenie? To działanie nie może zostać odwrócone.", - "Avatar": "Awatar", - "Before you can login, you need to click on the link inside it to validate your account": "Zanim się zalogujesz, musisz odwiedzić odnośnik znajdujący się w niej, aby potwierdzić swoje konto", - "By @{username}": "Od @{username}", - "Cancel": "Anuluj", - "Cancel creation": "Anuluj tworzenie", - "Cancel edition": "Anuluj edycję", - "Cancel my participation request…": "Anuluj moje zgłoszenie udziału…", - "Cancel my participation…": "Anuluj mój udział…", - "Cancelled: Won't happen": "Anulowano: Nie odbędzie się", - "Category": "Kategoria", - "Change": "Zmień", - "Change my identity…": "Zmień moją tożsamość…", - "Change my password": "Zmień moje hasło", - "Change password": "Zmień hasło", - "Clear": "Wyczyść", - "Click to select": "Naciśnij aby wybrać", - "Click to upload": "Naciśnij aby wysłać", - "Close comments for all (except for admins)": "Wyłącz komentarze dla wszystkich (poza administracją)", - "Comment from @{username} reported": "Zgłoszono komentarz @{username}", - "Comments": "Komentarze", - "Comments have been closed.": "Zamknięto komentarze.", - "Comments on the event page": "Komentarze na stronie wydarzenia", - "Confirm my particpation": "Potwierdź mój udział", - "Confirmed: Will happen": "Potwierdzone: odbędzie się", - "Continue editing": "Kontynuuj edycję", - "Country": "Kraj", - "Create": "Utwórz", - "Create a new event": "Utwórz nowe wydarzenie", - "Create a new group": "Utwórz nową grupę", - "Create a new identity": "Utwórz nową tożsamość", - "Create and manage several identities from the same account": "Utwórz i zarządzaj wieloma tożsamościami z tego samego konta", - "Create group": "Utwórz grupę", - "Create my event": "Utwórz wydarzenie", - "Create my group": "Utwórz grupę", - "Create my profile": "Utwórz profil", - "Create token": "Utwórz token", - "Create, edit or delete events": "Twórz, edytuj i usuwaj wydarzenia", - "Creator": "Twórca", - "Current identity has been changed to {identityName} in order to manage this event.": "Obecna tożsamość została zmieniona na {identityName}, aby móc zarządzać tym wydarzeniem.", - "Date and time settings": "Ustawienia daty i czasu", - "Date parameters": "Parametry daty", - "Delete": "Usuń", - "Delete event": "Usuń wydarzenie", - "Delete this identity": "Usuń tę tożsamość", - "Delete your identity": "Usuń swoją tożsamość", - "Delete {eventTitle}": "Usuń {eventTitle}", - "Delete {preferredUsername}": "Usuń {preferredUsername}", - "Description": "Opis", - "Didn't receive the instructions ?": "Nie otrzymałeś(-aś) instrukcji?", - "Display name": "Wyświetlana nazwa", - "Display participation price": "Wyświetlaj cenę udziału", - "Draft": "Szkic", - "Drafts": "Szkice", - "Edit": "Edytuj", - "Eg: Stockholm, Dance, Chess…": "Np. Sztokholm, taniec, szachy…", - "Either the account is already validated, either the validation token is incorrect.": "Konto jest już potwierdzone lub token walidacji jest nieprawidłowy.", - "Email": "E-mail", - "Ends on…": "Kończy się…", - "Enjoy discovering Mobilizon!": "Ciesz się z odkrywania Mobilizon!", - "Enter the link URL": "Wprowadź adres URL", - "Error while communicating with the server.": "Błąd połączenia z serwerem.", - "Error while saving report.": "Błąd podczas zapisywania zgłoszenia.", - "Error while validating account": "Błąd podczas potwierdzania konta", - "Event": "Wydarzenie", - "Event cancelled": "Anulowano wydarzenie", - "Event creation": "Utworzenie wydarzenia", - "Event edition": "Edycja wydarzenia", - "Event list": "Lista wydarzeń", - "Event not found.": "Nie znaleziono wydarzenia.", - "Event page settings": "Ustawienia strony wydarzenia", - "Event to be confirmed": "Wydarzenie musi zostać potwierdzone", - "Event {eventTitle} deleted": "Usunięto wydarzenie {eventTitle}", - "Event {eventTitle} reported": "Zgłoszono wydarzenie {eventTitle}", - "Events": "Wydarzenia", - "Exclude": "Wyłącz", - "Explore": "Przeglądaj", - "Featured events": "Wyróżnione wydarzenia", - "Features": "Możliwości", - "Find an address": "Znajdź adres", - "Find an instance": "Znajdź instancję", - "For instance: London, Taekwondo, Architecture…": "Na przykład: Londyn, taekwondo, architektura…", - "Forgot your password ?": "Zapomniałeś(-aś) hasła?", - "From the {startDate} at {startTime} to the {endDate}": "Od {startDate} o {startTime} do {endDate}", - "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Od {startDate} o {startTime} do {endDate} o {endTime}", - "From the {startDate} to the {endDate}": "Od {startDate} do {endDate}", - "General information": "Ogólne informacje", - "Getting location": "Uzyskiwanie położenia", - "Going as {name}": "Wybieram się jako {name}", - "Group List": "Lista grup", - "Group full name": "Pełna nazwa grupy", - "Group name": "Nazwa grupy", - "Group {displayName} created": "Utworzono grupę {displayName}", - "Groups": "Grupy", - "Headline picture": "Obraz nagłówka", - "Hide replies": "Ukryj odpowiedzi", - "I create an identity": "Tworzę tożsamość", - "I participate": "Biorę udział", - "I want to approve every participation request": "Chcę zatwierdzać każde zgłoszenie udziału", - "Identity {displayName} created": "Utworzono tożsamość {displayName}", - "Identity {displayName} deleted": "Usunięto tożsamość {displayName}", - "Identity {displayName} updated": "Zaktualizowano tożsamość {displayName}", - "If an account with this email exists, we just sent another confirmation email to {email}": "Jeżeli konto z tym adresem e-mail istnieje z wyślemy kolejną wiadomość potwierdzającą na {email}", - "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Jeżeli ta tożsamość jest jedynym administratorem jakiejś grupy, musisz ją usunąć. Zanim usuniesz tę tożsamość.", - "Impossible to login, your email or password seems incorrect.": "Nie udało się zalogować, adres e-mail lub hasło wydaje się być nieprawidłowe.", - "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "W międzyczasie, pamiętaj że to oprogramowanie nie jest (jeszcze) ukończone. Więcej informacji {onBlog}.", - "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Zainstalowanie Mobilizon pozwoli społecznościom uwolnić się od usług technologicznych gigantów, tworząc własną platformę wydarzeń.", - "Join {instance}, a Mobilizon instance": "Dołącz do {instance}, instancji Mobilizon", - "Last published event": "Ostatnio opublikowane wydarzenie", - "Last week": "Ostatni tydzień", - "Learn more": "Dowiedz się więcej", - "Learn more about Mobilizon": "Dowiedz się więcej o Mobilizon", - "Leave event": "Opuść wydarzenie", - "Leaving event \"{title}\"": "Opuszczanie wydarzenia „{title}”", - "Let's create a new common": "Utworzony nową wspólnotę", - "License": "Licencja", - "Limited number of places": "Ograniczona liczba miejsc", - "Load more": "Załaduj więcej", - "Log in": "Zaloguj się", - "Log out": "Wyloguj się", - "Login": "Login", - "Login on Mobilizon!": "Zaloguj się na Mobilizon!", - "Manage participations": "Zarządzaj uczestnikami", - "Members": "Członkowie", - "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon jest wolnym/otwartym oprogramowaniem pozwalającym społecznościom na utworzenie własnej przestrzeni do organizacji wydarzeń, aby uwolnić się od gigantów technologicznych.", - "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon jest wciąż rozwijany, na stronie będą regularnie pojawiały się nowe funkcje, do czasu wydania pierwszej wersji oprogramowania w pierwszej połowie 2020 roku.", - "Mobilizon’s licence": "Licencja Mobilizon", - "Moderated comments (shown after approval)": "Moderowane komentarze (pojawią się po zatwierdzeniu)", - "My account": "Moje konto", - "My events": "Moje wydarzenia", - "My identities": "Moje tożsamości", - "Name": "Nazwa", - "New password": "Nowe hasło", - "No address defined": "Nie określono adresu", - "No comments yet": "Nie ma jeszcze komentarzy", - "No end date": "Brak daty zakończenia", - "No events found": "Nie znaleziono wydarzeń", - "No group found": "Nie znaleziono grup", - "No groups found": "Nie znaleziono grup", - "No results for \"{queryText}\"": "Brak wyników dla „{queryText}”", - "No results for \"{queryText}\". You can try another search term or drag and drop the marker on the map": "Brak wyników dla „{queryText}”. Spróbuj innego zapytania lub przeciągnij i upuść znacznik na mapie", - "No user account with this email was found. Maybe you made a typo?": "Nie znaleziono użytkownika z tym adresem e-mail. Może zrobiłeś(-aś) literówkę?", - "Number of places": "Liczba miejsc", - "OK": "OK", - "Old password": "Stare hasło", - "On {date}": "{date}", - "On {date} ending at {endTime}": "{date}, kończy się o {endTime}", - "On {date} from {startTime} to {endTime}": "{date} od {startTime} do {endTime}", - "On {date} starting at {startTime}": "{date}, rozpoczyna się o {startTime}", - "Only accessible through link and search (private)": "Dostępne tylko przez odnośnik i wyszukiwanie (prywatne)", - "Only alphanumeric characters and underscores are supported.": "Tylko znaki alfanumeryczne i podkreślniki są dozwolone.", - "Opened reports": "Otwarte zgłoszenia", - "Organized": "Zorganizowane", - "Organized by {name}": "Organizowane przez {name}", - "Organizer": "Organizator", - "Otherwise this identity will just be removed from the group administrators.": "W przeciwnym razie tożsamość zostanie usunięta z administratorów grupy.", - "Page limited to my group (asks for auth)": "Strona ograniczona dla mojej grupy (prosi o zalogowanie)", - "Page not found": "Nie znaleziono strony", - "Participant already was rejected.": "Uczestnik został już odrzucony.", - "Participant has already been approved as participant.": "Uczestnik już został zatwierdzonym uczestnikiem.", - "Participants": "Uczestnicy", - "Participate": "Weź udział", - "Participation requested!": "Poproszono o udział!", - "Password": "Hasło", - "Password (confirmation)": "Hasło (potwierdzenie)", - "Password change": "Zmiana hasła", - "Password reset": "Resetowanie hasła", - "Pick an identity": "Wybierz tożsamość", - "Please check your spam folder if you didn't receive the email.": "Upewnij się, że wiadomość nie znajduje się w folderze spam.", - "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Skontaktuj się z administratorem tej instancji, jeżeli uważasz że to pomyłka.", - "Please make sure the address is correct and that the page hasn't been moved.": "Upewnij się, że adres jest prawidłowy i strona nie została przeniesiona.", - "Please read the full rules": "Przeczytaj pełne zasady", - "Please refresh the page and retry.": "Odśwież stronę i spróbuj ponownie.", - "Post a comment": "Wyślij komentarz", - "Post a reply": "Umieść odpowiedź", - "Postal Code": "Kod pocztowy", - "Private event": "Prywatne wydarzenie", - "Private feeds": "Prywatne strumienie", - "Public RSS/Atom Feed": "Publiczny strumień RSS/Atom", - "Public comment moderation": "Moderacja publicznych komentarzy", - "Public event": "Publiczne wydarzenie", - "Public feeds": "Publiczne strumienie", - "Public iCal Feed": "Publiczny strumień iCal", - "Publish": "Publikuj", - "Published events": "Opublikowane wydarzenia", - "RSS/Atom Feed": "Strumień RSS/Atom", - "Region": "Region", - "Register": "Zarejestruj się", - "Register an account on Mobilizon!": "Zarejestruj się na Mobilizon!", - "Register for an event by choosing one of your identities": "Zgłoś się do wydarzenia wybierając jedną ze swoich tożsamości", - "Registration is currently closed.": "Rejestracja jest obecnie zamknięta.", - "Reject": "Odrzuć", - "Rejected": "Odrzucono", - "Rejected participations": "Odrzuceni uczestnicy", - "Report": "Zgłoś", - "Report this comment": "Zgłoś ten komentarz", - "Report this event": "Zgłoś to wydarzenie", - "Requests": "Zgłoszenia", - "Resend confirmation email": "Wyślij ponownie wiadomość potwierdzającą", - "Reset my password": "Resetuj moje hasło", - "Save": "Zapisz", - "Save draft": "Zapisz szkic", - "Search": "Szukaj", - "Search events, groups, etc.": "Szukaj wydarzeń, grup itp.", - "Search results: \"{search}\"": "Wyniki wyszukiwania: „{search}”", - "Searching…": "Wyszukiwanie…", - "Send me an email to reset my password": "Wyślij mi e-mail z linkiem resetującym hasło", - "Send me the confirmation email once again": "Wyślij wiadomość potwierdzającą ponownie", - "Send the report": "Wyślij zgłoszenie", - "Share this event": "Udostępnij to wydarzenie", - "Show map": "Pokaż mapę", - "Show remaining number of places": "Pokaż pozostałą liczbę miejsc", - "Show the time when the event begins": "Pokaż czas rozpoczęcia wydarzenia", - "Show the time when the event ends": "Pokaż czas zakończenia wydarzenia", - "Sign up": "Zarejestruj się", - "Software to the people": "Oprogramowanie dla ludzi", - "Starts on…": "Rozpoczyna się…", - "Status": "Stan", - "Street": "Ulica", - "Tentative: Will be confirmed later": "Niepewne: zostanie potwierdzone później", - "The content came from another server. Transfer an anonymous copy of the report?": "To zgłoszenie pochodzi z innego serwera. Przenieść anonimową kopię zgłoszenia?", - "The draft event has been updated": "Szkic wydarzenia został zaktualizowany", - "The event has been created as a draft": "Wydarzenie zostało utworzone jako szkic", - "The event has been published": "Wydarzenie zostało opublikowane", - "The event has been updated": "Zaktualizowano wydarzenie", - "The event has been updated and published": "Opublikowano i zaktualizowano wydarzenie", - "The event organizer didn't add any description.": "Organizator wydarzenia nie dodał żadnego opisu.", - "The page you're looking for doesn't exist.": "Strona którą próbujesz odwiedzić nie istnieje.", - "The password was successfully changed": "Pomyślnie zmieniono hasło", - "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "Zgłoszenie zostanie wysłane do moderatorów Twojej instancji. Możesz wyjaśnić powód zgłoszenia poniżej.", - "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "Konto użytkownika na które próbujesz się zalogować nie zostało jeszcze potwierdzone. Sprawdź nowe wiadomości e-mail lub folder spam.", - "These events may interest you": "Te wydarzenia mogą Cię zainteresować", - "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Ta instalacja (nazywana „instancją” może łatwo {interconnect} dzięki {protocol}.", - "This instance isn't opened to registrations, but you can register on other instances.": "Ta instancja nie pozwala na rejestrację, ale możesz zarejestrować się na innych.", - "This is a demonstration site to test the beta version of Mobilizon.": "To strona demonstracyjna pozwalająca na przetestowanie wersji beta Mobilizon.", - "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Ta opcja usunie/zanonimizuje całą zawartość (wydarzenia, komentarze, wiadomości, deklaracje udziału…) utworzone z tej tożsamości.", - "Title": "Tytuł", - "To change the world, change the software": "Zmień oprogramowanie, by zmienić świat", - "To confirm, type your event title \"{eventTitle}\"": "Aby potwierdzić, wprowadź tytuł wydarzenia „{eventTitle}”", - "To confirm, type your identity username \"{preferredUsername}\"": "Aby potwierdzić, wprowadź nazwę tożsamości „{preferredUsername}”", - "Transfer to {outsideDomain}": "Przenieś do {outsideDomain}", - "Unfortunately, this instance isn't opened to registrations": "Niestety, rejestracja jest zamknięta na tej instancji", - "Unfortunately, your participation request was rejected by the organizers.": "Niestety, Twoje zgłoszenie udziału zostało odrzucone przez organizatorów.", - "Unknown error.": "Nieznany błąd.", - "Unsaved changes": "Niezapisane zmiany", - "Update event {name}": "Zaktualizuj wydarzenie {name}", - "Update my event": "Zaktualizuj wydarzenie", - "Username": "Nazwa użytkownika", - "Users": "Użytkownicy", - "View event page": "Zobacz stronę wydarzenia", - "View everything": "Zobacz wszystko", - "View page on {hostname} (in a new window)": "Zobacz stronę na {hostname} (w nowym oknie)", - "Visible everywhere on the web (public)": "Widoczne w całym internecie (publiczne)", - "Waiting for organization team approval.": "Oczekiwanie na przyjęcie przez organizatorów.", - "Warning": "Ostrzeżenie", - "We just sent an email to {email}": "Wysłaliśmy e-mail do {email}", - "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Chcemy utworzyć cyfrową wspólnotę, którą każdy może uczynić swoją; która została zaprojektowana by wspierać prywatność i aktywizm.", - "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "Nie zmienimy świata używając Facebooka. Korporacje tworzące „kapitalizm inwigilacyjny” nie utworzą narzędzia naszych marzeń, ponieważ nie przyniosłoby to im korzyść. Oto okazja, aby zbudować coś lepszego, w oparciu o inne podejście.", - "Website / URL": "Strona internetowa/URL", - "Welcome back {username}!": "Witaj ponownie, {username}!", - "Welcome back!": "Witaj ponownie!", - "Welcome on your administration panel": "Witaj w panelu administracyjnym", - "Welcome to Mobilizon, {username}!": "Witaj na Mobilizon, {username}!", - "Who can view this event and participate": "Kto może wyświetlić i wziąć udział w wydarzeniu", - "World map": "Mapa świata", - "Write something…": "Napisz coś…", - "You are already a participant of this event.": "Już jesteś uczestnikiem tego wydarzenia.", - "You are already logged-in.": "Jesteś już zalogowany(-a).", - "You can add tags by hitting the Enter key or by adding a comma": "Możesz dodać tagi klawiszem Enter lub dodając przecinek", - "You can try another search term or drag and drop the marker on the map": "Możesz spróbować innego kryterium wyszukiwania lub przeciągnąć i upuścić znacznik na mapie", - "You can't remove your last identity.": "Nie możesz usunąć swojej jedynej tożsamości.", - "You have been disconnected": "Zostałeś(-aś) rozłączony(-a)", - "You have cancelled your participation": "Wycofałeś(-aś) swój udział", - "You may also ask to {resend_confirmation_email}.": "Możesz też poprosić o {resend_confirmation_email}.", - "You need to login.": "Musisz się zalogować.", - "Your account has been validated": "Twoje konto zostało zatwierdzone", - "Your account is nearly ready, {username}": "Twoje konto jest już prawie gotowe, {username}", - "Your participation has been confirmed": "Twój udział został potwierdzony", - "a decentralised federation protocol": "zdecentralizowanemu protokołu federacji", - "iCal Feed": "Strumień iCal", - "interconnect with others like it": "łączyć się z innymi", - "on our blog": "na naszym blogu", - "resend confirmation email": "ponowne wysłanie wiadomości potwierdzającej", - "© The OpenStreetMap Contributors": "© Współtwórcy OpenStreetMap" + "Please do not use it in any real way.": "Nie wykorzystuj go do żadnych rzeczywistych celów.", + "A validation email was sent to {email}": "Wiadomość potwierdzającą została wysłana na {email}", + "Abandon edition": "Porzuć edycję", + "About": "Informacje", + "About Mobilizon": "O Mobilizon", + "About this event": "O tym wydarzeniu", + "About this instance": "O tej instancji", + "Add": "Dodaj", + "Add an address": "Dodaj adres", + "Add some tags": "Dodaj tagi", + "Add to my calendar": "Dodaj do kalendarza", + "Additional comments": "Dodatkowe komentarze", + "Administration": "Administracja", + "Allow all comments": "Pozwól na wszystkie komentarze", + "An error has occurred.": "Wystąpił błąd.", + "Approve": "Zatwierdź", + "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Czy na pewno chcesz anulować tworzenie wydarzenia? Utracisz wszystkie zmiany.", + "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Czy na pewno chcesz usunąć edycję wydarzenia? Utracisz wszystkie zmiany.", + "Are you sure you want to cancel your participation at event \"{title}\"?": "Czy na pewno chcesz wycofać swój udział w wydarzeniu „{title}”?", + "Are you sure you want to delete this event? This action cannot be reverted.": "Czy na pewno chcesz usunąć to wydarzenie? To działanie nie może zostać odwrócone.", + "Avatar": "Awatar", + "Before you can login, you need to click on the link inside it to validate your account": "Zanim się zalogujesz, musisz odwiedzić odnośnik znajdujący się w niej, aby potwierdzić swoje konto", + "By @{username}": "Od @{username}", + "Cancel": "Anuluj", + "Cancel creation": "Anuluj tworzenie", + "Cancel edition": "Anuluj edycję", + "Cancel my participation request…": "Anuluj moje zgłoszenie udziału…", + "Cancel my participation…": "Anuluj mój udział…", + "Cancelled: Won't happen": "Anulowano: Nie odbędzie się", + "Category": "Kategoria", + "Change": "Zmień", + "Change my identity…": "Zmień moją tożsamość…", + "Change my password": "Zmień moje hasło", + "Change password": "Zmień hasło", + "Clear": "Wyczyść", + "Click to select": "Naciśnij aby wybrać", + "Click to upload": "Naciśnij aby wysłać", + "Close comments for all (except for admins)": "Wyłącz komentarze dla wszystkich (poza administracją)", + "Comment from @{username} reported": "Zgłoszono komentarz @{username}", + "Comments": "Komentarze", + "Comments have been closed.": "Zamknięto komentarze.", + "Comments on the event page": "Komentarze na stronie wydarzenia", + "Confirm my particpation": "Potwierdź mój udział", + "Confirmed: Will happen": "Potwierdzone: odbędzie się", + "Continue editing": "Kontynuuj edycję", + "Country": "Kraj", + "Create": "Utwórz", + "Create a new event": "Utwórz nowe wydarzenie", + "Create a new group": "Utwórz nową grupę", + "Create a new identity": "Utwórz nową tożsamość", + "Create and manage several identities from the same account": "Utwórz i zarządzaj wieloma tożsamościami z tego samego konta", + "Create group": "Utwórz grupę", + "Create my event": "Utwórz wydarzenie", + "Create my group": "Utwórz grupę", + "Create my profile": "Utwórz profil", + "Create token": "Utwórz token", + "Create, edit or delete events": "Twórz, edytuj i usuwaj wydarzenia", + "Creator": "Twórca", + "Current identity has been changed to {identityName} in order to manage this event.": "Obecna tożsamość została zmieniona na {identityName}, aby móc zarządzać tym wydarzeniem.", + "Date and time settings": "Ustawienia daty i czasu", + "Date parameters": "Parametry daty", + "Delete": "Usuń", + "Delete event": "Usuń wydarzenie", + "Delete this identity": "Usuń tę tożsamość", + "Delete your identity": "Usuń swoją tożsamość", + "Delete {eventTitle}": "Usuń {eventTitle}", + "Delete {preferredUsername}": "Usuń {preferredUsername}", + "Description": "Opis", + "Didn't receive the instructions ?": "Nie otrzymałeś(-aś) instrukcji?", + "Display name": "Wyświetlana nazwa", + "Display participation price": "Wyświetlaj cenę udziału", + "Draft": "Szkic", + "Drafts": "Szkice", + "Edit": "Edytuj", + "Eg: Stockholm, Dance, Chess…": "Np. Sztokholm, taniec, szachy…", + "Either the account is already validated, either the validation token is incorrect.": "Konto jest już potwierdzone lub token walidacji jest nieprawidłowy.", + "Email": "E-mail", + "Ends on…": "Kończy się…", + "Enjoy discovering Mobilizon!": "Ciesz się z odkrywania Mobilizon!", + "Enter the link URL": "Wprowadź adres URL", + "Error while communicating with the server.": "Błąd połączenia z serwerem.", + "Error while saving report.": "Błąd podczas zapisywania zgłoszenia.", + "Error while validating account": "Błąd podczas potwierdzania konta", + "Event": "Wydarzenie", + "Event cancelled": "Anulowano wydarzenie", + "Event creation": "Utworzenie wydarzenia", + "Event edition": "Edycja wydarzenia", + "Event list": "Lista wydarzeń", + "Event not found.": "Nie znaleziono wydarzenia.", + "Event page settings": "Ustawienia strony wydarzenia", + "Event to be confirmed": "Wydarzenie musi zostać potwierdzone", + "Event {eventTitle} deleted": "Usunięto wydarzenie {eventTitle}", + "Event {eventTitle} reported": "Zgłoszono wydarzenie {eventTitle}", + "Events": "Wydarzenia", + "Exclude": "Wyłącz", + "Explore": "Przeglądaj", + "Featured events": "Wyróżnione wydarzenia", + "Features": "Możliwości", + "Find an address": "Znajdź adres", + "Find an instance": "Znajdź instancję", + "For instance: London, Taekwondo, Architecture…": "Na przykład: Londyn, taekwondo, architektura…", + "Forgot your password ?": "Zapomniałeś(-aś) hasła?", + "From the {startDate} at {startTime} to the {endDate}": "Od {startDate} o {startTime} do {endDate}", + "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Od {startDate} o {startTime} do {endDate} o {endTime}", + "From the {startDate} to the {endDate}": "Od {startDate} do {endDate}", + "General information": "Ogólne informacje", + "Getting location": "Uzyskiwanie położenia", + "Going as {name}": "Wybieram się jako {name}", + "Group List": "Lista grup", + "Group full name": "Pełna nazwa grupy", + "Group name": "Nazwa grupy", + "Group {displayName} created": "Utworzono grupę {displayName}", + "Groups": "Grupy", + "Headline picture": "Obraz nagłówka", + "Hide replies": "Ukryj odpowiedzi", + "I create an identity": "Tworzę tożsamość", + "I participate": "Biorę udział", + "I want to approve every participation request": "Chcę zatwierdzać każde zgłoszenie udziału", + "Identity {displayName} created": "Utworzono tożsamość {displayName}", + "Identity {displayName} deleted": "Usunięto tożsamość {displayName}", + "Identity {displayName} updated": "Zaktualizowano tożsamość {displayName}", + "If an account with this email exists, we just sent another confirmation email to {email}": "Jeżeli konto z tym adresem e-mail istnieje z wyślemy kolejną wiadomość potwierdzającą na {email}", + "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Jeżeli ta tożsamość jest jedynym administratorem jakiejś grupy, musisz ją usunąć. Zanim usuniesz tę tożsamość.", + "Impossible to login, your email or password seems incorrect.": "Nie udało się zalogować, adres e-mail lub hasło wydaje się być nieprawidłowe.", + "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "W międzyczasie, pamiętaj że to oprogramowanie nie jest (jeszcze) ukończone. Więcej informacji {onBlog}.", + "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Zainstalowanie Mobilizon pozwoli społecznościom uwolnić się od usług technologicznych gigantów, tworząc własną platformę wydarzeń.", + "Join {instance}, a Mobilizon instance": "Dołącz do {instance}, instancji Mobilizon", + "Last published event": "Ostatnio opublikowane wydarzenie", + "Last week": "Ostatni tydzień", + "Learn more": "Dowiedz się więcej", + "Learn more about Mobilizon": "Dowiedz się więcej o Mobilizon", + "Leave event": "Opuść wydarzenie", + "Leaving event \"{title}\"": "Opuszczanie wydarzenia „{title}”", + "Let's create a new common": "Utworzony nową wspólnotę", + "License": "Licencja", + "Limited number of places": "Ograniczona liczba miejsc", + "Load more": "Załaduj więcej", + "Log in": "Zaloguj się", + "Log out": "Wyloguj się", + "Login": "Login", + "Login on Mobilizon!": "Zaloguj się na Mobilizon!", + "Manage participations": "Zarządzaj uczestnikami", + "Members": "Członkowie", + "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon jest wolnym/otwartym oprogramowaniem pozwalającym społecznościom na utworzenie własnej przestrzeni do organizacji wydarzeń, aby uwolnić się od gigantów technologicznych.", + "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon jest wciąż rozwijany, na stronie będą regularnie pojawiały się nowe funkcje, do czasu wydania pierwszej wersji oprogramowania w pierwszej połowie 2020 roku.", + "Mobilizon’s licence": "Licencja Mobilizon", + "Moderated comments (shown after approval)": "Moderowane komentarze (pojawią się po zatwierdzeniu)", + "My account": "Moje konto", + "My events": "Moje wydarzenia", + "My identities": "Moje tożsamości", + "Name": "Nazwa", + "New password": "Nowe hasło", + "No address defined": "Nie określono adresu", + "No comments yet": "Nie ma jeszcze komentarzy", + "No end date": "Brak daty zakończenia", + "No events found": "Nie znaleziono wydarzeń", + "No group found": "Nie znaleziono grup", + "No groups found": "Nie znaleziono grup", + "No results for \"{queryText}\"": "Brak wyników dla „{queryText}”", + "No results for \"{queryText}\". You can try another search term or drag and drop the marker on the map": "Brak wyników dla „{queryText}”. Spróbuj innego zapytania lub przeciągnij i upuść znacznik na mapie", + "No user account with this email was found. Maybe you made a typo?": "Nie znaleziono użytkownika z tym adresem e-mail. Może zrobiłeś(-aś) literówkę?", + "Number of places": "Liczba miejsc", + "OK": "OK", + "Old password": "Stare hasło", + "On {date}": "{date}", + "On {date} ending at {endTime}": "{date}, kończy się o {endTime}", + "On {date} from {startTime} to {endTime}": "{date} od {startTime} do {endTime}", + "On {date} starting at {startTime}": "{date}, rozpoczyna się o {startTime}", + "Only accessible through link and search (private)": "Dostępne tylko przez odnośnik i wyszukiwanie (prywatne)", + "Only alphanumeric characters and underscores are supported.": "Tylko znaki alfanumeryczne i podkreślniki są dozwolone.", + "Opened reports": "Otwarte zgłoszenia", + "Organized": "Zorganizowane", + "Organized by {name}": "Organizowane przez {name}", + "Organizer": "Organizator", + "Otherwise this identity will just be removed from the group administrators.": "W przeciwnym razie tożsamość zostanie usunięta z administratorów grupy.", + "Page limited to my group (asks for auth)": "Strona ograniczona dla mojej grupy (prosi o zalogowanie)", + "Page not found": "Nie znaleziono strony", + "Participant already was rejected.": "Uczestnik został już odrzucony.", + "Participant has already been approved as participant.": "Uczestnik już został zatwierdzonym uczestnikiem.", + "Participants": "Uczestnicy", + "Participate": "Weź udział", + "Participation requested!": "Poproszono o udział!", + "Password": "Hasło", + "Password (confirmation)": "Hasło (potwierdzenie)", + "Password change": "Zmiana hasła", + "Password reset": "Resetowanie hasła", + "Pick an identity": "Wybierz tożsamość", + "Please check your spam folder if you didn't receive the email.": "Upewnij się, że wiadomość nie znajduje się w folderze spam.", + "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Skontaktuj się z administratorem tej instancji, jeżeli uważasz że to pomyłka.", + "Please make sure the address is correct and that the page hasn't been moved.": "Upewnij się, że adres jest prawidłowy i strona nie została przeniesiona.", + "Please read the full rules": "Przeczytaj pełne zasady", + "Please refresh the page and retry.": "Odśwież stronę i spróbuj ponownie.", + "Post a comment": "Wyślij komentarz", + "Post a reply": "Umieść odpowiedź", + "Postal Code": "Kod pocztowy", + "Private event": "Prywatne wydarzenie", + "Private feeds": "Prywatne strumienie", + "Public RSS/Atom Feed": "Publiczny strumień RSS/Atom", + "Public comment moderation": "Moderacja publicznych komentarzy", + "Public event": "Publiczne wydarzenie", + "Public feeds": "Publiczne strumienie", + "Public iCal Feed": "Publiczny strumień iCal", + "Publish": "Publikuj", + "Published events": "Opublikowane wydarzenia", + "RSS/Atom Feed": "Strumień RSS/Atom", + "Region": "Region", + "Register": "Zarejestruj się", + "Register an account on Mobilizon!": "Zarejestruj się na Mobilizon!", + "Register for an event by choosing one of your identities": "Zgłoś się do wydarzenia wybierając jedną ze swoich tożsamości", + "Registration is currently closed.": "Rejestracja jest obecnie zamknięta.", + "Reject": "Odrzuć", + "Rejected": "Odrzucono", + "Rejected participations": "Odrzuceni uczestnicy", + "Report": "Zgłoś", + "Report this comment": "Zgłoś ten komentarz", + "Report this event": "Zgłoś to wydarzenie", + "Requests": "Zgłoszenia", + "Resend confirmation email": "Wyślij ponownie wiadomość potwierdzającą", + "Reset my password": "Resetuj moje hasło", + "Save": "Zapisz", + "Save draft": "Zapisz szkic", + "Search": "Szukaj", + "Search events, groups, etc.": "Szukaj wydarzeń, grup itp.", + "Search results: \"{search}\"": "Wyniki wyszukiwania: „{search}”", + "Searching…": "Wyszukiwanie…", + "Send me an email to reset my password": "Wyślij mi e-mail z linkiem resetującym hasło", + "Send me the confirmation email once again": "Wyślij wiadomość potwierdzającą ponownie", + "Send the report": "Wyślij zgłoszenie", + "Share this event": "Udostępnij to wydarzenie", + "Show map": "Pokaż mapę", + "Show remaining number of places": "Pokaż pozostałą liczbę miejsc", + "Show the time when the event begins": "Pokaż czas rozpoczęcia wydarzenia", + "Show the time when the event ends": "Pokaż czas zakończenia wydarzenia", + "Sign up": "Zarejestruj się", + "Software to the people": "Oprogramowanie dla ludzi", + "Starts on…": "Rozpoczyna się…", + "Status": "Stan", + "Street": "Ulica", + "Tentative: Will be confirmed later": "Niepewne: zostanie potwierdzone później", + "The content came from another server. Transfer an anonymous copy of the report?": "To zgłoszenie pochodzi z innego serwera. Przenieść anonimową kopię zgłoszenia?", + "The draft event has been updated": "Szkic wydarzenia został zaktualizowany", + "The event has been created as a draft": "Wydarzenie zostało utworzone jako szkic", + "The event has been published": "Wydarzenie zostało opublikowane", + "The event has been updated": "Zaktualizowano wydarzenie", + "The event has been updated and published": "Opublikowano i zaktualizowano wydarzenie", + "The event organizer didn't add any description.": "Organizator wydarzenia nie dodał żadnego opisu.", + "The page you're looking for doesn't exist.": "Strona którą próbujesz odwiedzić nie istnieje.", + "The password was successfully changed": "Pomyślnie zmieniono hasło", + "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "Zgłoszenie zostanie wysłane do moderatorów Twojej instancji. Możesz wyjaśnić powód zgłoszenia poniżej.", + "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "Konto użytkownika na które próbujesz się zalogować nie zostało jeszcze potwierdzone. Sprawdź nowe wiadomości e-mail lub folder spam.", + "These events may interest you": "Te wydarzenia mogą Cię zainteresować", + "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Ta instalacja (nazywana „instancją” może łatwo {interconnect} dzięki {protocol}.", + "This instance isn't opened to registrations, but you can register on other instances.": "Ta instancja nie pozwala na rejestrację, ale możesz zarejestrować się na innych.", + "This is a demonstration site to test the beta version of Mobilizon.": "To strona demonstracyjna pozwalająca na przetestowanie wersji beta Mobilizon.", + "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Ta opcja usunie/zanonimizuje całą zawartość (wydarzenia, komentarze, wiadomości, deklaracje udziału…) utworzone z tej tożsamości.", + "Title": "Tytuł", + "To change the world, change the software": "Zmień oprogramowanie, by zmienić świat", + "To confirm, type your event title \"{eventTitle}\"": "Aby potwierdzić, wprowadź tytuł wydarzenia „{eventTitle}”", + "To confirm, type your identity username \"{preferredUsername}\"": "Aby potwierdzić, wprowadź nazwę tożsamości „{preferredUsername}”", + "Transfer to {outsideDomain}": "Przenieś do {outsideDomain}", + "Unfortunately, this instance isn't opened to registrations": "Niestety, rejestracja jest zamknięta na tej instancji", + "Unfortunately, your participation request was rejected by the organizers.": "Niestety, Twoje zgłoszenie udziału zostało odrzucone przez organizatorów.", + "Unknown error.": "Nieznany błąd.", + "Unsaved changes": "Niezapisane zmiany", + "Update event {name}": "Zaktualizuj wydarzenie {name}", + "Update my event": "Zaktualizuj wydarzenie", + "Username": "Nazwa użytkownika", + "Users": "Użytkownicy", + "View event page": "Zobacz stronę wydarzenia", + "View everything": "Zobacz wszystko", + "View page on {hostname} (in a new window)": "Zobacz stronę na {hostname} (w nowym oknie)", + "Visible everywhere on the web (public)": "Widoczne w całym internecie (publiczne)", + "Waiting for organization team approval.": "Oczekiwanie na przyjęcie przez organizatorów.", + "Warning": "Ostrzeżenie", + "We just sent an email to {email}": "Wysłaliśmy e-mail do {email}", + "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Chcemy utworzyć cyfrową wspólnotę, którą każdy może uczynić swoją; która została zaprojektowana by wspierać prywatność i aktywizm.", + "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "Nie zmienimy świata używając Facebooka. Korporacje tworzące „kapitalizm inwigilacyjny” nie utworzą narzędzia naszych marzeń, ponieważ nie przyniosłoby to im korzyść. Oto okazja, aby zbudować coś lepszego, w oparciu o inne podejście.", + "Website / URL": "Strona internetowa/URL", + "Welcome back {username}!": "Witaj ponownie, {username}!", + "Welcome back!": "Witaj ponownie!", + "Welcome on your administration panel": "Witaj w panelu administracyjnym", + "Welcome to Mobilizon, {username}!": "Witaj na Mobilizon, {username}!", + "Who can view this event and participate": "Kto może wyświetlić i wziąć udział w wydarzeniu", + "World map": "Mapa świata", + "Write something…": "Napisz coś…", + "You are already a participant of this event.": "Już jesteś uczestnikiem tego wydarzenia.", + "You are already logged-in.": "Jesteś już zalogowany(-a).", + "You can add tags by hitting the Enter key or by adding a comma": "Możesz dodać tagi klawiszem Enter lub dodając przecinek", + "You can try another search term or drag and drop the marker on the map": "Możesz spróbować innego kryterium wyszukiwania lub przeciągnąć i upuścić znacznik na mapie", + "You can't remove your last identity.": "Nie możesz usunąć swojej jedynej tożsamości.", + "You have been disconnected": "Zostałeś(-aś) rozłączony(-a)", + "You have cancelled your participation": "Wycofałeś(-aś) swój udział", + "You may also ask to {resend_confirmation_email}.": "Możesz też poprosić o {resend_confirmation_email}.", + "You need to login.": "Musisz się zalogować.", + "Your account has been validated": "Twoje konto zostało zatwierdzone", + "Your account is nearly ready, {username}": "Twoje konto jest już prawie gotowe, {username}", + "Your participation has been confirmed": "Twój udział został potwierdzony", + "a decentralised federation protocol": "zdecentralizowanemu protokołu federacji", + "iCal Feed": "Strumień iCal", + "interconnect with others like it": "łączyć się z innymi", + "on our blog": "na naszym blogu", + "resend confirmation email": "ponowne wysłanie wiadomości potwierdzającej", + "© The OpenStreetMap Contributors": "© Współtwórcy OpenStreetMap" } diff --git a/js/src/i18n/pt_BR.json b/js/src/i18n/pt_BR.json index 6fd8a23bd..5eae06e33 100644 --- a/js/src/i18n/pt_BR.json +++ b/js/src/i18n/pt_BR.json @@ -1,448 +1,448 @@ { - "Please do not use it in any real way.": "Por favor, não use isso para fins reais.", - "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Uma ferramenta de convívio, emancipadora e ética, para se reunir, se organizar e se mobilizar.", - "A validation email was sent to {email}": "Um email de confirmação foi enviado ao {email}", - "Abandon edition": "Abandonar a edição", - "About": "Sobre", - "About Mobilizon": "Sobre Mobilizon", - "About this event": "Sobre este evento", - "About this instance": "Sobre esta instância", - "Accepted": "Aceitado", - "Add": "Adicionar", - "Add a note": "Adicionar uma nota", - "Add an address": "Adicionar um endereço", - "Add an instance": "Adicionar uma instância", - "Add some tags": "Adicionar etiquetas", - "Add to my calendar": "Adicionar no meu calendário", - "Additional comments": "Adicionar comentários", - "Admin settings": "Configuração do administrador", - "Admin settings successfully saved.": "Configurações do administrador salvadas com sucesso.", - "Administration": "Administração", - "All the places have already been taken": "Todos os lugares foram ocupados |Um lugar ainda está disponível|{places}lugares estão ainda disponíveis", - "Allow all comments": "Permitir todos comentários", - "Allow registrations": "Permitir inscrições", - "An error has occurred.": "Ocorreu um erro.", - "Anonymous participants will be asked to confirm their participation through e-mail.": "Os participantes anônimos deverão confirmar sua participação por email.", - "Anonymous participations": "Participações anônimas", - "Approve": "Aprovar", - "Are you sure you want to delete this comment? This action cannot be undone.": "Você está seguro que quer apagar este comentário? Esta ação não pode ser desfeita.", - "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "Você está seguro que quer apagar este evento? Esta ação não pode ser desfeita. Talvez você queira tentar uma conversa com o criador do evento ou, então, editar este evento.", - "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Você está seguro que quer cancelar a criação do evento? Você perderá todas as modificações.", - "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Você está seguro que quer cancelar a edição do evento? Você perderá todas as modificações.", - "Are you sure you want to cancel your participation at event \"{title}\"?": "Você está seguro que quer cancelar a sua participação no evento \"{title}\"?", - "Are you sure you want to delete this event? This action cannot be reverted.": "Você está seguro que quer apagar este evento? Esta ação não pode ser desfeita.", - "Avatar": "Avatar", - "Back to previous page": "Voltar à página anterior", - "Before you can login, you need to click on the link inside it to validate your account": "Antes de você poder começar, você precisa clicar no link que está no interior para validar a sua conta", - "By @{username}": "Por @{username}", - "Cancel": "Cancelar", - "Cancel anonymous participation": "Cancelar participação anônima", - "Cancel creation": "Cancelar a criação", - "Cancel edition": "Cancelar a edição", - "Cancel my participation request…": "Cancelar o meu pedido de participação…", - "Cancel my participation…": "Cancelar minha participação…", - "Cancelled: Won't happen": "Cancelado: Não irá acontecer", - "Category": "Categoria", - "Change": "Modificar", - "Change my identity…": "Mudar minha identidade…", - "Change my password": "Mudar minha senha", - "Change password": "Mudar a senha", - "Clear": "Limpar", - "Click to select": "Clique para selecionar", - "Click to upload": "Click para subir", - "Close": "Fechar", - "Close comments for all (except for admins)": "Fechar comentários para todos (exceto para administradores)", - "Closed": "Fechar", - "Comment deleted": "Comentário apagado", - "Comment from @{username} reported": "Comentário de @{username} reportado", - "Comments": "Comentários", - "Comments have been closed.": "Os comentários foram fechados.", - "Confirm my particpation": "Confirmar minha participação", - "Confirmed: Will happen": "Confirmado: Irá acontecer", - "Continue editing": "Continuar a edição", - "Country": "País", - "Create": "Criar", - "Create a new event": "Criar novo evento", - "Create a new group": "Criar novo grupo", - "Create a new identity": "Criar nova identidade", - "Create and manage several identities from the same account": "Criar e administrar várias identidades da mesma conta", - "Create group": "Criar grupo", - "Create my event": "Criar meu evento", - "Create my group": "Criar meu grupo", - "Create my profile": "Criar meu perfil", - "Create token": "Criar token", - "Create, edit or delete events": "Criar, editar ou apagar eventos", - "Creator": "Criador", - "Current identity has been changed to {identityName} in order to manage this event.": "A identidade atual foi modificada para {identityName} para poder administrar este evento.", - "Custom": "Personalizar", - "Custom URL": "URL personalizada", - "Custom text": "Texto personalizado", - "Dashboard": "Painel de controle", - "Date": "Data", - "Date and time settings": "Configuração da data e hora", - "Date parameters": "Parâmetros da data", - "Default": "Padrão", - "Default Mobilizon.org terms": "Termos de uso padrão do Mobilizon.org", - "Delete": "Apagar", - "Delete Comment": "Apagar comentário", - "Delete Event": "Apagar o Evento", - "Delete event": "Apagar um Evento", - "Delete this identity": "Apagar esta identidade", - "Delete your identity": "Apagar a sua identidade", - "Delete {eventTitle}": "Apagar {eventTitle}", - "Delete {preferredUsername}": "Apagar {preferredUsername}", - "Deleting comment": "Apagar comentário", - "Deleting event": "Apagar evento", - "Description": "Descrição", - "Didn't receive the instructions ?": "Você não recebeu as instruções?", - "Display name": "Mostrar nome", - "Display participation price": "Mostrar um preço de participação", - "Domain": "Domínio", - "Draft": "Rascunho", - "Drafts": "Rascunhos", - "Edit": "Editar", - "Eg: Stockholm, Dance, Chess…": "Exemplo: São Paulo, Brasília, Salvador…", - "Either on the {instance} instance or on another instance.": "Tanto na instância {instance} como em outra instância.", - "Either the account is already validated, either the validation token is incorrect.": "Ou a conta já está validada, ou o token de validação está incorreto.", - "Either the participation has already been validated, either the validation token is incorrect.": "Oi a participação já foi validada, ou o token de validação está incorreto.", - "Email": "Email", - "Ends on…": "Termina em…", - "Enjoy discovering Mobilizon!": "Divirta-se descobrindo Mobilizon!", - "Enter the link URL": "Insira o link URL", - "Enter your own terms. HTML tags allowed. Mobilizon.org's terms are provided as template.": "Insira seus próprios termos. tags HTML são autorizadas. Os termos do Mobilizon.org são oferecidos como um exemplo apenas.", - "Error while communicating with the server.": "Erro ao comunicar com o servidor.", - "Error while saving report.": "Erro ao salvar o relatório.", - "Error while validating account": "Erro ao validar a conta", - "Error while validating participation": "Erro ao validar a participação", - "Event": "Evento", - "Event already passed": "Evento já ocorreu", - "Event cancelled": "Evento cancelado", - "Event creation": "Criação de evento", - "Event edition": "Edição de evento", - "Event list": "Lista de eventos", - "Event not found.": "Evento não encontrado.", - "Event page settings": "Configuração da página do evento", - "Event to be confirmed": "Evento a ser confirmado", - "Event {eventTitle} deleted": "Evento {eventTitle} foi apagado", - "Event {eventTitle} reported": "Evento {eventTitle} foi reportado", - "Events": "Eventos", - "Ex: test.mobilizon.org": "Ex: test.mobilizon.org", - "Exclude": "Excluir", - "Explore": "Explorar", - "Failed to save admin settings": "Falha ao salvar configurações do administrador", - "Featured events": "Eventos em destaque", - "Features": "Funcionalidades", - "Find an address": "Encontrar um endereço", - "Find an instance": "Encontrar uma instância", - "Followers": "Seguidores", - "Followings": "Seguindo", - "For instance: London, Taekwondo, Architecture…": "Por exemplo: Londres, Taekwondo, Arquitetura…", - "Forgot your password ?": "Esqueceu a senha?", - "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "Desde um aniversário com amigos e família até uma marcha pela mudança do clima, exatamente agora, right now, os bons motivos para nos juntarmos Presos pelos gigantes da tecnologia. Como nós podemos nos organizar, como nós podemos clicar, \"Participar\" sem dar nossos dados para o Facebook que nos prende dentro do MeetUp?", - "From the {startDate} at {startTime} to the {endDate}": "De {startDate} às {startTime} até {endDate}", - "From the {startDate} at {startTime} to the {endDate} at {endTime}": "De {startDate} às {startTime} até {endDate} às {endTime}", - "From the {startDate} to the {endDate}": "De {startDate} até {endDate}", - "Gather ⋅ Organize ⋅ Mobilize": "Reunir⋅ Organizar⋅ Mobilizar", - "General information": "Informações gerais", - "Getting location": "Obter localização", - "Go": "Vamos", - "Going as {name}": "Indo como {name}", - "Group List": "Lista de grupos", - "Group full name": "Nome completo do grupo", - "Group name": "Nome do grupo", - "Group {displayName} created": "Grupo {displayName} criado", - "Groups": "Grupos", - "Headline picture": "Imagem de manchete", - "Hide replies": "Esconder as respostas", - "I create an identity": "Eu crio uma identidade", - "I don't have a Mobilizon account": "Eu não tenho uma conta Mobilizon", - "I have a Mobilizon account": "Eu tenho uma conta Mobilizon", - "I have an account on another Mobilizon instance.": "Eu tenho uma conta numa outra instância Mobilizon.", - "I participate": "Eu participo", - "I want to allow people to participate without an account.": "Eu quero permitir pessoas participarem sem uma conta.", - "I want to approve every participation request": "Eu quero aprovar cada pedido de participação", - "Identity {displayName} created": "Identidade {displayName} criada", - "Identity {displayName} deleted": "Identidade {displayName} apagada", - "Identity {displayName} updated": "Identidade {displayName} atualizada", - "If an account with this email exists, we just sent another confirmation email to {email}": "Se uma conta com esse email existe, nós acabamos de enviar um outro email de confirmação para {email}", - "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Se esta identidade é o único administrador de alguns grupos, você precisa apagar esses grupos antes de poder apagar esta identidade.", - "Impossible to login, your email or password seems incorrect.": "Impossível fazer login, seu e-mail ou senha parecem estar incorreto.", - "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "Enquanto isso, favor considerar que o aplicativo não está (ainda) terminado. Mais informações {onBlog}.", - "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "instalar Mobilizon possibilitará às comunidades de se libertarem dos serviços de grandes empresas de tecnologia criando, elas mesmas, suas próprias plataformas.", - "Instance Description": "Descrição da instância", - "Instance Name": "Nome da instância", - "Instance Terms": "Termos de uso da instância", - "Instance Terms Source": "Termos básicos de uso da instância", - "Instance Terms URL": "URL dos termos de uso da instância", - "Instances": "Instâncias", - "Join {instance}, a Mobilizon instance": "Junte-se à {instance}, uma instância Mobilizon", - "Last published event": "Último evento publicado", - "Last week": "Última semana", - "Learn more": "Saiba mais", - "Learn more about Mobilizon": "Saiba mais sobre Mobilizon", - "Leave event": "Deixar o evento", - "Leaving event \"{title}\"": "Deixar o evento \"{title}\"", - "Let's create a new common": "Vamos criar um novo Common", - "License": "Licença", - "Limited number of places": "Número de lugares limitados", - "Load more": "Ver mais", - "Locality": "Localidade", - "Log in": "Entrar", - "Log out": "Sair", - "Login": "Entrar", - "Login on Mobilizon!": "Entrar no Mobilizon!", - "Login on {instance}": "Entrar em {instance}", - "Manage participations": "Gerenciar participações", - "Mark as resolved": "Marcar como resolvido", - "Members": "Membros", - "Mobilizon is a federated network. You can interact with this event from a different server.": "Mobilizon é uma rede federada. Você pode interagir com este evento através de um outro servidor.", - "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon é um aplicativo livre/gratuito que permitirá às comunidades de criarem seus próprios espaços para publicarem eventos para se emanciparem dos grandes gigantes da tecnologia.", - "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon está em desenvolvimento, nós iremos adicionar novas funcionalidades neste site durante atualizações regulares, até o lançamento da versão 1 do aplicativo no primeiro semestre de 2020.", - "Mobilizon’s licence": "A licença Mobilizon", - "Moderated comments (shown after approval)": "Comentários moderados (mostrados após aprovação)", - "My account": "Minha conta", - "My events": "Meus eventos", - "My identities": "Minhas identidades", - "Name": "Nome", - "New note": "Nova nota", - "New password": "Nova senha", - "No actors found": "Nenhum ator encontrado", - "No address defined": "Nenhum endereço definido", - "No closed reports yet": "Nenhum relatório fechado ainda", - "No comment": "Nenhum comentário", - "No comments yet": "Nenhum comentário ainda", - "No end date": "Não há data final", - "No events found": "Nenhum evento encontrado", - "No group found": "Nenhum grupo encontrado", - "No groups found": "Nenhum grupo encontrado", - "No instance follows your instance yet.": "Nenhuma instância seguindo sua instância ainda.", - "No instance to approve|Approve instance|Approve {number} instances": "Nenhuma instância para aprovar|Aprovar instância|Aprovar {number} instâncias", - "No instance to reject|Reject instance|Reject {number} instances": "Nenhuma instância a rejeitar|Rejeitar instância|Rejeitar {number} instâncias", - "No instance to remove|Remove instance|Remove {number} instances": "Nenhuma instância para remover|Remover instância|Remover {number} instâncias", - "No open reports yet": "Nenhum relatório aberto ainda", - "No resolved reports yet": "Nenhum relatório resolvido ainda", - "No results for \"{queryText}\"": "Não há resultado para \"{queryText}\"", - "No user account with this email was found. Maybe you made a typo?": "Nenhuma conta de usuário com este e-mail foi encontrado. Talvez você esqueceu ou trocou alguma letra?", - "Notes": "Notas", - "Number of places": "Número de lugares", - "OK": "OK", - "Old password": "senha antiga", - "On {date}": "Em {date}", - "On {date} ending at {endTime}": "Em {date} terminando às {endTime}", - "On {date} from {startTime} to {endTime}": "Em {date} de {startTime} até {endTime}", - "On {date} starting at {startTime}": "Em {date} começando às {startTime}", - "One person is going": "Ninguém irá| Uma pessoa irá | {approved} pessoas irão", - "Only accessible through link and search (private)": "Acessível somente através de um link e busca (privada)", - "Only alphanumeric characters and underscores are supported.": "Apenas letras e números e sublinhado (underscore) é aceito.", - "Open": "Aberto", - "Opened reports": "Relatórios abertos", - "Or": "Ou", - "Organized": "Organizado", - "Organized by {name}": "Organizado por {name}", - "Organizer": "Organizador", - "Other software may also support this.": "Outros aplicativos talvez também suportem esta funcionalidade.", - "Otherwise this identity will just be removed from the group administrators.": "Caso contrário, esta identidade será removida do grupo de administradores.", - "Page limited to my group (asks for auth)": "Acesso limitado ao meu grupo (solicite o acesso)", - "Page not found": "Página não encontrada", - "Participant already was rejected.": "Participante já foi rejeitado.", - "Participant has already been approved as participant.": "o participante já foi aprovado como participante.", - "Participants": "Participantes", - "Participate": "Participar", - "Participate using your email address": "Participar utilizando o seu endereço de email", - "Participation approval": "Aprovação de participação", - "Participation requested!": "Participação solicitada!", - "Password": "Senha", - "Password (confirmation)": "Senha (confirmação)", - "Password change": "Mudança de senha", - "Password reset": "Reinicializar a senha", - "Past events": "Eventos realizados", - "Pending": "Pendente", - "Pick an identity": "Escolha uma identidade", - "Please check your spam folder if you didn't receive the email.": "Favor verificar sua caixa de spam caso não tenha recebido o email.", - "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Contate o administrador desta instância Mobilizon se você pensa se tratar de um erro.", - "Please make sure the address is correct and that the page hasn't been moved.": "Favor certificar-se de que o endereço está correto e de que a página não foi movida.", - "Please read the full rules": "Favor leia todas as regras", - "Please refresh the page and retry.": "Favor atualizar a página e tentar novamente.", - "Post a comment": "Adicione um comentário", - "Post a reply": "Envie uma resposta", - "Postal Code": "Código Postal", - "Privacy Policy": "Política de privacidade", - "Private event": "Evento privado", - "Private feeds": "Feeds Privados", - "Public RSS/Atom Feed": "RSS público/Atom feed", - "Public comment moderation": "Moderação de comentários públicos", - "Public event": "Evento público", - "Public feeds": "Feeds públicos", - "Public iCal Feed": "Feed iCal público", - "Publish": "Publicar", - "Published events": "Eventos publicados", - "RSS/Atom Feed": "RSS/Feed Atom", - "Read Framasoft’s statement of intent on the Framablog": "Leia a declaração de intenção da Associação Framasoft em Framablog", - "Redirecting to event…": "Redirecionando para o evento…", - "Region": "Região", - "Register": "Inscrever", - "Register an account on Mobilizon!": "Registrar uma conta no Mobilizon!", - "Register for an event by choosing one of your identities": "Inscrever-se num evento escolhendo uma de suas identidades", - "Registration is allowed, anyone can register.": "Inscrições autorizadas, qualquer um pode se inscrever.", - "Registration is closed.": "Inscrições fechadas.", - "Registration is currently closed.": "Inscrições estão atualmente fechadas.", - "Registrations are restricted by whitelisting.": "Inscrições são restritas aos membros da lista branca.", - "Reject": "Rejeitar", - "Rejected": "Rejeitado", - "Rejected participations": "Participantes rejeitados", - "Reopen": "Reabrir", - "Reply": "Responder", - "Report": "Relatar", - "Report this comment": "Relatar este comentário", - "Report this event": "Relatar este evento", - "Reported": "Reportado", - "Reported by": "Relatado por", - "Reported by someone on {domain}": "Relatado por alguém em {domain}", - "Reported by {reporter}": "Relatado por {reporter}", - "Reported identity": "Identidade reportada", - "Reports": "Relatórios", - "Requests": "Solicitações", - "Resend confirmation email": "Enviar um novo email de confirmação", - "Reset my password": "Recuperar a senha", - "Resolved": "Resolvido", - "Resource provided is not an URL": "O recurso oferecido não é um URL", - "Save": "Salvar", - "Save draft": "Salvar rascunho", - "Search": "Buscar", - "Search events, groups, etc.": "Buscar eventos, grupos, etc.", - "Search results: \"{search}\"": "Resultados da busca: \"{search}\"", - "Searching…": "Buscando…", - "Send email": "Enviar email", - "Send me an email to reset my password": "Envie-me um e-mail para eu reiniciar minha senha", - "Send me the confirmation email once again": "Envie-me o email de confirmação novamente", - "Send the report": "Enviar o relato", - "Set an URL to a page with your own terms.": "Insira um URL apontando para uma página contendo os seus próprios termos.", - "Settings": "Parâmetros", - "Share this event": "Compartilhar este evento", - "Show map": "Mostrar mapa", - "Show remaining number of places": "Mostrar o número de lugares restantes", - "Show the time when the event begins": "Mostrar o horário de início do evento", - "Show the time when the event ends": "Mostrar o horário que o evento termina", - "Sign up": "Registrar", - "Software to the people": "Aplicativos para as pessoas", - "Starts on…": "Começa em…", - "Status": "Status", - "Street": "Rua", - "Tentative: Will be confirmed later": "Provisório: será confirmado mais tarde", - "Terms": "Termos de uso", - "The actual number of participants may differ, as this event is hosted on another instance.": "O número atual de participantes talvez difiram, já que este evento é hospedado em outra instância.", - "The content came from another server. Transfer an anonymous copy of the report?": "O conteúdo vem de um outro servidor. Transferir uma cópia anônima do relatório?", - "The current identity doesn't have any permission on this event. You should probably change it.": "O identidade atual não tem permissão neste evento. Você deverá provavelmente mudar isso.", - "The draft event has been updated": "O rascunho do evento foi atualizado", - "The event has been created as a draft": "Evento criado como um rascunho", - "The event has been published": "Evento publicado", - "The event has been updated": "Evento atualizado", - "The event has been updated and published": "Evento atualizado e publicado", - "The event organizer didn't add any description.": "O organizador do evento não inseriu nenhuma descrição.", - "The event title will be ellipsed.": "O título do evento será reticulado.", - "The page you're looking for doesn't exist.": "A página que você procura não existe.", - "The password was successfully changed": "A senha foi modificada com sucesso", - "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "O relato será enviado aos moderadores da sua instância. Você pode explicar o por que você relatou o conteúdo abaixo.", - "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "A conta de usuário que você utiliza para entrar não foi confirmada ainda. Verifique sua caixa de emails e, eventualmente, a sua caixa de spam.", - "The {default_terms} will be used. They will be translated in the user's language.": "Os {default_terms} será usado. Eles serão traduzidos no idioma do usuário.", - "There are {participants} participants.": "Há {participants} participantes.", - "These events may interest you": "Estes eventos talvez te interessem", - "This Mobilizon instance and this event organizer allows anonymous participations, but requires validation through email confirmation.": "Esta instância Mobilizon e o organizador deste evento permitem participantes anônimos, mas solicita a validação através da confirmação do email.", - "This email is already registered as participant for this event": "Este email ja está registrado como participante deste evento", - "This information is saved only on your computer. Click for details": "Esta informação é salva apenas no seu computador. Clique para mais detalhes", - "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Esta instalação (chamada “instância“) pode facilmente {interconnect}, graças a {protocol}.", - "This instance isn't opened to registrations, but you can register on other instances.": "Esta instância não está aberta para registros, mas você pode se registrar em outras instâncias.", - "This is a demonstration site to test the beta version of Mobilizon.": "Este é um site teste de demonstração da versão beta do Mobilizon.", - "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Isto irá apagar / tornar anônimo todo o conteúdo (eventos, comentários, mensagens, participantes...) criados por esta identidade.", - "Title": "Título", - "To achieve your registration, please create a first identity profile.": "Para concluir sua inscrição, favor criar seu primeiro perfil de identidade.", - "To change the world, change the software": "Para mudar o mundo, mude o aplicativo", - "To confirm, type your event title \"{eventTitle}\"": "Para confirmar, insira o título do seu evento \"{eventTitle}\"", - "To confirm, type your identity username \"{preferredUsername}\"": "Para confirmar, insira o nome da identidade \"{preferredUsername}\"", - "Transfer to {outsideDomain}": "Transferir para {outsideDomain}", - "Type": "Tipo", - "URL": "URL", - "Unfortunately, this instance isn't opened to registrations": "Infelizmente, esta instância não está aberta para registros", - "Unfortunately, your participation request was rejected by the organizers.": "Infelizmente, seu pedido de participação foi rejeitado pelos organizadores.", - "Unknown": "Desconhecido", - "Unknown actor": "Ator desconhecido", - "Unknown error.": "Erro desconhecido.", - "Unsaved changes": "Modificações não salvas", - "Upcoming": "Em breve", - "Update event {name}": "Atualizar evento {name}", - "Update my event": "Atualizar meu evento", - "Updated": "Atualizado", - "Username": "Nome de usuário", - "Users": "Usuários", - "View a reply": "Nenhuma resposta|Ver uma resposta|Ver {totalReplies} respostas", - "View event page": "Ver a página do evento", - "View everything": "Ver tudo", - "View page on {hostname} (in a new window)": "Ver a página em {hostname} (numa nova janela)", - "Visible everywhere on the web (public)": "Visível a todo mundo na web (público)", - "Waiting for organization team approval.": "Aguardando pela aprovação da equipe de organização.", - "Waiting list": "Lista de espera", - "Warning": "Atenção", - "We just sent an email to {email}": "Acabamos de enviar um email para {email}", - "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Queremos criar um bem comum (commons) digital , onde cada qual possa se apropriar e fazer o seu também, respeitando a privacidade e o ativismo como base.", - "We will redirect you to your instance in order to interact with this event": "Iremos redirecionar você para sua instância para você interagir com este evento", - "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "Nós não mudarmos o mundo pelo Facebook. A ferramenta que nós sonhamos não será criada pelas corporações do capitalismo de vigilância, já que eles não teriam lucro com ela. Esta é uma oportunidade para construirmos algo melhor, adotando uma outra abordagem.", - "Website / URL": "Website / URL", - "Welcome back {username}!": "Bem-vindo(a) novamente {username}!", - "Welcome back!": "Bem-vindo de volta!", - "Welcome on your administration panel": "Bem-vindo ao seu painel de administração", - "Welcome to Mobilizon, {username}!": "Bem-vindo(a) ao Mobilizon, {username}!", - "Who can view this event and participate": "Quem pode ver este evento e participar", - "World map": "Mapa mundi", - "Write something…": "Escreva qualquer coisa…", - "You and one other person are going to this event": "Você é o único que está indo neste evento|Você e uma outra pessoa estão indo neste evento | Você e {approved} pessoas estão indo neste evento.", - "You are already a participant of this event.": "Você já participa deste evento.", - "You are participating in this event anonymously": "Você participa deste evento de forma anônima", - "You are participating in this event anonymously but didn't confirm participation": "Você participa deste evento de forma anônima, mas você não confirmou a sua participação", - "You can add tags by hitting the Enter key or by adding a comma": "Você pode adicionar etiquetas pressionando Enter ou adicionando uma vírgula", - "You can try another search term or drag and drop the marker on the map": "Você pode tentar inserir outro termo de busca ou arrastar o marcador do mapa", - "You can't remove your last identity.": "Você não pode remover a sua última identidade.", - "You don't follow any instances yet.": "Você não segue nenhuma instância ainda.", - "You have been disconnected": "Você foi disconectado", - "You have cancelled your participation": "Você cancelou a sua participação", - "You have one event in {days} days.": "Você não tem eventos nos próximos {days} dias. |Você tem um evento em {days} dias. | Você tem {count} eventos em {days} dias", - "You have one event today.": "Você não tem evento hoje | Você tem um evento hoje. | Você tem {count} eventos hoje", - "You have one event tomorrow.": "Você não tem eventos amanhã | Você tem um evento amanhã. | Você tem {count} eventos amanhã", - "You may also ask to {resend_confirmation_email}.": "Você pode também pedir para {resend_confirmation_email}.", - "You need to login.": "Você precisa entrar (fazer login).", - "You will be redirected to the original instance": "Você será redirecionado para a instância original", - "You wish to participate to the following event": "Você deseja participar do seguinte evento", - "Your account has been validated": "Sua conta foi validada", - "Your account is being validated": "Sua conta esta sendo validada", - "Your account is nearly ready, {username}": "Sua conta está quase pronta, {username}", - "Your email is not whitelisted, you can't register.": "Seu email não está na lista branca, você não pode se registrar.", - "Your email will only be used to confirm that you're a real person and send you eventual updates for this event. It will NOT be transmitted to other instances or to the event organizer.": "Seu email será usado apenas para confirmar que você é uma pessoa real e para enviar à você eventuais atualizações para este evento. Ele NÃO será transmitido a outras instâncias ou ao organizador do evento.", - "Your federated identity": "Sua identidade federada", - "Your local administrator resumed its policy:": "Seus administrador local resumiu sua política assim:", - "Your participation has been confirmed": "Sua participação foi confirmada", - "Your participation has been rejected": "Sua participação foi rejeitada", - "Your participation has been requested": "Sua participação foi solicitada", - "Your participation has been validated": "Sua participação foi validada", - "Your participation is being validated": "Sua participação está sendo validada", - "Your participation status has been changed": "O status da sua participação foi modificado", - "[This comment has been deleted]": "[Este comentário foi apagado]", - "[deleted]": "[apagado]", - "a decentralised federation protocol": "um protocolo de federação descentralizada", - "as {identity}": "como {identity}", - "default Mobilizon terms": "Termos de utilização padrão do Mobilizon.org", - "e.g. 10 Rue Jangot": "por exemplo: 10 Rue Jangot", - "firstDayOfWeek": "1", - "iCal Feed": "Feed iCal", - "interconnect with others like it": "Interconectar com outros como este", - "its source code is public": "seu código fonte é público", - "on our blog": "no nosso blog", - "profile@instance": "perfil@instance", - "resend confirmation email": "Reenviar email de confirmação", - "respect of the fundamental freedoms": "o respeito às liberdades fundamentais", - "with another identity…": "com uma outra identidade…", - "{approved} / {total} seats": "{approved} / {total} lugares", - "{count} participants": "Nenhum participante ainda | Um participante | {count} participantes", - "{count} requests waiting": "Uma solução aguardando | {count} solicitações aguardando", - "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} garantir o {respect} das pessoas que irão usar, Uma vez que {source}, qualquer um pode auditar isso, o que garante a transparência.", - "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© Os colaboradores Mobilizon {date} - Feito com Elixir, Phoenix, VueJS & e com um pouco de amor em algumas semanas", - "© The OpenStreetMap Contributors": "© Os colaboradores OpenStreetMap" + "Please do not use it in any real way.": "Por favor, não use isso para fins reais.", + "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Uma ferramenta de convívio, emancipadora e ética, para se reunir, se organizar e se mobilizar.", + "A validation email was sent to {email}": "Um email de confirmação foi enviado ao {email}", + "Abandon edition": "Abandonar a edição", + "About": "Sobre", + "About Mobilizon": "Sobre Mobilizon", + "About this event": "Sobre este evento", + "About this instance": "Sobre esta instância", + "Accepted": "Aceitado", + "Add": "Adicionar", + "Add a note": "Adicionar uma nota", + "Add an address": "Adicionar um endereço", + "Add an instance": "Adicionar uma instância", + "Add some tags": "Adicionar etiquetas", + "Add to my calendar": "Adicionar no meu calendário", + "Additional comments": "Adicionar comentários", + "Admin settings": "Configuração do administrador", + "Admin settings successfully saved.": "Configurações do administrador salvadas com sucesso.", + "Administration": "Administração", + "All the places have already been taken": "Todos os lugares foram ocupados |Um lugar ainda está disponível|{places}lugares estão ainda disponíveis", + "Allow all comments": "Permitir todos comentários", + "Allow registrations": "Permitir inscrições", + "An error has occurred.": "Ocorreu um erro.", + "Anonymous participants will be asked to confirm their participation through e-mail.": "Os participantes anônimos deverão confirmar sua participação por email.", + "Anonymous participations": "Participações anônimas", + "Approve": "Aprovar", + "Are you sure you want to delete this comment? This action cannot be undone.": "Você está seguro que quer apagar este comentário? Esta ação não pode ser desfeita.", + "Are you sure you want to delete this event? This action cannot be undone. You may want to engage the conversation with the event creator or edit its event instead.": "Você está seguro que quer apagar este evento? Esta ação não pode ser desfeita. Talvez você queira tentar uma conversa com o criador do evento ou, então, editar este evento.", + "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Você está seguro que quer cancelar a criação do evento? Você perderá todas as modificações.", + "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Você está seguro que quer cancelar a edição do evento? Você perderá todas as modificações.", + "Are you sure you want to cancel your participation at event \"{title}\"?": "Você está seguro que quer cancelar a sua participação no evento \"{title}\"?", + "Are you sure you want to delete this event? This action cannot be reverted.": "Você está seguro que quer apagar este evento? Esta ação não pode ser desfeita.", + "Avatar": "Avatar", + "Back to previous page": "Voltar à página anterior", + "Before you can login, you need to click on the link inside it to validate your account": "Antes de você poder começar, você precisa clicar no link que está no interior para validar a sua conta", + "By @{username}": "Por @{username}", + "Cancel": "Cancelar", + "Cancel anonymous participation": "Cancelar participação anônima", + "Cancel creation": "Cancelar a criação", + "Cancel edition": "Cancelar a edição", + "Cancel my participation request…": "Cancelar o meu pedido de participação…", + "Cancel my participation…": "Cancelar minha participação…", + "Cancelled: Won't happen": "Cancelado: Não irá acontecer", + "Category": "Categoria", + "Change": "Modificar", + "Change my identity…": "Mudar minha identidade…", + "Change my password": "Mudar minha senha", + "Change password": "Mudar a senha", + "Clear": "Limpar", + "Click to select": "Clique para selecionar", + "Click to upload": "Click para subir", + "Close": "Fechar", + "Close comments for all (except for admins)": "Fechar comentários para todos (exceto para administradores)", + "Closed": "Fechar", + "Comment deleted": "Comentário apagado", + "Comment from @{username} reported": "Comentário de @{username} reportado", + "Comments": "Comentários", + "Comments have been closed.": "Os comentários foram fechados.", + "Confirm my particpation": "Confirmar minha participação", + "Confirmed: Will happen": "Confirmado: Irá acontecer", + "Continue editing": "Continuar a edição", + "Country": "País", + "Create": "Criar", + "Create a new event": "Criar novo evento", + "Create a new group": "Criar novo grupo", + "Create a new identity": "Criar nova identidade", + "Create and manage several identities from the same account": "Criar e administrar várias identidades da mesma conta", + "Create group": "Criar grupo", + "Create my event": "Criar meu evento", + "Create my group": "Criar meu grupo", + "Create my profile": "Criar meu perfil", + "Create token": "Criar token", + "Create, edit or delete events": "Criar, editar ou apagar eventos", + "Creator": "Criador", + "Current identity has been changed to {identityName} in order to manage this event.": "A identidade atual foi modificada para {identityName} para poder administrar este evento.", + "Custom": "Personalizar", + "Custom URL": "URL personalizada", + "Custom text": "Texto personalizado", + "Dashboard": "Painel de controle", + "Date": "Data", + "Date and time settings": "Configuração da data e hora", + "Date parameters": "Parâmetros da data", + "Default": "Padrão", + "Default Mobilizon.org terms": "Termos de uso padrão do Mobilizon.org", + "Delete": "Apagar", + "Delete Comment": "Apagar comentário", + "Delete Event": "Apagar o Evento", + "Delete event": "Apagar um Evento", + "Delete this identity": "Apagar esta identidade", + "Delete your identity": "Apagar a sua identidade", + "Delete {eventTitle}": "Apagar {eventTitle}", + "Delete {preferredUsername}": "Apagar {preferredUsername}", + "Deleting comment": "Apagar comentário", + "Deleting event": "Apagar evento", + "Description": "Descrição", + "Didn't receive the instructions ?": "Você não recebeu as instruções?", + "Display name": "Mostrar nome", + "Display participation price": "Mostrar um preço de participação", + "Domain": "Domínio", + "Draft": "Rascunho", + "Drafts": "Rascunhos", + "Edit": "Editar", + "Eg: Stockholm, Dance, Chess…": "Exemplo: São Paulo, Brasília, Salvador…", + "Either on the {instance} instance or on another instance.": "Tanto na instância {instance} como em outra instância.", + "Either the account is already validated, either the validation token is incorrect.": "Ou a conta já está validada, ou o token de validação está incorreto.", + "Either the participation has already been validated, either the validation token is incorrect.": "Oi a participação já foi validada, ou o token de validação está incorreto.", + "Email": "Email", + "Ends on…": "Termina em…", + "Enjoy discovering Mobilizon!": "Divirta-se descobrindo Mobilizon!", + "Enter the link URL": "Insira o link URL", + "Enter your own terms. HTML tags allowed. Mobilizon.org's terms are provided as template.": "Insira seus próprios termos. tags HTML são autorizadas. Os termos do Mobilizon.org são oferecidos como um exemplo apenas.", + "Error while communicating with the server.": "Erro ao comunicar com o servidor.", + "Error while saving report.": "Erro ao salvar o relatório.", + "Error while validating account": "Erro ao validar a conta", + "Error while validating participation": "Erro ao validar a participação", + "Event": "Evento", + "Event already passed": "Evento já ocorreu", + "Event cancelled": "Evento cancelado", + "Event creation": "Criação de evento", + "Event edition": "Edição de evento", + "Event list": "Lista de eventos", + "Event not found.": "Evento não encontrado.", + "Event page settings": "Configuração da página do evento", + "Event to be confirmed": "Evento a ser confirmado", + "Event {eventTitle} deleted": "Evento {eventTitle} foi apagado", + "Event {eventTitle} reported": "Evento {eventTitle} foi reportado", + "Events": "Eventos", + "Ex: test.mobilizon.org": "Ex: test.mobilizon.org", + "Exclude": "Excluir", + "Explore": "Explorar", + "Failed to save admin settings": "Falha ao salvar configurações do administrador", + "Featured events": "Eventos em destaque", + "Features": "Funcionalidades", + "Find an address": "Encontrar um endereço", + "Find an instance": "Encontrar uma instância", + "Followers": "Seguidores", + "Followings": "Seguindo", + "For instance: London, Taekwondo, Architecture…": "Por exemplo: Londres, Taekwondo, Arquitetura…", + "Forgot your password ?": "Esqueceu a senha?", + "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "Desde um aniversário com amigos e família até uma marcha pela mudança do clima, exatamente agora, right now, os bons motivos para nos juntarmos Presos pelos gigantes da tecnologia. Como nós podemos nos organizar, como nós podemos clicar, \"Participar\" sem dar nossos dados para o Facebook que nos prende dentro do MeetUp?", + "From the {startDate} at {startTime} to the {endDate}": "De {startDate} às {startTime} até {endDate}", + "From the {startDate} at {startTime} to the {endDate} at {endTime}": "De {startDate} às {startTime} até {endDate} às {endTime}", + "From the {startDate} to the {endDate}": "De {startDate} até {endDate}", + "Gather ⋅ Organize ⋅ Mobilize": "Reunir⋅ Organizar⋅ Mobilizar", + "General information": "Informações gerais", + "Getting location": "Obter localização", + "Go": "Vamos", + "Going as {name}": "Indo como {name}", + "Group List": "Lista de grupos", + "Group full name": "Nome completo do grupo", + "Group name": "Nome do grupo", + "Group {displayName} created": "Grupo {displayName} criado", + "Groups": "Grupos", + "Headline picture": "Imagem de manchete", + "Hide replies": "Esconder as respostas", + "I create an identity": "Eu crio uma identidade", + "I don't have a Mobilizon account": "Eu não tenho uma conta Mobilizon", + "I have a Mobilizon account": "Eu tenho uma conta Mobilizon", + "I have an account on another Mobilizon instance.": "Eu tenho uma conta numa outra instância Mobilizon.", + "I participate": "Eu participo", + "I want to allow people to participate without an account.": "Eu quero permitir pessoas participarem sem uma conta.", + "I want to approve every participation request": "Eu quero aprovar cada pedido de participação", + "Identity {displayName} created": "Identidade {displayName} criada", + "Identity {displayName} deleted": "Identidade {displayName} apagada", + "Identity {displayName} updated": "Identidade {displayName} atualizada", + "If an account with this email exists, we just sent another confirmation email to {email}": "Se uma conta com esse email existe, nós acabamos de enviar um outro email de confirmação para {email}", + "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Se esta identidade é o único administrador de alguns grupos, você precisa apagar esses grupos antes de poder apagar esta identidade.", + "Impossible to login, your email or password seems incorrect.": "Impossível fazer login, seu e-mail ou senha parecem estar incorreto.", + "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "Enquanto isso, favor considerar que o aplicativo não está (ainda) terminado. Mais informações {onBlog}.", + "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "instalar Mobilizon possibilitará às comunidades de se libertarem dos serviços de grandes empresas de tecnologia criando, elas mesmas, suas próprias plataformas.", + "Instance Description": "Descrição da instância", + "Instance Name": "Nome da instância", + "Instance Terms": "Termos de uso da instância", + "Instance Terms Source": "Termos básicos de uso da instância", + "Instance Terms URL": "URL dos termos de uso da instância", + "Instances": "Instâncias", + "Join {instance}, a Mobilizon instance": "Junte-se à {instance}, uma instância Mobilizon", + "Last published event": "Último evento publicado", + "Last week": "Última semana", + "Learn more": "Saiba mais", + "Learn more about Mobilizon": "Saiba mais sobre Mobilizon", + "Leave event": "Deixar o evento", + "Leaving event \"{title}\"": "Deixar o evento \"{title}\"", + "Let's create a new common": "Vamos criar um novo Common", + "License": "Licença", + "Limited number of places": "Número de lugares limitados", + "Load more": "Ver mais", + "Locality": "Localidade", + "Log in": "Entrar", + "Log out": "Sair", + "Login": "Entrar", + "Login on Mobilizon!": "Entrar no Mobilizon!", + "Login on {instance}": "Entrar em {instance}", + "Manage participations": "Gerenciar participações", + "Mark as resolved": "Marcar como resolvido", + "Members": "Membros", + "Mobilizon is a federated network. You can interact with this event from a different server.": "Mobilizon é uma rede federada. Você pode interagir com este evento através de um outro servidor.", + "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon é um aplicativo livre/gratuito que permitirá às comunidades de criarem seus próprios espaços para publicarem eventos para se emanciparem dos grandes gigantes da tecnologia.", + "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon está em desenvolvimento, nós iremos adicionar novas funcionalidades neste site durante atualizações regulares, até o lançamento da versão 1 do aplicativo no primeiro semestre de 2020.", + "Mobilizon’s licence": "A licença Mobilizon", + "Moderated comments (shown after approval)": "Comentários moderados (mostrados após aprovação)", + "My account": "Minha conta", + "My events": "Meus eventos", + "My identities": "Minhas identidades", + "Name": "Nome", + "New note": "Nova nota", + "New password": "Nova senha", + "No actors found": "Nenhum ator encontrado", + "No address defined": "Nenhum endereço definido", + "No closed reports yet": "Nenhum relatório fechado ainda", + "No comment": "Nenhum comentário", + "No comments yet": "Nenhum comentário ainda", + "No end date": "Não há data final", + "No events found": "Nenhum evento encontrado", + "No group found": "Nenhum grupo encontrado", + "No groups found": "Nenhum grupo encontrado", + "No instance follows your instance yet.": "Nenhuma instância seguindo sua instância ainda.", + "No instance to approve|Approve instance|Approve {number} instances": "Nenhuma instância para aprovar|Aprovar instância|Aprovar {number} instâncias", + "No instance to reject|Reject instance|Reject {number} instances": "Nenhuma instância a rejeitar|Rejeitar instância|Rejeitar {number} instâncias", + "No instance to remove|Remove instance|Remove {number} instances": "Nenhuma instância para remover|Remover instância|Remover {number} instâncias", + "No open reports yet": "Nenhum relatório aberto ainda", + "No resolved reports yet": "Nenhum relatório resolvido ainda", + "No results for \"{queryText}\"": "Não há resultado para \"{queryText}\"", + "No user account with this email was found. Maybe you made a typo?": "Nenhuma conta de usuário com este e-mail foi encontrado. Talvez você esqueceu ou trocou alguma letra?", + "Notes": "Notas", + "Number of places": "Número de lugares", + "OK": "OK", + "Old password": "senha antiga", + "On {date}": "Em {date}", + "On {date} ending at {endTime}": "Em {date} terminando às {endTime}", + "On {date} from {startTime} to {endTime}": "Em {date} de {startTime} até {endTime}", + "On {date} starting at {startTime}": "Em {date} começando às {startTime}", + "One person is going": "Ninguém irá| Uma pessoa irá | {approved} pessoas irão", + "Only accessible through link and search (private)": "Acessível somente através de um link e busca (privada)", + "Only alphanumeric characters and underscores are supported.": "Apenas letras e números e sublinhado (underscore) é aceito.", + "Open": "Aberto", + "Opened reports": "Relatórios abertos", + "Or": "Ou", + "Organized": "Organizado", + "Organized by {name}": "Organizado por {name}", + "Organizer": "Organizador", + "Other software may also support this.": "Outros aplicativos talvez também suportem esta funcionalidade.", + "Otherwise this identity will just be removed from the group administrators.": "Caso contrário, esta identidade será removida do grupo de administradores.", + "Page limited to my group (asks for auth)": "Acesso limitado ao meu grupo (solicite o acesso)", + "Page not found": "Página não encontrada", + "Participant already was rejected.": "Participante já foi rejeitado.", + "Participant has already been approved as participant.": "o participante já foi aprovado como participante.", + "Participants": "Participantes", + "Participate": "Participar", + "Participate using your email address": "Participar utilizando o seu endereço de email", + "Participation approval": "Aprovação de participação", + "Participation requested!": "Participação solicitada!", + "Password": "Senha", + "Password (confirmation)": "Senha (confirmação)", + "Password change": "Mudança de senha", + "Password reset": "Reinicializar a senha", + "Past events": "Eventos realizados", + "Pending": "Pendente", + "Pick an identity": "Escolha uma identidade", + "Please check your spam folder if you didn't receive the email.": "Favor verificar sua caixa de spam caso não tenha recebido o email.", + "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Contate o administrador desta instância Mobilizon se você pensa se tratar de um erro.", + "Please make sure the address is correct and that the page hasn't been moved.": "Favor certificar-se de que o endereço está correto e de que a página não foi movida.", + "Please read the full rules": "Favor leia todas as regras", + "Please refresh the page and retry.": "Favor atualizar a página e tentar novamente.", + "Post a comment": "Adicione um comentário", + "Post a reply": "Envie uma resposta", + "Postal Code": "Código Postal", + "Privacy Policy": "Política de privacidade", + "Private event": "Evento privado", + "Private feeds": "Feeds Privados", + "Public RSS/Atom Feed": "RSS público/Atom feed", + "Public comment moderation": "Moderação de comentários públicos", + "Public event": "Evento público", + "Public feeds": "Feeds públicos", + "Public iCal Feed": "Feed iCal público", + "Publish": "Publicar", + "Published events": "Eventos publicados", + "RSS/Atom Feed": "RSS/Feed Atom", + "Read Framasoft’s statement of intent on the Framablog": "Leia a declaração de intenção da Associação Framasoft em Framablog", + "Redirecting to event…": "Redirecionando para o evento…", + "Region": "Região", + "Register": "Inscrever", + "Register an account on Mobilizon!": "Registrar uma conta no Mobilizon!", + "Register for an event by choosing one of your identities": "Inscrever-se num evento escolhendo uma de suas identidades", + "Registration is allowed, anyone can register.": "Inscrições autorizadas, qualquer um pode se inscrever.", + "Registration is closed.": "Inscrições fechadas.", + "Registration is currently closed.": "Inscrições estão atualmente fechadas.", + "Registrations are restricted by whitelisting.": "Inscrições são restritas aos membros da lista branca.", + "Reject": "Rejeitar", + "Rejected": "Rejeitado", + "Rejected participations": "Participantes rejeitados", + "Reopen": "Reabrir", + "Reply": "Responder", + "Report": "Relatar", + "Report this comment": "Relatar este comentário", + "Report this event": "Relatar este evento", + "Reported": "Reportado", + "Reported by": "Relatado por", + "Reported by someone on {domain}": "Relatado por alguém em {domain}", + "Reported by {reporter}": "Relatado por {reporter}", + "Reported identity": "Identidade reportada", + "Reports": "Relatórios", + "Requests": "Solicitações", + "Resend confirmation email": "Enviar um novo email de confirmação", + "Reset my password": "Recuperar a senha", + "Resolved": "Resolvido", + "Resource provided is not an URL": "O recurso oferecido não é um URL", + "Save": "Salvar", + "Save draft": "Salvar rascunho", + "Search": "Buscar", + "Search events, groups, etc.": "Buscar eventos, grupos, etc.", + "Search results: \"{search}\"": "Resultados da busca: \"{search}\"", + "Searching…": "Buscando…", + "Send email": "Enviar email", + "Send me an email to reset my password": "Envie-me um e-mail para eu reiniciar minha senha", + "Send me the confirmation email once again": "Envie-me o email de confirmação novamente", + "Send the report": "Enviar o relato", + "Set an URL to a page with your own terms.": "Insira um URL apontando para uma página contendo os seus próprios termos.", + "Settings": "Parâmetros", + "Share this event": "Compartilhar este evento", + "Show map": "Mostrar mapa", + "Show remaining number of places": "Mostrar o número de lugares restantes", + "Show the time when the event begins": "Mostrar o horário de início do evento", + "Show the time when the event ends": "Mostrar o horário que o evento termina", + "Sign up": "Registrar", + "Software to the people": "Aplicativos para as pessoas", + "Starts on…": "Começa em…", + "Status": "Status", + "Street": "Rua", + "Tentative: Will be confirmed later": "Provisório: será confirmado mais tarde", + "Terms": "Termos de uso", + "The actual number of participants may differ, as this event is hosted on another instance.": "O número atual de participantes talvez difiram, já que este evento é hospedado em outra instância.", + "The content came from another server. Transfer an anonymous copy of the report?": "O conteúdo vem de um outro servidor. Transferir uma cópia anônima do relatório?", + "The current identity doesn't have any permission on this event. You should probably change it.": "O identidade atual não tem permissão neste evento. Você deverá provavelmente mudar isso.", + "The draft event has been updated": "O rascunho do evento foi atualizado", + "The event has been created as a draft": "Evento criado como um rascunho", + "The event has been published": "Evento publicado", + "The event has been updated": "Evento atualizado", + "The event has been updated and published": "Evento atualizado e publicado", + "The event organizer didn't add any description.": "O organizador do evento não inseriu nenhuma descrição.", + "The event title will be ellipsed.": "O título do evento será reticulado.", + "The page you're looking for doesn't exist.": "A página que você procura não existe.", + "The password was successfully changed": "A senha foi modificada com sucesso", + "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "O relato será enviado aos moderadores da sua instância. Você pode explicar o por que você relatou o conteúdo abaixo.", + "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "A conta de usuário que você utiliza para entrar não foi confirmada ainda. Verifique sua caixa de emails e, eventualmente, a sua caixa de spam.", + "The {default_terms} will be used. They will be translated in the user's language.": "Os {default_terms} será usado. Eles serão traduzidos no idioma do usuário.", + "There are {participants} participants.": "Há {participants} participantes.", + "These events may interest you": "Estes eventos talvez te interessem", + "This Mobilizon instance and this event organizer allows anonymous participations, but requires validation through email confirmation.": "Esta instância Mobilizon e o organizador deste evento permitem participantes anônimos, mas solicita a validação através da confirmação do email.", + "This email is already registered as participant for this event": "Este email ja está registrado como participante deste evento", + "This information is saved only on your computer. Click for details": "Esta informação é salva apenas no seu computador. Clique para mais detalhes", + "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Esta instalação (chamada “instância“) pode facilmente {interconnect}, graças a {protocol}.", + "This instance isn't opened to registrations, but you can register on other instances.": "Esta instância não está aberta para registros, mas você pode se registrar em outras instâncias.", + "This is a demonstration site to test the beta version of Mobilizon.": "Este é um site teste de demonstração da versão beta do Mobilizon.", + "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Isto irá apagar / tornar anônimo todo o conteúdo (eventos, comentários, mensagens, participantes...) criados por esta identidade.", + "Title": "Título", + "To achieve your registration, please create a first identity profile.": "Para concluir sua inscrição, favor criar seu primeiro perfil de identidade.", + "To change the world, change the software": "Para mudar o mundo, mude o aplicativo", + "To confirm, type your event title \"{eventTitle}\"": "Para confirmar, insira o título do seu evento \"{eventTitle}\"", + "To confirm, type your identity username \"{preferredUsername}\"": "Para confirmar, insira o nome da identidade \"{preferredUsername}\"", + "Transfer to {outsideDomain}": "Transferir para {outsideDomain}", + "Type": "Tipo", + "URL": "URL", + "Unfortunately, this instance isn't opened to registrations": "Infelizmente, esta instância não está aberta para registros", + "Unfortunately, your participation request was rejected by the organizers.": "Infelizmente, seu pedido de participação foi rejeitado pelos organizadores.", + "Unknown": "Desconhecido", + "Unknown actor": "Ator desconhecido", + "Unknown error.": "Erro desconhecido.", + "Unsaved changes": "Modificações não salvas", + "Upcoming": "Em breve", + "Update event {name}": "Atualizar evento {name}", + "Update my event": "Atualizar meu evento", + "Updated": "Atualizado", + "Username": "Nome de usuário", + "Users": "Usuários", + "View a reply": "Nenhuma resposta|Ver uma resposta|Ver {totalReplies} respostas", + "View event page": "Ver a página do evento", + "View everything": "Ver tudo", + "View page on {hostname} (in a new window)": "Ver a página em {hostname} (numa nova janela)", + "Visible everywhere on the web (public)": "Visível a todo mundo na web (público)", + "Waiting for organization team approval.": "Aguardando pela aprovação da equipe de organização.", + "Waiting list": "Lista de espera", + "Warning": "Atenção", + "We just sent an email to {email}": "Acabamos de enviar um email para {email}", + "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Queremos criar um bem comum (commons) digital , onde cada qual possa se apropriar e fazer o seu também, respeitando a privacidade e o ativismo como base.", + "We will redirect you to your instance in order to interact with this event": "Iremos redirecionar você para sua instância para você interagir com este evento", + "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "Nós não mudarmos o mundo pelo Facebook. A ferramenta que nós sonhamos não será criada pelas corporações do capitalismo de vigilância, já que eles não teriam lucro com ela. Esta é uma oportunidade para construirmos algo melhor, adotando uma outra abordagem.", + "Website / URL": "Website / URL", + "Welcome back {username}!": "Bem-vindo(a) novamente {username}!", + "Welcome back!": "Bem-vindo de volta!", + "Welcome on your administration panel": "Bem-vindo ao seu painel de administração", + "Welcome to Mobilizon, {username}!": "Bem-vindo(a) ao Mobilizon, {username}!", + "Who can view this event and participate": "Quem pode ver este evento e participar", + "World map": "Mapa mundi", + "Write something…": "Escreva qualquer coisa…", + "You and one other person are going to this event": "Você é o único que está indo neste evento|Você e uma outra pessoa estão indo neste evento | Você e {approved} pessoas estão indo neste evento.", + "You are already a participant of this event.": "Você já participa deste evento.", + "You are participating in this event anonymously": "Você participa deste evento de forma anônima", + "You are participating in this event anonymously but didn't confirm participation": "Você participa deste evento de forma anônima, mas você não confirmou a sua participação", + "You can add tags by hitting the Enter key or by adding a comma": "Você pode adicionar etiquetas pressionando Enter ou adicionando uma vírgula", + "You can try another search term or drag and drop the marker on the map": "Você pode tentar inserir outro termo de busca ou arrastar o marcador do mapa", + "You can't remove your last identity.": "Você não pode remover a sua última identidade.", + "You don't follow any instances yet.": "Você não segue nenhuma instância ainda.", + "You have been disconnected": "Você foi disconectado", + "You have cancelled your participation": "Você cancelou a sua participação", + "You have one event in {days} days.": "Você não tem eventos nos próximos {days} dias. |Você tem um evento em {days} dias. | Você tem {count} eventos em {days} dias", + "You have one event today.": "Você não tem evento hoje | Você tem um evento hoje. | Você tem {count} eventos hoje", + "You have one event tomorrow.": "Você não tem eventos amanhã | Você tem um evento amanhã. | Você tem {count} eventos amanhã", + "You may also ask to {resend_confirmation_email}.": "Você pode também pedir para {resend_confirmation_email}.", + "You need to login.": "Você precisa entrar (fazer login).", + "You will be redirected to the original instance": "Você será redirecionado para a instância original", + "You wish to participate to the following event": "Você deseja participar do seguinte evento", + "Your account has been validated": "Sua conta foi validada", + "Your account is being validated": "Sua conta esta sendo validada", + "Your account is nearly ready, {username}": "Sua conta está quase pronta, {username}", + "Your email is not whitelisted, you can't register.": "Seu email não está na lista branca, você não pode se registrar.", + "Your email will only be used to confirm that you're a real person and send you eventual updates for this event. It will NOT be transmitted to other instances or to the event organizer.": "Seu email será usado apenas para confirmar que você é uma pessoa real e para enviar à você eventuais atualizações para este evento. Ele NÃO será transmitido a outras instâncias ou ao organizador do evento.", + "Your federated identity": "Sua identidade federada", + "Your local administrator resumed its policy:": "Seus administrador local resumiu sua política assim:", + "Your participation has been confirmed": "Sua participação foi confirmada", + "Your participation has been rejected": "Sua participação foi rejeitada", + "Your participation has been requested": "Sua participação foi solicitada", + "Your participation has been validated": "Sua participação foi validada", + "Your participation is being validated": "Sua participação está sendo validada", + "Your participation status has been changed": "O status da sua participação foi modificado", + "[This comment has been deleted]": "[Este comentário foi apagado]", + "[deleted]": "[apagado]", + "a decentralised federation protocol": "um protocolo de federação descentralizada", + "as {identity}": "como {identity}", + "default Mobilizon terms": "Termos de utilização padrão do Mobilizon.org", + "e.g. 10 Rue Jangot": "por exemplo: 10 Rue Jangot", + "firstDayOfWeek": "1", + "iCal Feed": "Feed iCal", + "interconnect with others like it": "Interconectar com outros como este", + "its source code is public": "seu código fonte é público", + "on our blog": "no nosso blog", + "profile@instance": "perfil@instance", + "resend confirmation email": "Reenviar email de confirmação", + "respect of the fundamental freedoms": "o respeito às liberdades fundamentais", + "with another identity…": "com uma outra identidade…", + "{approved} / {total} seats": "{approved} / {total} lugares", + "{count} participants": "Nenhum participante ainda | Um participante | {count} participantes", + "{count} requests waiting": "Uma solução aguardando | {count} solicitações aguardando", + "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} garantir o {respect} das pessoas que irão usar, Uma vez que {source}, qualquer um pode auditar isso, o que garante a transparência.", + "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© Os colaboradores Mobilizon {date} - Feito com Elixir, Phoenix, VueJS & e com um pouco de amor em algumas semanas", + "© The OpenStreetMap Contributors": "© Os colaboradores OpenStreetMap" } diff --git a/js/src/i18n/sv.json b/js/src/i18n/sv.json index c01cb59cf..ce7ae103b 100644 --- a/js/src/i18n/sv.json +++ b/js/src/i18n/sv.json @@ -1,351 +1,351 @@ { - "Please do not use it in any real way.": "Använd gärna inte det på riktigt.", - "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Ett användarvänligt, frigörande och etiskt verktyg för att samlas, organisera och mobilisera.", - "A validation email was sent to {email}": "Ett valideringsmail skickades till {email}", - "Abandon edition": "Överge redigering", - "About": "Om", - "About Mobilizon": "Om Mobilizon", - "About this event": "Om det här evenemanget", - "About this instance": "Om den här instansen", - "Accepted": "Accepterad", - "Account settings": "Kontoinställningar", - "Add": "Lägg till", - "Add a note": "Lägg till en kommentar", - "Add an address": "Lägg till en adress", - "Add an instance": "Lägg till en instans", - "Add some tags": "Lägg till några taggar", - "Add to my calendar": "Lägg till i min kalender", - "Additional comments": "Yttligare kommentarer", - "Administration": "Administration", - "All the places have already been taken": "Alla platser är bokade|Det finns en plats kvar|Det finns {places} kvar", - "Allow all comments": "Tillåt alla kommentarer", - "Allow registrations": "Tillåt kontoregistrering", - "An error has occurred.": "Ett fel har uppstått.", - "Approve": "Godkänn", - "Are you sure you want to delete this comment? This action cannot be undone.": "Är du säker på att du vill radera den här kommentaren? Detta kan inte ångras.", - "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Är du säker på att du vill avbryta evenemangskapandet? Du kommer förlora alla ändringar.", - "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Är du säker på att du vill avbryta evenemangredigeringen? Du kommer förlora alla ändringar.", - "Are you sure you want to cancel your participation at event \"{title}\"?": "Är du säker på att du vill avsluta ditt deltagande i evenemanget \"{title}\"?", - "Are you sure you want to delete this event? This action cannot be reverted.": "Är du säker på att du vill radera det här evenemanget? Den här handlingen kan inte ångras.", - "Avatar": "Avatar", - "Before you can login, you need to click on the link inside it to validate your account": "Innan du loggar in måste du klicka på länken inuti det för att validera ditt konto", - "By @{username}": "Av @{username}", - "Cancel": "Avbryt", - "Cancel creation": "Avbryt skapandet", - "Cancel edition": "Avbryt redigeringen", - "Cancel my participation request…": "Avbryt min ansökan om att delta…", - "Cancel my participation…": "Avsluta mitt deltagande…", - "Cancelled: Won't happen": "Inställt: Kommer inte ske", - "Category": "Kategori", - "Change": "Ändra", - "Change my identity…": "Ändra min identitet…", - "Change my password": "Ändra mitt lösenord", - "Change password": "Ändra lösenord", - "Clear": "Rensa", - "Click to select": "Klicka för att välja", - "Click to upload": "Klicka för att ladda upp", - "Close": "Stäng", - "Close comments for all (except for admins)": "Stäng kommentarerna för alla (förutom administratörer)", - "Closed": "Stängd", - "Comment deleted": "Kommentar raderad", - "Comment from @{username} reported": "Kommentaren från @{username} har anmälts", - "Comments": "Kommentarer", - "Comments on the event page": "Kommentarer på evenemangets sida", - "Confirm my particpation": "Bekräfta mitt deltagande", - "Confirmed: Will happen": "Fastställt: Kommer ske", - "Continue editing": "Fortsätt redigera", - "Country": "Land", - "Create": "Skapa", - "Create a new event": "Skapa ett nytt evenemang", - "Create a new group": "Skapa en ny grupp", - "Create a new identity": "Skapa en ny identitet", - "Create and manage several identities from the same account": "Skapa och hantera flera identiteter från samma konto", - "Create group": "Skapa grupp", - "Create my event": "Skapa mitt evenemang", - "Create my group": "Skapa min grupp", - "Create my profile": "Skapa min profil", - "Create token": "Skapa token", - "Create, edit or delete events": "Skapa, redigera eller radera evenemang", - "Creator": "Skapare", - "Current identity has been changed to {identityName} in order to manage this event.": "Aktiv identitet har ändrats till {identityName} för att hantera det här evenemanget.", - "Dashboard": "Kontrollpanel", - "Date": "Datum", - "Date and time settings": "Datum- och tidsinställningar", - "Date parameters": "Datumparametrar", - "Delete": "Radera", - "Delete Comment": "Radera kommentar", - "Delete Event": "Radera evenemang", - "Delete event": "Radera evenemang", - "Delete this identity": "Radera den här identiteten", - "Delete your identity": "Radera din identitet", - "Delete {eventTitle}": "Radera {eventTitle}", - "Delete {preferredUsername}": "Radera {preferredUsername}", - "Deleting comment": "Radera kommentar", - "Deleting event": "Raderar evenemang", - "Description": "Beskrivning", - "Didn't receive the instructions ?": "Fick inte instruktionerna?", - "Display name": "Visa namn", - "Display participation price": "Visa pris för deltagande", - "Domain": "Domän", - "Draft": "Utkast", - "Drafts": "Utkast", - "Edit": "Redigera", - "Eg: Stockholm, Dance, Chess…": "E.g.: Stockholm, Dans, Schack…", - "Either the account is already validated, either the validation token is incorrect.": "Antingen är kontot redan validerat eller så är valideringstoken inkorrekt.", - "Email": "E-post", - "Ends on…": "Slutar…", - "Enjoy discovering Mobilizon!": "Njut av att utforska Mobilizon!", - "Enter the link URL": "Skriv in länken", - "Error while communicating with the server.": "Fel vid kommunikation med servern.", - "Error while saving report.": "Fel vid sparande av rapport.", - "Error while validating account": "Fel vid validering av konto", - "Event": "Evenemang", - "Event already passed": "Evenemanget är över", - "Event cancelled": "Evenemanget är inställt", - "Event creation": "Evenemangskapande", - "Event edition": "Evenemangredigerande", - "Event list": "Evenemanglista", - "Event not found.": "Evenemanget hittades inte.", - "Event page settings": "Evenemangsidans inställningar", - "Event to be confirmed": "Evenemang ska bekräftas", - "Event {eventTitle} deleted": "Evenemang {eventTitle} raderat", - "Event {eventTitle} reported": "Evenemang {eventTitle} rapporterat", - "Events": "Evenemang", - "Ex: test.mobilizon.org": "T.ex: test.mobilizon.org", - "Exclude": "Exkludera", - "Explore": "Utforska", - "Featured events": "Utvalda evenemang", - "Features": "Utvalda", - "Find an address": "Hitta en adress", - "Find an instance": "Hitta en instans", - "Followers": "Följare", - "For instance: London, Taekwondo, Architecture…": "Till exempel: London, Taekwondo, Arkitektur…", - "Forgot your password ?": "Glömt ditt lösenord?", - "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "Från en födelsedagsfest med vänner och familj till en demonstration för klimatet, just nu är våra evenemang bundna till teknikjättarnas platformer. Hur kan vi organisera, hur kan vi klicka \"Kommer,\" utan att ge upp privat information till Facebook eller låsa upp oss själva i MeetUp?", - "From the {startDate} at {startTime} to the {endDate}": "Från {startDate} klockan {startTime} till {endDate}", - "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Från {startDate} klockan {startTime} till {endDate} klockan {endTime}", - "From the {startDate} to the {endDate}": "Från {startDate} till {endDate}", - "Gather ⋅ Organize ⋅ Mobilize": "Samlas ⋅ Organisera ⋅ Mobilisera", - "General information": "Generell information", - "Getting location": "Hämtar plats", - "Going as {name}": "Går under namnet {name}", - "Group List": "Grupplista", - "Group full name": "Gruppnamn (hela)", - "Group name": "Gruppnamn", - "Group {displayName} created": "Gruppen {displayName} har skapats", - "Groups": "Grupper", - "Headline picture": "Huvudbild", - "Hide replies": "Dölj svar", - "I create an identity": "Jag skapar en identitet", - "I participate": "Jag deltar", - "I want to approve every participation request": "Jag vill godkänna varje deltagande", - "Identity {displayName} created": "Identiteten {displayName} skapad", - "Identity {displayName} deleted": "Identiteten {displayName} raderad", - "Identity {displayName} updated": "Identiteten {displayName} uppdaterad", - "If an account with this email exists, we just sent another confirmation email to {email}": "Om ett konto med den här e-postadressen finns skickade vi precis ett till bekräftelsemail till {email}", - "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Om den här identiteten är den enda administratören av vissa grupper måste du radera dem innan du kan radera den här identiteten.", - "Impossible to login, your email or password seems incorrect.": "Kunde inte logga in, din e-postadress eller ditt lösenord verkar inte stämma.", - "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "Under tiden, kom ihåg att mjukvaran inte är färdig (ännu). Mer information {onBlog}.", - "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Att installera Mobilizon kommer tillåta gemenskaper att fria sig själva från teknikjättarnas tjänster genom att skapa sina egna platformar för evenamang.", - "Join {instance}, a Mobilizon instance": "Gå med i {instance}, en Mobilizon instans", - "Last published event": "Senast publicerade evenemang", - "Last week": "Senaste veckan", - "Learn more": "Lär dig mer", - "Learn more about Mobilizon": "Lär dig mer om Mobilizon", - "Leave event": "Lämna evenemang", - "Leaving event \"{title}\"": "Lämnar evenemanget \"{title}\"", - "Let's create a new common": "Låt oss skapa en ny gemenskap", - "License": "Licens", - "Limited number of places": "Begränsat antal platser", - "Load more": "Ladda fler", - "Locality": "Plats", - "Log in": "Logga in", - "Log out": "Logga ut", - "Login": "Logga in", - "Login on Mobilizon!": "Logga in på Mobilizon!", - "Manage participations": "Hantera deltaganden", - "Members": "Medlemmar", - "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon är fri/libre mjukvara som gör det möjligt för gemenskaper att skapa sina egena platser för att publisera evenemang, för att bättre frigöra sig själva från teknikjättar.", - "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon är under utveckling, vi kommer lägga till nya funktioner till den här sidan med regelbundna uppdatering, tills vi släpper version 1 av mjukvaran under första halvåret av 2020.", - "Mobilizon’s licence": "Mobilizons licens", - "Moderated comments (shown after approval)": "Modererade kommentarer (visas när de godkänts)", - "My account": "Mitt konto", - "My events": "Mina evenemang", - "My identities": "Mina identiteter", - "Name": "Namn", - "New password": "Nytt lösenord", - "No address defined": "Ingen adress fastställd", - "No end date": "Inget slutdatum", - "No events found": "Inga evenemang hittade", - "No group found": "Ingen grupp hittades", - "No groups found": "Inga grupper hittades", - "No results for \"{queryText}\"": "Inga resultat för \"{queryText}\"", - "No user account with this email was found. Maybe you made a typo?": "Inget användarkonto med den e-postadressen hittades. Du kanske råkade göra ett stavfel?", - "Number of places": "Antal platser", - "OK": "Okej", - "Old password": "Gammalt lösenord", - "On {date}": "Den {date}", - "On {date} ending at {endTime}": "Den {date}, slut klockan {endTime}", - "On {date} from {startTime} to {endTime}": "Den {date} från {startTime} till {endTime}", - "On {date} starting at {startTime}": "Den {date} med start klockan {startTime}", - "One person is going": "Ingen kommer|En person kommer|{approved} personer kommer", - "Only accessible through link and search (private)": "Endast tillgänglig via länk och sök (privat)", - "Only alphanumeric characters and underscores are supported.": "Endast bokstäver, siffror och understreck stöds.", - "Opened reports": "Öppnade rapporter", - "Organized": "Organiserad", - "Organized by {name}": "Organiserad av {namn}", - "Organizer": "Organisatör", - "Otherwise this identity will just be removed from the group administrators.": "Annars kommer den här identiteten bara raderas från gruppens administratörer.", - "Page limited to my group (asks for auth)": "Sida begränsad till min grupp (frågar efter autentisering)", - "Page not found": "Sidan hittades inte", - "Participant already was rejected.": "Deltagaren har redan blivit avfärdad.", - "Participant has already been approved as participant.": "Deltagaren har redan godkänts.", - "Participants": "Deltagare", - "Participate": "Delta", - "Participation approval": "Deltagandegodkännande", - "Participation requested!": "Du har ansökt om deltagande!", - "Password": "Lösenord", - "Password (confirmation)": "Lösenord (bekräftning)", - "Password change": "Ändra lösenord", - "Password reset": "Återställ lösenord", - "Past events": "Tidigare evenemang", - "Pick an identity": "Välj en identitet", - "Please check your spam folder if you didn't receive the email.": "Kolla din spam-folder om du inte fått mailet.", - "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Vänligen kontakta den här instansens Mobilizon-administratör om du tror det här är ett misstag.", - "Please make sure the address is correct and that the page hasn't been moved.": "Vänligen se till att adressen stämmer och att sidan inte flyttats.", - "Please read the full rules": "Vänligen läs reglerna", - "Please refresh the page and retry.": "Vänligen ladda om sidan och försök igen.", - "Please type at least 5 characters": "Vänligen skriv minst 5 karaktärer", - "Postal Code": "Postkod", - "Private event": "Privat evenemang", - "Private feeds": "Privata feeds", - "Public RSS/Atom Feed": "Publik RSS/Atom-feed", - "Public comment moderation": "Publik kommentarmoderering", - "Public event": "Publikt evenemang", - "Public feeds": "Publika feeds", - "Public iCal Feed": "Publik iCal-feed", - "Publish": "Publicera", - "Published events": "Publicerade evenemang", - "RSS/Atom Feed": "RSS/Atom-feed", - "Read Framasoft’s statement of intent on the Framablog": "Läs Framasofts uttalande om intention på Framabloggen", - "Region": "Region", - "Register": "Registrera", - "Register an account on Mobilizon!": "Registrera ett konto på Mobilizon!", - "Register for an event by choosing one of your identities": "Registrera dig för ett evenemang genom att välja en av dina identiteter", - "Registration is currently closed.": "Registreringen är stängd för närvarande.", - "Reject": "Avfärda", - "Rejected": "Avfärdad", - "Rejected participations": "Avfärdade deltaganden", - "Report": "Rapportera", - "Report this event": "Rapportera det här evenemanget", - "Requests": "Förfrågningar", - "Resend confirmation email": "Skicka bekräftelsemailet igen", - "Reset my password": "Återställ mitt lösenord", - "Save": "Spara", - "Save draft": "Spara utkast", - "Search": "Sök", - "Search events, groups, etc.": "Sök evenemang, grupper, etc.", - "Search results: \"{search}\"": "Sökresultat: \"{search}\"", - "Searching…": "Söker…", - "Send me an email to reset my password": "Skicka mig ett mail för att återställa mitt lösenord", - "Send me the confirmation email once again": "Skicka mig bekräftelsemailet en gång till", - "Send the report": "Skicka rapporten", - "Share this event": "Dela det här evenemanget", - "Show map": "Visa karta", - "Show remaining number of places": "Visa antal lediga platser", - "Show the time when the event begins": "Visa vilken tid evenemanget börjar", - "Show the time when the event ends": "Visa vilken tid evenemanget slutar", - "Sign up": "Gå med", - "Software to the people": "Mjukvara åt folket", - "Starts on…": "Börjar…", - "Status": "Status", - "Street": "Gata", - "Tentative: Will be confirmed later": "Preliminär: Kommer bekräftas senare", - "The content came from another server. Transfer an anonymous copy of the report?": "Innehållet kom rån en annan server. Överför en anonym kopia av rapporten?", - "The current identity doesn't have any permission on this event. You should probably change it.": "Den aktiva identiteten har inga behörigheter på det här evenemanget. Du borde antagligen ändra det.", - "The draft event has been updated": "Utkastet har uppdaterats", - "The event has been created as a draft": "Evenemanget har skapats som ett utkast", - "The event has been published": "Evenemanget har publicerats", - "The event has been updated": "Evenemanget har uppdaterats", - "The event has been updated and published": "Evenemanget har uppdaterats och publicerats", - "The event organizer didn't add any description.": "Evenemangets organisatör lade inte till någon beskrivning.", - "The event title will be ellipsed.": "Evenemangets titel kommer förkortas med en ellipsis.", - "The page you're looking for doesn't exist.": "Sidan du letar efter existerar inte.", - "The password was successfully changed": "Lösenordet ändrades", - "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "Rapporten kommer skickas till moderatorerna på din instans. Du kan förklara varför du rapporterade det här innehållet här under.", - "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "Användarkontot du försöker logga in som har inte bekräftats ännu. Kolla din e-postinbox och eventuellt din spam-folder.", - "There are {participants} participants.": "Det är {participants} deltagare.", - "These events may interest you": "Dessa evenemang kanske intresserar dig", - "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Den här installationen (kallat \"instans\") kan enkelt {interconnect}, tack vare {protocol}.", - "This instance isn't opened to registrations, but you can register on other instances.": "Den här isntansen är inte öppen för registrering, men du kan registrera på andra instanser.", - "This is a demonstration site to test the beta version of Mobilizon.": "Det här är en demosida för att testa beta-versionen av Mobilizon.", - "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Det här kommer radera / anonymisera allt innehåll (evenemang, kommentarer, meddelanden, deltaganden...) skapade av den här identiteten.", - "Title": "Titel", - "To achieve your registration, please create a first identity profile.": "För att fullfölja din registrering, vänligen skapa din första identitetsprofil.", - "To change the world, change the software": "För att ändra världen, ändra mjukvaran", - "To confirm, type your event title \"{eventTitle}\"": "För att bekräfta, skriv in evenemangets titel \"{eventTitle}\"", - "To confirm, type your identity username \"{preferredUsername}\"": "För att bekräfta, skriv in din identitets användarnamn \"{preferredUsername}\"", - "Transfer to {outsideDomain}": "Överför till {outsideDomain}", - "Unfortunately, this instance isn't opened to registrations": "Tyvärr är den här instansen inte öppen för registrering", - "Unfortunately, your participation request was rejected by the organizers.": "Tyvärr blev ditt deltagande avfärdat av organisatörerna.", - "Unknown error.": "Okänt fel.", - "Unsaved changes": "Osparade ändringar", - "Upcoming": "Kommande", - "Update event {name}": "Uppdatera evenemang {name}", - "Update my event": "Uppdatera mitt evenemang", - "Username": "Användarnamn", - "Users": "Användare", - "View event page": "Visa evenemangsidan", - "View everything": "Visa allt", - "View page on {hostname} (in a new window)": "Visa sidan hos {hostname} (öppnas i ett nytt fönster)", - "Visible everywhere on the web (public)": "Synlig överallt på internet (publikt)", - "Waiting for organization team approval.": "Väntar på godkännande från organisationsteamet.", - "Waiting list": "Väntlista", - "Warning": "Varning", - "We just sent an email to {email}": "Vi skickade precis ett mail till {email}", - "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Vi vill utveckla en digital allmänning, som alla kan göra till sin egen, som respekterar integritet och aktivism från grunden.", - "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "Vi kommer inte ändra världen utifrån Facebook. Verktyget i drömmer om kommer inte utvecklas av övervakande, kapitalistiska företag, eftersom de inte kan gör vinst på det. Det här är ett tillfälle att bygga någonting bättre genom att tänka annorlunda.", - "Website / URL": "Hemsida / URL", - "Welcome back {username}!": "Välkommen tillbaka {username}!", - "Welcome back!": "Välkommen tillbaka!", - "Welcome on your administration panel": "Välkommen till din administrationspanel", - "Welcome to Mobilizon, {username}!": "Välkommen till Mobilizon, {username}!", - "Who can view this event and participate": "Vem kan se och delta i detta evenemang", - "World map": "Världskarta", - "Write something…": "Skriv något …", - "You and one other person are going to this event": "Du är den enda som deltar i detta evenemang|Du och en annan person deltar i detta evenemang|Du och {approved} andra deltar i detta evenemang.", - "You are already a participant of this event.": "Du är redan en deltagare av detta evenemang.", - "You are already logged-in.": "Du är redan inloggad.", - "You can add tags by hitting the Enter key or by adding a comma": "Du kan lägga till taggar genom att trycka Enter eller skriva ett komma", - "You can try another search term or drag and drop the marker on the map": "Du kan försöka med ett annat sökord eller dra och släpp markören på kartan", - "You can't remove your last identity.": "Du kan inte ta bort din sista identitet.", - "You have been disconnected": "Du har blivit frånkopplad", - "You have cancelled your participation": "Du har avslutat ditt deltagande", - "You have one event in {days} days.": "Du har inga evenemang under nästa {days} dagar|Du har ett evenemang under nästa {days} dagar.|Du har {count} under nästa {days} dagar", - "You have one event today.": "Du har inga evenemang idag|Du hare ett evenemang idag.|Du har {count} evenemang idag", - "You have one event tomorrow.": "Du har inga evenemang imorgon|Du har ett evenemang imorgon|Du har {count} evenemang imorgon", - "You may also ask to {resend_confirmation_email}.": "Du kan också be om att {resend_confirmation_email}.", - "You need to login.": "Du måste logga in.", - "Your account has been validated": "Ditt konto har validerats", - "Your account is being validated": "Ditt konto håller på att valideras", - "Your account is nearly ready, {username}": "Ditt konto är nästan redo, {username}", - "Your local administrator resumed its policy:": "Din lokala administratör återupptog sin policy:", - "Your participation has been confirmed": "Ditt deltagande har bekräftats", - "Your participation has been requested": "Ditt deltagande har förfrågats", - "a decentralised federation protocol": "ett decentraliserat federationsprotokoll", - "e.g. 10 Rue Jangot": "e.g. 10 Rue Jangot", - "firstDayOfWeek": "0", - "iCal Feed": "iCal-feed", - "interconnect with others like it": "sammanlänka med liknande", - "its source code is public": "dens mjukvara är publik", - "on our blog": "på vår blogg", - "resend confirmation email": "skicka bekräftelsemail igen", - "respect of the fundamental freedoms": "respektera våra grundläggande friheter", - "with another identity…": "med en annan identitet…", - "{approved} / {total} seats": "{approved} / {total} platser", - "{count} participants": "Inga deltagande ännu|En deltagande|{count} deltagande", - "{count} requests waiting": "{count} förfrågningar väntar", - "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} garanterar {respect} av folket som använder den. Eftersom {source}, kan vem som helst läsa den, vilket garanterar genomskinlighet.", - "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© Mobilizon bidragarna {date} - Gjord med Elixir, Phoenix, VueJS & och med kärlek och några veckor", - "© The OpenStreetMap Contributors": "© Alla bidragsgivare till OpenStreetMap" + "Please do not use it in any real way.": "Använd gärna inte det på riktigt.", + "A user-friendly, emancipatory and ethical tool for gathering, organising, and mobilising.": "Ett användarvänligt, frigörande och etiskt verktyg för att samlas, organisera och mobilisera.", + "A validation email was sent to {email}": "Ett valideringsmail skickades till {email}", + "Abandon edition": "Överge redigering", + "About": "Om", + "About Mobilizon": "Om Mobilizon", + "About this event": "Om det här evenemanget", + "About this instance": "Om den här instansen", + "Accepted": "Accepterad", + "Account settings": "Kontoinställningar", + "Add": "Lägg till", + "Add a note": "Lägg till en kommentar", + "Add an address": "Lägg till en adress", + "Add an instance": "Lägg till en instans", + "Add some tags": "Lägg till några taggar", + "Add to my calendar": "Lägg till i min kalender", + "Additional comments": "Yttligare kommentarer", + "Administration": "Administration", + "All the places have already been taken": "Alla platser är bokade|Det finns en plats kvar|Det finns {places} kvar", + "Allow all comments": "Tillåt alla kommentarer", + "Allow registrations": "Tillåt kontoregistrering", + "An error has occurred.": "Ett fel har uppstått.", + "Approve": "Godkänn", + "Are you sure you want to delete this comment? This action cannot be undone.": "Är du säker på att du vill radera den här kommentaren? Detta kan inte ångras.", + "Are you sure you want to cancel the event creation? You'll lose all modifications.": "Är du säker på att du vill avbryta evenemangskapandet? Du kommer förlora alla ändringar.", + "Are you sure you want to cancel the event edition? You'll lose all modifications.": "Är du säker på att du vill avbryta evenemangredigeringen? Du kommer förlora alla ändringar.", + "Are you sure you want to cancel your participation at event \"{title}\"?": "Är du säker på att du vill avsluta ditt deltagande i evenemanget \"{title}\"?", + "Are you sure you want to delete this event? This action cannot be reverted.": "Är du säker på att du vill radera det här evenemanget? Den här handlingen kan inte ångras.", + "Avatar": "Avatar", + "Before you can login, you need to click on the link inside it to validate your account": "Innan du loggar in måste du klicka på länken inuti det för att validera ditt konto", + "By @{username}": "Av @{username}", + "Cancel": "Avbryt", + "Cancel creation": "Avbryt skapandet", + "Cancel edition": "Avbryt redigeringen", + "Cancel my participation request…": "Avbryt min ansökan om att delta…", + "Cancel my participation…": "Avsluta mitt deltagande…", + "Cancelled: Won't happen": "Inställt: Kommer inte ske", + "Category": "Kategori", + "Change": "Ändra", + "Change my identity…": "Ändra min identitet…", + "Change my password": "Ändra mitt lösenord", + "Change password": "Ändra lösenord", + "Clear": "Rensa", + "Click to select": "Klicka för att välja", + "Click to upload": "Klicka för att ladda upp", + "Close": "Stäng", + "Close comments for all (except for admins)": "Stäng kommentarerna för alla (förutom administratörer)", + "Closed": "Stängd", + "Comment deleted": "Kommentar raderad", + "Comment from @{username} reported": "Kommentaren från @{username} har anmälts", + "Comments": "Kommentarer", + "Comments on the event page": "Kommentarer på evenemangets sida", + "Confirm my particpation": "Bekräfta mitt deltagande", + "Confirmed: Will happen": "Fastställt: Kommer ske", + "Continue editing": "Fortsätt redigera", + "Country": "Land", + "Create": "Skapa", + "Create a new event": "Skapa ett nytt evenemang", + "Create a new group": "Skapa en ny grupp", + "Create a new identity": "Skapa en ny identitet", + "Create and manage several identities from the same account": "Skapa och hantera flera identiteter från samma konto", + "Create group": "Skapa grupp", + "Create my event": "Skapa mitt evenemang", + "Create my group": "Skapa min grupp", + "Create my profile": "Skapa min profil", + "Create token": "Skapa token", + "Create, edit or delete events": "Skapa, redigera eller radera evenemang", + "Creator": "Skapare", + "Current identity has been changed to {identityName} in order to manage this event.": "Aktiv identitet har ändrats till {identityName} för att hantera det här evenemanget.", + "Dashboard": "Kontrollpanel", + "Date": "Datum", + "Date and time settings": "Datum- och tidsinställningar", + "Date parameters": "Datumparametrar", + "Delete": "Radera", + "Delete Comment": "Radera kommentar", + "Delete Event": "Radera evenemang", + "Delete event": "Radera evenemang", + "Delete this identity": "Radera den här identiteten", + "Delete your identity": "Radera din identitet", + "Delete {eventTitle}": "Radera {eventTitle}", + "Delete {preferredUsername}": "Radera {preferredUsername}", + "Deleting comment": "Radera kommentar", + "Deleting event": "Raderar evenemang", + "Description": "Beskrivning", + "Didn't receive the instructions ?": "Fick inte instruktionerna?", + "Display name": "Visa namn", + "Display participation price": "Visa pris för deltagande", + "Domain": "Domän", + "Draft": "Utkast", + "Drafts": "Utkast", + "Edit": "Redigera", + "Eg: Stockholm, Dance, Chess…": "E.g.: Stockholm, Dans, Schack…", + "Either the account is already validated, either the validation token is incorrect.": "Antingen är kontot redan validerat eller så är valideringstoken inkorrekt.", + "Email": "E-post", + "Ends on…": "Slutar…", + "Enjoy discovering Mobilizon!": "Njut av att utforska Mobilizon!", + "Enter the link URL": "Skriv in länken", + "Error while communicating with the server.": "Fel vid kommunikation med servern.", + "Error while saving report.": "Fel vid sparande av rapport.", + "Error while validating account": "Fel vid validering av konto", + "Event": "Evenemang", + "Event already passed": "Evenemanget är över", + "Event cancelled": "Evenemanget är inställt", + "Event creation": "Evenemangskapande", + "Event edition": "Evenemangredigerande", + "Event list": "Evenemanglista", + "Event not found.": "Evenemanget hittades inte.", + "Event page settings": "Evenemangsidans inställningar", + "Event to be confirmed": "Evenemang ska bekräftas", + "Event {eventTitle} deleted": "Evenemang {eventTitle} raderat", + "Event {eventTitle} reported": "Evenemang {eventTitle} rapporterat", + "Events": "Evenemang", + "Ex: test.mobilizon.org": "T.ex: test.mobilizon.org", + "Exclude": "Exkludera", + "Explore": "Utforska", + "Featured events": "Utvalda evenemang", + "Features": "Utvalda", + "Find an address": "Hitta en adress", + "Find an instance": "Hitta en instans", + "Followers": "Följare", + "For instance: London, Taekwondo, Architecture…": "Till exempel: London, Taekwondo, Arkitektur…", + "Forgot your password ?": "Glömt ditt lösenord?", + "From a birthday party with friends and family to a march for climate change, right now, our gatherings are trapped inside the tech giants’ platforms. How can we organize, how can we click “Attend,” without providing private data to Facebook or locking ourselves up inside MeetUp?": "Från en födelsedagsfest med vänner och familj till en demonstration för klimatet, just nu är våra evenemang bundna till teknikjättarnas platformer. Hur kan vi organisera, hur kan vi klicka \"Kommer,\" utan att ge upp privat information till Facebook eller låsa upp oss själva i MeetUp?", + "From the {startDate} at {startTime} to the {endDate}": "Från {startDate} klockan {startTime} till {endDate}", + "From the {startDate} at {startTime} to the {endDate} at {endTime}": "Från {startDate} klockan {startTime} till {endDate} klockan {endTime}", + "From the {startDate} to the {endDate}": "Från {startDate} till {endDate}", + "Gather ⋅ Organize ⋅ Mobilize": "Samlas ⋅ Organisera ⋅ Mobilisera", + "General information": "Generell information", + "Getting location": "Hämtar plats", + "Going as {name}": "Går under namnet {name}", + "Group List": "Grupplista", + "Group full name": "Gruppnamn (hela)", + "Group name": "Gruppnamn", + "Group {displayName} created": "Gruppen {displayName} har skapats", + "Groups": "Grupper", + "Headline picture": "Huvudbild", + "Hide replies": "Dölj svar", + "I create an identity": "Jag skapar en identitet", + "I participate": "Jag deltar", + "I want to approve every participation request": "Jag vill godkänna varje deltagande", + "Identity {displayName} created": "Identiteten {displayName} skapad", + "Identity {displayName} deleted": "Identiteten {displayName} raderad", + "Identity {displayName} updated": "Identiteten {displayName} uppdaterad", + "If an account with this email exists, we just sent another confirmation email to {email}": "Om ett konto med den här e-postadressen finns skickade vi precis ett till bekräftelsemail till {email}", + "If this identity is the only administrator of some groups, you need to delete them before being able to delete this identity.": "Om den här identiteten är den enda administratören av vissa grupper måste du radera dem innan du kan radera den här identiteten.", + "Impossible to login, your email or password seems incorrect.": "Kunde inte logga in, din e-postadress eller ditt lösenord verkar inte stämma.", + "In the meantime, please consider that the software is not (yet) finished. More information {onBlog}.": "Under tiden, kom ihåg att mjukvaran inte är färdig (ännu). Mer information {onBlog}.", + "Installing Mobilizon will allow communities to free themselves from the services of tech giants by creating their own event platform.": "Att installera Mobilizon kommer tillåta gemenskaper att fria sig själva från teknikjättarnas tjänster genom att skapa sina egna platformar för evenamang.", + "Join {instance}, a Mobilizon instance": "Gå med i {instance}, en Mobilizon instans", + "Last published event": "Senast publicerade evenemang", + "Last week": "Senaste veckan", + "Learn more": "Lär dig mer", + "Learn more about Mobilizon": "Lär dig mer om Mobilizon", + "Leave event": "Lämna evenemang", + "Leaving event \"{title}\"": "Lämnar evenemanget \"{title}\"", + "Let's create a new common": "Låt oss skapa en ny gemenskap", + "License": "Licens", + "Limited number of places": "Begränsat antal platser", + "Load more": "Ladda fler", + "Locality": "Plats", + "Log in": "Logga in", + "Log out": "Logga ut", + "Login": "Logga in", + "Login on Mobilizon!": "Logga in på Mobilizon!", + "Manage participations": "Hantera deltaganden", + "Members": "Medlemmar", + "Mobilizon is a free/libre software that will allow communities to create their own spaces to publish events in order to better emancipate themselves from tech giants.": "Mobilizon är fri/libre mjukvara som gör det möjligt för gemenskaper att skapa sina egena platser för att publisera evenemang, för att bättre frigöra sig själva från teknikjättar.", + "Mobilizon is under development, we will add new features to this site during regular updates, until the release of version 1 of the software in the first half of 2020.": "Mobilizon är under utveckling, vi kommer lägga till nya funktioner till den här sidan med regelbundna uppdatering, tills vi släpper version 1 av mjukvaran under första halvåret av 2020.", + "Mobilizon’s licence": "Mobilizons licens", + "Moderated comments (shown after approval)": "Modererade kommentarer (visas när de godkänts)", + "My account": "Mitt konto", + "My events": "Mina evenemang", + "My identities": "Mina identiteter", + "Name": "Namn", + "New password": "Nytt lösenord", + "No address defined": "Ingen adress fastställd", + "No end date": "Inget slutdatum", + "No events found": "Inga evenemang hittade", + "No group found": "Ingen grupp hittades", + "No groups found": "Inga grupper hittades", + "No results for \"{queryText}\"": "Inga resultat för \"{queryText}\"", + "No user account with this email was found. Maybe you made a typo?": "Inget användarkonto med den e-postadressen hittades. Du kanske råkade göra ett stavfel?", + "Number of places": "Antal platser", + "OK": "Okej", + "Old password": "Gammalt lösenord", + "On {date}": "Den {date}", + "On {date} ending at {endTime}": "Den {date}, slut klockan {endTime}", + "On {date} from {startTime} to {endTime}": "Den {date} från {startTime} till {endTime}", + "On {date} starting at {startTime}": "Den {date} med start klockan {startTime}", + "One person is going": "Ingen kommer|En person kommer|{approved} personer kommer", + "Only accessible through link and search (private)": "Endast tillgänglig via länk och sök (privat)", + "Only alphanumeric characters and underscores are supported.": "Endast bokstäver, siffror och understreck stöds.", + "Opened reports": "Öppnade rapporter", + "Organized": "Organiserad", + "Organized by {name}": "Organiserad av {namn}", + "Organizer": "Organisatör", + "Otherwise this identity will just be removed from the group administrators.": "Annars kommer den här identiteten bara raderas från gruppens administratörer.", + "Page limited to my group (asks for auth)": "Sida begränsad till min grupp (frågar efter autentisering)", + "Page not found": "Sidan hittades inte", + "Participant already was rejected.": "Deltagaren har redan blivit avfärdad.", + "Participant has already been approved as participant.": "Deltagaren har redan godkänts.", + "Participants": "Deltagare", + "Participate": "Delta", + "Participation approval": "Deltagandegodkännande", + "Participation requested!": "Du har ansökt om deltagande!", + "Password": "Lösenord", + "Password (confirmation)": "Lösenord (bekräftning)", + "Password change": "Ändra lösenord", + "Password reset": "Återställ lösenord", + "Past events": "Tidigare evenemang", + "Pick an identity": "Välj en identitet", + "Please check your spam folder if you didn't receive the email.": "Kolla din spam-folder om du inte fått mailet.", + "Please contact this instance's Mobilizon admin if you think this is a mistake.": "Vänligen kontakta den här instansens Mobilizon-administratör om du tror det här är ett misstag.", + "Please make sure the address is correct and that the page hasn't been moved.": "Vänligen se till att adressen stämmer och att sidan inte flyttats.", + "Please read the full rules": "Vänligen läs reglerna", + "Please refresh the page and retry.": "Vänligen ladda om sidan och försök igen.", + "Please type at least 5 characters": "Vänligen skriv minst 5 karaktärer", + "Postal Code": "Postkod", + "Private event": "Privat evenemang", + "Private feeds": "Privata feeds", + "Public RSS/Atom Feed": "Publik RSS/Atom-feed", + "Public comment moderation": "Publik kommentarmoderering", + "Public event": "Publikt evenemang", + "Public feeds": "Publika feeds", + "Public iCal Feed": "Publik iCal-feed", + "Publish": "Publicera", + "Published events": "Publicerade evenemang", + "RSS/Atom Feed": "RSS/Atom-feed", + "Read Framasoft’s statement of intent on the Framablog": "Läs Framasofts uttalande om intention på Framabloggen", + "Region": "Region", + "Register": "Registrera", + "Register an account on Mobilizon!": "Registrera ett konto på Mobilizon!", + "Register for an event by choosing one of your identities": "Registrera dig för ett evenemang genom att välja en av dina identiteter", + "Registration is currently closed.": "Registreringen är stängd för närvarande.", + "Reject": "Avfärda", + "Rejected": "Avfärdad", + "Rejected participations": "Avfärdade deltaganden", + "Report": "Rapportera", + "Report this event": "Rapportera det här evenemanget", + "Requests": "Förfrågningar", + "Resend confirmation email": "Skicka bekräftelsemailet igen", + "Reset my password": "Återställ mitt lösenord", + "Save": "Spara", + "Save draft": "Spara utkast", + "Search": "Sök", + "Search events, groups, etc.": "Sök evenemang, grupper, etc.", + "Search results: \"{search}\"": "Sökresultat: \"{search}\"", + "Searching…": "Söker…", + "Send me an email to reset my password": "Skicka mig ett mail för att återställa mitt lösenord", + "Send me the confirmation email once again": "Skicka mig bekräftelsemailet en gång till", + "Send the report": "Skicka rapporten", + "Share this event": "Dela det här evenemanget", + "Show map": "Visa karta", + "Show remaining number of places": "Visa antal lediga platser", + "Show the time when the event begins": "Visa vilken tid evenemanget börjar", + "Show the time when the event ends": "Visa vilken tid evenemanget slutar", + "Sign up": "Gå med", + "Software to the people": "Mjukvara åt folket", + "Starts on…": "Börjar…", + "Status": "Status", + "Street": "Gata", + "Tentative: Will be confirmed later": "Preliminär: Kommer bekräftas senare", + "The content came from another server. Transfer an anonymous copy of the report?": "Innehållet kom rån en annan server. Överför en anonym kopia av rapporten?", + "The current identity doesn't have any permission on this event. You should probably change it.": "Den aktiva identiteten har inga behörigheter på det här evenemanget. Du borde antagligen ändra det.", + "The draft event has been updated": "Utkastet har uppdaterats", + "The event has been created as a draft": "Evenemanget har skapats som ett utkast", + "The event has been published": "Evenemanget har publicerats", + "The event has been updated": "Evenemanget har uppdaterats", + "The event has been updated and published": "Evenemanget har uppdaterats och publicerats", + "The event organizer didn't add any description.": "Evenemangets organisatör lade inte till någon beskrivning.", + "The event title will be ellipsed.": "Evenemangets titel kommer förkortas med en ellipsis.", + "The page you're looking for doesn't exist.": "Sidan du letar efter existerar inte.", + "The password was successfully changed": "Lösenordet ändrades", + "The report will be sent to the moderators of your instance. You can explain why you report this content below.": "Rapporten kommer skickas till moderatorerna på din instans. Du kan förklara varför du rapporterade det här innehållet här under.", + "The user account you're trying to login as has not been confirmed yet. Check your email inbox and eventually your spam folder.": "Användarkontot du försöker logga in som har inte bekräftats ännu. Kolla din e-postinbox och eventuellt din spam-folder.", + "There are {participants} participants.": "Det är {participants} deltagare.", + "These events may interest you": "Dessa evenemang kanske intresserar dig", + "This installation (called “instance“) can easily {interconnect}, thanks to {protocol}.": "Den här installationen (kallat \"instans\") kan enkelt {interconnect}, tack vare {protocol}.", + "This instance isn't opened to registrations, but you can register on other instances.": "Den här isntansen är inte öppen för registrering, men du kan registrera på andra instanser.", + "This is a demonstration site to test the beta version of Mobilizon.": "Det här är en demosida för att testa beta-versionen av Mobilizon.", + "This will delete / anonymize all content (events, comments, messages, participations…) created from this identity.": "Det här kommer radera / anonymisera allt innehåll (evenemang, kommentarer, meddelanden, deltaganden...) skapade av den här identiteten.", + "Title": "Titel", + "To achieve your registration, please create a first identity profile.": "För att fullfölja din registrering, vänligen skapa din första identitetsprofil.", + "To change the world, change the software": "För att ändra världen, ändra mjukvaran", + "To confirm, type your event title \"{eventTitle}\"": "För att bekräfta, skriv in evenemangets titel \"{eventTitle}\"", + "To confirm, type your identity username \"{preferredUsername}\"": "För att bekräfta, skriv in din identitets användarnamn \"{preferredUsername}\"", + "Transfer to {outsideDomain}": "Överför till {outsideDomain}", + "Unfortunately, this instance isn't opened to registrations": "Tyvärr är den här instansen inte öppen för registrering", + "Unfortunately, your participation request was rejected by the organizers.": "Tyvärr blev ditt deltagande avfärdat av organisatörerna.", + "Unknown error.": "Okänt fel.", + "Unsaved changes": "Osparade ändringar", + "Upcoming": "Kommande", + "Update event {name}": "Uppdatera evenemang {name}", + "Update my event": "Uppdatera mitt evenemang", + "Username": "Användarnamn", + "Users": "Användare", + "View event page": "Visa evenemangsidan", + "View everything": "Visa allt", + "View page on {hostname} (in a new window)": "Visa sidan hos {hostname} (öppnas i ett nytt fönster)", + "Visible everywhere on the web (public)": "Synlig överallt på internet (publikt)", + "Waiting for organization team approval.": "Väntar på godkännande från organisationsteamet.", + "Waiting list": "Väntlista", + "Warning": "Varning", + "We just sent an email to {email}": "Vi skickade precis ett mail till {email}", + "We want to develop a digital common, that everyone can make their own, which respects privacy and activism by design.": "Vi vill utveckla en digital allmänning, som alla kan göra till sin egen, som respekterar integritet och aktivism från grunden.", + "We won’t change the world from Facebook. The tool we dream of, surveillance capitalism corporations won’t develop it, as they couldn’t profit from it. This is an opportunity to build something better, by taking another approach.": "Vi kommer inte ändra världen utifrån Facebook. Verktyget i drömmer om kommer inte utvecklas av övervakande, kapitalistiska företag, eftersom de inte kan gör vinst på det. Det här är ett tillfälle att bygga någonting bättre genom att tänka annorlunda.", + "Website / URL": "Hemsida / URL", + "Welcome back {username}!": "Välkommen tillbaka {username}!", + "Welcome back!": "Välkommen tillbaka!", + "Welcome on your administration panel": "Välkommen till din administrationspanel", + "Welcome to Mobilizon, {username}!": "Välkommen till Mobilizon, {username}!", + "Who can view this event and participate": "Vem kan se och delta i detta evenemang", + "World map": "Världskarta", + "Write something…": "Skriv något …", + "You and one other person are going to this event": "Du är den enda som deltar i detta evenemang|Du och en annan person deltar i detta evenemang|Du och {approved} andra deltar i detta evenemang.", + "You are already a participant of this event.": "Du är redan en deltagare av detta evenemang.", + "You are already logged-in.": "Du är redan inloggad.", + "You can add tags by hitting the Enter key or by adding a comma": "Du kan lägga till taggar genom att trycka Enter eller skriva ett komma", + "You can try another search term or drag and drop the marker on the map": "Du kan försöka med ett annat sökord eller dra och släpp markören på kartan", + "You can't remove your last identity.": "Du kan inte ta bort din sista identitet.", + "You have been disconnected": "Du har blivit frånkopplad", + "You have cancelled your participation": "Du har avslutat ditt deltagande", + "You have one event in {days} days.": "Du har inga evenemang under nästa {days} dagar|Du har ett evenemang under nästa {days} dagar.|Du har {count} under nästa {days} dagar", + "You have one event today.": "Du har inga evenemang idag|Du hare ett evenemang idag.|Du har {count} evenemang idag", + "You have one event tomorrow.": "Du har inga evenemang imorgon|Du har ett evenemang imorgon|Du har {count} evenemang imorgon", + "You may also ask to {resend_confirmation_email}.": "Du kan också be om att {resend_confirmation_email}.", + "You need to login.": "Du måste logga in.", + "Your account has been validated": "Ditt konto har validerats", + "Your account is being validated": "Ditt konto håller på att valideras", + "Your account is nearly ready, {username}": "Ditt konto är nästan redo, {username}", + "Your local administrator resumed its policy:": "Din lokala administratör återupptog sin policy:", + "Your participation has been confirmed": "Ditt deltagande har bekräftats", + "Your participation has been requested": "Ditt deltagande har förfrågats", + "a decentralised federation protocol": "ett decentraliserat federationsprotokoll", + "e.g. 10 Rue Jangot": "e.g. 10 Rue Jangot", + "firstDayOfWeek": "0", + "iCal Feed": "iCal-feed", + "interconnect with others like it": "sammanlänka med liknande", + "its source code is public": "dens mjukvara är publik", + "on our blog": "på vår blogg", + "resend confirmation email": "skicka bekräftelsemail igen", + "respect of the fundamental freedoms": "respektera våra grundläggande friheter", + "with another identity…": "med en annan identitet…", + "{approved} / {total} seats": "{approved} / {total} platser", + "{count} participants": "Inga deltagande ännu|En deltagande|{count} deltagande", + "{count} requests waiting": "{count} förfrågningar väntar", + "{license} guarantees {respect} of the people who will use it. Since {source}, anyone can audit it, which guarantees its transparency.": "{license} garanterar {respect} av folket som använder den. Eftersom {source}, kan vem som helst läsa den, vilket garanterar genomskinlighet.", + "© The Mobilizon Contributors {date} - Made with Elixir, Phoenix, VueJS & with some love and some weeks": "© Mobilizon bidragarna {date} - Gjord med Elixir, Phoenix, VueJS & och med kärlek och några veckor", + "© The OpenStreetMap Contributors": "© Alla bidragsgivare till OpenStreetMap" } diff --git a/js/src/main.ts b/js/src/main.ts index 3987364f0..5fcc4addb 100644 --- a/js/src/main.ts +++ b/js/src/main.ts @@ -1,16 +1,17 @@ // The Vue build version to load with the `import` command // (runtime-only or standalone) has been set in webpack.base.conf with an alias. -import Vue from 'vue'; -import Buefy from 'buefy'; -import Component from 'vue-class-component'; -import VueScrollTo from 'vue-scrollto'; -import App from '@/App.vue'; -import router from '@/router'; -import { apolloProvider } from './vue-apollo'; -import { NotifierPlugin } from '@/plugins/notifier'; -import filters from '@/filters'; -import VueMeta from 'vue-meta'; -import { i18n } from '@/utils/i18n'; +import Vue from "vue"; +import Buefy from "buefy"; +import Component from "vue-class-component"; +import VueScrollTo from "vue-scrollto"; +import VueMeta from "vue-meta"; +import VTooltip from "v-tooltip"; +import App from "./App.vue"; +import router from "./router"; +import { NotifierPlugin } from "./plugins/notifier"; +import filters from "./filters"; +import { i18n } from "./utils/i18n"; +import apolloProvider from "./vue-apollo"; Vue.config.productionTip = false; @@ -19,20 +20,21 @@ Vue.use(NotifierPlugin); Vue.use(filters); Vue.use(VueMeta); Vue.use(VueScrollTo); +Vue.use(VTooltip); // Register the router hooks with their names Component.registerHooks([ - 'beforeRouteEnter', - 'beforeRouteLeave', - 'beforeRouteUpdate', // for vue-router 2.2+ + "beforeRouteEnter", + "beforeRouteLeave", + "beforeRouteUpdate", // for vue-router 2.2+ ]); /* eslint-disable no-new */ new Vue({ router, apolloProvider, - el: '#app', - template: '', + el: "#app", + template: "", components: { App }, i18n, }); diff --git a/js/src/mixins/actor.ts b/js/src/mixins/actor.ts index f2d4af0c7..9954edf5a 100644 --- a/js/src/mixins/actor.ts +++ b/js/src/mixins/actor.ts @@ -1,12 +1,12 @@ -import { IActor } from '@/types/actor'; -import { IEvent } from '@/types/event.model'; -import { Component, Vue } from 'vue-property-decorator'; +import { IActor } from "@/types/actor"; +import { IEvent } from "@/types/event.model"; +import { Component, Vue } from "vue-property-decorator"; @Component export default class ActorMixin extends Vue { - actorIsOrganizer(actor: IActor, event: IEvent) { - console.log('actorIsOrganizer actor', actor.id); - console.log('actorIsOrganizer event', event); + static actorIsOrganizer(actor: IActor, event: IEvent) { + console.log("actorIsOrganizer actor", actor.id); + console.log("actorIsOrganizer event", event); return event.organizerActor && actor.id === event.organizerActor.id; } } diff --git a/js/src/mixins/event.ts b/js/src/mixins/event.ts index d3dc4c38d..4853b7637 100644 --- a/js/src/mixins/event.ts +++ b/js/src/mixins/event.ts @@ -1,21 +1,25 @@ -import { mixins } from 'vue-class-component'; -import { Component, Vue } from 'vue-property-decorator'; -import { IEvent, IParticipant, ParticipantRole } from '@/types/event.model'; -import { DELETE_EVENT, EVENT_PERSON_PARTICIPATION, FETCH_EVENT, LEAVE_EVENT } from '@/graphql/event'; -import { RouteName } from '@/router'; -import { IActor, IPerson } from '@/types/actor'; +import { mixins } from "vue-class-component"; +import { Component, Vue } from "vue-property-decorator"; +import { IEvent, IParticipant, ParticipantRole } from "../types/event.model"; +import { + DELETE_EVENT, + EVENT_PERSON_PARTICIPATION, + FETCH_EVENT, + LEAVE_EVENT, +} from "../graphql/event"; +import RouteName from "../router/name"; +import { IPerson } from "../types/actor"; @Component export default class EventMixin extends mixins(Vue) { - protected async leaveEvent( - event: IEvent, - actorId: number, - token: String|null = null, - anonymousParticipationConfirmed: boolean|null = null, + event: IEvent, + actorId: string, + token: string | null = null, + anonymousParticipationConfirmed: boolean | null = null ) { try { - const { data } = await this.$apollo.mutate<{ leaveEvent: IParticipant }>({ + const { data: resultData } = await this.$apollo.mutate<{ leaveEvent: IParticipant }>({ mutation: LEAVE_EVENT, variables: { eventId: event.id, @@ -34,10 +38,10 @@ export default class EventMixin extends mixins(Vue) { if (participationCachedData == null) return; const { person } = participationCachedData; if (person === null) { - console.error('Cannot update participation cache, because of null value.'); + console.error("Cannot update participation cache, because of null value."); return; } - participation = person.participations[0]; + [participation] = person.participations; person.participations = []; store.writeQuery({ query: EVENT_PERSON_PARTICIPATION, @@ -46,25 +50,32 @@ export default class EventMixin extends mixins(Vue) { }); } - const eventCachedData = store.readQuery<{ event: IEvent }>({ query: FETCH_EVENT, variables: { uuid: event.uuid } }); + const eventCachedData = store.readQuery<{ event: IEvent }>({ + query: FETCH_EVENT, + variables: { uuid: event.uuid }, + }); if (eventCachedData == null) return; const { event: eventCached } = eventCachedData; if (eventCached === null) { - console.error('Cannot update event cache, because of null value.'); + console.error("Cannot update event cache, because of null value."); return; } if (participation && participation.role === ParticipantRole.NOT_APPROVED) { - eventCached.participantStats.notApproved = eventCached.participantStats.notApproved - 1; + eventCached.participantStats.notApproved -= 1; } else if (anonymousParticipationConfirmed === false) { - eventCached.participantStats.notConfirmed = eventCached.participantStats.notApproved - 1; + eventCached.participantStats.notConfirmed -= 1; } else { - eventCached.participantStats.going = eventCached.participantStats.going - 1; - eventCached.participantStats.participant = eventCached.participantStats.participant - 1; + eventCached.participantStats.going -= 1; + eventCached.participantStats.participant -= 1; } - store.writeQuery({ query: FETCH_EVENT, variables: { uuid: event.uuid }, data: { event: eventCached } }); + store.writeQuery({ + query: FETCH_EVENT, + variables: { uuid: event.uuid }, + data: { event: eventCached }, + }); }, }); - if (data) { + if (resultData) { this.participationCancelledMessage(); } } catch (error) { @@ -73,31 +84,30 @@ export default class EventMixin extends mixins(Vue) { } private participationCancelledMessage() { - this.$notifier.success(this.$t('You have cancelled your participation') as string); + this.$notifier.success(this.$t("You have cancelled your participation") as string); } protected async openDeleteEventModal(event: IEvent, currentActor: IPerson) { - function escapeRegExp(string) { + function escapeRegExp(string: string) { return string.replace(/[.*+?^${}()|[\]\\]/g, '\\$&'); // $& means the whole matched string } const participantsLength = event.participantStats.participant; const prefix = participantsLength - ? this.$tc('There are {participants} participants.', event.participantStats.participant, { - participants: event.participantStats.participant, - }) - : ''; + ? this.$tc("There are {participants} participants.", event.participantStats.participant, { + participants: event.participantStats.participant, + }) + : ""; this.$buefy.dialog.prompt({ - type: 'is-danger', - title: this.$t('Delete event') as string, + type: "is-danger", + title: this.$t("Delete event") as string, message: `${prefix} - ${this.$t('Are you sure you want to delete this event? This action cannot be reverted.')} + ${this.$t("Are you sure you want to delete this event? This action cannot be reverted.")}

- ${this.$t('To confirm, type your event title "{eventTitle}"', { eventTitle: event.title })}`, - confirmText: this.$t( - 'Delete {eventTitle}', - { eventTitle: event.title }, - ) as string, + ${this.$t('To confirm, type your event title "{eventTitle}"', { + eventTitle: event.title, + })}`, + confirmText: this.$t("Delete {eventTitle}", { eventTitle: event.title }) as string, inputAttrs: { placeholder: event.title, pattern: escapeRegExp(event.title), @@ -118,16 +128,17 @@ export default class EventMixin extends mixins(Vue) { }, }); /** - * When the event corresponding has been deleted (by the organizer). A notification is already triggered. + * When the event corresponding has been deleted (by the organizer). + * A notification is already triggered. * * @type {string} */ - this.$emit('eventDeleted', event.id); + this.$emit("eventDeleted", event.id); this.$buefy.notification.open({ - message: this.$t('Event {eventTitle} deleted', { eventTitle }) as string, - type: 'is-success', - position: 'is-bottom-right', + message: this.$t("Event {eventTitle} deleted", { eventTitle }) as string, + type: "is-success", + position: "is-bottom-right", duration: 5000, }); await this.$router.push({ name: RouteName.HOME }); @@ -135,4 +146,12 @@ export default class EventMixin extends mixins(Vue) { console.error(error); } } + + urlToHostname(url: string): string | null { + try { + return new URL(url).hostname; + } catch (e) { + return null; + } + } } diff --git a/js/src/mixins/identityEdition.ts b/js/src/mixins/identityEdition.ts index 05b20edc9..1d385085e 100644 --- a/js/src/mixins/identityEdition.ts +++ b/js/src/mixins/identityEdition.ts @@ -1,10 +1,10 @@ -import { Component, Mixins, Vue } from 'vue-property-decorator'; -import { Person } from '@/types/actor'; +import { Component, Mixins, Vue } from "vue-property-decorator"; +import { Person } from "@/types/actor"; @Component({}) export default class IdentityEditionMixin extends Mixins(Vue) { - identity: Person = new Person(); + oldDisplayName: string | null = null; autoUpdateUsername(newDisplayName: string | null) { @@ -18,18 +18,21 @@ export default class IdentityEditionMixin extends Mixins(Vue) { } private static convertToUsername(value: string | null) { - if (!value) return ''; + if (!value) return ""; - // https://stackoverflow.com/a/37511463 - return value.toLocaleLowerCase() - .normalize('NFD') - .replace(/[\u0300-\u036f]/g, '') - .replace(/ /g, '_') - .replace(/[^a-z0-9_]/g, '') - ; + // https://stackoverflow.com/a/37511463 + return value + .toLocaleLowerCase() + .normalize("NFD") + .replace(/[\u0300-\u036f]/g, "") + .replace(/ /g, "_") + .replace(/[^a-z0-9_]/g, ""); } validateUsername() { - return this.identity.preferredUsername === IdentityEditionMixin.convertToUsername(this.identity.preferredUsername); + return ( + this.identity.preferredUsername === + IdentityEditionMixin.convertToUsername(this.identity.preferredUsername) + ); } } diff --git a/js/src/mixins/relay.ts b/js/src/mixins/relay.ts index c26f2b412..477db1d2b 100644 --- a/js/src/mixins/relay.ts +++ b/js/src/mixins/relay.ts @@ -1,20 +1,19 @@ -import { Component, Vue } from 'vue-property-decorator'; -import { Refs } from '@/shims-vue'; -import { ActorType, IActor } from '@/types/actor'; -import { IFollower } from '@/types/actor/follower.model'; +import { Component, Vue, Ref } from "vue-property-decorator"; +import { ActorType, IActor } from "@/types/actor"; +import { IFollower } from "@/types/actor/follower.model"; @Component export default class RelayMixin extends Vue { - $refs!: Refs<{ - table: any, - }>; + @Ref("table") readonly table!: any; checkedRows: IFollower[] = []; - page: number = 1; - perPage: number = 10; - toggle(row) { - this.$refs.table.toggleDetails(row); + page = 1; + + perPage = 10; + + toggle(row: object) { + this.table.toggleDetails(row); } async onPageChange(page: number) { @@ -38,7 +37,10 @@ export default class RelayMixin extends Vue { }); } - isInstance(actor: IActor): boolean { - return actor.type === ActorType.APPLICATION && (actor.preferredUsername === 'relay' || actor.preferredUsername === actor.domain); + static isInstance(actor: IActor): boolean { + return ( + actor.type === ActorType.APPLICATION && + (actor.preferredUsername === "relay" || actor.preferredUsername === actor.domain) + ); } } diff --git a/js/src/mixins/resource.ts b/js/src/mixins/resource.ts new file mode 100644 index 000000000..f4c6bbb34 --- /dev/null +++ b/js/src/mixins/resource.ts @@ -0,0 +1,17 @@ +import { Component, Vue } from "vue-property-decorator"; +import { IResource } from "@/types/resource"; + +@Component +export default class ResourceMixin extends Vue { + static resourcePath(resource: IResource): string { + const { path } = resource; + if (path && path[0] === "/") { + return path.slice(1); + } + return path || ""; + } + + static resourcePathArray(resource: IResource): string[] { + return ResourceMixin.resourcePath(resource).split("/"); + } +} diff --git a/js/src/plugins/notifier.ts b/js/src/plugins/notifier.ts index 9920a1130..8341faa66 100644 --- a/js/src/plugins/notifier.ts +++ b/js/src/plugins/notifier.ts @@ -1,8 +1,8 @@ -import Vue from 'vue'; -import { ColorModifiers } from 'buefy/types/helpers'; -import { Route, RawLocation } from 'vue-router'; +import Vue from "vue"; +import { ColorModifiers } from "buefy/types/helpers.d"; +import { Route, RawLocation } from "vue-router"; -declare module 'vue/types/vue' { +declare module "vue/types/vue" { interface Vue { $notifier: { success: (message: string) => void; @@ -10,21 +10,21 @@ declare module 'vue/types/vue' { info: (message: string) => void; }; beforeRouteEnter?( - to: Route, - from: Route, - next: (to?: RawLocation | false | ((vm: Vue) => void)) => void, + to: Route, + from: Route, + next: (to?: RawLocation | false | ((vm: Vue) => void)) => void ): void; beforeRouteLeave?( - to: Route, - from: Route, - next: (to?: RawLocation | false | ((vm: Vue) => void)) => void, + to: Route, + from: Route, + next: (to?: RawLocation | false | ((vm: Vue) => void)) => void ): void; beforeRouteUpdate?( - to: Route, - from: Route, - next: (to?: RawLocation | false | ((vm: Vue) => void)) => void, + to: Route, + from: Route, + next: (to?: RawLocation | false | ((vm: Vue) => void)) => void ): void; } } @@ -37,29 +37,29 @@ export class Notifier { } success(message: string) { - this.notification(message, 'is-success'); + this.notification(message, "is-success"); } error(message: string) { - this.notification(message, 'is-danger'); + this.notification(message, "is-danger"); } info(message: string) { - this.notification(message, 'is-info'); + this.notification(message, "is-info"); } private notification(message: string, type: ColorModifiers) { this.vue.prototype.$buefy.notification.open({ message, duration: 5000, - position: 'is-bottom-right', + position: "is-bottom-right", type, hasIcon: true, }); } } -// tslint:disable -export function NotifierPlugin(vue: typeof Vue, options?: any): void { +/* eslint-disable */ +export function NotifierPlugin(vue: typeof Vue): void { vue.prototype.$notifier = new Notifier(vue); } diff --git a/js/src/registerServiceWorker.ts b/js/src/registerServiceWorker.ts index 844b93bb9..ee1efbbf2 100644 --- a/js/src/registerServiceWorker.ts +++ b/js/src/registerServiceWorker.ts @@ -1,23 +1,32 @@ /* eslint-disable no-console */ -import { register } from 'register-service-worker'; +import { register } from "register-service-worker"; -if (process.env.NODE_ENV === 'production') { +if (process.env.NODE_ENV === "production") { register(`${process.env.BASE_URL}service-worker.js`, { ready() { - console.log('App is being served from cache by a service worker.\nFor more details, visit https://goo.gl/AFskqB'); + console.log( + "App is being served from cache by a service worker.\n" + + "For more details, visit https://goo.gl/AFskqB" + ); + }, + registered() { + console.log("Service worker has been registered."); }, cached() { - console.log('Content has been cached for offline use.'); + console.log("Content has been cached for offline use."); + }, + updatefound() { + console.log("New content is downloading."); }, updated() { - console.log('New content is available; please refresh.'); + console.log("New content is available; please refresh."); }, offline() { - console.log('No internet connection found. App is running in offline mode.'); + console.log("No internet connection found. App is running in offline mode."); }, error(error) { - console.error('Error during service worker registration:', error); + console.error("Error during service worker registration:", error); }, }); } diff --git a/js/src/router/actor.ts b/js/src/router/actor.ts index 425186f20..c961dea5b 100644 --- a/js/src/router/actor.ts +++ b/js/src/router/actor.ts @@ -1,8 +1,41 @@ +import { RouteConfig } from "vue-router"; +import GroupList from "@/views/Group/GroupList.vue"; +import CreateGroup from "@/views/Group/Create.vue"; +import Group from "@/views/Group/Group.vue"; +import MyGroups from "@/views/Group/MyGroups.vue"; + export enum ActorRouteName { - GROUP_LIST = 'GroupList', - GROUP = 'Group', - CREATE_GROUP = 'CreateGroup', - PROFILE = 'Profile', + GROUP_LIST = "GroupList", + GROUP = "Group", + CREATE_GROUP = "CreateGroup", + PROFILE = "Profile", + MY_GROUPS = "MY_GROUPS", } - +export const actorRoutes: RouteConfig[] = [ + { + path: "/groups", + name: ActorRouteName.GROUP_LIST, + component: GroupList, + meta: { requiredAuth: false }, + }, + { + path: "/groups/create", + name: ActorRouteName.CREATE_GROUP, + component: CreateGroup, + meta: { requiredAuth: true }, + }, + { + path: "/@:preferredUsername", + name: ActorRouteName.GROUP, + component: Group, + props: true, + meta: { requiredAuth: false }, + }, + { + path: "/groups/me", + name: ActorRouteName.MY_GROUPS, + component: MyGroups, + meta: { requiredAuth: true }, + }, +]; diff --git a/js/src/router/conversation.ts b/js/src/router/conversation.ts new file mode 100644 index 000000000..7e804c018 --- /dev/null +++ b/js/src/router/conversation.ts @@ -0,0 +1,34 @@ +import { RouteConfig } from "vue-router"; +import CreateConversation from "@/views/Conversations/Create.vue"; +import ConversationsList from "@/views/Conversations/ConversationsList.vue"; +import Conversation from "@/views/Conversations/Conversation.vue"; + +export enum ConversationRouteName { + CONVERSATION_LIST = "CONVERSATION_LIST", + CREATE_CONVERSATION = "CREATE_CONVERSATION", + CONVERSATION = "CONVERSATION", +} + +export const conversationRoutes: RouteConfig[] = [ + { + path: "/@:preferredUsername/conversations", + name: ConversationRouteName.CONVERSATION_LIST, + component: ConversationsList, + props: true, + meta: { requiredAuth: false }, + }, + { + path: "/@:preferredUsername/conversations/new", + name: ConversationRouteName.CREATE_CONVERSATION, + component: CreateConversation, + props: true, + meta: { requiredAuth: true }, + }, + { + path: "/@:preferredUsername/:slug/:id/:comment_id?", + name: ConversationRouteName.CONVERSATION, + component: Conversation, + props: true, + meta: { requiredAuth: false }, + }, +]; diff --git a/js/src/router/error.ts b/js/src/router/error.ts index c811c010e..830226619 100644 --- a/js/src/router/error.ts +++ b/js/src/router/error.ts @@ -1,14 +1,14 @@ -import { beforeRegisterGuard } from '@/router/guards/register-guard'; -import { RouteConfig } from 'vue-router'; -import ErrorPage from '@/views/Error.vue'; +import { beforeRegisterGuard } from "@/router/guards/register-guard"; +import { RouteConfig } from "vue-router"; +import ErrorPage from "../views/Error.vue"; export enum ErrorRouteName { - ERROR = 'Error', + ERROR = "Error", } export const errorRoutes: RouteConfig[] = [ { - path: '/error', + path: "/error", name: ErrorRouteName.ERROR, component: ErrorPage, beforeEnter: beforeRegisterGuard, diff --git a/js/src/router/event.ts b/js/src/router/event.ts index e0f50987c..207266ea7 100644 --- a/js/src/router/event.ts +++ b/js/src/router/event.ts @@ -1,114 +1,109 @@ -import EventList from '@/views/Event/EventList.vue'; -import Location from '@/views/Location.vue'; -import { RouteConfig } from 'vue-router'; -import ParticipationWithAccount from '@/components/Participation/ParticipationWithAccount.vue'; -import UnloggedParticipation from '@/components/Participation/UnloggedParticipation.vue'; -import ParticipationWithoutAccount from '@/components/Participation/ParticipationWithoutAccount.vue'; -import ConfirmParticipation from '@/components/Participation/ConfirmParticipation.vue'; +import { RouteConfig } from "vue-router"; +import EventList from "../views/Event/EventList.vue"; +import Location from "../views/Location.vue"; -// tslint:disable:space-in-parens -const participations = () => import(/* webpackChunkName: "participations" */ '@/views/Event/Participants.vue'); -const editEvent = () => import(/* webpackChunkName: "edit-event" */ '@/views/Event/Edit.vue'); -const event = () => import(/* webpackChunkName: "event" */ '@/views/Event/Event.vue'); -const myEvents = () => import(/* webpackChunkName: "my-events" */ '@/views/Event/MyEvents.vue'); -const explore = () => import(/* webpackChunkName: "explore" */ '@/views/Event/Explore.vue'); -// tslint:enable +const participations = () => + import(/* webpackChunkName: "participations" */ "@/views/Event/Participants.vue"); +const editEvent = () => import(/* webpackChunkName: "edit-event" */ "@/views/Event/Edit.vue"); +const event = () => import(/* webpackChunkName: "event" */ "@/views/Event/Event.vue"); +const myEvents = () => import(/* webpackChunkName: "my-events" */ "@/views/Event/MyEvents.vue"); +const explore = () => import(/* webpackChunkName: "explore" */ "@/views/Event/Explore.vue"); export enum EventRouteName { - EVENT_LIST = 'EventList', - CREATE_EVENT = 'CreateEvent', - MY_EVENTS = 'MyEvents', - EXPLORE = 'Explore', - EDIT_EVENT = 'EditEvent', - PARTICIPATIONS = 'Participations', - EVENT = 'Event', - EVENT_PARTICIPATE_WITH_ACCOUNT = 'EVENT_PARTICIPATE_WITH_ACCOUNT', - EVENT_PARTICIPATE_WITHOUT_ACCOUNT = 'EVENT_PARTICIPATE_WITHOUT_ACCOUNT', - EVENT_PARTICIPATE_LOGGED_OUT = 'EVENT_PARTICIPATE_LOGGED_OUT', - EVENT_PARTICIPATE_CONFIRM = 'EVENT_PARTICIPATE_CONFIRM', - LOCATION = 'Location', - TAG = 'Tag', + EVENT_LIST = "EventList", + CREATE_EVENT = "CreateEvent", + MY_EVENTS = "MyEvents", + EXPLORE = "Explore", + EDIT_EVENT = "EditEvent", + PARTICIPATIONS = "Participations", + EVENT = "Event", + EVENT_PARTICIPATE_WITH_ACCOUNT = "EVENT_PARTICIPATE_WITH_ACCOUNT", + EVENT_PARTICIPATE_WITHOUT_ACCOUNT = "EVENT_PARTICIPATE_WITHOUT_ACCOUNT", + EVENT_PARTICIPATE_LOGGED_OUT = "EVENT_PARTICIPATE_LOGGED_OUT", + EVENT_PARTICIPATE_CONFIRM = "EVENT_PARTICIPATE_CONFIRM", + LOCATION = "Location", + TAG = "Tag", } export const eventRoutes: RouteConfig[] = [ { - path: '/events/list/:location?', + path: "/events/list/:location?", name: EventRouteName.EVENT_LIST, component: EventList, meta: { requiredAuth: false }, }, { - path: '/events/create', + path: "/events/create", name: EventRouteName.CREATE_EVENT, component: editEvent, meta: { requiredAuth: true }, }, { - path: '/events/explore', + path: "/events/explore", name: EventRouteName.EXPLORE, component: explore, meta: { requiredAuth: false }, }, { - path: '/events/me', + path: "/events/me", name: EventRouteName.MY_EVENTS, component: myEvents, meta: { requiredAuth: true }, }, { - path: '/events/edit/:eventId', + path: "/events/edit/:eventId", name: EventRouteName.EDIT_EVENT, component: editEvent, meta: { requiredAuth: true }, - props: { isUpdate: true }, + props: true, }, { - path: '/events/:eventId/participations', + path: "/events/:eventId/participations", name: EventRouteName.PARTICIPATIONS, component: participations, meta: { requiredAuth: true }, props: true, }, { - path: '/location/new', + path: "/location/new", name: EventRouteName.LOCATION, component: Location, meta: { requiredAuth: true }, }, { - path: '/events/:uuid', + path: "/events/:uuid", name: EventRouteName.EVENT, component: event, props: true, meta: { requiredAuth: false }, }, { - path: '/events/:uuid/participate', + path: "/events/:uuid/participate", name: EventRouteName.EVENT_PARTICIPATE_LOGGED_OUT, - component: UnloggedParticipation, + component: () => import("../components/Participation/UnloggedParticipation.vue"), props: true, }, { - path: '/events/:uuid/participate/with-account', + path: "/events/:uuid/participate/with-account", name: EventRouteName.EVENT_PARTICIPATE_WITH_ACCOUNT, - component: ParticipationWithAccount, + component: () => import("../components/Participation/ParticipationWithAccount.vue"), props: true, }, { - path: '/events/:uuid/participate/without-account', + path: "/events/:uuid/participate/without-account", name: EventRouteName.EVENT_PARTICIPATE_WITHOUT_ACCOUNT, - component: ParticipationWithoutAccount, + component: () => import("../components/Participation/ParticipationWithoutAccount.vue"), props: true, }, { - path: '/participation/email/confirm/:token', + path: "/participation/email/confirm/:token", name: EventRouteName.EVENT_PARTICIPATE_CONFIRM, - component: ConfirmParticipation, + component: () => import("../components/Participation/ConfirmParticipation.vue"), props: true, }, { - path: '/tag/:tag', + path: "/tag/:tag", name: EventRouteName.TAG, - redirect: '/search/:tag', + redirect: "/search/:tag", }, ]; diff --git a/js/src/router/groups.ts b/js/src/router/groups.ts new file mode 100644 index 000000000..ec5d693ef --- /dev/null +++ b/js/src/router/groups.ts @@ -0,0 +1,73 @@ +import { RouteConfig } from "vue-router"; + +export enum GroupsRouteName { + TODO_LISTS = "TODO_LISTS", + TODO_LIST = "TODO_LIST", + TODO = "TODO", + GROUP_SETTINGS = "GROUP_SETTINGS", + GROUP_PUBLIC_SETTINGS = "GROUP_PUBLIC_SETTINGS", + GROUP_MEMBERS_SETTINGS = "GROUP_MEMBERS_SETTINGS", + RESOURCES = "RESOURCES", + RESOURCE_FOLDER_ROOT = "RESOURCE_FOLDER_ROOT", + RESOURCE_FOLDER = "RESOURCE_FOLDER", +} + +const resourceFolder = () => import("@/views/Resources/ResourceFolder.vue"); + +export const groupsRoutes: RouteConfig[] = [ + { + path: "/@:preferredUsername/todo-lists", + name: GroupsRouteName.TODO_LISTS, + component: () => import("@/views/Todos/TodoLists.vue"), + props: true, + meta: { requiredAuth: true }, + }, + { + path: "/todo-lists/:id", + name: GroupsRouteName.TODO_LIST, + component: () => import("@/views/Todos/TodoList.vue"), + props: true, + meta: { requiredAuth: true }, + }, + { + path: "/todo/:todoId", + name: GroupsRouteName.TODO, + component: () => import("@/views/Todos/Todo.vue"), + props: true, + meta: { requiredAuth: true }, + }, + { + path: "/@:preferredUsername/resources", + name: GroupsRouteName.RESOURCE_FOLDER_ROOT, + component: resourceFolder, + props: { path: "/" }, + meta: { requiredAuth: true }, + }, + { + path: "/@:preferredUsername/resources/:path+", + name: GroupsRouteName.RESOURCE_FOLDER, + component: resourceFolder, + props: true, + meta: { requiredAuth: true }, + }, + { + path: "/@:preferredUsername/settings", + component: () => import("@/views/Group/Settings.vue"), + props: true, + meta: { requiredAuth: true }, + redirect: { name: GroupsRouteName.GROUP_PUBLIC_SETTINGS }, + name: GroupsRouteName.GROUP_SETTINGS, + children: [ + { + path: "public", + name: GroupsRouteName.GROUP_PUBLIC_SETTINGS, + }, + { + path: "members", + name: GroupsRouteName.GROUP_MEMBERS_SETTINGS, + component: () => import("../views/Group/GroupMembers.vue"), + props: true, + }, + ], + }, +]; diff --git a/js/src/router/guards/auth-guard.ts b/js/src/router/guards/auth-guard.ts index 1f6bf82b4..15b8566b3 100644 --- a/js/src/router/guards/auth-guard.ts +++ b/js/src/router/guards/auth-guard.ts @@ -1,12 +1,14 @@ -import { NavigationGuard } from 'vue-router'; -import { UserRouteName } from '@/router/user'; -import { LoginErrorCode } from '@/types/login-error-code.model'; -import { AUTH_ACCESS_TOKEN } from '@/constants'; +import { NavigationGuard } from "vue-router"; +import { UserRouteName } from "@/router/user"; +import { LoginErrorCode } from "@/types/login-error-code.model"; +import { AUTH_ACCESS_TOKEN } from "@/constants"; -export const authGuardIfNeeded: NavigationGuard = async function (to, from, next) { +// eslint-disable-next-line import/prefer-default-export +export const authGuardIfNeeded: NavigationGuard = async (to, from, next) => { if (to.meta.requiredAuth !== true) return next(); - // We can't use "currentUser" from apollo here because we may not have loaded the user from the local storage yet + // We can't use "currentUser" from apollo here + // because we may not have loaded the user from the local storage yet if (!localStorage.getItem(AUTH_ACCESS_TOKEN)) { return next({ name: UserRouteName.LOGIN, diff --git a/js/src/router/guards/register-guard.ts b/js/src/router/guards/register-guard.ts index 4a36ec166..afeec4d05 100644 --- a/js/src/router/guards/register-guard.ts +++ b/js/src/router/guards/register-guard.ts @@ -1,20 +1,19 @@ -import { apolloProvider } from '@/vue-apollo'; -import { CONFIG } from '@/graphql/config'; -import { IConfig } from '@/types/config.model'; -import { NavigationGuard } from 'vue-router'; -import { ErrorRouteName } from '@/router/error'; -import { ErrorCode } from '@/types/error-code.model'; +import { NavigationGuard } from "vue-router"; +import { CONFIG } from "../../graphql/config"; +import { ErrorCode } from "../../types/error-code.model"; +import apolloProvider from "../../vue-apollo"; -export const beforeRegisterGuard: NavigationGuard = async function (to, from, next) { +// eslint-disable-next-line import/prefer-default-export +export const beforeRegisterGuard: NavigationGuard = async (to, from, next) => { const { data } = await apolloProvider.defaultClient.query({ query: CONFIG, }); - const config: IConfig = data.config; + const { config } = data; if (!config.registrationsOpen && !config.registrationsWhitelist) { return next({ - name: ErrorRouteName.ERROR, + name: "Error", query: { code: ErrorCode.REGISTRATION_CLOSED }, }); } diff --git a/js/src/router/index.ts b/js/src/router/index.ts index a942eecbb..4c7f77534 100644 --- a/js/src/router/index.ts +++ b/js/src/router/index.ts @@ -1,28 +1,27 @@ -import Vue from 'vue'; -import Router from 'vue-router'; -import VueScrollTo from 'vue-scrollto'; -import PageNotFound from '@/views/PageNotFound.vue'; -import Home from '@/views/Home.vue'; -import { UserRouteName, userRoutes } from './user'; -import { EventRouteName, eventRoutes } from '@/router/event'; -import { ActorRouteName } from '@/router/actor'; -import { ErrorRouteName, errorRoutes } from '@/router/error'; -import { authGuardIfNeeded } from '@/router/guards/auth-guard'; -import Search from '@/views/Search.vue'; -import { SettingsRouteName, settingsRoutes } from '@/router/settings'; +import Vue from "vue"; +import Router, { Route } from "vue-router"; +import VueScrollTo from "vue-scrollto"; +import { PositionResult } from "vue-router/types/router.d"; +import PageNotFound from "../views/PageNotFound.vue"; +import Home from "../views/Home.vue"; +import { eventRoutes } from "./event"; +import { actorRoutes } from "./actor"; +import { errorRoutes } from "./error"; +import { authGuardIfNeeded } from "./guards/auth-guard"; +import Search from "../views/Search.vue"; +import { settingsRoutes } from "./settings"; +import { groupsRoutes } from "./groups"; +import { conversationRoutes } from "./conversation"; +import { userRoutes } from "./user"; +import RouteName from "./name"; Vue.use(Router); -enum GlobalRouteName { - HOME = 'Home', - ABOUT = 'About', - PAGE_NOT_FOUND = 'PageNotFound', - SEARCH = 'Search', - TERMS = 'TERMS', - INTERACT = 'INTERACT', -} - -function scrollBehavior(to, from, savedPosition) { +function scrollBehavior( + to: Route, + from: Route, + savedPosition: any +): PositionResult | undefined | null { if (to.hash) { VueScrollTo.scrollTo(to.hash, 700); return { @@ -37,65 +36,57 @@ function scrollBehavior(to, from, savedPosition) { return { x: 0, y: 0 }; } -// Hack to merge enums -// tslint:disable:variable-name -export const RouteName = { - ...GlobalRouteName, - ...UserRouteName, - ...EventRouteName, - ...ActorRouteName, - ...SettingsRouteName, - ...ErrorRouteName, -}; - const router = new Router({ scrollBehavior, - mode: 'history', - base: '/', + mode: "history", + base: "/", routes: [ ...userRoutes, ...eventRoutes, ...settingsRoutes, + ...actorRoutes, + ...groupsRoutes, + ...conversationRoutes, ...errorRoutes, { - path: '/search/:searchTerm/:searchType?', + path: "/search/:searchTerm/:searchType?", name: RouteName.SEARCH, component: Search, props: true, meta: { requiredAuth: false }, }, { - path: '/', + path: "/", name: RouteName.HOME, component: Home, meta: { requiredAuth: false }, }, { - path: '/about', + path: "/about", name: RouteName.ABOUT, - component: () => import(/* webpackChunkName: "about" */ '@/views/About.vue'), + component: () => import(/* webpackChunkName: "about" */ "@/views/About.vue"), meta: { requiredAuth: false }, }, { - path: '/terms', + path: "/terms", name: RouteName.TERMS, - component: () => import(/* webpackChunkName: "cookies" */ '@/views/Terms.vue'), + component: () => import(/* webpackChunkName: "cookies" */ "@/views/Terms.vue"), meta: { requiredAuth: false }, }, { - path: '/interact', + path: "/interact", name: RouteName.INTERACT, - component: () => import(/* webpackChunkName: "cookies" */ '@/views/Interact.vue'), + component: () => import(/* webpackChunkName: "cookies" */ "@/views/Interact.vue"), meta: { requiredAuth: false }, }, { - path: '/404', + path: "/404", name: RouteName.PAGE_NOT_FOUND, component: PageNotFound, meta: { requiredAuth: false }, }, { - path: '*', + path: "*", redirect: { name: RouteName.PAGE_NOT_FOUND }, }, ], diff --git a/js/src/router/name.ts b/js/src/router/name.ts new file mode 100644 index 000000000..6c8ecbee1 --- /dev/null +++ b/js/src/router/name.ts @@ -0,0 +1,29 @@ +import { EventRouteName } from "./event"; +import { ActorRouteName } from "./actor"; +import { ErrorRouteName } from "./error"; +import { SettingsRouteName } from "./settings"; +import { GroupsRouteName } from "./groups"; +import { ConversationRouteName } from "./conversation"; +import { UserRouteName } from "./user"; + +enum GlobalRouteName { + HOME = "Home", + ABOUT = "About", + PAGE_NOT_FOUND = "PageNotFound", + SEARCH = "Search", + TERMS = "TERMS", + INTERACT = "INTERACT", +} + +// Hack to merge enums +// tslint:disable:variable-name +export default { + ...GlobalRouteName, + ...UserRouteName, + ...EventRouteName, + ...ActorRouteName, + ...SettingsRouteName, + ...GroupsRouteName, + ...ConversationRouteName, + ...ErrorRouteName, +}; diff --git a/js/src/router/settings.ts b/js/src/router/settings.ts index 544aaa8bf..9cd5fd4f4 100644 --- a/js/src/router/settings.ts +++ b/js/src/router/settings.ts @@ -1,43 +1,42 @@ -import { RouteConfig } from 'vue-router'; -import Settings from '@/views/Settings.vue'; -import AccountSettings from '@/views/Settings/AccountSettings.vue'; -import Preferences from '@/views/Settings/Preferences.vue'; -import Notifications from '@/views/Settings/Notifications.vue'; -import Dashboard from '@/views/Admin/Dashboard.vue'; -import AdminSettings from '@/views/Admin/Settings.vue'; -import Follows from '@/views/Admin/Follows.vue'; -import Followings from '@/components/Admin/Followings.vue'; -import Followers from '@/components/Admin/Followers.vue'; -import ReportList from '@/views/Moderation/ReportList.vue'; -import Report from '@/views/Moderation/Report.vue'; -import Logs from '@/views/Moderation/Logs.vue'; -import EditIdentity from '@/views/Account/children/EditIdentity.vue'; - +import { RouteConfig } from "vue-router"; +import Settings from "@/views/Settings.vue"; +import AccountSettings from "@/views/Settings/AccountSettings.vue"; +import Preferences from "@/views/Settings/Preferences.vue"; +import Notifications from "@/views/Settings/Notifications.vue"; +import Dashboard from "@/views/Admin/Dashboard.vue"; +import AdminSettings from "@/views/Admin/Settings.vue"; +import Follows from "@/views/Admin/Follows.vue"; +import Followings from "@/components/Admin/Followings.vue"; +import Followers from "@/components/Admin/Followers.vue"; +import ReportList from "@/views/Moderation/ReportList.vue"; +import Report from "@/views/Moderation/Report.vue"; +import Logs from "@/views/Moderation/Logs.vue"; +import EditIdentity from "@/views/Account/children/EditIdentity.vue"; export enum SettingsRouteName { - SETTINGS = 'SETTINGS', - ACCOUNT_SETTINGS = 'ACCOUNT_SETTINGS', - ACCOUNT_SETTINGS_GENERAL = 'ACCOUNT_SETTINGS_GENERAL', - PREFERENCES = 'PREFERENCES', - NOTIFICATIONS = 'NOTIFICATIONS', - ADMIN = 'ADMIN', - ADMIN_DASHBOARD = 'ADMIN_DASHBOARD', - ADMIN_SETTINGS = 'ADMIN_SETTINGS', - RELAYS = 'Relays', - RELAY_FOLLOWINGS = 'Followings', - RELAY_FOLLOWERS = 'Followers', - MODERATION = 'MODERATION', - REPORTS = 'Reports', - REPORT = 'Report', - REPORT_LOGS = 'Logs', - CREATE_IDENTITY = 'CreateIdentity', - UPDATE_IDENTITY = 'UpdateIdentity', - IDENTITIES = 'IDENTITIES', + SETTINGS = "SETTINGS", + ACCOUNT_SETTINGS = "ACCOUNT_SETTINGS", + ACCOUNT_SETTINGS_GENERAL = "ACCOUNT_SETTINGS_GENERAL", + PREFERENCES = "PREFERENCES", + NOTIFICATIONS = "NOTIFICATIONS", + ADMIN = "ADMIN", + ADMIN_DASHBOARD = "ADMIN_DASHBOARD", + ADMIN_SETTINGS = "ADMIN_SETTINGS", + RELAYS = "Relays", + RELAY_FOLLOWINGS = "Followings", + RELAY_FOLLOWERS = "Followers", + MODERATION = "MODERATION", + REPORTS = "Reports", + REPORT = "Report", + REPORT_LOGS = "Logs", + CREATE_IDENTITY = "CreateIdentity", + UPDATE_IDENTITY = "UpdateIdentity", + IDENTITIES = "IDENTITIES", } export const settingsRoutes: RouteConfig[] = [ { - path: '/settings', + path: "/settings", component: Settings, props: true, meta: { requiredAuth: true }, @@ -45,62 +44,62 @@ export const settingsRoutes: RouteConfig[] = [ name: SettingsRouteName.SETTINGS, children: [ { - path: 'account', + path: "account", name: SettingsRouteName.ACCOUNT_SETTINGS, redirect: { name: SettingsRouteName.ACCOUNT_SETTINGS_GENERAL }, }, { - path: 'account/general', + path: "account/general", name: SettingsRouteName.ACCOUNT_SETTINGS_GENERAL, component: AccountSettings, props: true, meta: { requiredAuth: true }, }, { - path: 'preferences', + path: "preferences", name: SettingsRouteName.PREFERENCES, component: Preferences, props: true, meta: { requiredAuth: true }, }, { - path: 'notifications', + path: "notifications", name: SettingsRouteName.NOTIFICATIONS, component: Notifications, props: true, meta: { requiredAuth: true }, }, { - path: 'admin', + path: "admin", name: SettingsRouteName.ADMIN, redirect: { name: SettingsRouteName.ADMIN_DASHBOARD }, }, { - path: 'admin/dashboard', + path: "admin/dashboard", name: SettingsRouteName.ADMIN_DASHBOARD, component: Dashboard, meta: { requiredAuth: true }, }, { - path: 'admin/settings', + path: "admin/settings", name: SettingsRouteName.ADMIN_SETTINGS, component: AdminSettings, props: true, meta: { requiredAuth: true }, }, { - path: 'admin/relays', + path: "admin/relays", name: SettingsRouteName.RELAYS, redirect: { name: SettingsRouteName.RELAY_FOLLOWINGS }, component: Follows, children: [ { - path: 'followings', + path: "followings", name: SettingsRouteName.RELAY_FOLLOWINGS, component: Followings, }, { - path: 'followers', + path: "followers", name: SettingsRouteName.RELAY_FOLLOWERS, component: Followers, }, @@ -109,44 +108,44 @@ export const settingsRoutes: RouteConfig[] = [ meta: { requiredAuth: true }, }, { - path: '/moderation', + path: "/moderation", name: SettingsRouteName.MODERATION, redirect: { name: SettingsRouteName.REPORTS }, }, { - path: '/moderation/reports/:filter?', + path: "/moderation/reports/:filter?", name: SettingsRouteName.REPORTS, component: ReportList, props: true, meta: { requiredAuth: true }, }, { - path: '/moderation/report/:reportId', + path: "/moderation/report/:reportId", name: SettingsRouteName.REPORT, component: Report, props: true, meta: { requiredAuth: true }, }, { - path: '/moderation/logs', + path: "/moderation/logs", name: SettingsRouteName.REPORT_LOGS, component: Logs, props: true, meta: { requiredAuth: true }, }, { - path: '/identity', + path: "/identity", name: SettingsRouteName.IDENTITIES, redirect: { name: SettingsRouteName.UPDATE_IDENTITY }, }, { - path: '/identity/create', + path: "/identity/create", name: SettingsRouteName.CREATE_IDENTITY, component: EditIdentity, props: (route) => ({ identityName: route.params.identityName, isUpdate: false }), }, { - path: '/identity/update/:identityName?', + path: "/identity/update/:identityName?", name: SettingsRouteName.UPDATE_IDENTITY, component: EditIdentity, props: (route) => ({ identityName: route.params.identityName, isUpdate: true }), diff --git a/js/src/router/user.ts b/js/src/router/user.ts index 94d2c2661..92126205d 100644 --- a/js/src/router/user.ts +++ b/js/src/router/user.ts @@ -1,80 +1,75 @@ -import RegisterUser from '@/views/User/Register.vue'; -import RegisterProfile from '@/views/Account/Register.vue'; -import Login from '@/views/User/Login.vue'; -import Validate from '@/views/User/Validate.vue'; -import ResendConfirmation from '@/views/User/ResendConfirmation.vue'; -import SendPasswordReset from '@/views/User/SendPasswordReset.vue'; -import PasswordReset from '@/views/User/PasswordReset.vue'; -import { beforeRegisterGuard } from '@/router/guards/register-guard'; -import { RouteConfig } from 'vue-router'; -import EmailValidate from '@/views/User/EmailValidate.vue'; +import { beforeRegisterGuard } from "@/router/guards/register-guard"; +import { RouteConfig } from "vue-router"; export enum UserRouteName { - REGISTER = 'Register', - REGISTER_PROFILE = 'RegisterProfile', - RESEND_CONFIRMATION = 'ResendConfirmation', - SEND_PASSWORD_RESET = 'SendPasswordReset', - PASSWORD_RESET = 'PasswordReset', - VALIDATE = 'Validate', - LOGIN = 'Login', + REGISTER = "Register", + REGISTER_PROFILE = "RegisterProfile", + RESEND_CONFIRMATION = "ResendConfirmation", + SEND_PASSWORD_RESET = "SendPasswordReset", + PASSWORD_RESET = "PasswordReset", + VALIDATE = "Validate", + LOGIN = "Login", } export const userRoutes: RouteConfig[] = [ { - path: '/register/user', + path: "/register/user", name: UserRouteName.REGISTER, - component: RegisterUser, + component: () => import("@/views/User/Register.vue"), props: true, meta: { requiredAuth: false }, beforeEnter: beforeRegisterGuard, }, { - path: '/register/profile', + path: "/register/profile", name: UserRouteName.REGISTER_PROFILE, - component: RegisterProfile, + component: () => import("@/views/Account/Register.vue"), // We can only pass string values through params, therefore - props: (route) => ({ email: route.params.email, userAlreadyActivated: route.params.userAlreadyActivated === 'true' }), + props: (route) => ({ + email: route.params.email, + userAlreadyActivated: route.params.userAlreadyActivated === "true", + }), meta: { requiredAuth: false }, }, { - path: '/resend-instructions', + path: "/resend-instructions", name: UserRouteName.RESEND_CONFIRMATION, - component: ResendConfirmation, + component: () => import("@/views/User/ResendConfirmation.vue"), props: true, meta: { requiresAuth: false }, }, { - path: '/password-reset/send', + path: "/password-reset/send", name: UserRouteName.SEND_PASSWORD_RESET, - component: SendPasswordReset, + component: () => import("@/views/User/SendPasswordReset.vue"), props: true, meta: { requiresAuth: false }, }, { - path: '/password-reset/:token', + path: "/password-reset/:token", name: UserRouteName.PASSWORD_RESET, - component: PasswordReset, + component: () => import("@/views/User/PasswordReset.vue"), meta: { requiresAuth: false }, props: true, }, { - path: '/validate/email/:token', + path: "/validate/email/:token", name: UserRouteName.VALIDATE, - component: EmailValidate, + component: () => import("@/views/User/EmailValidate.vue"), props: true, meta: { requiresAuth: false }, }, { - path: '/validate/:token', + path: "/validate/:token", name: UserRouteName.VALIDATE, - component: Validate, + component: () => import("@/views/User/Validate.vue"), props: true, meta: { requiresAuth: false }, }, { - path: '/login', + path: "/login", name: UserRouteName.LOGIN, - component: Login, + component: () => import("@/views/User/Login.vue"), props: true, meta: { requiredAuth: false }, }, diff --git a/js/src/services/AnonymousParticipationStorage.ts b/js/src/services/AnonymousParticipationStorage.ts index 418fde660..6be3cac1f 100644 --- a/js/src/services/AnonymousParticipationStorage.ts +++ b/js/src/services/AnonymousParticipationStorage.ts @@ -1,9 +1,9 @@ -import { IEvent } from '@/types/event.model'; +import { IEvent } from "@/types/event.model"; -const ANONYMOUS_PARTICIPATIONS_LOCALSTORAGE_KEY = 'ANONYMOUS_PARTICIPATIONS'; +const ANONYMOUS_PARTICIPATIONS_LOCALSTORAGE_KEY = "ANONYMOUS_PARTICIPATIONS"; interface IAnonymousParticipation { - token: String; + token: string; expiration: Date; confirmed: boolean; } @@ -19,14 +19,16 @@ class AnonymousParticipationNotFoundError extends Error { /** * Fetch existing anonymous participations saved inside this browser */ -function getLocalAnonymousParticipations(): Map { - return jsonToMap(localStorage.getItem(ANONYMOUS_PARTICIPATIONS_LOCALSTORAGE_KEY) || mapToJson(new Map())); +function getLocalAnonymousParticipations(): Map { + return jsonToMap( + localStorage.getItem(ANONYMOUS_PARTICIPATIONS_LOCALSTORAGE_KEY) || mapToJson(new Map()) + ); } -function mapToJson(map): string { +function mapToJson(map: Map): string { return JSON.stringify([...map]); } -function jsonToMap(jsonStr): Map { +function jsonToMap(jsonStr: string): Map { return new Map(JSON.parse(jsonStr)); } @@ -34,7 +36,9 @@ function jsonToMap(jsonStr): Map { * Purge participations which expiration has been reached * @param participations Map */ -function purgeOldParticipations(participations: Map): Map { +function purgeOldParticipations( + participations: Map +): Map { for (const [hashedUUID, { expiration }] of participations) { if (expiration < new Date()) { participations.delete(hashedUUID); @@ -48,7 +52,10 @@ function purgeOldParticipations(participations: Map { +async function isParticipatingInThisEvent(eventUUID: string): Promise { const participation = await getParticipation(eventUUID); return participation !== undefined && participation.confirmed; } -async function getParticipation(eventUUID: String): Promise { +async function getParticipation(eventUUID: string): Promise { const hashedUUID = await digestMessage(eventUUID); const participation = purgeOldParticipations(getLocalAnonymousParticipations()).get(hashedUUID); if (participation) { return participation; } - throw new AnonymousParticipationNotFoundError('Participation not found'); + throw new AnonymousParticipationNotFoundError("Participation not found"); } -async function getLeaveTokenForParticipation(eventUUID: String): Promise { +async function getLeaveTokenForParticipation(eventUUID: string): Promise { return (await getParticipation(eventUUID)).token; } -async function removeAnonymousParticipation(eventUUID: String): Promise { +async function removeAnonymousParticipation(eventUUID: string): Promise { const hashedUUID = await digestMessage(eventUUID); const participations = purgeOldParticipations(getLocalAnonymousParticipations()); participations.delete(hashedUUID); localStorage.setItem(ANONYMOUS_PARTICIPATIONS_LOCALSTORAGE_KEY, mapToJson(participations)); } -async function digestMessage(message): Promise { +async function digestMessage(message: string): Promise { const encoder = new TextEncoder(); const data = encoder.encode(message); - const hashBuffer = await crypto.subtle.digest('SHA-256', data); + const hashBuffer = await crypto.subtle.digest("SHA-256", data); const hashArray = Array.from(new Uint8Array(hashBuffer)); - return hashArray.map(b => b.toString(16).padStart(2, '0')).join(''); + return hashArray.map((b) => b.toString(16).padStart(2, "0")).join(""); } export { diff --git a/js/src/shims-tsx.d.ts b/js/src/shims-tsx.d.ts index 3b88b5829..2bcdf9fbc 100644 --- a/js/src/shims-tsx.d.ts +++ b/js/src/shims-tsx.d.ts @@ -1,4 +1,4 @@ -import Vue, { VNode } from 'vue'; +import Vue, { VNode } from "vue"; declare global { namespace JSX { diff --git a/js/src/shims-vue.d.ts b/js/src/shims-vue.d.ts index 7f74dd240..58856f643 100644 --- a/js/src/shims-vue.d.ts +++ b/js/src/shims-vue.d.ts @@ -1,8 +1,5 @@ -import { Vue } from 'vue/types/vue'; +declare module "*.vue" { + import Vue from "vue"; -declare module '*.vue' { - import Vue from 'vue'; export default Vue; } - -type Refs = Vue['$refs'] & T; diff --git a/js/src/types/actor/actor.model.ts b/js/src/types/actor/actor.model.ts index 65aeb52d8..c450ec47a 100644 --- a/js/src/types/actor/actor.model.ts +++ b/js/src/types/actor/actor.model.ts @@ -1,18 +1,18 @@ -import { IPicture } from '@/types/picture.model'; +import { IPicture } from "@/types/picture.model"; export enum ActorType { - PERSON = 'PERSON', - APPLICATION = 'APPLICATION', - GROUP = 'GROUP', - ORGANISATION = 'ORGANISATION', - SERVICE = 'SERVICE', + PERSON = "PERSON", + APPLICATION = "APPLICATION", + GROUP = "GROUP", + ORGANISATION = "ORGANISATION", + SERVICE = "SERVICE", } export interface IActor { - id?: number; + id?: string; url: string; name: string; - domain: string|null; + domain: string | null; summary: string; preferredUsername: string; suspended: boolean; @@ -22,18 +22,27 @@ export interface IActor { } export class Actor implements IActor { - id?: number; + id?: string; + avatar: IPicture | null = null; + banner: IPicture | null = null; + domain: string | null = null; - name: string = ''; - preferredUsername: string = ''; - summary: string = ''; - suspended: boolean = false; - url: string = ''; + + name = ""; + + preferredUsername = ""; + + summary = ""; + + suspended = false; + + url = ""; + type: ActorType = ActorType.PERSON; - constructor (hash: IActor | {} = {}) { + constructor(hash: IActor | {} = {}) { Object.assign(this, hash); } @@ -42,11 +51,18 @@ export class Actor implements IActor { } usernameWithDomain(): string { - const domain = this.domain ? `@${this.domain}` : ''; + const domain = this.domain ? `@${this.domain}` : ""; return `@${this.preferredUsername}${domain}`; } public displayName(): string { - return this.name != null && this.name !== '' ? this.name : this.usernameWithDomain(); + return this.name != null && this.name !== "" ? this.name : this.usernameWithDomain(); } } + +export function usernameWithDomain(actor: IActor): string { + if (actor.domain) { + return `${actor.preferredUsername}@${actor.domain}`; + } + return actor.preferredUsername; +} diff --git a/js/src/types/actor/follower.model.ts b/js/src/types/actor/follower.model.ts index f5967b56d..21f51ec16 100644 --- a/js/src/types/actor/follower.model.ts +++ b/js/src/types/actor/follower.model.ts @@ -1,4 +1,4 @@ -import { IActor } from '@/types/actor/actor.model'; +import { IActor } from "@/types/actor/actor.model"; export interface IFollower { id?: string; diff --git a/js/src/types/actor/group.model.ts b/js/src/types/actor/group.model.ts index c93c4c638..6d3e986e8 100644 --- a/js/src/types/actor/group.model.ts +++ b/js/src/types/actor/group.model.ts @@ -1,32 +1,56 @@ -import { Actor, IActor } from '@/types/actor/actor.model'; +import { Actor, ActorType, IActor } from "./actor.model"; +import { Paginate } from "../paginate"; +import { IResource } from "../resource"; +import { ITodoList } from "../todos"; +import { IEvent } from "../event.model"; +import { IConversation } from "../conversations"; +import { IPerson } from "./person.model"; export enum MemberRole { - PENDING, - MEMBER, - MODERATOR, - ADMIN, + NOT_APPROVED = "NOT_APPROVED", + INVITED = "INVITED", + MEMBER = "MEMBER", + MODERATOR = "MODERATOR", + ADMINISTRATOR = "ADMINISTRATOR", + CREATOR = "CREATOR", + REJECTED = "REJECTED", } export interface IGroup extends IActor { - members: IMember[]; + members: Paginate; + resources: Paginate; + todoLists: Paginate; + conversations: Paginate; + organizedEvents: Paginate; } export interface IMember { + id?: string; role: MemberRole; parent: IGroup; actor: IActor; + invitedBy?: IPerson; } export class Group extends Actor implements IGroup { - members: IMember[] = []; + members: Paginate = { elements: [], total: 0 }; + + resources: Paginate = { elements: [], total: 0 }; + + todoLists: Paginate = { elements: [], total: 0 }; + + conversations: Paginate = { elements: [], total: 0 }; + + organizedEvents!: Paginate; constructor(hash: IGroup | {} = {}) { super(hash); + this.type = ActorType.GROUP; this.patch(hash); } - patch (hash: any) { + patch(hash: any) { Object.assign(this, hash); } } diff --git a/js/src/types/actor/index.ts b/js/src/types/actor/index.ts index a35dc2de3..ca57d3a40 100644 --- a/js/src/types/actor/index.ts +++ b/js/src/types/actor/index.ts @@ -1,3 +1,3 @@ -export * from './actor.model'; -export * from './group.model'; -export * from './person.model'; +export * from "./actor.model"; +export * from "./group.model"; +export * from "./person.model"; diff --git a/js/src/types/actor/person.model.ts b/js/src/types/actor/person.model.ts index f346b68ab..a3e9094c5 100644 --- a/js/src/types/actor/person.model.ts +++ b/js/src/types/actor/person.model.ts @@ -1,6 +1,8 @@ -import { ICurrentUser } from '@/types/current-user.model'; -import { IEvent, IParticipant } from '@/types/event.model'; -import { Actor, IActor } from '@/types/actor/actor.model'; +import { ICurrentUser } from "../current-user.model"; +import { IEvent, IParticipant } from "../event.model"; +import { Actor, IActor } from "./actor.model"; +import { Paginate } from "../paginate"; +import { IMember } from "./group.model"; export interface IFeedToken { token: string; @@ -12,20 +14,25 @@ export interface IPerson extends IActor { feedTokens: IFeedToken[]; goingToEvents: IEvent[]; participations: IParticipant[]; + memberships: Paginate; } export class Person extends Actor implements IPerson { feedTokens: IFeedToken[] = []; + goingToEvents: IEvent[] = []; + participations: IParticipant[] = []; + memberships!: Paginate; + constructor(hash: IPerson | {} = {}) { super(hash); this.patch(hash); } - patch (hash: any) { + patch(hash: any) { Object.assign(this, hash); } } diff --git a/js/src/types/address.model.ts b/js/src/types/address.model.ts index d98e55138..2261d7bdd 100644 --- a/js/src/types/address.model.ts +++ b/js/src/types/address.model.ts @@ -1,4 +1,4 @@ -import poiIcons from '@/utils/poiIcons'; +import { poiIcons, IPOIIcon } from "@/utils/poiIcons"; export interface IAddress { id?: string; @@ -15,19 +15,29 @@ export interface IAddress { } export class Address implements IAddress { - country: string = ''; - description: string = ''; - locality: string = ''; - postalCode: string = ''; - region: string = ''; - street: string = ''; - type: string = ''; - id?: string = ''; - originId?: string = ''; - url?: string = ''; - geom?: string = ''; + country = ""; - constructor(hash?) { + description = ""; + + locality = ""; + + postalCode = ""; + + region = ""; + + street = ""; + + type = ""; + + id?: string = ""; + + originId?: string = ""; + + url?: string = ""; + + geom?: string = ""; + + constructor(hash?: IAddress) { if (!hash) return; this.id = hash.id; @@ -44,36 +54,40 @@ export class Address implements IAddress { } get poiInfos() { - /* generate name corresponding to poi type */ - let name = ''; - let alternativeName = ''; - let poiIcon = poiIcons.default; + /* generate name corresponding to poi type */ + let name = ""; + let alternativeName = ""; + let poiIcon: IPOIIcon = poiIcons.default; // Google Maps doesn't have a type - if (this.type == null && this.description === this.street) this.type = 'house'; + if (this.type == null && this.description === this.street) this.type = "house"; switch (this.type) { - case 'house': + case "house": name = this.description; - alternativeName = [this.postalCode, this.locality, this.country].filter(zone => zone).join(', '); + alternativeName = [this.postalCode, this.locality, this.country] + .filter((zone) => zone) + .join(", "); poiIcon = poiIcons.defaultAddress; break; - case 'street': - case 'secondary': + case "street": + case "secondary": name = this.description; - alternativeName = [this.postalCode, this.locality, this.country].filter(zone => zone).join(', '); + alternativeName = [this.postalCode, this.locality, this.country] + .filter((zone) => zone) + .join(", "); poiIcon = poiIcons.defaultStreet; break; - case 'zone': - case 'city': - case 'administrative': + case "zone": + case "city": + case "administrative": name = this.postalCode ? `${this.description} (${this.postalCode})` : this.description; - alternativeName = [this.region, this.country].filter(zone => zone).join(', '); + alternativeName = [this.region, this.country].filter((zone) => zone).join(", "); poiIcon = poiIcons.defaultAdministrative; break; default: // POI name = this.description; - alternativeName = ''; + alternativeName = ""; if (this.street && this.street.trim()) { alternativeName = `${this.street}`; if (this.locality) { @@ -97,11 +111,11 @@ export class Address implements IAddress { return `${name}, ${alternativeName}`; } - get iconForPOI() { + get iconForPOI(): IPOIIcon { if (this.type == null) { return poiIcons.default; } - const type = this.type.split(':').pop() || ''; + const type = this.type.split(":").pop() || ""; if (poiIcons[type]) return poiIcons[type]; return poiIcons.default; } diff --git a/js/src/types/admin.model.ts b/js/src/types/admin.model.ts index e175db63f..88a9a81da 100644 --- a/js/src/types/admin.model.ts +++ b/js/src/types/admin.model.ts @@ -1,4 +1,4 @@ -import { IEvent } from '@/types/event.model'; +import { IEvent } from "@/types/event.model"; export interface IDashboard { lastPublicEventPublished: IEvent; @@ -9,9 +9,9 @@ export interface IDashboard { } export enum InstanceTermsType { - DEFAULT = 'DEFAULT', - URL = 'URL', - CUSTOM = 'CUSTOM', + DEFAULT = "DEFAULT", + URL = "URL", + CUSTOM = "CUSTOM", } export interface IAdminSettings { @@ -19,6 +19,6 @@ export interface IAdminSettings { instanceDescription: string; instanceTerms: string; instanceTermsType: InstanceTermsType; - instanceTermsUrl: string|null; + instanceTermsUrl: string | null; registrationsOpen: boolean; } diff --git a/js/src/types/apollo.ts b/js/src/types/apollo.ts index a35cb8307..76db37489 100644 --- a/js/src/types/apollo.ts +++ b/js/src/types/apollo.ts @@ -1,6 +1,8 @@ -import { ServerError, ServerParseError } from 'apollo-link-http-common'; +import { ServerError, ServerParseError } from "apollo-link-http-common"; -function isServerError(err: Error | ServerError | ServerParseError | undefined): err is ServerError { +function isServerError( + err: Error | ServerError | ServerParseError | undefined +): err is ServerError { return !!err && (err as ServerError).statusCode !== undefined; } diff --git a/js/src/types/comment.model.ts b/js/src/types/comment.model.ts index 0a4f83e1d..c1fc9988c 100644 --- a/js/src/types/comment.model.ts +++ b/js/src/types/comment.model.ts @@ -1,5 +1,5 @@ -import { Actor, IActor } from '@/types/actor'; -import { EventModel, IEvent } from '@/types/event.model'; +import { Actor, IActor } from "@/types/actor"; +import { EventModel, IEvent } from "@/types/event.model"; export interface IComment { id?: string; @@ -19,18 +19,30 @@ export interface IComment { export class CommentModel implements IComment { actor: IActor = new Actor(); + id?: string; - text: string = ''; - local: boolean = true; + + text = ""; + + local = true; + url?: string; + uuid?: string; + inReplyToComment?: IComment = undefined; + originComment?: IComment = undefined; + replies: IComment[] = []; + event?: IEvent = undefined; + updatedAt?: Date = undefined; + deletedAt?: Date = undefined; - totalReplies: number = 0; + + totalReplies = 0; constructor(hash?: IComment) { if (!hash) return; @@ -48,5 +60,4 @@ export class CommentModel implements IComment { this.deletedAt = hash.deletedAt; this.totalReplies = hash.totalReplies; } - } diff --git a/js/src/types/config.model.ts b/js/src/types/config.model.ts index 4b5d55ca4..9cf449695 100644 --- a/js/src/types/config.model.ts +++ b/js/src/types/config.model.ts @@ -1,4 +1,5 @@ -import { InstanceTermsType } from '@/types/admin.model'; +import { InstanceTermsType } from "./admin.model"; +import { IProvider } from "./resource"; export interface IConfig { name: string; @@ -20,31 +21,31 @@ export interface IConfig { email: { enabled: boolean; confirmationRequired: boolean; - }, + }; captcha: { enabled: boolean; - }, - } - } + }; + }; + }; eventCreation: { allowed: boolean; validation: { email: { enabled: boolean; confirmationRequired: boolean; - }, + }; captcha: { - enabled: boolean, - }, - } - } - actorId, + enabled: boolean; + }; + }; + }; + actorId: string; }; maps: { tiles: { endpoint: string; - attribution: string|null; - }, + attribution: string | null; + }; }; geocoding: { provider: string; @@ -55,4 +56,6 @@ export interface IConfig { type: InstanceTermsType; url: string; }; + resourceProviders: IProvider[]; + timezones: string[]; } diff --git a/js/src/types/conversations.ts b/js/src/types/conversations.ts new file mode 100644 index 000000000..a0873ee9b --- /dev/null +++ b/js/src/types/conversations.ts @@ -0,0 +1,13 @@ +import { IActor, IPerson } from "@/types/actor"; +import { IComment } from "@/types/comment.model"; +import { Paginate } from "@/types/paginate"; + +export interface IConversation { + id: string; + title: string; + slug: string; + creator: IPerson; + actor: IActor; + lastComment: IComment; + comments: Paginate; +} diff --git a/js/src/types/current-user.model.ts b/js/src/types/current-user.model.ts index 8633754a7..9a8f6dee5 100644 --- a/js/src/types/current-user.model.ts +++ b/js/src/types/current-user.model.ts @@ -1,10 +1,11 @@ -import { IEvent, IParticipant } from '@/types/event.model'; -import { IPerson } from '@/types/actor/person.model'; +import { IEvent, IParticipant } from "@/types/event.model"; +import { IPerson } from "@/types/actor/person.model"; +import { Paginate } from "./paginate"; export enum ICurrentUserRole { - USER = 'USER', - MODERATOR = 'MODERATOR', - ADMINISTRATOR = 'ADMINISTRATOR', + USER = "USER", + MODERATOR = "MODERATOR", + ADMINISTRATOR = "ADMINISTRATOR", } export interface ICurrentUser { @@ -12,7 +13,15 @@ export interface ICurrentUser { email: string; isLoggedIn: boolean; role: ICurrentUserRole; - participations: IParticipant[]; + participations: Paginate; defaultActor: IPerson; drafts: IEvent[]; + settings: IUserSettings; +} + +export interface IUserSettings { + timezone: string; + notificationOnDay: string; + notificationEachWeek: string; + notificationBeforeEvent: string; } diff --git a/js/src/types/error-code.model.ts b/js/src/types/error-code.model.ts index ba33435f3..03346340d 100644 --- a/js/src/types/error-code.model.ts +++ b/js/src/types/error-code.model.ts @@ -1,4 +1,4 @@ export enum ErrorCode { - UNKNOWN = 'unknown', - REGISTRATION_CLOSED = 'registration_closed', + UNKNOWN = "unknown", + REGISTRATION_CLOSED = "registration_closed", } diff --git a/js/src/types/event.model.ts b/js/src/types/event.model.ts index 41055f17a..17d1665a9 100644 --- a/js/src/types/event.model.ts +++ b/js/src/types/event.model.ts @@ -1,51 +1,51 @@ -import { Actor, IActor, IPerson } from './actor'; -import { Address, IAddress } from '@/types/address.model'; -import { ITag } from '@/types/tag.model'; -import { IPicture } from '@/types/picture.model'; -import { IComment } from '@/types/comment.model'; -import { Paginate } from '@/types/paginate'; +import { Address, IAddress } from "@/types/address.model"; +import { ITag } from "@/types/tag.model"; +import { IPicture } from "@/types/picture.model"; +import { IComment } from "@/types/comment.model"; +import { Paginate } from "@/types/paginate"; +import { Actor, Group, IActor, IPerson } from "./actor"; export enum EventStatus { - TENTATIVE = 'TENTATIVE', - CONFIRMED = 'CONFIRMED', - CANCELLED = 'CANCELLED', + TENTATIVE = "TENTATIVE", + CONFIRMED = "CONFIRMED", + CANCELLED = "CANCELLED", } export enum EventVisibility { - PUBLIC = 'PUBLIC', - UNLISTED = 'UNLISTED', - RESTRICTED = 'RESTRICTED', - PRIVATE = 'PRIVATE', + PUBLIC = "PUBLIC", + UNLISTED = "UNLISTED", + RESTRICTED = "RESTRICTED", + PRIVATE = "PRIVATE", } export enum EventJoinOptions { - FREE = 'FREE', - RESTRICTED = 'RESTRICTED', - INVITE = 'INVITE', + FREE = "FREE", + RESTRICTED = "RESTRICTED", + INVITE = "INVITE", } export enum EventVisibilityJoinOptions { - PUBLIC = 'PUBLIC', - LINK = 'LINK', - LIMITED = 'LIMITED', + PUBLIC = "PUBLIC", + LINK = "LINK", + LIMITED = "LIMITED", } export enum ParticipantRole { - NOT_APPROVED = 'NOT_APPROVED', - NOT_CONFIRMED = 'NOT_CONFIRMED', - REJECTED = 'REJECTED', - PARTICIPANT = 'PARTICIPANT', - MODERATOR = 'MODERATOR', - ADMINISTRATOR = 'ADMINISTRATOR', - CREATOR = 'CREATOR', + NOT_APPROVED = "NOT_APPROVED", + NOT_CONFIRMED = "NOT_CONFIRMED", + REJECTED = "REJECTED", + PARTICIPANT = "PARTICIPANT", + MODERATOR = "MODERATOR", + ADMINISTRATOR = "ADMINISTRATOR", + CREATOR = "CREATOR", } export enum Category { - BUSINESS = 'business', - CONFERENCE = 'conference', - BIRTHDAY = 'birthday', - DEMONSTRATION = 'demonstration', - MEETING = 'meeting', + BUSINESS = "business", + CONFERENCE = "conference", + BIRTHDAY = "birthday", + DEMONSTRATION = "demonstration", + MEETING = "meeting", } export interface IEventCardOptions { @@ -60,16 +60,21 @@ export interface IParticipant { role: ParticipantRole; actor: IActor; event: IEvent; - metadata: { cancellationToken?: string, message?: string }; + metadata: { cancellationToken?: string; message?: string }; insertedAt?: Date; } export class Participant implements IParticipant { id?: string; + event!: IEvent; + actor!: IActor; + role: ParticipantRole = ParticipantRole.NOT_APPROVED; + metadata = {}; + insertedAt?: Date; constructor(hash?: IParticipant) { @@ -97,9 +102,9 @@ export interface IParticipationCondition { } export enum CommentModeration { - ALLOW_ALL = 'ALLOW_ALL', - MODERATED = 'MODERATED', - CLOSED = 'CLOSED', + ALLOW_ALL = "ALLOW_ALL", + MODERATED = "MODERATED", + CLOSED = "CLOSED", } export interface IEventParticipantStats { @@ -134,7 +139,7 @@ export interface IEvent { picture: IPicture | null; organizerActor?: IActor; - attributedTo: IActor; + attributedTo?: IActor; participantStats: IEventParticipantStats; participants: Paginate; @@ -148,7 +153,7 @@ export interface IEvent { tags: ITag[]; options: IEventOptions; - toEditJSON(); + toEditJSON(): IEventEditJSON; } export interface IEventOptions { @@ -156,6 +161,7 @@ export interface IEventOptions { remainingAttendeeCapacity: number; showRemainingAttendeeCapacity: boolean; anonymousParticipation: boolean; + hideOrganizerWhenGroupEvent: boolean; offers: IOffer[]; participationConditions: IParticipationCondition[]; attendees: string[]; @@ -168,16 +174,29 @@ export interface IEventOptions { export class EventOptions implements IEventOptions { maximumAttendeeCapacity = 0; + remainingAttendeeCapacity = 0; + showRemainingAttendeeCapacity = false; + anonymousParticipation = false; + + hideOrganizerWhenGroupEvent = false; + offers: IOffer[] = []; + participationConditions: IParticipationCondition[] = []; + attendees: string[] = []; - program = ''; + + program = ""; + commentModeration = CommentModeration.ALLOW_ALL; + showParticipationPrice = false; + showStartTime = true; + showEndTime = true; } @@ -185,39 +204,64 @@ export class EventModel implements IEvent { id?: string; beginsOn = new Date(); + endsOn: Date | null = new Date(); - title = ''; - url = ''; - uuid = ''; - slug = ''; - description = ''; + title = ""; + + url = ""; + + uuid = ""; + + slug = ""; + + description = ""; + local = true; - onlineAddress: string | undefined = ''; - phoneAddress: string | undefined = ''; + onlineAddress: string | undefined = ""; + + phoneAddress: string | undefined = ""; + physicalAddress?: IAddress; picture: IPicture | null = null; visibility = EventVisibility.PUBLIC; + category: Category | null = Category.MEETING; + joinOptions = EventJoinOptions.FREE; + status = EventStatus.CONFIRMED; + draft = true; publishAt = new Date(); - participantStats = { notApproved: 0, notConfirmed: 0, rejected: 0, participant: 0, moderator: 0, administrator: 0, creator: 0, going: 0 }; + participantStats = { + notApproved: 0, + notConfirmed: 0, + rejected: 0, + participant: 0, + moderator: 0, + administrator: 0, + creator: 0, + going: 0, + }; + participants!: Paginate; relatedEvents: IEvent[] = []; + comments: IComment[] = []; - attributedTo = new Actor(); + attributedTo?: IActor = new Actor(); + organizerActor?: IActor = new Actor(); tags: ITag[] = []; + options: IEventOptions = new EventOptions(); constructor(hash?: IEvent) { @@ -246,7 +290,7 @@ export class EventModel implements IEvent { this.picture = hash.picture; this.organizerActor = new Actor(hash.organizerActor); - this.attributedTo = new Actor(hash.attributedTo); + this.attributedTo = new Group(hash.attributedTo); this.participants = hash.participants; this.relatedEvents = hash.relatedEvents; @@ -260,7 +304,7 @@ export class EventModel implements IEvent { if (hash.options) this.options = hash.options; } - toEditJSON() { + toEditJSON(): IEventEditJSON { return { id: this.id, title: this.title, @@ -271,13 +315,35 @@ export class EventModel implements IEvent { visibility: this.visibility, joinOptions: this.joinOptions, draft: this.draft, - tags: this.tags.map(t => t.title), + tags: this.tags.map((t) => t.title), picture: this.picture, onlineAddress: this.onlineAddress, phoneAddress: this.phoneAddress, category: this.category, physicalAddress: this.physicalAddress, options: this.options, + // organizerActorId: this.organizerActor && this.organizerActor.id ? this.organizerActor.id : null, + attributedToId: this.attributedTo && this.attributedTo.id ? this.attributedTo.id : null, }; } } + +interface IEventEditJSON { + id?: string; + title: string; + description: string; + category: Category | null; + beginsOn: string; + endsOn: string | null; + status: EventStatus; + visibility: EventVisibility; + joinOptions: EventJoinOptions; + draft: boolean; + picture: IPicture | { pictureId: string } | null; + attributedToId: string | null; + onlineAddress?: string; + phoneAddress?: string; + physicalAddress?: IAddress; + tags: string[]; + options: IEventOptions; +} diff --git a/js/src/types/login-error-code.model.ts b/js/src/types/login-error-code.model.ts index dae8a2080..c12c4c5c9 100644 --- a/js/src/types/login-error-code.model.ts +++ b/js/src/types/login-error-code.model.ts @@ -1,9 +1,9 @@ export enum LoginErrorCode { - NEED_TO_LOGIN = 'rouge', + NEED_TO_LOGIN = "rouge", } export enum LoginError { - USER_NOT_CONFIRMED = 'User account not confirmed', - USER_DOES_NOT_EXIST = 'No user with this email was found', - USER_EMAIL_PASSWORD_INVALID = 'Impossible to authenticate, either your email or password are invalid.', + USER_NOT_CONFIRMED = "User account not confirmed", + USER_DOES_NOT_EXIST = "No user with this email was found", + USER_EMAIL_PASSWORD_INVALID = "Impossible to authenticate, either your email or password are invalid.", } diff --git a/js/src/types/login.model.ts b/js/src/types/login.model.ts index 3807b150b..a1798b040 100644 --- a/js/src/types/login.model.ts +++ b/js/src/types/login.model.ts @@ -1,4 +1,4 @@ -import { ICurrentUser } from '@/types/current-user.model'; +import { ICurrentUser } from "@/types/current-user.model"; export interface IToken { accessToken: string; diff --git a/js/src/types/report.model.ts b/js/src/types/report.model.ts index 69c070853..ef80d4ead 100644 --- a/js/src/types/report.model.ts +++ b/js/src/types/report.model.ts @@ -1,11 +1,11 @@ -import { IActor, IPerson } from '@/types/actor'; -import { IEvent } from '@/types/event.model'; -import { IComment } from '@/types/comment.model'; +import { IActor, IPerson } from "@/types/actor"; +import { IEvent } from "@/types/event.model"; +import { IComment } from "@/types/comment.model"; export enum ReportStatusEnum { - OPEN = 'OPEN', - CLOSED = 'CLOSED', - RESOLVED = 'RESOLVED', + OPEN = "OPEN", + CLOSED = "CLOSED", + RESOLVED = "RESOLVED", } export interface IReport extends IActionLogObject { @@ -21,7 +21,7 @@ export interface IReport extends IActionLogObject { status: ReportStatusEnum; } -export interface IReportNote extends IActionLogObject{ +export interface IReportNote extends IActionLogObject { id: string; content: string; moderator: IActor; @@ -32,18 +32,18 @@ export interface IActionLogObject { } export enum ActionLogAction { - NOTE_CREATION = 'NOTE_CREATION', - NOTE_DELETION = 'NOTE_DELETION', - REPORT_UPDATE_CLOSED = 'REPORT_UPDATE_CLOSED', - REPORT_UPDATE_OPENED = 'REPORT_UPDATE_OPENED', - REPORT_UPDATE_RESOLVED = 'REPORT_UPDATE_RESOLVED', - EVENT_DELETION = 'EVENT_DELETION', - COMMENT_DELETION = 'COMMENT_DELETION', + NOTE_CREATION = "NOTE_CREATION", + NOTE_DELETION = "NOTE_DELETION", + REPORT_UPDATE_CLOSED = "REPORT_UPDATE_CLOSED", + REPORT_UPDATE_OPENED = "REPORT_UPDATE_OPENED", + REPORT_UPDATE_RESOLVED = "REPORT_UPDATE_RESOLVED", + EVENT_DELETION = "EVENT_DELETION", + COMMENT_DELETION = "COMMENT_DELETION", } export interface IActionLog { id: string; - object: IReport|IReportNote|IEvent; + object: IReport | IReportNote | IEvent; actor: IActor; action: ActionLogAction; insertedAt: Date; diff --git a/js/src/types/resource.ts b/js/src/types/resource.ts new file mode 100644 index 000000000..85024bffe --- /dev/null +++ b/js/src/types/resource.ts @@ -0,0 +1,46 @@ +import { Paginate } from "@/types/paginate"; +import { IActor } from "@/types/actor"; + +export interface IResource { + id?: string; + title: string; + summary?: string; + actor?: IActor; + url?: string; + resourceUrl: string; + path?: string; + children: Paginate; + parent?: IResource; + metadata: IResourceMetadata; + insertedAt?: Date; + updatedAt?: Date; + creator?: IActor; + type?: string; +} + +export interface IResourceMetadata { + title?: string; + description?: string; + imageRemoteUrl?: string; + height?: number; + width?: number; + type?: string; + authorName?: string; + authorUrl?: string; + providerName?: string; + providerUrl?: string; + html?: string; + faviconUrl?: string; +} + +export const mapServiceTypeToIcon: object = { + pad: "file-document-outline", + calc: "google-spreadsheet", + visio: "webcam", +}; + +export interface IProvider { + type: string; + endpoint: string; + software: string; +} diff --git a/js/src/types/search.model.ts b/js/src/types/search.model.ts index afe27ba7b..d72be8657 100644 --- a/js/src/types/search.model.ts +++ b/js/src/types/search.model.ts @@ -1,5 +1,5 @@ -import { IGroup, IPerson } from '@/types/actor'; -import { IEvent } from '@/types/event.model'; +import { IGroup, IPerson } from "@/types/actor"; +import { IEvent } from "@/types/event.model"; export interface SearchEvent { total: number; diff --git a/js/src/types/setting-menu.model.ts b/js/src/types/setting-menu.model.ts index 344c01ca9..305d8b8c3 100644 --- a/js/src/types/setting-menu.model.ts +++ b/js/src/types/setting-menu.model.ts @@ -1,4 +1,4 @@ -import { Route } from 'vue-router'; +import { Route } from "vue-router"; export interface ISettingMenuSection { title: string; diff --git a/js/src/types/todos.ts b/js/src/types/todos.ts new file mode 100644 index 000000000..060443c56 --- /dev/null +++ b/js/src/types/todos.ts @@ -0,0 +1,19 @@ +import { Paginate } from "@/types/paginate"; +import { IActor, IPerson } from "@/types/actor"; + +export interface ITodoList { + id: string; + title: string; + todos: Paginate; + actor?: IActor; +} + +export interface ITodo { + id?: string; + title: string; + status: boolean; + dueDate?: Date; + creator?: IActor; + assignedTo?: IPerson; + todoList?: ITodoList; +} diff --git a/js/src/typings/absinthe.d.ts b/js/src/typings/absinthe.d.ts new file mode 100644 index 000000000..f4a7d7dbf --- /dev/null +++ b/js/src/typings/absinthe.d.ts @@ -0,0 +1,7 @@ +declare module "@absinthe/socket"; + +declare module "@absinthe/socket-apollo-link"; + +declare module "phoenix"; + +declare module "apollo-absinthe-upload-link"; diff --git a/js/src/typings/tiptap-commands.d.ts b/js/src/typings/tiptap-commands.d.ts new file mode 100644 index 000000000..f1586e3d0 --- /dev/null +++ b/js/src/typings/tiptap-commands.d.ts @@ -0,0 +1,35 @@ +declare module "tiptap-commands" { + import { EditorView } from "prosemirror-view"; + import { Transaction, EditorState, Plugin } from "prosemirror-state"; + import { InputRule } from "prosemirror-inputrules"; + import { NodeType, MarkType } from "prosemirror-model"; + + export interface DispatchFn { + (tr: Transaction): boolean; + } + + export interface Command { + (...params: any[]): CommandFunction; + } + + export interface CommandFunction { + (state: EditorState, dispatch: DispatchFn | undefined, view: EditorView): boolean; + } + + export function toggleWrap(type: NodeType): Command; + + export function wrappingInputRule( + regexp: RegExp, + nodeType: NodeType, + getAttrs?: (arg: {} | string[]) => object | undefined, + joinPredicate?: (strs: string[], node: Node) => boolean + ): InputRule; + + export function toggleMark(type: MarkType, attrs?: { [key: string]: any }): Command; + + export function pasteRule( + regexp: RegExp, + type: string, + getAttrs: (() => { [key: string]: any }) | { [key: string]: any } + ): Plugin; +} diff --git a/js/src/typings/tiptap-extensions.d.ts b/js/src/typings/tiptap-extensions.d.ts index e9fe8e613..5be90064a 100644 --- a/js/src/typings/tiptap-extensions.d.ts +++ b/js/src/typings/tiptap-extensions.d.ts @@ -1,28 +1,62 @@ -declare module 'tiptap-extensions' { - import Vue from 'vue'; +declare module "tiptap-extensions" { + import { Extension, Node, Mark } from "tiptap"; - export class Blockquote {} - export class CodeBlock {} - export class HardBreak {} - export class Heading { - constructor(object: object) - } - export class OrderedList {} - export class BulletList {} - export class ListItem {} - export class TodoItem {} - export class TodoList {} - export class Bold {} - export class Code {} - export class Italic {} - export class Link {} - export class Strike {} - export class Underline {} - export class History {} - export class Placeholder { - constructor(object: object) - } - export class Mention { - constructor(object: object) - } + export interface PlaceholderOptions { + emptyNodeClass?: string; + emptyNodeText?: string; + showOnlyWhenEditable?: boolean; + showOnlyCurrent?: boolean; + emptyEditorClass: string; + } + export class Placeholder extends Extension { + constructor(options?: PlaceholderOptions); + } + + export interface TrailingNodeOptions { + /** + * Node to be at the end of the document + * + * defaults to 'paragraph' + */ + node: string; + /** + * The trailing node will not be displayed after these specified nodes. + */ + notAfter: string[]; + } + export class TrailingNode extends Extension { + constructor(options?: TrailingNodeOptions); + } + + export interface HeadingOptions { + levels?: number[]; + } + + export class History extends Extension {} + export class Underline extends Mark {} + export class Strike extends Mark {} + export class Italic extends Mark {} + export class Bold extends Mark {} + export class BulletList extends Node {} + export class ListItem extends Node {} + export class OrderedList extends Node {} + export class HardBreak extends Node {} + export class Blockquote extends Node {} + export class CodeBlock extends Node {} + export class TodoItem extends Node {} + export class Code extends Node {} + export class HorizontalRule extends Node {} + export class Link extends Node {} + export class TodoList extends Node {} + + export class Heading extends Node { + constructor(options?: HeadingOptions); + } + + export class Table extends Node {} + export class TableCell extends Node {} + export class TableRow extends Node {} + export class TableHeader extends Node {} + + export class Mention extends Node {} } diff --git a/js/src/typings/tiptap.d.ts b/js/src/typings/tiptap.d.ts index f07c9fc9c..3febea473 100644 --- a/js/src/typings/tiptap.d.ts +++ b/js/src/typings/tiptap.d.ts @@ -1,27 +1,325 @@ -declare module 'tiptap' { - import Vue from 'vue'; - export class Editor { - public constructor({}); - public commands: { - mention: Function, - }; +declare module "tiptap" { + import { + MarkSpec, + MarkType, + Node as ProsemirrorNode, + NodeSpec, + NodeType, + ParseOptions, + Schema, + } from "prosemirror-model"; + import { EditorState, Plugin, Transaction } from "prosemirror-state"; + import { Command, CommandFunction } from "tiptap-commands"; + import { EditorProps, EditorView } from "prosemirror-view"; + import { VueConstructor } from "vue"; - public setOptions({}): void; - public setContent(content: string): void; - public focus(): void; - public getHTML(): string; - public destroy(): void; - } + export const EditorContent: VueConstructor; + export const EditorMenuBubble: VueConstructor; + export const EditorMenuBar: VueConstructor; + export type ExtensionOption = Extension | Node | Mark; - export class Node {} + // there are some props available + // `node` is a Prosemirror Node Object + // `updateAttrs` is a function to update attributes defined in `schema` + // `view` is the ProseMirror view instance + // `options` is an array of your extension options + // `selected` + export interface NodeView { + /** A Prosemirror Node Object */ + node?: ProsemirrorNode; + /** A function to update attributes defined in `schema` */ + updateAttrs?: (attrs: { [key: string]: any }) => any; + /** The ProseMirror view instance */ + view?: EditorView; + /** An array of your extension options */ + options?: { [key: string]: any }; + /** Whether the node view is selected */ + selected?: boolean; + } - export class Plugin { - public constructor({}); - } + export type CommandGetter = + | { [key: string]: (() => Command) | Command } + | (() => Command) + | Command + | (() => Command)[]; - export class EditorMenuBar extends Vue {} + export interface EditorUpdateEvent { + state: EditorState; + getHTML: () => string; + getJSON: () => object; + transaction: Transaction; + } - export class EditorContent extends Vue {} + export interface EditorOptions { + editorProps?: EditorProps; + /** defaults to true */ + editable?: boolean; + /** defaults to false */ + autoFocus?: boolean; + extensions?: ExtensionOption[]; + content?: Object | string; + emptyDocument?: { + type: "doc"; + content: [ + { + type: "paragraph"; + } + ]; + }; + /** defaults to false */ + useBuiltInExtensions?: boolean; + /** defaults to false */ + disableInputRules?: boolean; + /** defaults to false */ + disablePasteRules?: boolean; + dropCursor?: {}; + parseOptions?: ParseOptions; + /** defaults to true */ + injectCSS?: boolean; + onInit?: ({ view, state }: { view: EditorView; state: EditorState }) => void; + onTransaction?: (event: EditorUpdateEvent) => void; + onUpdate?: (event: EditorUpdateEvent) => void; + onFocus?: ({ + event, + state, + view, + }: { + event: FocusEvent; + state: EditorState; + view: EditorView; + }) => void; + onBlur?: ({ + event, + state, + view, + }: { + event: FocusEvent; + state: EditorState; + view: EditorView; + }) => void; + onPaste?: (...args: any) => void; + onDrop?: (...args: any) => void; + } - export class EditorMenuBubble extends Vue {} + export class Editor { + commands: { [key: string]: Command }; + defaultOptions: { [key: string]: any }; + element: Element; + extensions: Extension[]; + inputRules: any[]; + keymaps: any[]; + marks: Mark[]; + nodes: Node[]; + pasteRules: any[]; + plugins: Plugin[]; + schema: Schema; + state: EditorState; + view: EditorView; + activeMarks: { [markName: string]: () => boolean }; + activeNodes: { [nodeName: string]: () => boolean }; + activeMarkAttrs: { [markName: string]: { [attr: string]: any } }; + + /** + * Creates an [Editor] + * @param options - An object of Editor options. + */ + constructor(options?: EditorOptions); + + /** + * Replace the current content. You can pass an HTML string or a JSON document that matches the editor's schema. + * @param content Defaults to {}. + * @param emitUpdate Defaults to false. + */ + setContent(content?: string | object, emitUpdate?: boolean): void; + + /** + * Clears the current editor content. + * + * @param emitUpdate Whether or not the change should trigger the onUpdate callback. + */ + clearContent(emitUpdate?: boolean): void; + + /** + * Overwrites the current editor options. + * @param options Options an object of Editor options + */ + setOptions(options: EditorOptions): void; + + /** + * Register a ProseMirror plugin. + * @param plugin + */ + registerPlugin(plugin: Plugin): void; + + /** Get the current content as JSON. */ + getJSON(): {}; + + /** Get the current content as HTML. */ + getHTML(): string; + + /** Focus the editor */ + focus(): void; + + /** Removes the focus from the editor. */ + blur(): void; + + /** Destroy the editor and free all Prosemirror-related objects from memory. + * You should always call this method on beforeDestroy() lifecycle hook of the Vue component wrapping the editor. + */ + destroy(): void; + + on(event: string, callbackFn: (params: any) => void): void; + + off(event: string, callbackFn: (params: any) => void): void; + + getMarkAttrs(markName: string): { [attributeName: string]: any }; + } + + export class Extension { + /** Define a name for your extension */ + name?: string | null; + /** Define some default options.The options are available as this.$options. */ + defaultOptions?: Options; + /** Define a list of Prosemirror plugins. */ + plugins?: Plugin[]; + /** Called when options of extension are changed via editor.extensions.options */ + update?: (view: EditorView) => any; + /** Options for that are either passed in from the extension constructor or set by defaultOptions() */ + options?: Options; + + constructor(options?: Options); + + /** Define some keybindings. */ + keys?({ + schema, + }: { + schema: Schema | NodeSpec | MarkSpec; + }): { [keyCombo: string]: CommandFunction }; + + /** Define commands. */ + commands?({ + schema, + attrs, + }: { + schema: Schema | NodeSpec | MarkSpec; + attrs: { [key: string]: string }; + }): CommandGetter; + + inputRules?({ schema }: { schema: Schema }): any[]; + + pasteRules?({ schema }: { schema: Schema }): Plugin[]; + } + + export class Node extends Extension { + schema?: NodeSpec; + /** Reference to a view component constructor + * See https://stackoverflow.com/questions/38311672/generic-and-typeof-t-in-the-parameters + */ + view?: { new (): V }; + + commands?({ + type, + schema, + attrs, + }: { + type: NodeType; + schema: NodeSpec; + attrs: { [key: string]: string }; + }): CommandGetter; + + keys?({ + type, + schema, + }: { + type: NodeType; + schema: NodeSpec; + }): { [keyCombo: string]: CommandFunction }; + + inputRules?({ type, schema }: { type: NodeType; schema: Schema }): any[]; + + pasteRules?({ type, schema }: { type: NodeType; schema: Schema }): Plugin[]; + } + + export class Mark extends Extension { + schema?: MarkSpec; + /** Reference to a view component constructor + * See https://stackoverflow.com/questions/38311672/generic-and-typeof-t-in-the-parameters + */ + view?: { new (): V }; + + commands?({ + type, + schema, + attrs, + }: { + type: MarkType; + schema: MarkSpec; + attrs: { [key: string]: string }; + }): CommandGetter; + + keys?({ + type, + schema, + }: { + type: MarkType; + schema: MarkSpec; + }): { [keyCombo: string]: CommandFunction }; + + inputRules?({ type, schema }: { type: MarkType; schema: Schema }): any[]; + + pasteRules?({ type, schema }: { type: MarkType; schema: Schema }): Plugin[]; + } + + export class Text extends Node {} + + export class Paragraph extends Node {} + + export class Doc extends Node {} + + /** A set of commands registered to the editor. */ + export interface EditorCommandSet { + [key: string]: Command; + } + + /** + * The properties passed into component + */ + export interface MenuData { + /** Whether the editor has focus. */ + focused: boolean; + /** Function to focus the editor. */ + focus: () => void; + /** A set of commands registered. */ + commands: EditorCommandSet; + /** Check whether a node or mark is currently active. */ + isActive: IsActiveChecker; + /** A function to get all mark attributes of the current selection. */ + getMarkAttrs: (markName: string) => { [attributeName: string]: any }; + } + + export interface FloatingMenuData extends MenuData { + /** An object for positioning the menu. */ + menu: MenuDisplayData; + } + + /** + * A data object passed to a menu bubble to help it determine its position + * and visibility. + */ + export interface MenuDisplayData { + /** Left position of the cursor. */ + left: number; + /** Bottom position of the cursor. */ + bottom: number; + /** Whether or not there is an active selection. */ + isActive: boolean; + } + + /** + * A map containing functions to check if a node/mark is currently selected. + * The name of the node/mark is used as the key. + */ + export interface IsActiveChecker { + [name: string]: () => boolean; + } } diff --git a/js/src/utils/asyncForEach.ts b/js/src/utils/asyncForEach.ts index 3e68a5b18..5d6dc549e 100644 --- a/js/src/utils/asyncForEach.ts +++ b/js/src/utils/asyncForEach.ts @@ -1,4 +1,4 @@ -async function asyncForEach(array, callback) { +async function asyncForEach(array: Array, callback: Function) { for (let index = 0; index < array.length; index += 1) { await callback(array[index], index, array); } diff --git a/js/src/utils/auth.ts b/js/src/utils/auth.ts index 6acf28281..9d8a91c4e 100644 --- a/js/src/utils/auth.ts +++ b/js/src/utils/auth.ts @@ -5,14 +5,14 @@ import { AUTH_USER_EMAIL, AUTH_USER_ID, AUTH_USER_ROLE, -} from '@/constants'; -import { ILogin, IToken } from '@/types/login.model'; -import { UPDATE_CURRENT_USER_CLIENT } from '@/graphql/user'; -import { onLogout } from '@/vue-apollo'; -import ApolloClient from 'apollo-client'; -import { ICurrentUserRole } from '@/types/current-user.model'; -import { IPerson } from '@/types/actor'; -import { IDENTITIES, UPDATE_CURRENT_ACTOR_CLIENT } from '@/graphql/actor'; +} from "@/constants"; +import { ILogin, IToken } from "@/types/login.model"; +import { UPDATE_CURRENT_USER_CLIENT } from "@/graphql/user"; +import ApolloClient from "apollo-client"; +import { ICurrentUserRole } from "@/types/current-user.model"; +import { IPerson } from "@/types/actor"; +import { IDENTITIES, UPDATE_CURRENT_ACTOR_CLIENT } from "@/graphql/actor"; +import { NormalizedCacheObject } from "apollo-cache-inmemory"; export function saveUserData(obj: ILogin) { localStorage.setItem(AUTH_USER_ID, `${obj.user.id}`); @@ -49,21 +49,21 @@ export async function initializeCurrentActor(apollo: ApolloClient) { const result = await apollo.query({ query: IDENTITIES, - fetchPolicy: 'network-only', + fetchPolicy: "network-only", }); - const identities = result.data.identities; + const { identities } = result.data; if (identities.length < 1) { - console.warn('Logged user has no identities!'); - throw new NoIdentitiesException; + console.warn("Logged user has no identities!"); + throw new NoIdentitiesException(); } - const activeIdentity = identities.find(identity => identity.id === actorId) || identities[0] as IPerson; + const activeIdentity = identities.find((identity: IPerson) => identity.id === actorId) || (identities[0] as IPerson); if (activeIdentity) { return await changeIdentity(apollo, activeIdentity); } } -export async function changeIdentity(apollo: ApolloClient, identity: IPerson) { +export async function changeIdentity(apollo: ApolloClient, identity: IPerson) { await apollo.mutate({ mutation: UPDATE_CURRENT_ACTOR_CLIENT, variables: identity, @@ -71,7 +71,7 @@ export async function changeIdentity(apollo: ApolloClient, identity: IPerso saveActorData(identity); } -export async function logout(apollo: ApolloClient) { +export async function logout(apollo: ApolloClient) { await apollo.mutate({ mutation: UPDATE_CURRENT_USER_CLIENT, variables: { @@ -93,6 +93,4 @@ export async function logout(apollo: ApolloClient) { }); deleteUserData(); - - await onLogout(); } diff --git a/js/src/utils/datetime.ts b/js/src/utils/datetime.ts index d34727422..f55420d5f 100644 --- a/js/src/utils/datetime.ts +++ b/js/src/utils/datetime.ts @@ -2,7 +2,7 @@ function localeMonthNames(): string[] { const monthNames: string[] = []; for (let i = 0; i < 12; i += 1) { const d = new Date(2019, i, 1); - const month = d.toLocaleString('default', { month: 'long' }); + const month = d.toLocaleString("default", { month: "long" }); monthNames.push(month); } return monthNames; @@ -12,7 +12,7 @@ function localeShortWeekDayNames(): string[] { const weekDayNames: string[] = []; for (let i = 13; i < 20; i += 1) { const d = new Date(2019, 9, i); - const weekDay = d.toLocaleString('default', { weekday: 'short' }); + const weekDay = d.toLocaleString("default", { weekday: "short" }); weekDayNames.push(weekDay); } return weekDayNames; diff --git a/js/src/utils/errors.ts b/js/src/utils/errors.ts index f7909ce66..de46be645 100644 --- a/js/src/utils/errors.ts +++ b/js/src/utils/errors.ts @@ -1,51 +1,57 @@ -import { i18n } from '@/utils/i18n'; +import { i18n } from "@/utils/i18n"; -export const refreshSuggestion = i18n.t('Please refresh the page and retry.') as string; +export const refreshSuggestion = i18n.t("Please refresh the page and retry.") as string; export const defaultError: IError = { match: / /, - value: i18n.t('An error has occurred.') as string, + value: i18n.t("An error has occurred.") as string, }; -export interface IError { match: RegExp; value: string|null; suggestRefresh?: boolean; } +export interface IError { + match: RegExp; + value: string | null; + suggestRefresh?: boolean; +} export const errors: IError[] = [ { match: /^Event with UUID .* not found$/, - value: i18n.t('Page not found') as string, + value: i18n.t("Page not found") as string, suggestRefresh: false, }, { match: /^Event not found$/, - value: i18n.t('Event not found.') as string, + value: i18n.t("Event not found.") as string, }, { match: /^Event with this ID .* doesn't exist$/, - value: i18n.t('Event not found.') as string, + value: i18n.t("Event not found.") as string, }, { match: /^Error while saving report$/, - value: i18n.t('Error while saving report.') as string, + value: i18n.t("Error while saving report.") as string, }, { match: /^Participant already has role rejected$/, - value: i18n.t('Participant already was rejected.') as string, + value: i18n.t("Participant already was rejected.") as string, }, { match: /^Participant already has role participant$/, - value: i18n.t('Participant has already been approved as participant.') as string, + value: i18n.t("Participant has already been approved as participant.") as string, }, { match: /^You are already a participant of this event$/, - value: i18n.t('You are already a participant of this event.') as string, + value: i18n.t("You are already a participant of this event.") as string, }, { match: /NetworkError when attempting to fetch resource.$/, - value: i18n.t('Error while communicating with the server.') as string, + value: i18n.t("Error while communicating with the server.") as string, }, { match: /Provided moderator actor ID doesn't have permission on this event$/, - value: i18n.t("The current identity doesn't have any permission on this event. You should probably change it.") as string, + value: i18n.t( + "The current identity doesn't have any permission on this event. You should probably change it." + ) as string, suggestRefresh: false, }, { diff --git a/js/src/utils/html.ts b/js/src/utils/html.ts index 036b1c0e3..65ff595dd 100644 --- a/js/src/utils/html.ts +++ b/js/src/utils/html.ts @@ -1,3 +1,3 @@ export function nl2br(text: string) { - return text.replace(/(?:\r\n|\r|\n)/g, '
'); + return text.replace(/(?:\r\n|\r|\n)/g, "
"); } diff --git a/js/src/utils/i18n.ts b/js/src/utils/i18n.ts index 038961562..3baec68e0 100644 --- a/js/src/utils/i18n.ts +++ b/js/src/utils/i18n.ts @@ -1,14 +1,15 @@ -import Vue from 'vue'; -import VueI18n from 'vue-i18n'; -import messages from '@/i18n/index'; +import Vue from "vue"; +import VueI18n from "vue-i18n"; +import messages from "../i18n/index"; -const language = ((window.navigator as any).userLanguage || window.navigator.language).replace(/-/, '_'); -const locale = messages.hasOwnProperty(language) ? language : language.split('-')[0]; +let language = document.documentElement.getAttribute("lang") as string; +language = language || ((window.navigator as any).userLanguage || window.navigator.language).replace(/-/, "_"); +const locale = language && messages.hasOwnProperty(language) ? language : language.split("-")[0]; Vue.use(VueI18n); export const i18n = new VueI18n({ locale, // set locale messages, // set locale messages - fallbackLocale: 'en_US', + fallbackLocale: "en_US", }); diff --git a/js/src/utils/image.ts b/js/src/utils/image.ts index 372eab73e..dfbdfdd4d 100644 --- a/js/src/utils/image.ts +++ b/js/src/utils/image.ts @@ -1,4 +1,4 @@ -import { IPicture } from '@/types/picture.model'; +import { IPicture } from "@/types/picture.model"; export async function buildFileFromIPicture(obj: IPicture | null) { if (!obj) return null; @@ -23,7 +23,7 @@ export function buildFileVariable(file: File | null, name: string, alt?: stri }; } -export function readFileAsync(file: File): Promise { +export function readFileAsync(file: File): Promise { return new Promise((resolve, reject) => { const reader = new FileReader(); diff --git a/js/src/utils/object.ts b/js/src/utils/object.ts index aac64fa05..0946c7186 100644 --- a/js/src/utils/object.ts +++ b/js/src/utils/object.ts @@ -1,5 +1,5 @@ -export function buildObjectCollection(collection: T[] | undefined, builder: (new (p: T) => U)) { +export function buildObjectCollection(collection: T[] | undefined, builder: new (p: T) => U) { if (!collection || Array.isArray(collection) === false) return []; - return collection.map(v => new builder(v)); + return collection.map((v) => new builder(v)); } diff --git a/js/src/utils/poiIcons.ts b/js/src/utils/poiIcons.ts index eb384aa0e..bbd21642a 100644 --- a/js/src/utils/poiIcons.ts +++ b/js/src/utils/poiIcons.ts @@ -1,61 +1,70 @@ -export default { +export interface IPOIIcon { + icon: string; + color?: string; +} + +interface IPOIIcons { + [key: string]: IPOIIcon; +} + +export const poiIcons: IPOIIcons = { default: { - icon: 'map-marker', - color: '#5C6F84', + icon: "map-marker", + color: "#5C6F84", }, defaultAdministrative: { - icon: 'city', - color: '#5c6f84', + icon: "city", + color: "#5c6f84", }, defaultStreet: { - icon: 'road-variant', - color: '#5c6f84', + icon: "road-variant", + color: "#5c6f84", }, defaultAddress: { - icon: 'home', - color: '#5c6f84', + icon: "home", + color: "#5c6f84", }, place_house: { - icon: 'home', - color: '#5c6f84', + icon: "home", + color: "#5c6f84", }, theatre: { - icon: 'drama-masks', + icon: "drama-masks", }, parking: { - icon: 'parking', + icon: "parking", }, police: { - icon: 'police-badge', + icon: "police-badge", }, post_office: { - icon: 'email', + icon: "email", }, university: { - icon: 'school', + icon: "school", }, college: { - icon: 'school', + icon: "school", }, park: { - icon: 'pine-tree', + icon: "pine-tree", }, garden: { - icon: 'pine-tree', + icon: "pine-tree", }, bicycle_rental: { - icon: 'bicycle', + icon: "bicycle", }, hospital: { - icon: 'hospital-box', + icon: "hospital-box", }, townhall: { - icon: 'office-building', + icon: "office-building", }, toilets: { - icon: 'human-male-female', + icon: "human-male-female", }, hairdresser: { - icon: 'content-cut', + icon: "content-cut", }, }; diff --git a/js/src/utils/upload.ts b/js/src/utils/upload.ts index b415f0fa4..6245195ec 100644 --- a/js/src/utils/upload.ts +++ b/js/src/utils/upload.ts @@ -3,8 +3,8 @@ */ export function listenFileUpload(): Promise { return new Promise((resolve, reject) => { - const inputElement = document.createElement('input'); - inputElement.type = 'file'; + const inputElement = document.createElement("input"); + inputElement.type = "file"; inputElement.onchange = () => { if (inputElement.files && inputElement.files.length > 0) { resolve(inputElement.files[0]); @@ -21,8 +21,8 @@ export function listenFileUpload(): Promise { */ export function listenFileUploads(): Promise { return new Promise((resolve, reject) => { - const inputElement = document.createElement('input'); - inputElement.type = 'file'; + const inputElement = document.createElement("input"); + inputElement.type = "file"; inputElement.multiple = true; inputElement.onchange = () => { if (inputElement.files && inputElement.files.length > 0) { diff --git a/js/src/utils/validators.ts b/js/src/utils/validators.ts index fbd2a25b6..a137d8d20 100644 --- a/js/src/utils/validators.ts +++ b/js/src/utils/validators.ts @@ -1,7 +1,7 @@ export function validateEmailField(value: string) { - return value.includes('@') || 'Invalid e-mail.'; + return value.includes("@") || "Invalid e-mail."; } export function validateRequiredField(value: any) { - return !!value || 'Required.'; + return !!value || "Required."; } diff --git a/js/src/variables.scss b/js/src/variables.scss index b736e6a90..18b34b81a 100644 --- a/js/src/variables.scss +++ b/js/src/variables.scss @@ -6,7 +6,7 @@ $primary-invert: findColorInvert($primary); $secondary: #ffd599; $secondary-invert: findColorInvert($secondary); -$success: #0ECCAF; +$success: #0eccaf; $success-invert: findColorInvert($success); $info: #36bcd4; $info-invert: findColorInvert($info); @@ -14,14 +14,29 @@ $danger: #ff7061; $danger-invert: findColorInvert($danger); $colors: map-merge( - $colors, - ( - "primary": ($primary, $primary-invert), - "secondary": ($secondary, $secondary-invert), - "success": ($success, $success-invert), - "info": ($info, $info-invert), - "danger": ($danger, $danger-invert), - ) + $colors, + ( + "primary": ( + $primary, + $primary-invert, + ), + "secondary": ( + $secondary, + $secondary-invert, + ), + "success": ( + $success, + $success-invert, + ), + "info": ( + $info, + $info-invert, + ), + "danger": ( + $danger, + $danger-invert, + ), + ) ); // Navbar @@ -29,39 +44,40 @@ $navbar-background-color: $secondary; $navbar-item-color: $primary; $navbar-height: 4rem; - // Footer $footer-padding: 3rem 1.5rem 4rem; $footer-background-color: $primary; -$body-background-color: #f8f7fa; +$body-background-color: #efeef4; $fullhd-enabled: false; $hero-body-padding-medium: 6rem 1.5rem; main > .container { - background: $white; + background: $body-background-color; } -$title-color: #3C376E; -$title-family: "Liberation Sans", "Helvetica Neue", Roboto, Helvetica, Arial, serif; +$title-color: #3c376e; +$title-family: "Liberation Sans", "Helvetica Neue", Roboto, Helvetica, Arial, + serif; $title-weight: 700; $title-size: 40px; $title-sub-size: 45px; $title-sup-size: 30px; -$subtitle-color: #3A384C; -$subtitle-family: "Liberation Sans", "Helvetica Neue", Roboto, Helvetica, Arial, serif; +$subtitle-color: #3a384c; +$subtitle-family: "Liberation Sans", "Helvetica Neue", Roboto, Helvetica, Arial, + serif; $subtitle-weight: 400; $subtitle-size: 32px; $subtitle-sub-size: 30px; $subtitle-sup-size: 15px; .title { - margin: 30px auto 45px; + margin: 30px auto 45px; } .subtitle { - background: $secondary; - display: inline; - padding: 3px 8px; - margin: 15px auto 30px; -} \ No newline at end of file + background: $secondary; + display: inline; + padding: 3px 8px; + margin: 15px auto 30px; +} diff --git a/js/src/views/About.vue b/js/src/views/About.vue index 760905a8a..47fbdb0f4 100644 --- a/js/src/views/About.vue +++ b/js/src/views/About.vue @@ -1,135 +1,194 @@ \ No newline at end of file + } +} + diff --git a/js/src/views/Account/IdentityPicker.vue b/js/src/views/Account/IdentityPicker.vue index 7247e42ec..3c129b922 100644 --- a/js/src/views/Account/IdentityPicker.vue +++ b/js/src/views/Account/IdentityPicker.vue @@ -1,29 +1,39 @@ \ No newline at end of file + diff --git a/js/src/views/Account/IdentityPickerWrapper.vue b/js/src/views/Account/IdentityPickerWrapper.vue index 43ab08e04..9d893b689 100644 --- a/js/src/views/Account/IdentityPickerWrapper.vue +++ b/js/src/views/Account/IdentityPickerWrapper.vue @@ -1,60 +1,86 @@ diff --git a/js/src/views/Account/Profile.vue b/js/src/views/Account/Profile.vue index 40855c2c2..bb8ce94f7 100644 --- a/js/src/views/Account/Profile.vue +++ b/js/src/views/Account/Profile.vue @@ -3,14 +3,14 @@
- +
- +

- {{ $t('Organized') }} + {{ $t("Organized") }}

- {{ $t('Delete') }} + {{ $t("Delete") }}

@@ -91,12 +91,12 @@ diff --git a/js/src/views/Account/Register.vue b/js/src/views/Account/Register.vue index fc8b10d4e..00d4e16ca 100644 --- a/js/src/views/Account/Register.vue +++ b/js/src/views/Account/Register.vue @@ -2,15 +2,18 @@
-

- {{ $t('Register an account on Mobilizon!') }} -

- - {{ $t('To achieve your registration, please create a first identity profile.')}} - +

{{ $t("Register an account on Mobilizon!") }}

+ {{ + $t("To achieve your registration, please create a first identity profile.") + }}
- + - +

- - {{ $t('Create my profile') }} - + {{ + $t("Create my profile") + }}

- {{ $t('Your account is nearly ready, {username}', { username: identity.preferredUsername }) }} + {{ + $t("Your account is nearly ready, {username}", { + username: identity.preferredUsername, + }) + }}

+

{{ $t("A validation email was sent to {email}", { email }) }}

- {{ $t('A validation email was sent to {email}', { email }) }} -

-

- {{ $t('Before you can login, you need to click on the link inside it to validate your account') }} + {{ + $t( + "Before you can login, you need to click on the link inside it to validate your account" + ) + }}

@@ -61,25 +70,29 @@ \ No newline at end of file +.dashboard-number { + color: #3c376e; + font-size: 40px; + font-weight: 700; + line-height: 1.125; +} + diff --git a/js/src/views/Admin/Follows.vue b/js/src/views/Admin/Follows.vue index 228906b81..17256a5d5 100644 --- a/js/src/views/Admin/Follows.vue +++ b/js/src/views/Admin/Follows.vue @@ -1,57 +1,75 @@ \ No newline at end of file +.tab-item { + form { + margin-bottom: 1.5rem; + } +} + diff --git a/js/src/views/Admin/Settings.vue b/js/src/views/Admin/Settings.vue index f713139f6..b17fdce84 100644 --- a/js/src/views/Admin/Settings.vue +++ b/js/src/views/Admin/Settings.vue @@ -1,64 +1,112 @@ \ No newline at end of file + diff --git a/js/src/views/Conversations/Conversation.vue b/js/src/views/Conversations/Conversation.vue new file mode 100644 index 000000000..fe7d6e55b --- /dev/null +++ b/js/src/views/Conversations/Conversation.vue @@ -0,0 +1,243 @@ + + + diff --git a/js/src/views/Conversations/ConversationsList.vue b/js/src/views/Conversations/ConversationsList.vue new file mode 100644 index 000000000..c77a764d8 --- /dev/null +++ b/js/src/views/Conversations/ConversationsList.vue @@ -0,0 +1,84 @@ + + + diff --git a/js/src/views/Conversations/Create.vue b/js/src/views/Conversations/Create.vue new file mode 100644 index 000000000..10cc9ad23 --- /dev/null +++ b/js/src/views/Conversations/Create.vue @@ -0,0 +1,87 @@ + + + + + diff --git a/js/src/views/Error.vue b/js/src/views/Error.vue index 1b375433e..e1e758843 100644 --- a/js/src/views/Error.vue +++ b/js/src/views/Error.vue @@ -1,18 +1,18 @@ diff --git a/js/src/views/Event/Edit.vue b/js/src/views/Event/Edit.vue index bfe37dc8c..fb80a45c6 100644 --- a/js/src/views/Event/Edit.vue +++ b/js/src/views/Event/Edit.vue @@ -1,17 +1,11 @@ - diff --git a/js/src/views/Event/Event.vue b/js/src/views/Event/Event.vue index 128121768..7f7c96338 100644 --- a/js/src/views/Event/Event.vue +++ b/js/src/views/Event/Event.vue @@ -3,352 +3,530 @@
-
+
-
-
-
-
- -
-
-

{{ event.title }}

- - - - {{ $tc('One person is going', event.participantStats.going, {approved: event.participantStats.going}) }} - - - {{ $tc('You and one other person are going to this event', event.participantStats.participant, { approved: event.participantStats.participant }) }} - - - - {{ $tc('One person is going', event.participantStats.going, {approved: event.participantStats.going}) }} - - - {{ $tc('You and one other person are going to this event', event.participantStats.participant, { approved: event.participantStats.participant }) }} - - - {{ $tc('All the places have already been taken', numberOfPlacesStillAvailable, { places: numberOfPlacesStillAvailable}) }} - - - - - -
-
-
- - {{ $t('Cancel anonymous participation')}} - - {{ $t('You are participating in this event anonymously')}} - - - - - - - - {{ $t("You are participating in this event anonymously but didn't confirm participation")}} - - - - - - -
-
- -
+
+
+
+
-
-
-
- - {{ $t('About this event') }} - -

- {{ $t("The event organizer didn't add any description.") }} +

+ + {{ tag.title }} +

-
-
-
-
-
-
- - {{ $t('Comments') }} - - -
- -
-

{{ $t('These events may interest you') }}

+
+ +
+
+ {{ $t("About this event") }} +

+ {{ $t("The event organizer didn't add any description.") }} +

+
+
+
+
+
+ + {{ $t("Comments") }} + + +
+
+
+
+

{{ $t("These events may interest you") }}

-
+
- + - - - + + + - + -
+
diff --git a/js/src/views/Event/EventList.vue b/js/src/views/Event/EventList.vue index f5ddecf1e..c412dab9c 100644 --- a/js/src/views/Event/EventList.vue +++ b/js/src/views/Event/EventList.vue @@ -1,8 +1,6 @@ - + diff --git a/js/src/views/Event/Explore.vue b/js/src/views/Event/Explore.vue index 53371feac..2c8981e17 100644 --- a/js/src/views/Event/Explore.vue +++ b/js/src/views/Event/Explore.vue @@ -1,13 +1,33 @@ diff --git a/js/src/views/Event/MyEvents.vue b/js/src/views/Event/MyEvents.vue index 04578a9b4..3291f8b88 100644 --- a/js/src/views/Event/MyEvents.vue +++ b/js/src/views/Event/MyEvents.vue @@ -1,80 +1,104 @@ diff --git a/js/src/views/Event/Participants.vue b/js/src/views/Event/Participants.vue index acd3148a2..4872a874f 100644 --- a/js/src/views/Event/Participants.vue +++ b/js/src/views/Event/Participants.vue @@ -1,80 +1,92 @@ import {ParticipantRole} from "@/types/event.model"; diff --git a/js/src/views/Group/GroupList.vue b/js/src/views/Group/GroupList.vue index b4a70a788..6e91652ec 100644 --- a/js/src/views/Group/GroupList.vue +++ b/js/src/views/Group/GroupList.vue @@ -1,78 +1,62 @@ - - - diff --git a/js/src/views/Group/GroupMembers.vue b/js/src/views/Group/GroupMembers.vue new file mode 100644 index 000000000..1e47a0195 --- /dev/null +++ b/js/src/views/Group/GroupMembers.vue @@ -0,0 +1,62 @@ + + + diff --git a/js/src/views/Group/MyGroups.vue b/js/src/views/Group/MyGroups.vue new file mode 100644 index 000000000..9376ff42f --- /dev/null +++ b/js/src/views/Group/MyGroups.vue @@ -0,0 +1,102 @@ + + + + + + diff --git a/js/src/views/Group/Settings.vue b/js/src/views/Group/Settings.vue new file mode 100644 index 000000000..b4302c514 --- /dev/null +++ b/js/src/views/Group/Settings.vue @@ -0,0 +1,96 @@ + + + + diff --git a/js/src/views/Home.vue b/js/src/views/Home.vue index e3028f36d..23f4c83d2 100644 --- a/js/src/views/Home.vue +++ b/js/src/views/Home.vue @@ -1,130 +1,142 @@ \ No newline at end of file +main > .container { + background: $white; +} + diff --git a/js/src/views/Location.vue b/js/src/views/Location.vue index 49e4cf138..608d5eb89 100644 --- a/js/src/views/Location.vue +++ b/js/src/views/Location.vue @@ -3,17 +3,19 @@ diff --git a/js/src/views/Moderation/Logs.vue b/js/src/views/Moderation/Logs.vue index 6902bc460..9d2b267c5 100644 --- a/js/src/views/Moderation/Logs.vue +++ b/js/src/views/Moderation/Logs.vue @@ -1,44 +1,57 @@ \ No newline at end of file +img.image { + display: inline; + height: 1.5em; + vertical-align: text-bottom; +} + diff --git a/js/src/views/Moderation/Report.vue b/js/src/views/Moderation/Report.vue index b64ecc750..a1af53aab 100644 --- a/js/src/views/Moderation/Report.vue +++ b/js/src/views/Moderation/Report.vue @@ -1,158 +1,215 @@ \ No newline at end of file +.report-content { + border-left: 4px solid $primary; +} + diff --git a/js/src/views/Moderation/ReportList.vue b/js/src/views/Moderation/ReportList.vue index 93c740562..ddb769b5d 100644 --- a/js/src/views/Moderation/ReportList.vue +++ b/js/src/views/Moderation/ReportList.vue @@ -1,39 +1,42 @@ diff --git a/js/src/views/PageNotFound.vue b/js/src/views/PageNotFound.vue index 415b38453..d24e8545b 100644 --- a/js/src/views/PageNotFound.vue +++ b/js/src/views/PageNotFound.vue @@ -2,10 +2,8 @@
- Not found 'oh no' picture -

- {{ $t("The page you're looking for doesn't exist.") }} -

+ Not found 'oh no' picture +

{{ $t("The page you're looking for doesn't exist.") }}

{{ $t("Please make sure the address is correct and that the page hasn't been moved.") }}

@@ -15,9 +13,15 @@
- +

- +

@@ -26,9 +30,9 @@
diff --git a/js/src/views/Resources/ResourceFolder.vue b/js/src/views/Resources/ResourceFolder.vue new file mode 100644 index 000000000..eea87b067 --- /dev/null +++ b/js/src/views/Resources/ResourceFolder.vue @@ -0,0 +1,526 @@ + + + diff --git a/js/src/views/Search.vue b/js/src/views/Search.vue index 9bc7eb05c..3b97e4bd9 100644 --- a/js/src/views/Search.vue +++ b/js/src/views/Search.vue @@ -1,67 +1,66 @@ diff --git a/js/src/views/Settings.vue b/js/src/views/Settings.vue index ed768cef5..2ec1517f7 100644 --- a/js/src/views/Settings.vue +++ b/js/src/views/Settings.vue @@ -1,34 +1,40 @@ \ No newline at end of file +aside.section { + padding-top: 1rem; +} + diff --git a/js/src/views/Settings/AccountSettings.vue b/js/src/views/Settings/AccountSettings.vue index 5e6026460..774812454 100644 --- a/js/src/views/Settings/AccountSettings.vue +++ b/js/src/views/Settings/AccountSettings.vue @@ -1,130 +1,153 @@ diff --git a/js/src/views/Settings/Notifications.vue b/js/src/views/Settings/Notifications.vue index ce0ac1cea..167394088 100644 --- a/js/src/views/Settings/Notifications.vue +++ b/js/src/views/Settings/Notifications.vue @@ -1,13 +1,81 @@ \ No newline at end of file + diff --git a/js/src/views/Settings/Preferences.vue b/js/src/views/Settings/Preferences.vue index f409c64ac..355c1461e 100644 --- a/js/src/views/Settings/Preferences.vue +++ b/js/src/views/Settings/Preferences.vue @@ -1,13 +1,91 @@ \ No newline at end of file + diff --git a/js/src/views/Terms.vue b/js/src/views/Terms.vue index 5c706acc3..caa200994 100644 --- a/js/src/views/Terms.vue +++ b/js/src/views/Terms.vue @@ -1,19 +1,16 @@ - \ No newline at end of file +main > .container { + background: $white; +} + diff --git a/js/src/views/Todos/Todo.vue b/js/src/views/Todos/Todo.vue new file mode 100644 index 000000000..b578e01ba --- /dev/null +++ b/js/src/views/Todos/Todo.vue @@ -0,0 +1,58 @@ + + diff --git a/js/src/views/Todos/TodoList.vue b/js/src/views/Todos/TodoList.vue new file mode 100644 index 000000000..bac1c79b2 --- /dev/null +++ b/js/src/views/Todos/TodoList.vue @@ -0,0 +1,114 @@ + + diff --git a/js/src/views/Todos/TodoLists.vue b/js/src/views/Todos/TodoLists.vue new file mode 100644 index 000000000..5a87e1e82 --- /dev/null +++ b/js/src/views/Todos/TodoLists.vue @@ -0,0 +1,100 @@ + + diff --git a/js/src/views/User/EmailValidate.vue b/js/src/views/User/EmailValidate.vue index f3d934aec..419590e45 100644 --- a/js/src/views/User/EmailValidate.vue +++ b/js/src/views/User/EmailValidate.vue @@ -1,31 +1,33 @@ diff --git a/js/src/views/User/PasswordReset.vue b/js/src/views/User/PasswordReset.vue index 3bb630ae8..b9a407c87 100644 --- a/js/src/views/User/PasswordReset.vue +++ b/js/src/views/User/PasswordReset.vue @@ -1,10 +1,10 @@ diff --git a/js/src/views/User/ResendConfirmation.vue b/js/src/views/User/ResendConfirmation.vue index d1cf36359..606d5e68a 100644 --- a/js/src/views/User/ResendConfirmation.vue +++ b/js/src/views/User/ResendConfirmation.vue @@ -3,21 +3,26 @@

- {{ $t('Resend confirmation email') }} + {{ $t("Resend confirmation email") }}

- +

- {{ $t('Send me the confirmation email once again') }} + {{ $t("Send me the confirmation email once again") }}

- {{ $t('If an account with this email exists, we just sent another confirmation email to {email}', {email: credentials.email}) }} + {{ + $t( + "If an account with this email exists, we just sent another confirmation email to {email}", + { email: credentials.email } + ) + }} {{ $t("Please check your spam folder if you didn't receive the email.") }} @@ -29,25 +34,29 @@ \ No newline at end of file +.container .columns { + margin: 1rem auto 3rem; +} + diff --git a/js/src/views/User/SendPasswordReset.vue b/js/src/views/User/SendPasswordReset.vue index 500ef60a7..c1d14cd87 100644 --- a/js/src/views/User/SendPasswordReset.vue +++ b/js/src/views/User/SendPasswordReset.vue @@ -3,25 +3,30 @@

- {{ $t('Password reset') }} + {{ $t("Password reset") }}

- + {{ error }}
- +

- - {{ $t('Send me an email to reset my password') }} + + {{ $t("Send me an email to reset my password") }}

- {{ $t('We just sent an email to {email}', {email: credentials.email}) }} + {{ $t("We just sent an email to {email}", { email: credentials.email }) }} {{ $t("Please check your spam folder if you didn't receive the email.") }} @@ -33,23 +38,26 @@ diff --git a/js/src/views/User/Validate.vue b/js/src/views/User/Validate.vue index 1f57c8057..c7a7ef183 100644 --- a/js/src/views/User/Validate.vue +++ b/js/src/views/User/Validate.vue @@ -1,35 +1,33 @@ ", + "headers": { + "Server": "nginx/1.14.2", + "Date": "Fri, 15 May 2020 09:27:16 GMT", + "Content-Type": "text/html", + "Content-Length": "48754", + "Last-Modified": "Fri, 17 Apr 2020 14:19:57 GMT", + "Connection": "keep-alive", + "Vary": "Accept-Encoding", + "ETag": "\"5e99bb0d-be72\"", + "Strict-Transport-Security": "max-age=15768000; includeSubDomains", + "Accept-Ranges": "bytes" + }, + "status_code": 200, + "type": "ok" + } + }, + { + "request": { + "body": "", + "headers": { + "Accept": "application/activity+json" + }, + "method": "get", + "options": { + "follow_redirect": "true", + "ssl_options": { + "versions": [ + "tlsv1.2" + ] + }, + "recv_timeout": 20000, + "connect_timeout": 10000 + }, + "request_body": "", + "url": "http://mobilizon1.com/resource/e4ce71bd-6bcc-4c61-9774-7999dde0cc68" + }, + "response": { + "binary": false, + "body": "{\"@context\":[\"https://www.w3.org/ns/activitystreams\",\"https://litepub.social/litepub/context.jsonld\",{\"Hashtag\":\"as:Hashtag\",\"PostalAddress\":\"sc:PostalAddress\",\"address\":{\"@id\":\"sc:address\",\"@type\":\"sc:PostalAddress\"},\"addressCountry\":\"sc:addressCountry\",\"addressLocality\":\"sc:addressLocality\",\"addressRegion\":\"sc:addressRegion\",\"anonymousParticipationEnabled\":{\"@id\":\"mz:anonymousParticipationEnabled\",\"@type\":\"sc:Boolean\"},\"category\":\"sc:category\",\"commentsEnabled\":{\"@id\":\"pt:commentsEnabled\",\"@type\":\"sc:Boolean\"},\"ical\":\"http://www.w3.org/2002/12/cal/ical#\",\"joinMode\":{\"@id\":\"mz:joinMode\",\"@type\":\"mz:joinModeType\"},\"joinModeType\":{\"@id\":\"mz:joinModeType\",\"@type\":\"rdfs:Class\"},\"location\":{\"@id\":\"sc:location\",\"@type\":\"sc:Place\"},\"maximumAttendeeCapacity\":\"sc:maximumAttendeeCapacity\",\"mz\":\"https://joinmobilizon.org/ns#\",\"participationMessage\":{\"@id\":\"mz:participationMessage\",\"@type\":\"sc:Text\"},\"postalCode\":\"sc:postalCode\",\"pt\":\"https://joinpeertube.org/ns#\",\"repliesModerationOption\":{\"@id\":\"mz:repliesModerationOption\",\"@type\":\"mz:repliesModerationOptionType\"},\"repliesModerationOptionType\":{\"@id\":\"mz:repliesModerationOptionType\",\"@type\":\"rdfs:Class\"},\"sc\":\"http://schema.org#\",\"streetAddress\":\"sc:streetAddress\",\"uuid\":\"sc:identifier\"}],\"actor\":\"http://mobilizon1.com/@tcit\",\"attributedTo\":\"http://mobilizon1.com/@demo\",\"context\":\"http://mobilizon1.com/@demo/resources\",\"id\":\"http://mobilizon1.com/resource/e4ce71bd-6bcc-4c61-9774-7999dde0cc68\",\"name\":\"folder2\",\"summary\":null,\"to\": \"http://mobilizon1.com/@demo\"\"type\":\"ResourceCollection\"}", + "headers": { + "Server": "nginx/1.17.10 (Ubuntu)", + "Date": "Fri, 15 May 2020 09:27:16 GMT", + "Content-Type": "application/activity+json; charset=utf-8", + "Content-Length": "1518", + "Connection": "keep-alive", + "access-control-allow-credentials": "true", + "access-control-allow-origin": "*", + "access-control-expose-headers": "", + "cache-control": "max-age=0, private, must-revalidate", + "x-request-id": "Fg75tr3IqxX8AnwAAG0C" + }, + "status_code": 200, + "type": "ok" + } + } +] \ No newline at end of file diff --git a/test/graphql/api/report_test.exs b/test/graphql/api/report_test.exs index 3ce187d40..645572824 100644 --- a/test/graphql/api/report_test.exs +++ b/test/graphql/api/report_test.exs @@ -4,7 +4,8 @@ defmodule Mobilizon.GraphQL.API.ReportTest do import Mobilizon.Factory alias Mobilizon.Actors.Actor - alias Mobilizon.Events.{Comment, Event} + alias Mobilizon.Conversations.Comment + alias Mobilizon.Events.Event alias Mobilizon.Reports.{Note, Report} alias Mobilizon.Users alias Mobilizon.Users.User diff --git a/test/graphql/resolvers/event_test.exs b/test/graphql/resolvers/event_test.exs index d817984e5..54a4b4d26 100644 --- a/test/graphql/resolvers/event_test.exs +++ b/test/graphql/resolvers/event_test.exs @@ -207,7 +207,7 @@ defmodule Mobilizon.Web.Resolvers.EventTest do assert res["data"]["createEvent"]["title"] == "My Event title" assert res["data"]["createEvent"]["description"] == - "My description " + "My description " {id, ""} = res["data"]["createEvent"]["id"] |> Integer.parse() diff --git a/test/graphql/resolvers/group_test.exs b/test/graphql/resolvers/group_test.exs index 00763a84a..087285867 100644 --- a/test/graphql/resolvers/group_test.exs +++ b/test/graphql/resolvers/group_test.exs @@ -15,7 +15,7 @@ defmodule Mobilizon.Web.Resolvers.GroupTest do {:ok, conn: conn, actor: actor, user: user} end - describe "Group Resolver" do + describe "create a group" do test "create_group/3 should check the user owns the identity", %{conn: conn, user: user} do another_actor = insert(:actor) @@ -84,65 +84,130 @@ defmodule Mobilizon.Web.Resolvers.GroupTest do assert hd(json_response(res, 200)["errors"])["message"] == "A group with this name already exists" end + end - test "list_groups/3 returns all public or unlisted groups", context do + describe "list groups" do + test "list_groups/3 returns all public or unlisted groups", %{conn: conn} do group = insert(:group, visibility: :unlisted) insert(:group, visibility: :private) query = """ { groups { - preferredUsername, + elements { + preferredUsername, + }, + total } } """ - res = - context.conn - |> get("/api", AbsintheHelpers.query_skeleton(query, "groups")) + res = AbsintheHelpers.graphql_query(conn, query: query) - assert length(json_response(res, 200)["data"]["groups"]) == 1 + assert res["data"]["groups"]["total"] == 1 - assert hd(json_response(res, 200)["data"]["groups"])["preferredUsername"] == + assert hd(res["data"]["groups"]["elements"])["preferredUsername"] == group.preferred_username end + end - test "find_group/3 returns a group by its username", context do - group = insert(:group) - - query = """ - { - group(preferredUsername: "#{group.preferred_username}") { + describe "find a group" do + @group_query """ + query Group($preferredUsername: String!) { + group(preferredUsername: $preferredUsername) { preferredUsername, + members { + total, + elements { + role, + actor { + preferredUsername + } + } + } } } - """ + """ + + test "find_group/3 returns a group by its username", %{conn: conn, actor: actor, user: user} do + group = insert(:group) + insert(:member, parent: group, actor: actor, role: :administrator) + insert(:member, parent: group, role: :member) res = - context.conn - |> get("/api", AbsintheHelpers.query_skeleton(query, "group")) + conn + |> AbsintheHelpers.graphql_query( + query: @group_query, + variables: %{ + preferredUsername: group.preferred_username + } + ) - assert json_response(res, 200)["data"]["group"]["preferredUsername"] == + assert res["errors"] == nil + + assert res["data"]["group"]["preferredUsername"] == group.preferred_username - query = """ - { - group(preferredUsername: "#{@non_existent_username}") { - preferredUsername, - } - } - """ + assert res["data"]["group"]["members"]["total"] == 2 res = - context.conn - |> get("/api", AbsintheHelpers.query_skeleton(query, "group")) + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @group_query, + variables: %{ + preferredUsername: group.preferred_username, + actorId: actor.id + } + ) - assert json_response(res, 200)["data"]["group"] == nil + assert res["errors"] == nil - assert hd(json_response(res, 200)["errors"])["message"] == + assert res["data"]["group"]["members"]["total"] == 2 + assert hd(res["data"]["group"]["members"]["elements"])["role"] == "ADMINISTRATOR" + + assert hd(res["data"]["group"]["members"]["elements"])["actor"]["preferredUsername"] == + actor.preferred_username + + res = + conn + |> AbsintheHelpers.graphql_query( + query: @group_query, + variables: %{preferredUsername: @non_existent_username} + ) + + assert res["data"]["group"] == nil + + assert hd(res["errors"])["message"] == "Group with name #{@non_existent_username} not found" end + test "find_group doesn't list group members access if group is private", %{ + conn: conn, + actor: actor + } do + group = insert(:group, visibility: :private) + insert(:member, parent: group, actor: actor, role: :administrator) + + res = + conn + |> AbsintheHelpers.graphql_query( + query: @group_query, + variables: %{ + preferredUsername: group.preferred_username + } + ) + + assert res["errors"] == nil + + assert res["data"]["group"]["preferredUsername"] == + group.preferred_username + + assert res["data"]["group"]["members"] == %{"elements" => [], "total" => 1} + end + end + + describe "delete a group" do test "delete_group/3 deletes a group", %{conn: conn, user: user, actor: actor} do group = insert(:group) insert(:member, parent: group, actor: actor, role: :administrator) diff --git a/test/graphql/resolvers/member_test.exs b/test/graphql/resolvers/member_test.exs index 9dcf4e255..7be2dd202 100644 --- a/test/graphql/resolvers/member_test.exs +++ b/test/graphql/resolvers/member_test.exs @@ -12,7 +12,7 @@ defmodule Mobilizon.GraphQL.Resolvers.MemberTest do {:ok, conn: conn, actor: actor, user: user} end - describe "Member Resolver" do + describe "Member Resolver to join a group" do test "join_group/3 should create a member", %{conn: conn, user: user, actor: actor} do group = insert(:group) @@ -39,7 +39,7 @@ defmodule Mobilizon.GraphQL.Resolvers.MemberTest do |> post("/api", AbsintheHelpers.mutation_skeleton(mutation)) assert json_response(res, 200)["errors"] == nil - assert json_response(res, 200)["data"]["joinGroup"]["role"] == "not_approved" + assert json_response(res, 200)["data"]["joinGroup"]["role"] == "NOT_APPROVED" assert json_response(res, 200)["data"]["joinGroup"]["parent"]["id"] == to_string(group.id) assert json_response(res, 200)["data"]["joinGroup"]["actor"]["id"] == to_string(actor.id) @@ -136,7 +136,9 @@ defmodule Mobilizon.GraphQL.Resolvers.MemberTest do assert hd(json_response(res, 200)["errors"])["message"] =~ "Group id not found" end + end + describe "Member Resolver to leave from a group" do test "leave_group/3 should delete a member from a group", %{ conn: conn, user: user, @@ -286,4 +288,211 @@ defmodule Mobilizon.GraphQL.Resolvers.MemberTest do assert hd(json_response(res, 200)["errors"])["message"] =~ "Member not found" end end + + describe "Member Resolver to invite to a group" do + @invite_member_mutation """ + mutation InviteMember($groupId: ID!, $targetActorUsername: String!) { + inviteMember(groupId: $groupId, targetActorUsername: $targetActorUsername) { + parent { + id + }, + actor { + id + }, + role + } + } + """ + + setup %{conn: conn, actor: actor, user: user} do + group = insert(:group) + target_actor = insert(:actor, user: user) + + {:ok, conn: conn, actor: actor, user: user, group: group, target_actor: target_actor} + end + + test "invite_member/3 invites a local actor to a group", %{ + conn: conn, + user: user, + actor: actor, + group: group, + target_actor: target_actor + } do + _admin_member = insert(:member, %{actor: actor, parent: group, role: :creator}) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @invite_member_mutation, + variables: %{ + groupId: group.id, + targetActorUsername: target_actor.preferred_username + } + ) + + assert is_nil(res["errors"]) + assert res["data"]["inviteMember"]["role"] == "INVITED" + assert res["data"]["inviteMember"]["parent"]["id"] == to_string(group.id) + assert res["data"]["inviteMember"]["actor"]["id"] == to_string(target_actor.id) + end + + test "invite_member/3 invites a remote actor to a group", %{ + conn: conn, + user: user, + actor: actor, + group: group + } do + _admin_member = insert(:member, %{actor: actor, parent: group, role: :creator}) + target_actor = insert(:actor, domain: "remote.tld") + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @invite_member_mutation, + variables: %{ + groupId: group.id, + targetActorUsername: "#{target_actor.preferred_username}@#{target_actor.domain}" + } + ) + + assert is_nil(res["errors"]) + assert res["data"]["inviteMember"]["role"] == "INVITED" + assert res["data"]["inviteMember"]["parent"]["id"] == to_string(group.id) + assert res["data"]["inviteMember"]["actor"]["id"] == to_string(target_actor.id) + end + + test "invite_member/3 fails to invite a local actor to a group that invitor isn't in", %{ + conn: conn, + user: user, + actor: actor, + group: group, + target_actor: target_actor + } do + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @invite_member_mutation, + variables: %{ + groupId: group.id, + targetActorUsername: target_actor.preferred_username + } + ) + + assert hd(res["errors"])["message"] == "You are not a member of this group" + end + + test "invite_member/3 fails to invite a non existing local actor", %{ + conn: conn, + user: user, + actor: actor, + group: group + } do + insert(:member, %{actor: actor, parent: group, role: :administrator}) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @invite_member_mutation, + variables: %{ + groupId: group.id, + targetActorUsername: "not_existing" + } + ) + + assert hd(res["errors"])["message"] == "Actor invited doesn't exist" + end + + test "invite_member/3 fails to invite a non existing remote actor", %{ + conn: conn, + user: user, + actor: actor, + group: group + } do + insert(:member, %{actor: actor, parent: group, role: :administrator}) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @invite_member_mutation, + variables: %{ + groupId: group.id, + targetActorUsername: "not_existing@nowhere.absolute" + } + ) + + assert hd(res["errors"])["message"] == "Actor invited doesn't exist" + end + + test "invite_member/3 fails to invite a actor for a non-existing group", %{ + conn: conn, + user: user, + actor: actor, + target_actor: target_actor + } do + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @invite_member_mutation, + variables: %{ + groupId: "780907988778", + targetActorUsername: target_actor.preferred_username + } + ) + + assert hd(res["errors"])["message"] == "Group id not found" + end + + test "invite_member/3 fails to invite a actor if we are not an admin for the group", %{ + conn: conn, + user: user, + actor: actor, + group: group, + target_actor: target_actor + } do + _admin_member = insert(:member, %{actor: actor, parent: group, role: :member}) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @invite_member_mutation, + variables: %{ + groupId: group.id, + targetActorUsername: target_actor.preferred_username + } + ) + + assert hd(res["errors"])["message"] == "You cannot invite to this group" + end + + test "invite_member/3 fails to invite a actor if it's already a member of the group", %{ + conn: conn, + user: user, + actor: actor, + group: group, + target_actor: target_actor + } do + insert(:member, %{actor: actor, parent: group, role: :member}) + insert(:member, %{actor: target_actor, parent: group, role: :member}) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @invite_member_mutation, + variables: %{ + groupId: group.id, + targetActorUsername: target_actor.preferred_username + } + ) + + assert hd(res["errors"])["message"] == "You cannot invite to this group" + end + end end diff --git a/test/graphql/resolvers/participant_test.exs b/test/graphql/resolvers/participant_test.exs index 27607c818..c7a70be3e 100644 --- a/test/graphql/resolvers/participant_test.exs +++ b/test/graphql/resolvers/participant_test.exs @@ -483,11 +483,10 @@ defmodule Mobilizon.GraphQL.Resolvers.ParticipantTest do participant2 = insert(:participant, event: event, actor: actor3, role: :participant) query = """ - { - event(uuid: "#{event.uuid}") { - participants(page: 1, limit: 1, roles: "participant,moderator,administrator,creator", actorId: "#{ - actor.id - }") { + query EventParticipants($uuid: UUID!, $actorId: ID, $roles: String, $page: Int, $limit: Int) { + event(uuid: $uuid) { + participants(page: $page, limit: $limit, roles: $roles, actorId: $actorId) { + total, elements { role, actor { @@ -502,45 +501,21 @@ defmodule Mobilizon.GraphQL.Resolvers.ParticipantTest do res = conn |> auth_conn(user) - |> get("/api", AbsintheHelpers.query_skeleton(query, "participants")) - - sorted_participants = - json_response(res, 200)["data"]["event"]["participants"]["elements"] - |> Enum.filter(&(&1["role"] == "PARTICIPANT")) - - assert sorted_participants == [ - %{ - "actor" => %{ - "preferredUsername" => participant2.actor.preferred_username - }, - "role" => "PARTICIPANT" - } - ] - - query = """ - { - event(uuid: "#{event.uuid}") { - participants(page: 2, limit: 1, roles: "participant,moderator,administrator,creator", actorId: "#{ - actor.id - }") { - elements { - role, - actor { - preferredUsername - } - } + |> AbsintheHelpers.graphql_query( + query: query, + variables: %{ + uuid: event.uuid, + actorId: actor.id, + roles: "participant,moderator,administrator,creator", + page: 1, + limit: 1 } - } - } - """ + ) - res = - conn - |> auth_conn(user) - |> get("/api", AbsintheHelpers.query_skeleton(query, "participants")) + assert is_nil(res["errors"]) sorted_participants = - json_response(res, 200)["data"]["event"]["participants"]["elements"] + res["data"]["event"]["participants"]["elements"] |> Enum.sort_by( &(&1 |> Map.get("actor") @@ -555,6 +530,35 @@ defmodule Mobilizon.GraphQL.Resolvers.ParticipantTest do "role" => "CREATOR" } ] + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: query, + variables: %{ + uuid: event.uuid, + actorId: actor.id, + roles: "participant,moderator,administrator,creator", + page: 2, + limit: 1 + } + ) + + assert is_nil(res["errors"]) + + sorted_participants = + res["data"]["event"]["participants"]["elements"] + |> Enum.filter(&(&1["role"] == "PARTICIPANT")) + + assert sorted_participants == [ + %{ + "actor" => %{ + "preferredUsername" => participant2.actor.preferred_username + }, + "role" => "PARTICIPANT" + } + ] end test "stats_participants_for_event/3 give the number of (un)approved participants", %{ @@ -1288,7 +1292,11 @@ defmodule Mobilizon.GraphQL.Resolvers.ParticipantTest do assert %Participant{ role: :not_confirmed, metadata: %{confirmation_token: confirmation_token, email: @email} - } = event.id |> Events.list_participants_for_event([]) |> Map.get(:elements) |> hd + } = + event.id + |> Events.list_participants_for_event([:not_confirmed]) + |> Map.get(:elements) + |> hd conn |> AbsintheHelpers.graphql_query( @@ -1307,7 +1315,10 @@ defmodule Mobilizon.GraphQL.Resolvers.ParticipantTest do }} = Events.get_event(event.id) assert %Participant{role: :not_approved, id: participant_id} = - event.id |> Events.list_participants_for_event([]) |> Map.get(:elements) |> hd + event.id + |> Events.list_participants_for_event([:not_approved]) + |> Map.get(:elements) + |> hd update_participation_mutation = """ mutation UpdateParticipation($participantId: ID!, $role: String!, $moderatorActorId: ID!) { @@ -1339,7 +1350,10 @@ defmodule Mobilizon.GraphQL.Resolvers.ParticipantTest do assert res["errors"] == nil assert %Participant{role: :participant} = - event.id |> Events.list_participants_for_event([]) |> Map.get(:elements) |> hd + event.id + |> Events.list_participants_for_event([:participant]) + |> Map.get(:elements) + |> hd assert {:ok, %Event{ diff --git a/test/graphql/resolvers/resource_test.exs b/test/graphql/resolvers/resource_test.exs new file mode 100644 index 000000000..db1cae687 --- /dev/null +++ b/test/graphql/resolvers/resource_test.exs @@ -0,0 +1,864 @@ +defmodule Mobilizon.GraphQL.Resolvers.ResourceTest do + use Mobilizon.Web.ConnCase + + import Mobilizon.Factory + + alias Mobilizon.Actors.{Actor, Member} + alias Mobilizon.Resources.Resource + alias Mobilizon.Users.User + + alias Mobilizon.GraphQL.AbsintheHelpers + + @metadata_fragment """ + fragment ResourceMetadataBasicFields on ResourceMetadata { + imageRemoteUrl, + height, + width, + type, + faviconUrl + } + """ + + @get_group_resources """ + query($name: String!) { + group(preferredUsername: $name) { + id, + url, + name, + domain, + summary, + preferredUsername, + resources(page: 1, limit: 3) { + elements { + id, + title, + resourceUrl, + summary, + updatedAt, + type, + path, + metadata { + ...ResourceMetadataBasicFields + } + }, + total + }, + } + } + #{@metadata_fragment} + """ + + @get_resource """ + query GetResource($path: String, $username: String) { + resource(path: $path, username: $username) { + id, + title, + summary, + url, + path, + type, + metadata { + ...ResourceMetadataBasicFields + authorName, + authorUrl, + providerName, + providerUrl, + html + }, + parent { + id + }, + actor { + id, + preferredUsername + }, + children { + total, + elements { + id, + title, + summary, + url, + type, + path, + resourceUrl, + metadata { + ...ResourceMetadataBasicFields + } + } + } + } + } + #{@metadata_fragment} + """ + + @create_resource """ + mutation CreateResource($title: String!, $parentId: ID, $summary: String, $actorId: ID!, $resourceUrl: String, $type: String) { + createResource(title: $title, parentId: $parentId, summary: $summary, actorId: $actorId, resourceUrl: $resourceUrl, type: $type) { + id, + title, + summary, + url, + resourceUrl, + updatedAt, + path, + type, + metadata { + ...ResourceMetadataBasicFields + authorName, + authorUrl, + providerName, + providerUrl, + html + } + } + } + #{@metadata_fragment} + """ + + @update_resource """ + mutation UpdateResource($id: ID!, $title: String, $summary: String, $parentId: ID, $resourceUrl: String) { + updateResource(id: $id, title: $title, parentId: $parentId, summary: $summary, resourceUrl: $resourceUrl) { + id, + title, + summary, + url, + path, + resourceUrl, + type, + children { + total, + elements { + id, + title, + summary, + url, + type, + path, + resourceUrl, + metadata { + ...ResourceMetadataBasicFields + } + } + } + } + } + #{@metadata_fragment} + """ + + @delete_resource """ + mutation DeleteResource($id: ID!) { + deleteResource(id: $id) { + id + } + } + """ + + @resource_url "https://framasoft.org/fr/full" + @resource_title "my resource" + @updated_resource_title "my updated resource" + @folder_title "my folder" + + setup do + %User{} = user = insert(:user) + %Actor{} = actor = insert(:actor, user: user) + %Actor{} = group = insert(:group) + %Member{} = insert(:member, parent: group, actor: actor, role: :member) + resource_in_root = %Resource{} = insert(:resource, actor: group) + + folder_in_root = + %Resource{id: parent_id, path: parent_path} = + insert(:resource, + type: :folder, + resource_url: nil, + actor: group, + title: "root folder", + path: "/root folder" + ) + + resource_in_folder = + %Resource{} = + insert(:resource, + resource_url: nil, + actor: group, + parent_id: parent_id, + path: "#{parent_path}/titre", + title: "titre" + ) + + {:ok, + user: user, + group: group, + root_resources: [folder_in_root, resource_in_root], + resource_in_folder: resource_in_folder} + end + + describe "Resolver: Get group's resources" do + test "find_resources_for_group/3", %{ + conn: conn, + user: user, + group: group, + root_resources: root_resources, + resource_in_folder: resource_in_folder + } do + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @get_group_resources, + variables: %{ + name: group.preferred_username + } + ) + + assert is_nil(res["errors"]) + + assert res["data"]["group"]["resources"]["total"] == 3 + + assert res["data"]["group"]["resources"]["elements"] + |> Enum.map(&{&1["path"], &1["type"]}) + |> MapSet.new() == + (root_resources ++ [resource_in_folder]) + |> Enum.map(&{&1.path, Atom.to_string(&1.type)}) + |> MapSet.new() + end + + test "find_resources_for_group/3 when not member of group", %{ + conn: conn, + group: group + } do + %User{} = user = insert(:user) + %Actor{} = insert(:actor, user: user) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @get_group_resources, + variables: %{ + name: group.preferred_username + } + ) + + assert is_nil(res["errors"]) + + assert res["data"]["group"]["resources"]["total"] == 0 + assert res["data"]["group"]["resources"]["elements"] == [] + end + + test "find_resources_for_group/3 when not connected", %{ + conn: conn, + group: group + } do + res = + conn + |> AbsintheHelpers.graphql_query( + query: @get_group_resources, + variables: %{ + name: group.preferred_username + } + ) + + assert is_nil(res["errors"]) + + assert res["data"]["group"]["resources"]["total"] == 0 + assert res["data"]["group"]["resources"]["elements"] == [] + end + end + + describe "Resolver: Get a specific resource" do + test "get_resource/3 for the root path", %{ + conn: conn, + user: user, + group: group, + root_resources: root_resources + } do + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @get_resource, + variables: %{ + path: "/", + username: group.preferred_username + } + ) + + assert is_nil(res["errors"]) + + assert res["data"]["resource"]["path"] == "/" + assert String.starts_with?(res["data"]["resource"]["id"], "root_") + + assert res["data"]["resource"]["children"]["elements"] + |> Enum.map(& &1["id"]) + |> MapSet.new() == root_resources |> Enum.map(& &1.id) |> MapSet.new() + end + + test "get_resource/3 for a folder path", %{ + conn: conn, + user: user, + group: group, + root_resources: [root_folder, _], + resource_in_folder: resource_in_folder + } do + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @get_resource, + variables: %{ + path: root_folder.path, + username: group.preferred_username + } + ) + + assert is_nil(res["errors"]) + + assert res["data"]["resource"]["type"] == "folder" + assert res["data"]["resource"]["path"] == root_folder.path + assert is_nil(res["data"]["resource"]["parent"]["id"]) + + assert res["data"]["resource"]["children"]["total"] == 1 + + assert res["data"]["resource"]["children"]["elements"] + |> Enum.map(& &1["id"]) + |> MapSet.new() == [resource_in_folder] |> Enum.map(& &1.id) |> MapSet.new() + end + + test "get_resource/3 for a non-existing path", %{ + conn: conn, + user: user, + group: group + } do + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @get_resource, + variables: %{ + path: "/non existing", + username: group.preferred_username + } + ) + + assert hd(res["errors"])["message"] == "No such resource" + end + + test "get_resource/3 for a non-existing group", %{ + conn: conn, + user: user + } do + %Actor{preferred_username: group_name} = insert(:group) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @get_resource, + variables: %{ + path: "/non existing", + username: group_name + } + ) + + assert hd(res["errors"])["message"] == "Actor is not member of group" + end + + test "get_resource/3 when not connected", %{ + conn: conn, + group: group, + resource_in_folder: resource_in_folder + } do + res = + conn + |> AbsintheHelpers.graphql_query( + query: @get_resource, + variables: %{ + path: resource_in_folder.path, + username: group.preferred_username + } + ) + + assert hd(res["errors"])["message"] == "You need to be logged-in to access resources" + end + end + + describe "Resolver: Create a resource" do + test "create_resource/3 creates a resource for a group", %{ + conn: conn, + user: user, + group: group + } do + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @create_resource, + variables: %{ + title: @resource_title, + parentId: nil, + actorId: group.id, + resourceUrl: @resource_url + } + ) + + assert is_nil(res["errors"]) + + assert res["data"]["createResource"]["metadata"]["faviconUrl"] == + "https://framasoft.org/icons/favicon.png" + + assert res["data"]["createResource"]["metadata"]["imageRemoteUrl"] == + "https://framasoft.org/img/opengraph/full.jpg" + + assert res["data"]["createResource"]["path"] == "/#{@resource_title}" + assert res["data"]["createResource"]["resourceUrl"] == @resource_url + assert res["data"]["createResource"]["title"] == @resource_title + assert res["data"]["createResource"]["type"] == "link" + end + + test "create_resource/3 creates a folder", %{conn: conn, user: user, group: group} do + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @create_resource, + variables: %{ + title: @folder_title, + parentId: nil, + actorId: group.id, + type: "folder" + } + ) + + assert is_nil(res["errors"]) + + assert res["data"]["createResource"]["path"] == "/#{@folder_title}" + assert res["data"]["createResource"]["title"] == @folder_title + assert res["data"]["createResource"]["type"] == "folder" + end + + test "create_resource/3 creates a resource in a folder", %{ + conn: conn, + user: user, + group: group + } do + %Resource{id: parent_id, path: parent_path} = + insert(:resource, type: :folder, resource_url: nil, actor: group) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @create_resource, + variables: %{ + title: @resource_title, + parentId: parent_id, + actorId: group.id, + resourceUrl: @resource_url + } + ) + + assert is_nil(res["errors"]) + + assert res["data"]["createResource"]["metadata"]["faviconUrl"] == + "https://framasoft.org/icons/favicon.png" + + assert res["data"]["createResource"]["metadata"]["imageRemoteUrl"] == + "https://framasoft.org/img/opengraph/full.jpg" + + assert res["data"]["createResource"]["path"] == "#{parent_path}/#{@resource_title}" + assert res["data"]["createResource"]["resourceUrl"] == @resource_url + assert res["data"]["createResource"]["title"] == @resource_title + assert res["data"]["createResource"]["type"] == "link" + end + + test "create_resource/3 doesn't create a resource in a folder if no group is defined", %{ + conn: conn, + user: user + } do + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @create_resource, + variables: %{ + title: @resource_title, + parentId: nil, + resourceUrl: @resource_url + } + ) + + assert Enum.map(res["errors"], & &1["message"]) == [ + "In argument \"actorId\": Expected type \"ID!\", found null.", + "Variable \"actorId\": Expected non-null, found null." + ] + end + + test "create_resource/3 doesn't create a resource if the actor is not a member of the group", + %{ + conn: conn, + group: group + } do + %User{} = user = insert(:user) + %Actor{} = insert(:actor, user: user) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @create_resource, + variables: %{ + title: @resource_title, + parentId: nil, + actorId: group.id, + resourceUrl: @resource_url + } + ) + + assert Enum.map(res["errors"], & &1["message"]) == [ + "Actor id is not member of group" + ] + end + + test "create_resource/3 doesn't create a resource if the referenced parent folder is not owned by the group", + %{ + conn: conn, + user: user, + group: group + } do + %Actor{} = group2 = insert(:group) + + %Resource{id: parent_id} = + insert(:resource, type: :folder, resource_url: nil, actor: group2) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @create_resource, + variables: %{ + title: @resource_title, + parentId: parent_id, + actorId: group.id, + resourceUrl: @resource_url + } + ) + + assert Enum.map(res["errors"], & &1["message"]) == [ + "Parent resource doesn't match this group" + ] + end + end + + describe "Resolver: Update a resource" do + test "update_resource/3 renames a resource for a group", %{ + conn: conn, + user: user, + group: group + } do + %Resource{id: resource_id} = insert(:resource, resource_url: @resource_url, actor: group) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @update_resource, + variables: %{ + id: resource_id, + title: @updated_resource_title + } + ) + + assert is_nil(res["errors"]) + + assert res["data"]["updateResource"]["path"] == "/#{@updated_resource_title}" + assert res["data"]["updateResource"]["resourceUrl"] == @resource_url + assert res["data"]["updateResource"]["title"] == @updated_resource_title + assert res["data"]["updateResource"]["type"] == "link" + end + + test "update_resource/3 moves and renames a resource for a group", %{ + conn: conn, + user: user, + group: group, + root_resources: [root_folder, _] + } do + %Resource{id: resource_id} = insert(:resource, resource_url: @resource_url, actor: group) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @update_resource, + variables: %{ + id: resource_id, + title: @updated_resource_title, + parentId: root_folder.id + } + ) + + assert is_nil(res["errors"]) + + assert res["data"]["updateResource"]["path"] == + "#{root_folder.path}/#{@updated_resource_title}" + + assert res["data"]["updateResource"]["resourceUrl"] == @resource_url + assert res["data"]["updateResource"]["title"] == @updated_resource_title + assert res["data"]["updateResource"]["type"] == "link" + end + + test "update_resource/3 moves a resource in a subfolder for a group", %{ + conn: conn, + user: user, + group: group, + root_resources: [root_folder, _] + } do + %Resource{id: resource_id} = + resource = insert(:resource, resource_url: @resource_url, actor: group) + + folder = + insert(:resource, + parent_id: root_folder.id, + actor: group, + path: "#{root_folder.path}/subfolder", + title: "subfolder" + ) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @update_resource, + variables: %{ + id: resource_id, + parentId: folder.id + } + ) + + assert is_nil(res["errors"]) + + assert res["data"]["updateResource"]["path"] == + "#{folder.path}/#{resource.title}" + + assert res["data"]["updateResource"]["resourceUrl"] == @resource_url + assert res["data"]["updateResource"]["title"] == resource.title + assert res["data"]["updateResource"]["type"] == "link" + end + + test "update_resource/3 renames a folder and all the paths for it's children", %{ + conn: conn, + user: user, + group: group, + root_resources: [root_folder, _] + } do + folder = + insert(:resource, + parent_id: root_folder.id, + actor: group, + path: "#{root_folder.path}/subfolder", + title: "subfolder", + type: :folder + ) + + %Resource{} = + insert(:resource, + resource_url: @resource_url, + actor: group, + parent_id: folder.id, + path: "#{folder.path}/titre", + title: "titre" + ) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @update_resource, + variables: %{ + id: folder.id, + title: "updated subfolder" + } + ) + + assert is_nil(res["errors"]) + + assert res["data"]["updateResource"]["path"] == + "#{root_folder.path}/updated subfolder" + + assert res["data"]["updateResource"]["title"] == "updated subfolder" + assert res["data"]["updateResource"]["type"] == "folder" + + assert hd(res["data"]["updateResource"]["children"]["elements"])["path"] == + "#{root_folder.path}/updated subfolder/titre" + end + + test "update_resource/3 moves a folder and updates all the paths for it's children", %{ + conn: conn, + user: user, + group: group, + root_resources: [root_folder, _] + } do + folder = + insert(:resource, + parent_id: nil, + actor: group, + path: "/subfolder", + title: "subfolder", + type: :folder + ) + + %Resource{} = + insert(:resource, + resource_url: @resource_url, + actor: group, + parent_id: folder.id, + path: "#{folder.path}/titre", + title: "titre" + ) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @update_resource, + variables: %{ + id: folder.id, + parentId: root_folder.id, + title: "updated subfolder" + } + ) + + assert is_nil(res["errors"]) + + assert res["data"]["updateResource"]["path"] == + "#{root_folder.path}/updated subfolder" + + assert res["data"]["updateResource"]["title"] == "updated subfolder" + assert res["data"]["updateResource"]["type"] == "folder" + + assert hd(res["data"]["updateResource"]["children"]["elements"])["path"] == + "#{root_folder.path}/updated subfolder/titre" + end + end + + describe "Resolver: Delete a resource" do + test "delete_resource/3 deletes a resource", %{ + conn: conn, + user: user, + group: group + } do + %Resource{id: resource_id, path: resource_path} = + insert(:resource, + resource_url: @resource_url, + actor: group, + parent_id: nil + ) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @delete_resource, + variables: %{ + id: resource_id + } + ) + + assert is_nil(res["errors"]) + assert res["data"]["deleteResource"]["id"] == resource_id + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @get_resource, + variables: %{ + path: resource_path, + username: group.preferred_username + } + ) + + assert hd(res["errors"])["message"] == "No such resource" + end + + test "delete_resource/3 deletes a folder and children", %{ + conn: conn, + user: user, + group: group + } do + %Resource{id: folder_id, path: folder_path} = + insert(:resource, + parent_id: nil, + actor: group, + path: "/subfolder", + title: "subfolder", + type: :folder + ) + + %Resource{path: resource_path} = + insert(:resource, + resource_url: @resource_url, + actor: group, + parent_id: folder_id, + path: "#{folder_path}/titre", + title: "titre" + ) + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @delete_resource, + variables: %{ + id: folder_id + } + ) + + assert is_nil(res["errors"]) + assert res["data"]["deleteResource"]["id"] == folder_id + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @get_resource, + variables: %{ + path: folder_path, + username: group.preferred_username + } + ) + + assert hd(res["errors"])["message"] == "No such resource" + + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @get_resource, + variables: %{ + path: resource_path, + username: group.preferred_username + } + ) + + assert hd(res["errors"])["message"] == "No such resource" + end + + test "delete_resource/3 deletes a resource not found", %{ + conn: conn, + user: user + } do + res = + conn + |> auth_conn(user) + |> AbsintheHelpers.graphql_query( + query: @delete_resource, + variables: %{ + id: "58869b5b-2beb-423a-b483-1585d847e2cc" + } + ) + + assert hd(res["errors"])["message"] == "Resource doesn't exist" + end + end +end diff --git a/test/graphql/resolvers/user_test.exs b/test/graphql/resolvers/user_test.exs index bb109de0a..c6db99cd3 100644 --- a/test/graphql/resolvers/user_test.exs +++ b/test/graphql/resolvers/user_test.exs @@ -5,9 +5,10 @@ defmodule Mobilizon.GraphQL.Resolvers.UserTest do import Mobilizon.Factory - alias Mobilizon.{Actors, Config, Events, Users} + alias Mobilizon.{Actors, Config, Conversations, Events, Users} alias Mobilizon.Actors.Actor - alias Mobilizon.Events.{Comment, Event, Participant} + alias Mobilizon.Conversations.Comment + alias Mobilizon.Events.{Event, Participant} alias Mobilizon.Users.User alias Mobilizon.GraphQL.AbsintheHelpers @@ -1424,7 +1425,7 @@ defmodule Mobilizon.GraphQL.Resolvers.UserTest do end assert_raise Ecto.NoResultsError, fn -> - Events.get_comment!(comment_id) + Conversations.get_comment!(comment_id) end # Actors are not deleted but emptied (to keep the username reserved) diff --git a/test/mobilizon/actors/actors_test.exs b/test/mobilizon/actors/actors_test.exs index 820eb1c7c..dcf915481 100644 --- a/test/mobilizon/actors/actors_test.exs +++ b/test/mobilizon/actors/actors_test.exs @@ -5,9 +5,10 @@ defmodule Mobilizon.ActorsTest do import Mobilizon.Factory - alias Mobilizon.{Actors, Config, Events, Tombstone, Users} + alias Mobilizon.{Actors, Config, Conversations, Events, Tombstone, Users} alias Mobilizon.Actors.{Actor, Bot, Follower, Member} - alias Mobilizon.Events.{Comment, Event} + alias Mobilizon.Conversations.Comment + alias Mobilizon.Events.Event alias Mobilizon.Media.File, as: FileModel alias Mobilizon.Service.Workers alias Mobilizon.Storage.Page @@ -331,7 +332,7 @@ defmodule Mobilizon.ActorsTest do assert {:error, :event_not_found} = Events.get_event(event1.id) assert %Tombstone{} = Tombstone.find_tombstone(event1_url) - assert %Comment{deleted_at: deleted_at} = Events.get_comment(comment1.id) + assert %Comment{deleted_at: deleted_at} = Conversations.get_comment(comment1.id) refute is_nil(deleted_at) assert %Tombstone{} = Tombstone.find_tombstone(comment1_url) @@ -363,7 +364,11 @@ defmodule Mobilizon.ActorsTest do @invalid_attrs %{summary: nil, suspended: nil, preferred_username: nil, name: nil} test "create_group/1 with valid data creates a group" do - assert {:ok, %Actor{} = group} = Actors.create_group(@valid_attrs) + %Actor{id: actor_id} = insert(:actor) + + assert {:ok, %Actor{} = group} = + Actors.create_group(Map.put(@valid_attrs, :creator_actor_id, actor_id)) + assert group.summary == "some description" refute group.suspended assert group.preferred_username == "some-title" @@ -372,21 +377,23 @@ defmodule Mobilizon.ActorsTest do test "create_group/1 with an existing profile username fails" do _actor = insert(:actor, preferred_username: @valid_attrs.preferred_username) - assert {:error, - %Ecto.Changeset{errors: [preferred_username: {"Username is already taken", []}]}} = - Actors.create_group(@valid_attrs) + assert {:error, :insert_group, + %Ecto.Changeset{errors: [preferred_username: {"Username is already taken", []}]}, + %{}} = Actors.create_group(@valid_attrs) end test "create_group/1 with an existing group username fails" do - assert {:ok, %Actor{} = group} = Actors.create_group(@valid_attrs) + %Actor{id: actor_id} = insert(:actor) + attrs = Map.put(@valid_attrs, :creator_actor_id, actor_id) + assert {:ok, %Actor{} = group} = Actors.create_group(attrs) - assert {:error, - %Ecto.Changeset{errors: [preferred_username: {"Username is already taken", []}]}} = - Actors.create_group(@valid_attrs) + assert {:error, :insert_group, + %Ecto.Changeset{errors: [preferred_username: {"Username is already taken", []}]}, + %{}} = Actors.create_group(attrs) end test "create_group/1 with invalid data returns error changeset" do - assert {:error, %Ecto.Changeset{}} = Actors.create_group(@invalid_attrs) + assert {:error, :insert_group, %Ecto.Changeset{}, %{}} = Actors.create_group(@invalid_attrs) end end @@ -588,7 +595,7 @@ defmodule Mobilizon.ActorsTest do assert member.role == :member assert [group] = Actors.list_groups_member_of(actor) - assert [actor] = Actors.list_members_for_group(group) + assert %Page{elements: [actor], total: 1} = Actors.list_members_for_group(group) end test "create_member/1 with valid data but same actors fails to create a member", %{ diff --git a/test/mobilizon/conversations_test.exs b/test/mobilizon/conversations_test.exs new file mode 100644 index 000000000..bd95205d1 --- /dev/null +++ b/test/mobilizon/conversations_test.exs @@ -0,0 +1,72 @@ +defmodule Mobilizon.ConversationsTest do + use Mobilizon.DataCase + + import Mobilizon.Factory + + alias Mobilizon.Actors.Actor + alias Mobilizon.Conversations + alias Mobilizon.Conversations.Comment + alias Mobilizon.Service.Workers + alias Mobilizon.Storage.Page + + describe "comments" do + @valid_attrs %{text: "some text"} + @update_attrs %{text: "some updated text"} + @invalid_attrs %{text: nil, url: nil} + + test "list_comments/0 returns all comments" do + %Comment{id: comment_id} = insert(:comment) + comment_ids = Conversations.list_comments() |> Enum.map(& &1.id) + assert comment_ids == [comment_id] + end + + test "get_comment!/1 returns the comment with given id" do + %Comment{id: comment_id} = insert(:comment) + comment_fetched = Conversations.get_comment!(comment_id) + assert comment_fetched.id == comment_id + end + + test "create_comment/1 with valid data creates a comment" do + %Actor{} = actor = insert(:actor) + comment_data = Map.merge(@valid_attrs, %{actor_id: actor.id}) + + case Conversations.create_comment(comment_data) do + {:ok, %Comment{} = comment} -> + assert comment.text == "some text" + assert comment.actor_id == actor.id + + err -> + flunk("Failed to create a comment #{inspect(err)}") + end + end + + test "create_comment/1 with invalid data returns error changeset" do + assert {:error, %Ecto.Changeset{}} = Conversations.create_comment(@invalid_attrs) + end + + test "update_comment/2 with valid data updates the comment" do + %Comment{} = comment = insert(:comment) + + case Conversations.update_comment(comment, @update_attrs) do + {:ok, %Comment{} = comment} -> + assert comment.text == "some updated text" + + err -> + flunk("Failed to update a comment #{inspect(err)}") + end + end + + test "update_comment/2 with invalid data returns error changeset" do + %Comment{} = comment = insert(:comment) + assert {:error, %Ecto.Changeset{}} = Conversations.update_comment(comment, @invalid_attrs) + %Comment{} = comment_fetched = Conversations.get_comment!(comment.id) + assert comment = comment_fetched + end + + test "delete_comment/1 deletes the comment" do + %Comment{} = comment = insert(:comment) + assert {:ok, %Comment{}} = Conversations.delete_comment(comment) + refute is_nil(Conversations.get_comment!(comment.id).deleted_at) + end + end +end diff --git a/test/mobilizon/events/events_test.exs b/test/mobilizon/events/events_test.exs index 7dda47589..ed6541d81 100644 --- a/test/mobilizon/events/events_test.exs +++ b/test/mobilizon/events/events_test.exs @@ -4,8 +4,9 @@ defmodule Mobilizon.EventsTest do import Mobilizon.Factory alias Mobilizon.Actors.Actor - alias Mobilizon.Events - alias Mobilizon.Events.{Comment, Event, Participant, Session, Tag, TagRelation, Track} + alias Mobilizon.{Conversations, Events} + alias Mobilizon.Conversations.Comment + alias Mobilizon.Events.{Event, Participant, Session, Tag, TagRelation, Track} alias Mobilizon.Service.Workers alias Mobilizon.Storage.Page @@ -530,65 +531,4 @@ defmodule Mobilizon.EventsTest do assert_raise Ecto.NoResultsError, fn -> Events.get_track!(track.id) end end end - - describe "comments" do - @valid_attrs %{text: "some text"} - @update_attrs %{text: "some updated text"} - @invalid_attrs %{text: nil, url: nil} - - test "list_comments/0 returns all comments" do - %Comment{id: comment_id} = insert(:comment) - comment_ids = Events.list_comments() |> Enum.map(& &1.id) - assert comment_ids == [comment_id] - end - - test "get_comment!/1 returns the comment with given id" do - %Comment{id: comment_id} = insert(:comment) - comment_fetched = Events.get_comment!(comment_id) - assert comment_fetched.id == comment_id - end - - test "create_comment/1 with valid data creates a comment" do - actor = insert(:actor) - comment_data = Map.merge(@valid_attrs, %{actor_id: actor.id}) - - case Events.create_comment(comment_data) do - {:ok, %Comment{} = comment} -> - assert comment.text == "some text" - assert comment.actor_id == actor.id - - err -> - flunk("Failed to create a comment #{inspect(err)}") - end - end - - test "create_comment/1 with invalid data returns error changeset" do - assert {:error, %Ecto.Changeset{}} = Events.create_comment(@invalid_attrs) - end - - test "update_comment/2 with valid data updates the comment" do - comment = insert(:comment) - - case Events.update_comment(comment, @update_attrs) do - {:ok, %Comment{} = comment} -> - assert comment.text == "some updated text" - - err -> - flunk("Failed to update a comment #{inspect(err)}") - end - end - - test "update_comment/2 with invalid data returns error changeset" do - comment = insert(:comment) - assert {:error, %Ecto.Changeset{}} = Events.update_comment(comment, @invalid_attrs) - comment_fetched = Events.get_comment!(comment.id) - assert comment = comment_fetched - end - - test "delete_comment/1 deletes the comment" do - comment = insert(:comment) - assert {:ok, %Comment{}} = Events.delete_comment(comment) - refute is_nil(Events.get_comment!(comment.id).deleted_at) - end - end end diff --git a/test/mobilizon/users/users_test.exs b/test/mobilizon/users/users_test.exs index 8e901e456..46a1bfe8e 100644 --- a/test/mobilizon/users/users_test.exs +++ b/test/mobilizon/users/users_test.exs @@ -2,7 +2,7 @@ defmodule Mobilizon.UsersTest do use Mobilizon.DataCase alias Mobilizon.Users - alias Mobilizon.Users.User + alias Mobilizon.Users.{Setting, User} import Mobilizon.Factory use ExVCR.Mock, adapter: ExVCR.Adapter.Hackney @@ -101,4 +101,60 @@ defmodule Mobilizon.UsersTest do assert id == user.id end end + + describe "user_settings" do + @valid_attrs %{timezone: "Europe/Paris", notification_each_week: true} + @update_attrs %{timezone: "Atlantic/Cape_Verde", notification_each_week: false} + @invalid_attrs %{timezone: nil, notification_each_week: nil} + + def setting_fixture(attrs \\ %{}) do + {:ok, setting} = + attrs + |> Enum.into(@valid_attrs) + |> Users.create_setting() + + setting + end + + test "get_setting!/1 returns the setting with given id" do + %User{id: user_id} = insert(:user) + setting = setting_fixture(user_id: user_id) + assert Users.get_setting!(setting.user_id) == setting + end + + test "create_setting/1 with valid data creates a setting" do + %User{id: user_id} = insert(:user) + + assert {:ok, %Setting{} = setting} = + Users.create_setting(Map.put(@valid_attrs, :user_id, user_id)) + + assert setting.timezone == "Europe/Paris" + assert setting.notification_each_week == true + end + + test "create_setting/1 with invalid data returns error changeset" do + assert {:error, %Ecto.Changeset{}} = Users.create_setting(@invalid_attrs) + end + + test "update_setting/2 with valid data updates the setting" do + %User{id: user_id} = insert(:user) + setting = setting_fixture(user_id: user_id) + assert {:ok, %Setting{} = setting} = Users.update_setting(setting, @update_attrs) + assert setting.timezone == "Atlantic/Cape_Verde" + assert setting.notification_each_week == false + end + + test "delete_setting/1 deletes the setting" do + %User{id: user_id} = insert(:user) + setting = setting_fixture(user_id: user_id) + assert {:ok, %Setting{}} = Users.delete_setting(setting) + assert_raise Ecto.NoResultsError, fn -> Users.get_setting!(setting.user_id) end + end + + test "change_setting/1 returns a setting changeset" do + %User{id: user_id} = insert(:user) + setting = setting_fixture(user_id: user_id) + assert %Ecto.Changeset{} = Users.change_setting(setting) + end + end end diff --git a/test/service/geospatial/addok_test.exs b/test/service/geospatial/addok_test.exs index 8938e6eb5..ffec8313a 100644 --- a/test/service/geospatial/addok_test.exs +++ b/test/service/geospatial/addok_test.exs @@ -9,6 +9,11 @@ defmodule Mobilizon.Service.Geospatial.AddokTest do alias Mobilizon.Config alias Mobilizon.Service.Geospatial.Addok + @http_options [ + follow_redirect: true, + ssl: [{:versions, [:"tlsv1.2"]}] + ] + setup do # Config.instance_user_agent/0 makes database calls so because of ownership connection # we need to define it like this instead of a constant @@ -24,17 +29,21 @@ defmodule Mobilizon.Service.Geospatial.AddokTest do describe "search address" do test "produces a valid search address", %{httpoison_headers: httpoison_headers} do - with_mock HTTPoison, get: fn _url, _headers -> "{}" end do + with_mock HTTPoison, get: fn _url, _headers, _options -> "{}" end do Addok.search("10 Rue Jangot") assert_called( - HTTPoison.get("#{@endpoint}/search/?q=10%20Rue%20Jangot&limit=10", httpoison_headers) + HTTPoison.get( + "#{@endpoint}/search/?q=10%20Rue%20Jangot&limit=10", + httpoison_headers, + @http_options + ) ) end end test "produces a valid search address with options", %{httpoison_headers: httpoison_headers} do - with_mock HTTPoison, get: fn _url, _headers -> "{}" end do + with_mock HTTPoison, get: fn _url, _headers, _options -> "{}" end do Addok.search("10 Rue Jangot", endpoint: @fake_endpoint, limit: 5, @@ -44,7 +53,8 @@ defmodule Mobilizon.Service.Geospatial.AddokTest do assert_called( HTTPoison.get( "#{@fake_endpoint}/search/?q=10%20Rue%20Jangot&limit=5&lat=49&lon=12", - httpoison_headers + httpoison_headers, + @http_options ) ) end diff --git a/test/service/geospatial/google_maps_test.exs b/test/service/geospatial/google_maps_test.exs index c74efe32d..70a3e7c61 100644 --- a/test/service/geospatial/google_maps_test.exs +++ b/test/service/geospatial/google_maps_test.exs @@ -8,6 +8,11 @@ defmodule Mobilizon.Service.Geospatial.GoogleMapsTest do alias Mobilizon.Addresses.Address alias Mobilizon.Service.Geospatial.GoogleMaps + @http_options [ + follow_redirect: true, + ssl: [{:versions, [:"tlsv1.2"]}] + ] + describe "search address" do test "without API Key triggers an error" do assert_raise ArgumentError, "API Key required to use Google Maps", fn -> @@ -17,7 +22,7 @@ defmodule Mobilizon.Service.Geospatial.GoogleMapsTest do test "produces a valid search address with options" do with_mock HTTPoison, - get: fn _url -> + get: fn _url, _headers, _options -> {:ok, %HTTPoison.Response{status_code: 200, body: "{\"status\": \"OK\", \"results\": []}"}} end do @@ -29,7 +34,9 @@ defmodule Mobilizon.Service.Geospatial.GoogleMapsTest do assert_called( HTTPoison.get( - "https://maps.googleapis.com/maps/api/geocode/json?limit=5&key=toto&language=fr&address=10%20Rue%20Jangot" + "https://maps.googleapis.com/maps/api/geocode/json?limit=5&key=toto&language=fr&address=10%20Rue%20Jangot", + [], + @http_options ) ) end diff --git a/test/service/geospatial/map_quest_test.exs b/test/service/geospatial/map_quest_test.exs index fa97be31b..ff25e8157 100644 --- a/test/service/geospatial/map_quest_test.exs +++ b/test/service/geospatial/map_quest_test.exs @@ -9,6 +9,11 @@ defmodule Mobilizon.Service.Geospatial.MapQuestTest do alias Mobilizon.Config alias Mobilizon.Service.Geospatial.MapQuest + @http_options [ + follow_redirect: true, + ssl: [{:versions, [:"tlsv1.2"]}] + ] + setup do # Config.instance_user_agent/0 makes database calls so because of ownership connection # we need to define it like this instead of a constant @@ -28,7 +33,7 @@ defmodule Mobilizon.Service.Geospatial.MapQuestTest do test "produces a valid search address with options", %{httpoison_headers: httpoison_headers} do with_mock HTTPoison, - get: fn _url, _headers -> + get: fn _url, _headers, _options -> {:ok, %HTTPoison.Response{ status_code: 200, @@ -44,7 +49,8 @@ defmodule Mobilizon.Service.Geospatial.MapQuestTest do assert_called( HTTPoison.get( "https://open.mapquestapi.com/geocoding/v1/address?key=toto&location=10%20Rue%20Jangot&maxResults=5", - httpoison_headers + httpoison_headers, + @http_options ) ) end diff --git a/test/service/geospatial/nominatim_test.exs b/test/service/geospatial/nominatim_test.exs index 78037d045..cd01f760d 100644 --- a/test/service/geospatial/nominatim_test.exs +++ b/test/service/geospatial/nominatim_test.exs @@ -7,6 +7,11 @@ defmodule Mobilizon.Service.Geospatial.NominatimTest do alias Mobilizon.Config alias Mobilizon.Service.Geospatial.Nominatim + @http_options [ + follow_redirect: true, + ssl: [{:versions, [:"tlsv1.2"]}] + ] + setup do # Config.instance_user_agent/0 makes database calls so because of ownership connection # we need to define it like this instead of a constant @@ -20,7 +25,7 @@ defmodule Mobilizon.Service.Geospatial.NominatimTest do describe "search address" do test "produces a valid search address with options", %{httpoison_headers: httpoison_headers} do with_mock HTTPoison, - get: fn _url, _headers -> + get: fn _url, _headers, _options -> {:ok, %HTTPoison.Response{status_code: 200, body: "[]"}} end do Nominatim.search("10 Rue Jangot", @@ -31,7 +36,8 @@ defmodule Mobilizon.Service.Geospatial.NominatimTest do assert_called( HTTPoison.get( "https://nominatim.openstreetmap.org/search?format=geocodejson&q=10%20Rue%20Jangot&limit=5&accept-language=fr&addressdetails=1&namedetails=1", - httpoison_headers + httpoison_headers, + @http_options ) ) end diff --git a/test/service/geospatial/photon_test.exs b/test/service/geospatial/photon_test.exs index a9ea801d6..3d8d2185c 100644 --- a/test/service/geospatial/photon_test.exs +++ b/test/service/geospatial/photon_test.exs @@ -9,6 +9,11 @@ defmodule Mobilizon.Service.Geospatial.PhotonTest do alias Mobilizon.Config alias Mobilizon.Service.Geospatial.Photon + @http_options [ + follow_redirect: true, + ssl: [{:versions, [:"tlsv1.2"]}] + ] + setup do # Config.instance_user_agent/0 makes database calls so because of ownership connection # we need to define it like this instead of a constant @@ -22,7 +27,7 @@ defmodule Mobilizon.Service.Geospatial.PhotonTest do describe "search address" do test "produces a valid search address with options", %{httpoison_headers: httpoison_headers} do with_mock HTTPoison, - get: fn _url, _headers -> + get: fn _url, _headers, _options -> {:ok, %HTTPoison.Response{status_code: 200, body: "{\"features\": []"}} end do Photon.search("10 Rue Jangot", @@ -33,7 +38,8 @@ defmodule Mobilizon.Service.Geospatial.PhotonTest do assert_called( HTTPoison.get( "https://photon.komoot.de/api/?q=10%20Rue%20Jangot&lang=fr&limit=5", - httpoison_headers + httpoison_headers, + @http_options ) ) end diff --git a/test/service/notifications/scheduler_test.exs b/test/service/notifications/scheduler_test.exs new file mode 100644 index 000000000..d335ebb4a --- /dev/null +++ b/test/service/notifications/scheduler_test.exs @@ -0,0 +1,147 @@ +defmodule Mobilizon.Service.Notifications.SchedulerTest do + @moduledoc """ + Test the scheduler module + """ + + alias Mobilizon.Events.{Event, Participant} + alias Mobilizon.Service.Notifications.Scheduler + alias Mobilizon.Service.Workers.Notification + alias Mobilizon.Users.User + + use Mobilizon.DataCase + + import Mobilizon.Factory + use Oban.Testing, repo: Mobilizon.Storage.Repo + + describe "Joining an event registers a job for notification before event" do + test "if the user has allowed it" do + %User{id: user_id} = user = insert(:user) + settings = insert(:settings, user_id: user_id, notification_before_event: true) + user = Map.put(user, :settings, settings) + actor = insert(:actor, user: user) + + %Participant{id: participant_id, event: %Event{begins_on: begins_on}} = + participant = insert(:participant, actor: actor) + + Scheduler.before_event_notification(participant) + + scheduled_at = DateTime.add(begins_on, -3600, :second) + + assert_enqueued( + worker: Notification, + args: %{participant_id: participant_id, op: :before_event_notification}, + scheduled_at: scheduled_at + ) + end + + test "not if the user hasn't allowed it" do + %User{} = user = insert(:user) + actor = insert(:actor, user: user) + + %Participant{id: participant_id} = participant = insert(:participant, actor: actor) + + Scheduler.before_event_notification(participant) + + refute_enqueued( + worker: Notification, + args: %{participant_id: participant_id, op: :before_event_notification} + ) + end + end + + describe "Joining an event registers a job for notification on the day of the event" do + test "if the user has allowed it" do + %User{id: user_id} = user = insert(:user) + + settings = + insert(:settings, user_id: user_id, notification_on_day: true, timezone: "Europe/Paris") + + user = Map.put(user, :settings, settings) + actor = insert(:actor, user: user) + + %DateTime{} = tomorrow = DateTime.utc_now() |> DateTime.add(3600 * 24) + begins_on = %{tomorrow | hour: 16, minute: 0, second: 0, microsecond: {0, 0}} + + %Event{begins_on: begins_on} = event = insert(:event, begins_on: begins_on) + + %Participant{} = participant = insert(:participant, actor: actor, event: event) + + Scheduler.on_day_notification(participant) + + assert_enqueued( + worker: Notification, + args: %{user_id: user_id, op: :on_day_notification}, + scheduled_at: %{DateTime.shift_zone!(begins_on, settings.timezone) | hour: 8} + ) + end + + test "not if the user hasn't allowed it" do + %User{id: user_id} = user = insert(:user) + actor = insert(:actor, user: user) + + %Participant{} = participant = insert(:participant, actor: actor) + + Scheduler.on_day_notification(participant) + + refute_enqueued( + worker: Notification, + args: %{user_id: user_id, op: :on_day_notification} + ) + end + + test "not if it's too late" do + %User{id: user_id} = user = insert(:user) + + settings = + insert(:settings, user_id: user_id, notification_on_day: true, timezone: "Europe/Paris") + + user = Map.put(user, :settings, settings) + actor = insert(:actor, user: user) + + %Event{} = event = insert(:event, begins_on: DateTime.add(DateTime.utc_now(), -3600)) + + %Participant{} = participant = insert(:participant, actor: actor, event: event) + + Scheduler.on_day_notification(participant) + + refute_enqueued( + worker: Notification, + args: %{user_id: user_id, op: :on_day_notification} + ) + end + + test "only once" do + %User{id: user_id} = user = insert(:user) + + settings = + insert(:settings, user_id: user_id, notification_on_day: true, timezone: "Europe/Paris") + + user = Map.put(user, :settings, settings) + actor = insert(:actor, user: user) + + %DateTime{} = tomorrow = DateTime.utc_now() |> DateTime.add(3600 * 24) + begins_on = %{tomorrow | hour: 16, minute: 0, second: 0, microsecond: {0, 0}} + + %Event{begins_on: begins_on} = event = insert(:event, begins_on: begins_on) + + %Participant{} = participant = insert(:participant, actor: actor, event: event) + + Scheduler.on_day_notification(participant) + + assert_enqueued( + worker: Notification, + args: %{user_id: user_id, op: :on_day_notification}, + scheduled_at: %{DateTime.shift_zone!(begins_on, settings.timezone) | hour: 8} + ) + + %DateTime{} = tomorrow = DateTime.utc_now() |> DateTime.add(3600 * 24) + begins_on = %{tomorrow | hour: 19, minute: 0, second: 0, microsecond: {0, 0}} + + %Event{} = event = insert(:event, begins_on: begins_on) + + %Participant{} = participant = insert(:participant, actor: actor, event: event) + + Scheduler.on_day_notification(participant) + end + end +end diff --git a/test/service/workers/notification_test.exs b/test/service/workers/notification_test.exs new file mode 100644 index 000000000..d6cf1ec8c --- /dev/null +++ b/test/service/workers/notification_test.exs @@ -0,0 +1,210 @@ +defmodule Mobilizon.Service.Workers.NotificationTest do + @moduledoc """ + Test the scheduler module + """ + + alias Mobilizon.Actors.Actor + alias Mobilizon.Events + alias Mobilizon.Events.{Event, Participant} + alias Mobilizon.Service.Workers.Notification + alias Mobilizon.Users.User + alias Mobilizon.Web.Email.Notification, as: NotificationMailer + + use Mobilizon.DataCase + use Bamboo.Test + + import Mobilizon.Factory + + describe "A before_event_notification job sends an email" do + test "if the user is still participating" do + %User{id: user_id} = user = insert(:user) + + settings = + insert(:settings, + user_id: user_id, + notification_before_event: true + ) + + user = Map.put(user, :settings, settings) + + %Actor{} = actor = insert(:actor, user: user) + + %Participant{id: participant_id} = + participant = insert(:participant, role: :participant, actor: actor) + + Notification.perform( + %{"op" => "before_event_notification", "participant_id" => participant_id}, + nil + ) + + assert_delivered_email( + NotificationMailer.before_event_notification( + participant.actor.user.email, + participant + ) + ) + end + + test "unless the person is no longer participating" do + %Event{id: event_id} = insert(:event) + + %User{} = user = insert(:user) + %Actor{id: actor_id} = insert(:actor, user: user) + + {:ok, %Participant{id: participant_id} = participant} = + Events.create_participant(%{actor_id: actor_id, event_id: event_id, role: :participant}) + + actor = Map.put(participant.actor, :user, user) + participant = Map.put(participant, :actor, actor) + + assert {:ok, %Participant{}} = Events.delete_participant(participant) + + Notification.perform( + %{"op" => "before_event_notification", "participant_id" => participant_id}, + nil + ) + + refute_delivered_email( + NotificationMailer.before_event_notification( + participant.actor.user.email, + participant + ) + ) + end + + test "unless the event has been cancelled" do + %Event{} = event = insert(:event, status: :cancelled) + + %Participant{id: participant_id} = + participant = insert(:participant, role: :participant, event: event) + + Notification.perform( + %{"op" => "before_event_notification", "participant_id" => participant_id}, + nil + ) + + refute_delivered_email( + NotificationMailer.before_event_notification( + participant.actor.user.email, + participant + ) + ) + end + end + + describe "A on_day_notification job sends an email" do + test "if the user is still participating" do + %User{id: user_id} = user = insert(:user) + + settings = + insert(:settings, user_id: user_id, notification_on_day: true, timezone: "Europe/Paris") + + user = Map.put(user, :settings, settings) + %Actor{} = actor = insert(:actor, user: user) + + %Participant{} = participant = insert(:participant, role: :participant, actor: actor) + + Notification.perform( + %{"op" => "on_day_notification", "user_id" => user_id}, + nil + ) + + assert_delivered_email( + NotificationMailer.on_day_notification( + user, + [participant], + 1 + ) + ) + end + + test "unless the person is no longer participating" do + %Event{id: event_id} = insert(:event) + + %User{id: user_id} = user = insert(:user) + + settings = + insert(:settings, user_id: user_id, notification_on_day: true, timezone: "Europe/Paris") + + user = Map.put(user, :settings, settings) + %Actor{} = actor = insert(:actor, user: user) + + {:ok, %Participant{} = participant} = + Events.create_participant(%{actor_id: actor.id, event_id: event_id, role: :participant}) + + actor = Map.put(participant.actor, :user, user) + participant = Map.put(participant, :actor, actor) + + assert {:ok, %Participant{}} = Events.delete_participant(participant) + + Notification.perform( + %{"op" => "on_day_notification", "user_id" => user_id}, + nil + ) + + refute_delivered_email( + NotificationMailer.on_day_notification( + user, + [participant], + 1 + ) + ) + end + + test "unless the event has been cancelled" do + %User{id: user_id} = user = insert(:user) + + settings = + insert(:settings, user_id: user_id, notification_on_day: true, timezone: "Europe/Paris") + + user = Map.put(user, :settings, settings) + %Actor{} = actor = insert(:actor, user: user) + %Event{} = event = insert(:event, status: :cancelled) + + %Participant{} = + participant = insert(:participant, role: :participant, event: event, actor: actor) + + Notification.perform( + %{"op" => "on_day_notification", "user_id" => user_id}, + nil + ) + + refute_delivered_email( + NotificationMailer.on_day_notification( + user, + [participant], + 1 + ) + ) + end + + test "with a lot of events" do + %User{id: user_id} = user = insert(:user) + + settings = + insert(:settings, user_id: user_id, notification_on_day: true, timezone: "Europe/Paris") + + user = Map.put(user, :settings, settings) + %Actor{} = actor = insert(:actor, user: user) + + participants = + Enum.reduce(0..10, [], fn _i, acc -> + %Participant{} = participant = insert(:participant, role: :participant, actor: actor) + acc ++ [participant] + end) + + Notification.perform( + %{"op" => "on_day_notification", "user_id" => user_id}, + nil + ) + + refute_delivered_email( + NotificationMailer.on_day_notification( + user, + participants, + 3 + ) + ) + end + end +end diff --git a/test/support/abinthe_helpers.ex b/test/support/abinthe_helpers.ex index f41b1e845..cc8037d85 100644 --- a/test/support/abinthe_helpers.ex +++ b/test/support/abinthe_helpers.ex @@ -3,7 +3,10 @@ defmodule Mobilizon.GraphQL.AbsintheHelpers do Absinthe helpers for tests """ - use Phoenix.ConnTest + import Plug.Conn + import Phoenix.ConnTest + + alias Plug.Conn @endpoint Mobilizon.Web.Endpoint @@ -23,6 +26,7 @@ defmodule Mobilizon.GraphQL.AbsintheHelpers do } end + @spec graphql_query(Conn.t(), Keyword.t()) :: map | no_return def graphql_query(conn, options) do conn |> post("/api", build_query(options[:query], Keyword.get(options, :variables, %{}))) diff --git a/test/support/conn_case.ex b/test/support/conn_case.ex index 8b1862108..0fa052520 100644 --- a/test/support/conn_case.ex +++ b/test/support/conn_case.ex @@ -25,7 +25,9 @@ defmodule Mobilizon.Web.ConnCase do using do quote do # Import conveniences for testing with connections - use Phoenix.ConnTest + import Plug.Conn + import Phoenix.ConnTest + import Mobilizon.Web.Router.Helpers # The default endpoint for testing diff --git a/test/support/factory.ex b/test/support/factory.ex index ae127b97f..ee0575fc2 100644 --- a/test/support/factory.ex +++ b/test/support/factory.ex @@ -22,6 +22,16 @@ defmodule Mobilizon.Factory do } end + def settings_factory do + %Mobilizon.Users.Setting{ + timezone: nil, + notification_on_day: false, + notification_each_week: false, + notification_before_event: false, + user_id: nil + } + end + def actor_factory do preferred_username = sequence("thomas") @@ -39,16 +49,28 @@ defmodule Mobilizon.Factory do following_url: Actor.build_url(preferred_username, :following), inbox_url: Actor.build_url(preferred_username, :inbox), outbox_url: Actor.build_url(preferred_username, :outbox), + shared_inbox_url: "#{Endpoint.url()}/inbox", last_refreshed_at: DateTime.utc_now(), user: build(:user) } end def group_factory do + preferred_username = sequence("myGroup") + struct!( actor_factory(), %{ - type: :Group + preferred_username: preferred_username, + type: :Group, + url: Actor.build_url(preferred_username, :page), + followers_url: Actor.build_url(preferred_username, :followers), + following_url: Actor.build_url(preferred_username, :following), + members_url: Actor.build_url(preferred_username, :members), + resources_url: Actor.build_url(preferred_username, :resources), + inbox_url: Actor.build_url(preferred_username, :inbox), + outbox_url: Actor.build_url(preferred_username, :outbox), + user: nil } ) end @@ -94,7 +116,7 @@ defmodule Mobilizon.Factory do def comment_factory do uuid = Ecto.UUID.generate() - %Mobilizon.Events.Comment{ + %Mobilizon.Conversations.Comment{ text: "My Comment", actor: build(:actor), event: build(:event), @@ -130,7 +152,8 @@ defmodule Mobilizon.Factory do uuid: uuid, join_options: :free, options: %{}, - participant_stats: %{} + participant_stats: %{}, + status: :confirmed } end @@ -175,10 +198,14 @@ defmodule Mobilizon.Factory do end def member_factory do + uuid = Ecto.UUID.generate() + %Mobilizon.Actors.Member{ parent: build(:actor), actor: build(:actor), - role: :not_approved + role: :not_approved, + id: uuid, + url: "#{Endpoint.url()}/member/#{uuid}" } end @@ -244,4 +271,47 @@ defmodule Mobilizon.Factory do report: build(:report) } end + + def todo_list_factory do + uuid = Ecto.UUID.generate() + + %Mobilizon.Todos.TodoList{ + title: sequence("todo list"), + actor: build(:group), + id: uuid, + url: Routes.todo_list_url(Endpoint, :todo_list, uuid) + } + end + + def todo_factory do + uuid = Ecto.UUID.generate() + + %Mobilizon.Todos.Todo{ + id: uuid, + title: sequence("my todo"), + todo_list: build(:todo_list), + status: false, + due_date: Timex.shift(DateTime.utc_now(), hours: 2), + assigned_to: build(:actor), + url: Routes.todo_url(Endpoint, :todo, uuid), + creator: build(:actor) + } + end + + def resource_factory do + uuid = Ecto.UUID.generate() + title = sequence("my resource") + + %Mobilizon.Resources.Resource{ + id: uuid, + title: title, + type: :link, + resource_url: "https://somewebsite.com/path", + actor: build(:group), + creator: build(:actor), + parent: nil, + url: Routes.resource_url(Endpoint, :resource, uuid), + path: "/#{title}" + } + end end diff --git a/test/web/controllers/activity_pub_controller_test.exs b/test/web/controllers/activity_pub_controller_test.exs index a720c8804..8777cbae9 100644 --- a/test/web/controllers/activity_pub_controller_test.exs +++ b/test/web/controllers/activity_pub_controller_test.exs @@ -336,46 +336,96 @@ defmodule Mobilizon.Web.ActivityPubControllerTest do end end - # - # describe "/@:preferred_username/following" do - # test "it returns the following in a collection", %{conn: conn} do - # actor = insert(:actor) - # actor2 = insert(:actor) - # Mobilizon.Federation.ActivityPub.follow(actor, actor2) + describe "/@actor/members for a group" do + test "it returns the members in a group", %{conn: conn} do + actor = insert(:actor) - # result = - # conn - # |> get("/@#{actor.preferred_username}/following") - # |> json_response(200) + assert {:ok, %Actor{} = group} = + Actors.create_group(%{ + creator_actor_id: actor.id, + preferred_username: "my_group", + visibility: :public + }) - # assert result["first"]["orderedItems"] == [actor2.url] - # end + result = + conn + |> get(Actor.build_url(group.preferred_username, :members)) + |> json_response(200) - # test "it works for more than 10 actors", %{conn: conn} do - # actor = insert(:actor) + assert hd(result["first"]["orderedItems"])["actor"] == actor.url + assert hd(result["first"]["orderedItems"])["object"] == group.url + assert hd(result["first"]["orderedItems"])["role"] == "administrator" + assert hd(result["first"]["orderedItems"])["type"] == "Member" + end - # Enum.each(1..15, fn _ -> - # actor = Repo.get(Actor, actor.id) - # other_actor = insert(:actor) - # Actors.follow(actor, other_actor) - # end) + test "it returns no members for a private group", %{conn: conn} do + actor = insert(:actor) - # result = - # conn - # |> get("/@#{actor.preferred_username}/following") - # |> json_response(200) + assert {:ok, %Actor{} = group} = + Actors.create_group(%{creator_actor_id: actor.id, preferred_username: "my_group"}) - # assert length(result["first"]["orderedItems"]) == 10 - # assert result["first"]["totalItems"] == 15 - # assert result["totalItems"] == 15 + result = + conn + |> get(Actor.build_url(actor.preferred_username, :members)) + |> json_response(200) - # result = - # conn - # |> get("/@#{actor.preferred_username}/following?page=2") - # |> json_response(200) + assert result["first"]["orderedItems"] == [] + end - # assert length(result["orderedItems"]) == 5 - # assert result["totalItems"] == 15 - # end - # end + test "it works for more than 10 actors", %{conn: conn} do + actor = insert(:actor, preferred_username: "my_admin") + + assert {:ok, %Actor{} = group} = + Actors.create_group(%{ + creator_actor_id: actor.id, + preferred_username: "my_group", + visibility: :public + }) + + Enum.each(1..15, fn _ -> + other_actor = insert(:actor) + insert(:member, actor: other_actor, parent: group, role: :member) + end) + + result = + conn + |> get(Actor.build_url(group.preferred_username, :members)) + |> json_response(200) + + assert length(result["first"]["orderedItems"]) == 10 + # 15 members + 1 admin + assert result["totalItems"] == 16 + + result = + conn + |> get(Actor.build_url(group.preferred_username, :members, page: 2)) + |> json_response(200) + + assert length(result["orderedItems"]) == 6 + end + + test "it returns members for a private group but request is signed by an actor", %{conn: conn} do + actor_group_admin = insert(:actor) + actor_applicant = insert(:actor) + + assert {:ok, %Actor{} = group} = + Actors.create_group(%{ + creator_actor_id: actor_group_admin.id, + preferred_username: "my_group" + }) + + insert(:member, actor: actor_applicant, parent: group, role: :member) + + result = + conn + |> assign(:actor, actor_applicant) + |> get(Actor.build_url(group.preferred_username, :members)) + |> json_response(200) + + assert [admin_member | [member]] = result["first"]["orderedItems"] + assert admin_member["role"] == "administrator" + assert member["role"] == "member" + assert result["totalItems"] == 2 + end + end end diff --git a/test/web/views/error_view_test.exs b/test/web/views/error_view_test.exs index 66920509c..2efa8570d 100644 --- a/test/web/views/error_view_test.exs +++ b/test/web/views/error_view_test.exs @@ -7,7 +7,8 @@ defmodule Mobilizon.Web.ErrorViewTest do alias Mobilizon.Web.ErrorView test "renders 404.html" do - assert render_to_string(ErrorView, "404.html", []) =~ + # Produced HTML might have new lines inside + assert Regex.replace(~r/(\r\n|\n|\r) +/, render_to_string(ErrorView, "404.html", []), " ") =~ "We're sorry but mobilizon doesn't work properly without JavaScript enabled. Please enable it to continue." end