♻️ Switch to turborepo (#532)

This commit is contained in:
Luke Vella 2023-03-01 14:10:06 +00:00 committed by GitHub
parent 41ef81aa75
commit 0a836aeec7
No known key found for this signature in database
GPG key ID: 4AEE18F83AFDEB23
419 changed files with 2300 additions and 2504 deletions

8
apps/web/.gitignore vendored Normal file
View file

@ -0,0 +1,8 @@
node_modules
# Sentry
.sentryclirc
# playwright
/playwright-report
/test-results

47
apps/web/Dockerfile Normal file
View file

@ -0,0 +1,47 @@
FROM node:lts AS builder
WORKDIR /app
RUN yarn global add turbo
COPY . .
RUN turbo prune --scope=app --docker
FROM node:lts AS installer
WORKDIR /app
COPY .gitignore .gitignore
COPY --from=builder /app/out/json/ .
COPY --from=builder /app/out/yarn.lock ./yarn.lock
RUN yarn --network-timeout 1000000
# Build the project
COPY --from=builder /app/out/full/ .
COPY turbo.json turbo.json
RUN yarn turbo run generate
RUN yarn turbo run build --filter=app...
FROM node:lts AS runner
WORKDIR /app
RUN yarn global add prisma
# Don't run production as root
RUN addgroup --system --gid 1001 nodejs
RUN adduser --system --uid 1001 nextjs
USER nextjs
COPY --from=builder --chown=nextjs:nodejs /app/scripts/docker-start.sh ./
COPY --from=builder --chown=nextjs:nodejs /app/packages/database/prisma ./prisma
COPY --from=installer /app/apps/web/next.config.js .
COPY --from=installer /app/apps/web/package.json .
ENV PORT 3000
EXPOSE 3000
# Automatically leverage output traces to reduce image size
# https://nextjs.org/docs/advanced-features/output-file-tracing
COPY --from=installer --chown=nextjs:nodejs /app/apps/web/.next/standalone ./
COPY --from=installer --chown=nextjs:nodejs /app/apps/web/.next/static ./apps/web/.next/static
COPY --from=installer --chown=nextjs:nodejs /app/apps/web/public ./apps/web/public
CMD ["./docker-start.sh"]

64
apps/web/declarations/environment.d.ts vendored Normal file
View file

@ -0,0 +1,64 @@
declare global {
namespace NodeJS {
interface ProcessEnv {
/**
* Full database connection string
*/
DATABASE_URL: string;
/**
* "development" or "production"
*/
NODE_ENV: "development" | "production";
/**
* Can be "false" or a relative path eg. "/new"
*/
LANDING_PAGE: string;
/**
* Must be 32 characters long
*/
SECRET_PASSWORD: string;
/**
* "1" to turn on maintenance mode
*/
NEXT_PUBLIC_MAINTENANCE_MODE?: string;
/**
* Posthog API key
*/
NEXT_PUBLIC_POSTHOG_API_KEY?: string;
/**
* Posthog API host
*/
NEXT_PUBLIC_POSTHOG_API_HOST?: string;
/**
* Crisp website ID
*/
NEXT_PUBLIC_CRISP_WEBSITE_ID?: string;
/**
* Users of your instance will see this as their support email
*/
SUPPORT_EMAIL: string;
/**
* Host address of the SMTP server
*/
SMTP_HOST: string;
/**
* Email address or user if authentication is required
*/
SMTP_USER: string;
/**
* Password if authentication is required
*/
SMTP_PWD: string;
/**
* "true" to use SSL
*/
SMTP_SECURE: string;
/**
* Port number of the SMTP server
*/
SMTP_PORT: string;
}
}
}
export {};

21
apps/web/declarations/i18next.d.ts vendored Normal file
View file

@ -0,0 +1,21 @@
import "react-i18next";
import app from "~/public/locales/en/app.json";
import common from "~/public/locales/en/common.json";
import errors from "~/public/locales/en/errors.json";
import homepage from "~/public/locales/en/homepage.json";
interface I18nNamespaces {
homepage: typeof homepage;
app: typeof app;
common: typeof common;
errors: typeof errors;
}
declare module "i18next" {
interface CustomTypeOptions {
defaultNS: "common";
resources: I18nNamespaces;
returnNull: false;
}
}

10
apps/web/declarations/iron-session.d.ts vendored Normal file
View file

@ -0,0 +1,10 @@
import "iron-session";
declare module "iron-session" {
export interface IronSessionData {
user: {
id: string;
isGuest: boolean;
};
}
}

111
apps/web/declarations/smpt-tester.d.ts vendored Normal file
View file

@ -0,0 +1,111 @@
declare module "smtp-tester" {
/**
* Initializes the SMTP tester.
*
* @param port The port of the SMTP server.
*/
function init(port: number): SmtpTester;
/**
* A callback that occurs when an email is received.
*
* @param recipient The bound recipient. Can be `undefined` if the handler is not bound to a specific recipient.
* @param id The local incrementing identifier of the email.
* @param email The email being received.
*/
type OnReceiveEmail = (
recipient: string,
id: number,
email: EmailInfo,
) => void;
type CaptureOneResponse = {
address: string;
id: string;
email: EmailInfo;
};
/**
* The SMTP tester.
*/
interface SmtpTester {
/**
* Binds a callback to a specific recipient that is fired whenever an email is received for that specific recipient.
*
* @param recipient The recipient to bind to.
* @param callback The callback function.
*/
bind(recipient: string, callback: OnReceiveEmail): void;
/**
* Binds a callback that is fired whenever an email is received.
*
* @param callback The callback function.
*/
bind(callback: OnReceiveEmail): void;
/**
* Captures the next email received by the server.
*
* @param recipient The recipient to capture for. If not specified, the next email received will be captured.
* @param options The options for the capture.
*/
captureOne(
recipient: string,
options?: CaptureOptions,
): Promise<CaptureOneResponse>;
/**
* Stops the running SMTP server.
*/
stop(): void;
/**
* Stops the running SMTP server.
*
* @param callback The callback that is fired when the server has stopped.
*/
stop(callback: () => void): void;
}
/**
* Contains information about a received email.
*/
interface EmailInfo {
/**
* The sender of the email.
*/
readonly sender: string;
/**
* The body of the email.
*/
readonly body: string;
/**
* The HTML body of the email.
*/
readonly html: string;
/**
* Headers of the email.
*/
readonly headers: {
/**
* Who the email was sent from.
*/
from: string;
/**
* Who the email was sent to.
*/
to: string;
/**
* The subject of the email.
*/
subject: string;
[string]: string;
};
}
}

View file

@ -0,0 +1,5 @@
module.exports = {
localesPath: 'public/locales',
srcPath: 'src',
translationKeyMatcher: /(?:[$ .{=(](_|t|tc|i18nKey))\(.*?[\),]|i18nKey={?"(.*?)"/gi
};

5
apps/web/next-env.d.ts vendored Normal file
View file

@ -0,0 +1,5 @@
/// <reference types="next" />
/// <reference types="next/image-types/global" />
// NOTE: This file should not be edited
// see https://nextjs.org/docs/basic-features/typescript for more information.

View file

@ -0,0 +1,32 @@
const path = require("path");
module.exports = {
i18n: {
defaultLocale: "en",
locales: [
"ca",
"cs",
"da",
"de",
"en",
"es",
"fi",
"fr",
"hr",
"hu",
"it",
"ko",
"nl",
"pl",
"pt-BR",
"pt",
"ru",
"sk",
"sv",
"zh",
],
},
reloadOnPrerender: process.env.NODE_ENV === "development",
localePath: path.resolve("./public/locales"),
returnNull: false,
};

67
apps/web/next.config.js Normal file
View file

@ -0,0 +1,67 @@
// This file sets a custom webpack configuration to use your Next.js app
// with Sentry.
// https://nextjs.org/docs/api-reference/next.config.js/introduction
// https://docs.sentry.io/platforms/javascript/guides/nextjs/
const { withSentryConfig } = require("@sentry/nextjs");
const { i18n } = require("./next-i18next.config");
const withBundleAnalyzer = require("@next/bundle-analyzer")({
enabled: process.env.ANALYZE === "true",
});
const nextConfig = {
i18n: i18n,
productionBrowserSourceMaps: true,
output: "standalone",
webpack(config) {
config.module.rules.push({
test: /\.svg$/,
issuer: /\.[jt]sx?$/,
use: ["@svgr/webpack"],
});
return config;
},
typescript: {
ignoreBuildErrors: true,
},
async redirects() {
return [
{
source: "/support",
destination: "https://support.rallly.co",
permanent: true,
},
];
},
async rewrites() {
return [
{
source: "/",
destination: "/home",
},
];
},
sentry: {
hideSourceMaps: false,
},
};
const sentryWebpackPluginOptions = {
// Additional config options for the Sentry Webpack plugin. Keep in mind that
// the following options are set automatically, and overriding them is not
// recommended:
// release, url, org, project, authToken, configFile, stripPrefix,
// urlPrefix, include, ignore
dryRun: !process.env.SENTRY_AUTH_TOKEN,
silent: true, // Suppresses all logs
// For all available options, see:
// https://github.com/getsentry/sentry-webpack-plugin#options.
};
// Make sure adding Sentry options is the last code to run before exporting, to
// ensure that your source maps include changes from all other Webpack plugins
module.exports = withBundleAnalyzer(
withSentryConfig(nextConfig, sentryWebpackPluginOptions),
);

93
apps/web/package.json Normal file
View file

@ -0,0 +1,93 @@
{
"name": "app",
"version": "0.0.0",
"private": true,
"scripts": {
"dev": "TAILWIND_MODE=watch next dev",
"build": "next build",
"analyze": "ANALYZE=true next build",
"start": "next start",
"lint": "eslint .",
"lint:tsc": "tsc --noEmit",
"lint:i18n": "i18n-unused remove-unused",
"test": "PORT=3001 playwright test",
"test:codegen": "playwright codegen http://localhost:3000",
"docker:start": "./scripts/docker-start.sh"
},
"dependencies": {
"@floating-ui/react-dom-interactions": "^0.13.3",
"@headlessui/react": "^1.7.7",
"@next/bundle-analyzer": "^12.3.4",
"@radix-ui/react-popover": "^1.0.3",
"@rallly/database": "*",
"@sentry/nextjs": "^7.33.0",
"@svgr/webpack": "^6.5.1",
"@tailwindcss/typography": "^0.5.9",
"@tanstack/react-query": "^4.22.0",
"@trpc/client": "^10.13.0",
"@trpc/next": "^10.13.0",
"@trpc/react-query": "^10.13.0",
"@trpc/server": "^10.13.0",
"@vercel/analytics": "^0.1.8",
"accept-language-parser": "^1.5.0",
"autoprefixer": "^10.4.13",
"clsx": "^1.1.1",
"dayjs": "^1.11.7",
"eta": "^2.0.0",
"framer-motion": "^6.5.1",
"i18next": "^22.4.9",
"iron-session": "^6.3.1",
"js-cookie": "^3.0.1",
"lodash": "^4.17.21",
"nanoid": "^4.0.0",
"next": "^13.2.1",
"next-i18next": "^13.0.3",
"next-seo": "^5.15.0",
"nodemailer": "^6.9.0",
"postcss": "^8.4.21",
"posthog-js": "^1.42.3",
"react": "^18.2.0",
"react-big-calendar": "^1.5.0",
"react-dom": "^18.2.0",
"react-hook-form": "^7.42.1",
"react-hot-toast": "^2.4.0",
"react-i18next": "^12.1.4",
"react-linkify": "^1.0.0-alpha",
"react-use": "^17.4.0",
"smoothscroll-polyfill": "^0.4.4",
"spacetime": "^7.1.4",
"superjson": "^1.12.2",
"tailwindcss": "^3.2.4",
"tailwindcss-animate": "^1.0.5",
"timezone-soft": "^1.3.1",
"typescript": "^4.9.4",
"zod": "^3.20.2"
},
"devDependencies": {
"@playwright/test": "^1.31.1",
"@rallly/tsconfig": "*",
"@types/accept-language-parser": "^1.5.3",
"@types/lodash": "^4.14.178",
"@types/nodemailer": "^6.4.4",
"@types/react": "^18.0.28",
"@types/react-big-calendar": "^0.31.0",
"@types/react-dom": "^18.0.11",
"@types/react-linkify": "^1.0.1",
"@types/smoothscroll-polyfill": "^0.3.1",
"@typescript-eslint/eslint-plugin": "^5.21.0",
"@typescript-eslint/parser": "^5.50.0",
"cheerio": "^1.0.0-rc.12",
"eslint": "^7.26.0",
"eslint-config-next": "^13.0.1",
"eslint-config-turbo": "^0.0.9",
"eslint-import-resolver-typescript": "^2.7.0",
"eslint-plugin-import": "^2.22.1",
"eslint-plugin-react": "^7.23.2",
"eslint-plugin-react-hooks": "^4.2.0",
"eslint-plugin-simple-import-sort": "^7.0.0",
"i18n-unused": "^0.12.0",
"prettier-plugin-tailwindcss": "^0.1.8",
"smtp-tester": "^2.0.1",
"wait-on": "^6.0.1"
}
}

View file

@ -0,0 +1,33 @@
import { devices, PlaywrightTestConfig } from "@playwright/test";
const ci = process.env.CI === "true";
// Use process.env.PORT by default and fallback to port 3000
const PORT = process.env.PORT || 3000;
// Set webServer.url and use.baseURL with the location of the WebServer respecting the correct set port
const baseURL = `http://localhost:${PORT}`;
// Reference: https://playwright.dev/docs/test-configuration
const config: PlaywrightTestConfig = {
// Artifacts folder where screenshots, videos, and traces are stored.
outputDir: "test-results/",
projects: [{ name: "chromium", use: { ...devices["Desktop Chrome"] } }],
use: {
viewport: { width: 1280, height: 720 },
baseURL,
trace: "retain-on-failure",
},
webServer: {
command: `NODE_ENV=test yarn dev --port ${PORT}`,
url: baseURL,
timeout: 120 * 1000,
reuseExistingServer: !ci,
},
reporter: [
[ci ? "github" : "list"],
["html", { open: !ci ? "on-failure" : "never" }],
],
workers: 1,
};
export default config;

View file

@ -0,0 +1,3 @@
module.exports = {
plugins: ["tailwindcss", "autoprefixer"],
};

Binary file not shown.

After

Width:  |  Height:  |  Size: 5.6 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 14 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 5.6 KiB

View file

@ -0,0 +1,71 @@
<?xml version="1.0" encoding="utf-8"?>
<!-- Generator: Adobe Illustrator 19.0.0, SVG Export Plug-In . SVG Version: 6.00 Build 0) -->
<svg version="1.1" id="Layer_1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px"
viewBox="0 0 603 103" style="enable-background:new 0 0 603 103;" xml:space="preserve">
<style type="text/css">
.st0{fill:#0080FF;}
.st1{fill-rule:evenodd;clip-rule:evenodd;fill:#0080FF;}
</style>
<g id="XMLID_2369_">
<g id="XMLID_2638_">
<g id="XMLID_2639_">
<g>
<g id="XMLID_44_">
<g id="XMLID_48_">
<path id="XMLID_49_" class="st0" d="M52.1,102.1l0-19.6c20.8,0,36.8-20.6,28.9-42.4C78,32,71.6,25.5,63.5,22.6
c-21.8-7.9-42.4,8.1-42.4,28.9c0,0,0,0,0,0l-19.6,0c0-33.1,32-58.9,66.7-48.1c15.2,4.7,27.2,16.8,31.9,31.9
C110.9,70.1,85.2,102.1,52.1,102.1z"/>
</g>
<polygon id="XMLID_47_" class="st1" points="52.1,82.5 32.6,82.5 32.6,63 32.6,63 52.1,63 52.1,63 "/>
<polygon id="XMLID_46_" class="st1" points="32.6,97.5 17.6,97.5 17.6,97.5 17.6,82.5 32.6,82.5 32.6,97.5 "/>
<polygon id="XMLID_45_" class="st1" points="17.6,82.5 5,82.5 5,82.5 5,70 5,70 17.6,70 17.6,70 "/>
</g>
</g>
</g>
</g>
<g id="XMLID_2370_">
<path id="XMLID_2635_" class="st0" d="M181.5,30.2c-5.8-4-13-6.1-21.4-6.1h-18.3v58.1h18.3c8.4,0,15.6-2.1,21.4-6.4
c3.2-2.2,5.7-5.4,7.4-9.3c1.7-3.9,2.6-8.5,2.6-13.7c0-5.1-0.9-9.7-2.6-13.6C187.2,35.4,184.7,32.3,181.5,30.2z M152.5,34h5.8
c6.4,0,11.7,1.3,15.7,3.7c4.4,2.7,6.7,7.8,6.7,15.1c0,7.6-2.3,12.9-6.7,15.8h0c-3.8,2.5-9.1,3.8-15.6,3.8h-5.8V34z"/>
<path id="XMLID_2634_" class="st0" d="M204.3,23.4c-1.8,0-3.3,0.6-4.5,1.8c-1.2,1.2-1.9,2.7-1.9,4.4c0,1.8,0.6,3.3,1.9,4.5
c1.2,1.2,2.7,1.9,4.5,1.9c1.8,0,3.3-0.6,4.5-1.9c1.2-1.2,1.9-2.8,1.9-4.5c0-1.8-0.6-3.3-1.9-4.4C207.6,24,206,23.4,204.3,23.4z"/>
<rect id="XMLID_2564_" x="199" y="41.3" class="st0" width="10.3" height="41"/>
<path id="XMLID_2561_" class="st0" d="M246.8,44.7c-3.1-2.8-6.6-4.4-10.3-4.4c-5.7,0-10.4,2-14.1,5.8c-3.7,3.8-5.5,8.8-5.5,14.7
c0,5.8,1.8,10.7,5.5,14.7c3.7,3.8,8.4,5.8,14.1,5.8c4,0,7.4-1.1,10.2-3.3V79c0,3.4-0.9,6-2.7,7.9c-1.8,1.8-4.3,2.7-7.4,2.7
c-4.8,0-7.7-1.9-11.4-6.8l-7,6.7l0.2,0.3c1.5,2.1,3.8,4.2,6.9,6.2c3.1,2,6.9,3,11.5,3c6.1,0,11.1-1.9,14.7-5.6
c3.7-3.7,5.5-8.7,5.5-14.9V41.3h-10.1V44.7z M244.1,68.9c-1.8,2-4.1,3-7.1,3c-3,0-5.3-1-7-3c-1.8-2-2.7-4.7-2.7-8
c0-3.3,0.9-6.1,2.7-8.1c1.8-2,4.1-3.1,7-3.1c3,0,5.3,1,7.1,3.1c1.8,2,2.7,4.8,2.7,8.1C246.8,64.2,245.8,66.9,244.1,68.9z"/>
<rect id="XMLID_2560_" x="265.7" y="41.3" class="st0" width="10.3" height="41"/>
<path id="XMLID_2552_" class="st0" d="M271,23.4c-1.8,0-3.3,0.6-4.5,1.8c-1.2,1.2-1.9,2.7-1.9,4.4c0,1.8,0.6,3.3,1.9,4.5
c1.2,1.2,2.7,1.9,4.5,1.9c1.8,0,3.3-0.6,4.5-1.9c1.2-1.2,1.9-2.8,1.9-4.5c0-1.8-0.6-3.3-1.9-4.4C274.3,24,272.7,23.4,271,23.4z"/>
<path id="XMLID_2509_" class="st0" d="M298.6,30.3h-10.1v11.1h-5.9v9.4h5.9v17c0,5.3,1.1,9.1,3.2,11.3c2.1,2.2,5.8,3.3,11.1,3.3
c1.7,0,3.4-0.1,5-0.2l0.5,0v-9.4l-3.5,0.2c-2.5,0-4.1-0.4-4.9-1.3c-0.8-0.9-1.2-2.7-1.2-5.4V50.7h9.6v-9.4h-9.6V30.3z"/>
<rect id="XMLID_2508_" x="356.5" y="24.1" class="st0" width="10.3" height="58.1"/>
<path id="XMLID_2470_" class="st0" d="M470.9,67.6c-1.8,2.1-3.7,3.9-5.2,4.8v0c-1.4,0.9-3.2,1.4-5.3,1.4c-3,0-5.5-1.1-7.5-3.4
c-2-2.3-3-5.2-3-8.7s1-6.4,2.9-8.6c2-2.3,4.4-3.4,7.4-3.4c3.3,0,6.8,2.1,9.8,5.6l6.8-6.5l0,0c-4.4-5.8-10.1-8.5-16.9-8.5
c-5.7,0-10.6,2.1-14.6,6.1c-4,4-6,9.2-6,15.3s2,11.2,6,15.3c4,4.1,8.9,6.1,14.6,6.1c7.5,0,13.5-3.2,17.5-9.1L470.9,67.6z"/>
<path id="XMLID_2460_" class="st0" d="M513.2,47c-1.5-2-3.5-3.7-5.9-4.9c-2.5-1.2-5.3-1.8-8.5-1.8c-5.8,0-10.5,2.1-14,6.3
c-3.4,4.2-5.2,9.3-5.2,15.4c0,6.2,1.9,11.3,5.7,15.3c3.7,3.9,8.8,5.9,14.9,5.9c6.9,0,12.7-2.8,16.9-8.4l0.2-0.3l-6.7-6.5l0,0
c-0.6,0.8-1.5,1.6-2.3,2.4c-1,1-2,1.7-3,2.2c-1.5,0.8-3.3,1.1-5.2,1.1c-2.9,0-5.2-0.8-7-2.5c-1.7-1.5-2.7-3.6-2.9-6.2h27.3
l0.1-3.8c0-2.7-0.4-5.2-1.1-7.6C515.8,51.3,514.7,49.1,513.2,47z M490.7,56.7c0.5-2,1.4-3.6,2.7-4.9c1.4-1.4,3.2-2.1,5.4-2.1
c2.5,0,4.4,0.7,5.7,2.1c1.2,1.3,1.9,2.9,2.1,4.8H490.7z"/>
<path id="XMLID_2456_" class="st0" d="M552.8,44.4L552.8,44.4c-3.1-2.7-7.4-4-12.8-4c-3.4,0-6.6,0.8-9.5,2.2
c-2.7,1.4-5.3,3.6-7,6.6l0.1,0.1l6.6,6.3c2.7-4.3,5.7-5.8,9.7-5.8c2.2,0,3.9,0.6,5.3,1.7c1.4,1.1,2,2.6,2,4.4v2
c-2.6-0.8-5.1-1.2-7.6-1.2c-5.1,0-9.3,1.2-12.4,3.6c-3.1,2.4-4.7,5.9-4.7,10.2c0,3.8,1.3,7,4,9.3c2.7,2.2,6,3.4,9.9,3.4
c3.9,0,7.6-1.6,10.9-4.3v3.4h10.1V55.9C557.6,51,556,47.1,552.8,44.4z M534.5,66.6c1.2-0.8,2.8-1.2,4.9-1.2c2.5,0,5.1,0.5,7.8,1.5
v4C545,73,542,74,538.3,74c-1.8,0-3.2-0.4-4.1-1.2c-0.9-0.8-1.4-1.7-1.4-3C532.8,68.5,533.4,67.4,534.5,66.6z"/>
<path id="XMLID_2454_" class="st0" d="M597.2,45.2c-2.9-3.2-6.9-4.8-12-4.8c-4.1,0-7.4,1.2-9.9,3.5v-2.5h-10.1v41h10.3V59.7
c0-3.1,0.7-5.6,2.2-7.3c1.5-1.8,3.4-2.6,6.1-2.6c2.3,0,4.1,0.8,5.4,2.3c1.3,1.6,2,3.7,2,6.4v23.7h10.3V58.5
C601.5,52.9,600.1,48.4,597.2,45.2z"/>
<path id="XMLID_2450_" class="st0" d="M343.6,44.4L343.6,44.4c-3.1-2.7-7.4-4-12.8-4c-3.4,0-6.6,0.8-9.5,2.2
c-2.7,1.4-5.3,3.6-7,6.6l0.1,0.1l6.6,6.3c2.7-4.3,5.7-5.8,9.7-5.8c2.2,0,3.9,0.6,5.3,1.7c1.4,1.1,2,2.6,2,4.4v2
c-2.6-0.8-5.1-1.2-7.6-1.2c-5.1,0-9.3,1.2-12.4,3.6c-3.1,2.4-4.7,5.9-4.7,10.2c0,3.8,1.3,7,4,9.3c2.7,2.2,6,3.4,9.9,3.4
c3.9,0,7.6-1.6,10.9-4.3v3.4h10.1V55.9C348.3,51,346.7,47.1,343.6,44.4z M325.3,66.6c1.2-0.8,2.8-1.2,4.9-1.2
c2.5,0,5.1,0.5,7.8,1.5v4c-2.2,2.1-5.2,3.1-8.9,3.1c-1.8,0-3.2-0.4-4.1-1.2c-0.9-0.8-1.4-1.7-1.4-3
C323.6,68.5,324.1,67.4,325.3,66.6z"/>
<path id="XMLID_2371_" class="st0" d="M404.2,83.1c-16.5,0-30-13.4-30-30s13.4-30,30-30c16.5,0,30,13.4,30,30
S420.7,83.1,404.2,83.1z M404.2,33.8c-10.7,0-19.4,8.7-19.4,19.4s8.7,19.4,19.4,19.4c10.7,0,19.4-8.7,19.4-19.4
S414.9,33.8,404.2,33.8z"/>
</g>
</g>
</svg>

After

Width:  |  Height:  |  Size: 5.8 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 386 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 707 B

BIN
apps/web/public/favicon.ico Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 15 KiB

View file

@ -0,0 +1,5 @@
<svg width="30" height="30" viewBox="0 0 30 30" fill="none" xmlns="http://www.w3.org/2000/svg">
<rect width="30" height="30" rx="7" fill="#6366F1"/>
<path d="M11.4201 15.7973C11.2842 15.9332 11.2843 16.1536 11.4203 16.2894L13.9147 18.7792C14.0506 18.9148 14.2707 18.9147 14.4064 18.779L18.9829 14.2025C19.1188 14.0667 19.1188 13.8464 18.9829 13.7106L18.491 13.2187C18.3552 13.0828 18.135 13.0828 17.9992 13.2187L14.1579 17.0599L12.4037 15.3056C12.2678 15.1698 12.0476 15.1698 11.9118 15.3056L11.4201 15.7973Z" fill="white"/>
<path fill-rule="evenodd" clip-rule="evenodd" d="M7 8.3913C7 7.62291 7.62292 7 8.3913 7H21.6087C22.3771 7 23 7.62291 23 8.3913V21.6087C23 22.3771 22.3771 23 21.6087 23H8.3913C7.62292 23 7 22.3771 7 21.6087V8.3913ZM8.45453 10.6364H21.5455V21.5455H8.45453V10.6364ZM18.8261 9.78261C19.2103 9.78261 19.5217 9.47116 19.5217 9.08696C19.5217 8.70275 19.2103 8.3913 18.8261 8.3913C18.4419 8.3913 18.1304 8.70275 18.1304 9.08696C18.1304 9.47116 18.4419 9.78261 18.8261 9.78261ZM11.1739 9.08696C11.1739 9.47116 10.8625 9.78261 10.4783 9.78261C10.094 9.78261 9.78261 9.47116 9.78261 9.08696C9.78261 8.70275 10.094 8.3913 10.4783 8.3913C10.8625 8.3913 11.1739 8.70275 11.1739 9.08696Z" fill="white"/>
</svg>

After

Width:  |  Height:  |  Size: 1.2 KiB

View file

@ -0,0 +1,125 @@
{
"12h": "12h",
"24h": "24 h",
"addParticipant": "Afegir participant",
"addTimeOption": "Afegir franja horària",
"alreadyVoted": "Ja has votat",
"applyToAllDates": "Aplicar a totes les dates",
"areYouSure": "N'esteu segur?",
"back": "Torna",
"calendarHelp": "No pots crear una enquesta sense cap opció. Afegeix com a mínim una opció per a continuar.",
"calendarHelpTitle": "Oblida alguna cosa?",
"cancel": "Cancel·lar",
"comment": "Comentar",
"commentPlaceholder": "Deixa un comentari en aquesta enquesta (visible per a tothom)",
"comments": "Comentaris",
"continue": "Continuar",
"copied": "Copiat",
"copyLink": "Copiar l'enllaç",
"createdBy": "per <b>{{name}}</b>",
"createPoll": "Crear enquesta",
"creatingDemo": "Crear enquesta de prova…",
"delete": "Suprimir",
"deleteComment": "Suprimir comentari",
"deleteDate": "Suprimir data",
"deletedPoll": "Enquesta suprimida",
"deletedPollInfo": "Aquesta enquesta ja no existeix.",
"deletePoll": "Suprimir l'enquesta",
"deletePollDescription": "Totes les dades relacionades amb aquesta enquesta se suprimiran. Per confirmar, escrigui <s>”{{confirmText}}”</s> a l'entrada següent:",
"deletingOptionsWarning": "Estàs suprimint opcions que han estat votades pels participants. Els seus vots també seran eliminats.",
"demoPollNotice": "Les enquestes de prova se suprimeixen automàticament després d'un dia",
"description": "Descripció",
"descriptionPlaceholder": "Hola a tothom, si us plau escolliu les dates que us van millor!",
"donate": "Fer un donatiu",
"edit": "Editar",
"editDetails": "Edita els detalls",
"editOptions": "Edita les opcions",
"email": "Correu electrònic",
"emailPlaceholder": "jessie.smith@email.com",
"endingGuestSessionNotice": "Un cop finalitzada una sessió no es pot reprendre. No podràs editar cap vot o comentari que hagis fet en aquesta sessió.",
"endSession": "Finalitzar sessió",
"exportToCsv": "Exporta a CSV",
"forgetMe": "Oblida'm",
"goToAdmin": "Anar al panell d'administració",
"guest": "Convidat",
"guestSessionNotice": "Estàs utilitzant una sessió de convidat. Això et permetrà identificar-te i si tornes més tard, poder editar els teus vots.",
"guestSessionReadMore": "Llegeix més sobre les sessions de convidats.",
"hide": "Amaga",
"ifNeedBe": "Si és necessari",
"linkHasExpired": "El teu enllaç ha caducat o és invàlid",
"loading": "Carregant…",
"loadingParticipants": "Carregant participants…",
"location": "Ubicació",
"locationPlaceholder": "Cafeteria Joe",
"lockPoll": "Bloquejar enquesta",
"login": "Iniciar sessió",
"logout": "Tanca sessió",
"manage": "Gestionar",
"menu": "Menú",
"mixedOptionsDescription": "No pots tenir ambdues opcions de data i hora a la mateixa enquesta. Quina voldries mantenir?",
"mixedOptionsKeepDates": "Mantenir opcions de data",
"mixedOptionsKeepTimes": "Mantenir opcions de franja horària",
"mixedOptionsTitle": "Esperi un moment… 🤔",
"monday": "Dilluns",
"monthView": "Vista mensual",
"name": "Nom",
"namePlaceholder": "Jessie Smith",
"new": "Nou",
"adminPollTitle": "{{title}}: Administrador",
"newPoll": "Nova enquesta",
"createNew": "Nova enquesta",
"home": "Inici",
"next": "Següent",
"nextMonth": "Mes següent",
"no": "No",
"noDatesSelected": "No s'ha seleccionat cap data",
"notificationsDisabled": "S'han desactivat les notificacions",
"notificationsOff": "Notificacions desactivades",
"notificationsOn": "Notificacions activades",
"notificationsOnDescription": "S'enviarà un correu electrònic a <b>{{email}}</b> quan hi hagi novetats a l'enquesta.",
"notificationsVerifyEmail": "Necessites verificar el correu electrònic per activar les notificacions",
"noVotes": "Ningú ha votat aquesta opció",
"ok": "D'acord",
"participant": "Participant",
"participantCount_few": "{{count}} participants",
"participantCount_many": "{{count}} participants",
"participantCount_one": "{{count}} participant",
"participantCount_other": "{{count}} participants",
"participantCount_two": "{{count}} participants",
"participantCount_zero": "{{count}} participants",
"pollHasBeenLocked": "Aquesta enquesta ha estat bloquejada",
"pollHasBeenVerified": "S'ha verificat la vostra enquesta",
"pollOwnerNotice": "Hola {{name}}, sembla que ets el creador d'aquesta enquesta.",
"pollsEmpty": "No s'ha creat cap enquesta",
"possibleAnswers": "Possibles respostes",
"preferences": "Preferències",
"previousMonth": "Mes anterior",
"profileUser": "Perfil - {{username}}",
"requiredNameError": "El nom és obligatori",
"save": "Desa",
"saveInstruction": "Selecciona la teva disponibilitat i prem <b>{{action}}</b>",
"share": "Compartir",
"shareDescription": "Envia aquest enllaç als <b>participants</b> perquè puguin votar a l'enquesta.",
"shareLink": "Comparteix via enllaç",
"specifyTimes": "Especifica franges horàries",
"specifyTimesDescription": "Inclou les hores d'inici i final per a cada opció",
"stepSummary": "Pas {{current}} de {{total}}",
"sunday": "Diumenge",
"timeFormat": "Format horari:",
"timeZone": "Zona horària:",
"title": "Títol",
"titlePlaceholder": "Reunió mensual",
"today": "Avui",
"unlockPoll": "Desbloquejar enquesta",
"unverifiedMessage": "S'ha enviat un correu electrònic a <b>{{email}}</b> amb un enllaç per verificar l'adreça de correu.",
"user": "Usuari",
"weekStartsOn": "La setmana comença en",
"weekView": "Vista setmanal",
"whatsThis": "Què és això?",
"yes": "Sí",
"you": "Tu",
"yourDetails": "Les teves dades",
"yourName": "El teu nom…",
"yourPolls": "Les teves enquestes",
"yourProfile": "El teu perfil"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blog",
"discussions": "Debats",
"donate": "Fer un donatiu",
"footerCredit": "Desenvolupat per <a>@imlukevella</a>",
"footerSponsor": "Aquest projecte és finançat pels usuaris. Si us plau, considera donar-nos suport fent <a>un donatiu</a>.",
"home": "Inici",
"language": "Idioma",
"links": "Enllaços",
"poweredBy": "Impulsat per",
"privacyPolicy": "Política de privacitat",
"starOnGithub": "Segueix-nos a GitHub",
"support": "Suport",
"volunteerTranslator": "Ajuda a traduir aquesta pàgina"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 no s'ha trobat",
"notFoundDescription": "No s'ha pogut trobar la pàgina que estaves buscant.",
"goToHome": "Anar a l'Inici",
"startChat": "Inicia un xat"
}

View file

@ -0,0 +1,39 @@
{
"3Ls": "Sí, amb 3 <e>L</e>s",
"adFree": "Sense anuncis",
"adFreeDescription": "Li pots donar un descans al teu bloquejador d'anuncis - No el necessitaràs aquí.",
"comments": "Comentaris",
"commentsDescription": "Els participants poden fer comentaris a la teva enquesta i aquests seran visibles per a tothom.",
"features": "Característiques",
"featuresSubheading": "Planificant, de forma intel·ligent",
"getStarted": "Comença",
"heroSubText": "Troba la data apropiada amb el mínim esforç",
"heroText": "Planifica <br/><s>reunions grupals</s><br /> amb facilitat",
"links": "Enllaços",
"liveDemo": "Demostració en viu",
"metaDescription": "Crea enquestes i vota per trobar el millor dia o hora. Una alternativa gratuïta a Doodle.",
"metaTitle": "Rallly - Planifica reunions de grup",
"mobileFriendly": "Adaptat per mòbil",
"mobileFriendlyDescription": "Funciona perfectament en dispositius mòbils, per tant, els participants poden respondre enquestes des d'on siguin.",
"new": "Nou",
"noLoginRequired": "No cal iniciar sessió",
"noLoginRequiredDescription": "No es necessita iniciar sessió per crear o participar en una enquesta",
"notifications": "Notificacions",
"notificationsDescription": "Fes un seguiment de qui ha respost. Rep notificacions quan els participants votin o comentin a la teva enquesta.",
"openSource": "Codi obert",
"openSourceDescription": "El codi font és completament obert i <a>disponible a GitHub</a>.",
"participant": "Participant",
"participantCount_zero": "{{count}} participants",
"participantCount_one": "{{count}} participant",
"participantCount_two": "{{count}} participants",
"participantCount_few": "{{count}} participants",
"participantCount_many": "{{count}} participants",
"participantCount_other": "{{count}} participants",
"perfect": "Perfecte!",
"principles": "Principis",
"principlesSubheading": "No som com la resta",
"selfHostable": "Autoallotjable",
"selfHostableDescription": "Executa-ho al teu servidor per tenir control absolut de totes les dades",
"timeSlots": "Franges horàries",
"timeSlotsDescription": "Defineix el temps d'inici i final per a cada opció a l'enquesta. Els temps es poden ajustar automàticament a la zona horària de cada participant o es poden establir per ignorar completament les zones horàries."
}

View file

@ -0,0 +1,137 @@
{
"12h": "12-hodinový",
"24h": "24-hodinový",
"addParticipant": "Přidat účastníka",
"addTimeOption": "Vybrat konkrétní čas",
"alreadyRegistered": "Ste už zaregistrovaný? <a>Prihlásenie →</a>",
"alreadyVoted": "Již jste hlasoval",
"applyToAllDates": "Použít pro všechny termíny",
"areYouSure": "Jste si jisti?",
"back": "Zpět",
"calendarHelp": "Hlasování nelze vytvořit bez žádných možností. Chcete-li pokračovat, přidejte alespoň jednu možnost.",
"calendarHelpTitle": "Zapomněli jste něco?",
"cancel": "Zrušit",
"comment": "Okomentovat",
"commentPlaceholder": "Zanechte komentář k této anketě (uvidí jej všichni)",
"comments": "Komentáře",
"continue": "Pokračovat",
"copied": "Zkopírováno",
"copyLink": "Zkopírovat odkaz",
"createAnAccount": "Vytvoriť účet",
"createdBy": "od <b>{{name}}</b>",
"createPoll": "Vytvořit anketu",
"creatingDemo": "Vytvářím demo anketu…",
"delete": "Smazat",
"deleteComment": "Odstranit komentář",
"deleteDate": "Odstranit termín",
"deletedPoll": "Smazaná anketa",
"deletedPollInfo": "Tato anketa již neexistuje.",
"deletePoll": "Smazat anketu",
"deletePollDescription": "Všechna data související s touto anketou budou smazána. Pro potvrzení, prosím, zadejte <s>\"{{confirmText}}”</s> do níže uvedeného pole:",
"deletingOptionsWarning": "Mažete možnosti, pro které účastníci hlasovali. Jejich hlasy budou taktéž smazány.",
"demoPollNotice": "Demo ankety se po jednom dni automaticky odstraní",
"description": "Popis",
"descriptionPlaceholder": "Ahoj všichni, prosím, hlasujte pro termíny, které vám vyhovují!",
"donate": "Podpořit",
"edit": "Upravit",
"editDetails": "Upravit údaje",
"editOptions": "Upravit možnosti",
"email": "E-mail",
"emailPlaceholder": "karel.novak@email.com",
"endingGuestSessionNotice": "Jakmile relace hosta skončí, nelze ji obnovit. Nebudete moci upravovat žádné hlasy nebo komentáře, které jste v rámci relace zapracovali.",
"endSession": "Ukončit relaci",
"exportToCsv": "Exportovat do CSV",
"forgetMe": "Zapomenout mě",
"goToAdmin": "Přejít do administrace",
"guest": "Host",
"guestSessionNotice": "Používáte relaci hosta. Díky tomu Vás rozpoznáme, pokud se vrátíte později a budete moci upravit své hlasy.",
"guestSessionReadMore": "Přečtěte si o relaci hosta více.",
"hide": "Skrýt",
"ifNeedBe": "Pokud je to nutné",
"linkHasExpired": "Platnost tohoto odkazu vypršela nebo již není platný",
"loading": "Načítám…",
"loadingParticipants": "Načítám účastníky…",
"location": "Místo",
"locationPlaceholder": "Příjemná kavárna v centru",
"lockPoll": "Zamknout anketu",
"login": "Přihlásit",
"logout": "Odhlásit se",
"manage": "Spravovat",
"menu": "Menu",
"mixedOptionsDescription": "Nemůžete mít ve stejné anketě souběžně datum i čas. Kterou volbu chcete zachovat?",
"mixedOptionsKeepDates": "Zachovat datum",
"mixedOptionsKeepTimes": "Zachovat čas",
"mixedOptionsTitle": "Vydržte chvilku…🤔",
"monday": "Pondělí",
"monthView": "Měsíční pohled",
"name": "Jméno",
"namePlaceholder": "Karel Novák",
"new": "Nový",
"adminPollTitle": "{{title}}: Admin",
"newPoll": "Nová anketa",
"createNew": "Vytvořit novou",
"home": "Domů",
"next": "Další",
"nextMonth": "Další měsíc",
"no": "Ne",
"noDatesSelected": "Nebyl vybrán žádný termín",
"notificationsDisabled": "Oznámení byla vypnuta",
"notificationsOff": "Oznámení jsou vypnuta",
"notificationsOn": "Oznámení jsou zapnuta",
"notificationsOnDescription": "Jakmile se v anketě něco změní, dostanete upozornění na adresu <b>{{email}}</b>.",
"notificationsVerifyEmail": "Pro zapnutí oznámení musíte ověřit svůj e-mail",
"notRegistered": "Vytvoriť nový účet →",
"noVotes": "Nikdo pro tuto možnost nehlasoval",
"ok": "Ok",
"participant": "Účastník",
"participantCount_few": "{{count}} účastníků",
"participantCount_many": "{{count}} účastníků",
"participantCount_one": "{{count}} účastník",
"participantCount_other": "{{count}} účastníků",
"participantCount_two": "{{count}} účastníků",
"participantCount_zero": "{{count}} účastníků",
"pollHasBeenLocked": "Anketa byla uzamčena",
"pollHasBeenVerified": "Vaše anketa byla ověřena",
"pollOwnerNotice": "Dobrý den, {{name}}, zdá se, že jste vlastníkem této ankety.",
"pollsEmpty": "Nebyly vytvořeny žádné ankety",
"possibleAnswers": "Možné odpovědi",
"preferences": "Předvolby",
"previousMonth": "Předchozí měsíc",
"profileUser": "Profil - {{username}}",
"register": "Registrovať sa ",
"requiredNameError": "Jméno je vyžadováno",
"resendVerificationCode": "Znovu odeslat ověřovací kód",
"save": "Uložit",
"saveInstruction": "Vyberte svou dostupnost a klikněte na <b>{{action}}</b>",
"share": "Sdílet",
"shareDescription": "Tento odkaz zašlete vašim <b>účastníkům</b>, aby mohli v anketě hlasovat.",
"shareLink": "Odkaz ke sdílení",
"specifyTimes": "Určete časy",
"specifyTimesDescription": "Zahrnout počáteční a koncové časy pro každý termín",
"stepSummary": "Krok {{current}} z {{total}}",
"sunday": "Neděli",
"timeFormat": "Formát času:",
"timeZone": "Časová zóna:",
"title": "Název",
"titlePlaceholder": "Měsíční setkání",
"today": "Dnes",
"unlockPoll": "Odemknout anketu",
"unverifiedMessage": "Na adresu <b>{{email}}</b> byl zaslán odkaz pro ověření e-mailové adresy.",
"user": "Uživatel",
"userAlreadyExists": "Uživatel s tímto e-mailem již existuje",
"userNotFound": "Uživatel s tímto e-mailem neexistuje",
"verificationCodeHelp": "Nedostali jste e-mail? Zkontrolujte spam/junk.",
"verificationCodePlaceholder": "Zadejte 6místný kód",
"verificationCodeSent": "Ověřovací kód byl odeslán na adresu <b>{{email}}</b> <a>Změnit</a>",
"verifyYourEmail": "Ověřte e-mailovou adresu",
"weekStartsOn": "Týden začíná v",
"weekView": "Týdenní pohled",
"whatsThis": "Co to znamená?",
"wrongVerificationCode": "Váš ověřovací kód je nesprávný nebo vypršela jeho platnost",
"yes": "Ano",
"you": "Vy",
"yourDetails": "Vaše údaje",
"yourName": "Vaše jméno…",
"yourPolls": "Vaše ankety",
"yourProfile": "Váš profil"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blog",
"discussions": "Diskuze",
"donate": "Podpořit",
"footerCredit": "Vytvořil <a>@imlukevella</a>",
"footerSponsor": "Tento projekt je financován uživateli. Zvažte jeho podporu <a>příspěvkem</a>.",
"home": "Domů",
"language": "Jazyk",
"links": "Odkazy",
"poweredBy": "Poháněn",
"privacyPolicy": "Ochrana osobních údajů",
"starOnGithub": "Dejte nám hvězdu na Github",
"support": "Podpora",
"volunteerTranslator": "Pomozte přeložit tento web"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 nenalezeno",
"notFoundDescription": "Nemohli jsme najít stránku, kterou hledáte.",
"goToHome": "Přejít domů",
"startChat": "Zahájit chat"
}

View file

@ -0,0 +1,39 @@
{
"3Ls": "Ano—se 3 <e>L</e>",
"adFree": "Bez reklam",
"adFreeDescription": "Nechte svůj blokátor reklam spát = tady nebude potřeba.",
"comments": "Komentáře",
"commentsDescription": "Účastníci se mohou vyjádřit k vašemu průzkumu a komentáře budou viditelné pro všechny.",
"features": "Funkce",
"featuresSubheading": "Plánování, chytřeji",
"getStarted": "Začněme",
"heroSubText": "Najděte správné datum bez běhání tam a zpět",
"heroText": "Plánujte<br/><s>setkání skupin</s><br />snadno",
"links": "Odkazy",
"liveDemo": "Demo",
"metaDescription": "Vytvořte ankety a hlasujte pro nalezení nejlepšího dne nebo času. Bezplatná alternativa k Doodle.",
"metaTitle": "Rallly - naplánovat setkání skupin",
"mobileFriendly": "Vhodné pro mobil",
"mobileFriendlyDescription": "Funguje skvěle na mobilních zařízeních, aby účastníci mohli odpovídat na ankety, ať jsou kdekoliv.",
"new": "Nové",
"noLoginRequired": "Bez přihlášení",
"noLoginRequiredDescription": "Pro vytvoření nebo účast v anketě se nemusíte přihlásit",
"notifications": "Oznámení",
"notificationsDescription": "Sledujte kdo odpověděl. Dostávejte upozornění, když účastníci hlasují nebo komentují Vaši anketu.",
"openSource": "Open-source",
"openSourceDescription": "Veškerý kód je plně open-source a <a>k dispozici na GitHub</a>.",
"participant": "Účastník",
"participantCount_zero": "{{count}} účastníků",
"participantCount_one": "{{count}} účastník",
"participantCount_two": "{{count}} účastníků",
"participantCount_few": "{{count}} účastníků",
"participantCount_many": "{{count}} účastníků",
"participantCount_other": "{{count}} účastníků",
"perfect": "Skvěle!",
"principles": "Zásady",
"principlesSubheading": "Nejsme jako ostatní",
"selfHostable": "Vlastní hosting",
"selfHostableDescription": "Rozjeďte si vlastní server a získejte plnou kontrolu nad svými daty",
"timeSlots": "Časové sloty",
"timeSlotsDescription": "Nastavte počáteční a koncový čas pro každou možnost ve Vaší anketě. Časy mohou být automaticky upraveny podle časové zóny každého účastníka, nebo mohou být nastaveny tak, aby zcela časové zóny ignorovaly."
}

View file

@ -0,0 +1,118 @@
{
"12h": "12-timer",
"24h": "24-timer",
"addParticipant": "Tilføj medlem",
"addTimeOption": "Tilføj tidspunkt",
"alreadyVoted": "Du har allerede stemt",
"applyToAllDates": "Tilføj til alle datoer",
"areYouSure": "Er du sikker?",
"back": "Tilbage",
"calendarHelp": "Du kan ikke oprette en afstemning uden valgmuligheder. Tilføj mindst et tidspunkt for at fortsætte.",
"calendarHelpTitle": "Glemt noget?",
"cancel": "Afbryd",
"comment": "Kommentar",
"commentPlaceholder": "Giv en kommentar for denne afstemning (Synlig for alle)",
"comments": "Kommentarer",
"continue": "Fortsæt",
"copied": "Kopieret",
"copyLink": "Kopiér link",
"createdBy": "af <b>{{name}}</b>",
"createPoll": "Opret afstemning",
"creatingDemo": "Opretter prøve afstemning…",
"delete": "Slet",
"deleteComment": "Slet kommentar",
"deleteDate": "Slet dato",
"deletedPoll": "Slettet afstemning",
"deletedPollInfo": "Denne afstemning eksistere ikke længere.",
"deletePoll": "Slet afstemning",
"deletePollDescription": "Alle data relateret til denne afstemning vil blive slettet. For bekræftning skriv <s>\"{{confirmText}}\"</s> i feltet nedenfor:",
"deletingOptionsWarning": "Du sletter mulighederne som medlemmer har stemt på. Deres stemmer vil også blive slettet.",
"demoPollNotice": "Prøv afstemning vil blive slettet efter 1 dag",
"description": "Beskrivelse",
"descriptionPlaceholder": "Hej alle, vælg venligst de datoer som passer jer!",
"donate": "Donér",
"edit": "Rediger",
"editDetails": "Redigér detaljer",
"editOptions": "Redigér muligheder",
"email": "Email",
"emailPlaceholder": "jessie.smith@email.com",
"endingGuestSessionNotice": "Når en gæste-session slutter kan den ikke blive genoptaget. Du vil ikke kunne redigere i afstemninger eller kommentarer du har lavet i denne session.",
"endSession": "Afslut session",
"exportToCsv": "Eksportér til CSV",
"forgetMe": "Glem mig",
"goToAdmin": "Gå til Admin",
"guest": "Gæst",
"guestSessionNotice": "Du bruger en gæste-session. Dette tillader os af genkende dig hvis du kommer tilbage for at redigere dine valg.",
"guestSessionReadMore": "Læs mere om gæste-sessioner.",
"hide": "Skjul",
"ifNeedBe": "Hvis behov",
"linkHasExpired": "Dit link er udløbet eller ikke længere gyldigt",
"loading": "Indlæser…",
"loadingParticipants": "Indlæser deltagere…",
"location": "Placering",
"locationPlaceholder": "Joe's Kaffebutik",
"lockPoll": "Lås afstemning",
"login": "Log ind",
"logout": "Log ud",
"manage": "Administrér",
"menu": "Menu",
"mixedOptionsDescription": "Du kan ikke have både tid og dato muligheder i den samme afstemning. Hvad vil du holde?",
"mixedOptionsKeepDates": "Behold dato muligheder",
"mixedOptionsKeepTimes": "Behold tid muligheder",
"mixedOptionsTitle": "Tøv en kende…🤔",
"monday": "Mandag",
"monthView": "Månedsvisning",
"name": "Navn",
"namePlaceholder": "Jessie Smith",
"new": "Ny",
"newPoll": "Ny afstemning",
"next": "Næste",
"nextMonth": "Næste måned",
"no": "Nej",
"noDatesSelected": "Ingen datoer valgt",
"notificationsDisabled": "Notifikationer er blevet deaktiveret",
"notificationsOff": "Notifikationer er slået fra",
"notificationsOn": "Notifikationer er slået til",
"notificationsOnDescription": "En e-mail vil blive sendt til <b>{{email}}</b>, når der er aktivitet i denne afstemning.",
"notificationsVerifyEmail": "Du skal bekræfte din e-mail for at aktivere notifikationer",
"noVotes": "Ingen har stemt for denne mulighed",
"ok": "Ok",
"participant": "Deltager",
"participantCount_one": "{{count}} deltager",
"participantCount_other": "{{count}} deltagere",
"pollHasBeenLocked": "Denne afstemning er blevet låst",
"pollHasBeenVerified": "Din afstemning er blevet bekræftet",
"pollOwnerNotice": "Hej {{name}}, det ser ud til at du er ejer af denne afstemning.",
"pollsEmpty": "Ingen afstemninger oprettet",
"possibleAnswers": "Mulige svar",
"preferences": "Indstillinger",
"previousMonth": "Forrige måned",
"profileUser": "Profil - {{username}}",
"requiredNameError": "Navn er påkrævet",
"save": "Gem",
"saveInstruction": "Vælg din tilgængelighed og klik <b>{{action}}</b>",
"share": "Del",
"shareDescription": "Giv dette link til dine <b>deltagere</b> for at give dem mulighed for at stemme på din afstemning.",
"shareLink": "Del via link",
"specifyTimes": "Angiv tidspunkter",
"specifyTimesDescription": "Inkluder start- og sluttidspunkter for hver valgmulighed",
"stepSummary": "Trin {{current}} af {{total}}",
"sunday": "Søndag",
"timeFormat": "Tidsformat:",
"timeZone": "Tidszone:",
"title": "Overskrift",
"titlePlaceholder": "Månedligt Møde",
"today": "I dag",
"unlockPoll": "Lås afstemning op",
"unverifiedMessage": "En e-mail er blevet sendt til <b>{{email}}</b> med et link til at bekræfte e-mailadressen.",
"user": "Bruger",
"weekStartsOn": "Ugen starter med",
"weekView": "Ugevisning",
"whatsThis": "Hvad er dette?",
"yes": "Ja",
"you": "Dig",
"yourDetails": "Dine detaljer",
"yourName": "Dit navn…",
"yourPolls": "Dine afstemninger",
"yourProfile": "Din profil"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blog",
"discussions": "Diskussioner",
"donate": "Donér",
"footerCredit": "Lavet af <a>@imlukevella</a>",
"footerSponsor": "Dette projekt er brugerfinansieret. Overvej at støtte det ved at <a>donere</a>.",
"home": "Hjem",
"language": "Sprog",
"links": "Links",
"poweredBy": "Drevet af",
"privacyPolicy": "Fortrolighedspolitik",
"starOnGithub": "Giv en stjerne på GitHub",
"support": "Support",
"volunteerTranslator": "Hjælp med at oversætte dette websted"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 Ikke Fundet",
"notFoundDescription": "Kunne ikke finde den side, du ledte efter.",
"goToHome": "Gå til startside",
"startChat": "Start chat"
}

View file

@ -0,0 +1,35 @@
{
"3Ls": "Ja—med 3 <e>L</e>s",
"adFree": "Reklamefri",
"adFreeDescription": "Du kan give din ad-blocker en hvile - du behøver ikke det her.",
"comments": "Kommentarer",
"commentsDescription": "Deltagere kan kommentere på din afstemning, og kommentarerne vil være synlige for alle.",
"features": "Funktioner",
"featuresSubheading": "Planlægning, den smarte måde",
"getStarted": "Kom igang",
"heroSubText": "Find den rigtige dato uden for meget koordinering",
"heroText": "Planlæg<br/><s>gruppemøder</s><br />med lethed",
"links": "Links",
"liveDemo": "Live Demo",
"metaDescription": "Opret afstemninger og stemme for at finde den bedste dag eller tid. Et gratis alternativ til Doodle.",
"metaTitle": "Rallly - Planlæg gruppemøder",
"mobileFriendly": "Mobil venlig",
"mobileFriendlyDescription": "Fungerer godt på mobile enheder, så deltagerne kan reagere på afstemninger, uanset hvor de måtte være.",
"new": "Ny",
"noLoginRequired": "Intet login påkrævet",
"noLoginRequiredDescription": "Du behøver ikke logge ind for at oprette eller deltage i en afstemning",
"notifications": "Notifikationer",
"notificationsDescription": "Hold styr på, hvem der er svaret. Få besked, når deltagerne stemmer eller kommenterer på din afstemning.",
"openSource": "Open-source",
"openSourceDescription": "Kodebasen er fuldt open source og <a>tilgængelig på GitHub</a>.",
"participant": "Deltager",
"participantCount_one": "{{count}} deltager",
"participantCount_other": "{{count}} deltagere",
"perfect": "Perfekt!",
"principles": "Principper",
"principlesSubheading": "Vi er ikke som de andre",
"selfHostable": "Self-hostable",
"selfHostableDescription": "Kør det på din egen server for at få fuld kontrol over dine data",
"timeSlots": "Tidsinterval",
"timeSlotsDescription": "Angiv individuelle start- og sluttidspunkter for hver indstilling i din afstemning. Tider kan automatisk justeres til hver deltagers tidszone, eller de kan indstilles til at ignorere tidszoner helt."
}

View file

@ -0,0 +1,137 @@
{
"12h": "12 Stunden",
"24h": "24 Stunden",
"addParticipant": "Teilnehmer hinzufügen",
"addTimeOption": "Uhrzeit hinzufügen",
"alreadyRegistered": "Bereits registriert? <a>Anmelden →</a>",
"alreadyVoted": "Du hast bereits abgestimmt",
"applyToAllDates": "Auf alle Termine anwenden",
"areYouSure": "Bist du sicher?",
"back": "Zurück",
"calendarHelp": "Du kannst keine Umfrage ohne Optionen erstellen. Füge mindestens eine Option hinzu, um fortzufahren.",
"calendarHelpTitle": "Irgendwas vergessen?",
"cancel": "Abbrechen",
"comment": "Kommentieren",
"commentPlaceholder": "Kommentar zu dieser Umfrage hinterlassen (für jeden sichtbar)",
"comments": "Kommentare",
"continue": "Weiter",
"copied": "Kopiert",
"copyLink": "Link kopieren",
"createAnAccount": "Account erstellen",
"createdBy": "von <b>{{name}}</b>",
"createPoll": "Umfrage erstellen",
"creatingDemo": "Demo-Umfrage wird erstellt…",
"delete": "Löschen",
"deleteComment": "Kommentar löschen",
"deleteDate": "Tag löschen",
"deletedPoll": "Umfrage gelöscht",
"deletedPollInfo": "Diese Umfrage existiert nicht mehr.",
"deletePoll": "Umfrage löschen",
"deletePollDescription": "Alle Daten zu dieser Umfrage werden gelöscht. Zur Bestätigung geben Sie bitte <s>“{{confirmText}}”</s> in das folgende Feld ein:",
"deletingOptionsWarning": "Du löschst Optionen, für die bereits Teilnehmer gestimmt haben. Ihre Stimmen werden ebenfalls gelöscht.",
"demoPollNotice": "Demo-Umfragen werden automatisch nach einem Tag gelöscht",
"description": "Beschreibung",
"descriptionPlaceholder": "Hallo ihr, bitte wählt alle Termine aus, die für euch passen!",
"donate": "Spenden",
"edit": "Bearbeiten",
"editDetails": "Details bearbeiten",
"editOptions": "Optionen bearbeiten",
"email": "E-Mail",
"emailPlaceholder": "Max.Mustermann@mail.de",
"endingGuestSessionNotice": "Sobald eine Gastsitzung beendet ist, kann sie nicht fortgesetzt werden. Du kannst weder Auswahl noch Kommentare bearbeiten, die Du mit dieser Sitzung gemacht hast.",
"endSession": "Sitzung beenden",
"exportToCsv": "CSV exportieren",
"forgetMe": "Vergiss mich",
"goToAdmin": "Zur Admin Oberfläche",
"guest": "Gast",
"guestSessionNotice": "Du benutzt eine Gastsitzung, so können wir dich erkennen, wenn du später wiederkommst, damit du deine Angaben bearbeiten kannst.",
"guestSessionReadMore": "Mehr über Gastsitzungen.",
"hide": "Ausblenden",
"ifNeedBe": "Falls erforderlich",
"linkHasExpired": "Der Link ist abgelaufen oder ungültig",
"loading": "Wird geladen…",
"loadingParticipants": "Teilnehmerliste wird geladen…",
"location": "Ort",
"locationPlaceholder": "Joe's Café",
"lockPoll": "Umfragen sperren",
"login": "Login",
"logout": "Logout",
"manage": "Verwalten",
"menu": "Menü",
"mixedOptionsDescription": "Du kannst keine Zeit- und Datumsoptionen in der gleichen Umfrage haben. Welche möchtest Du beibehalten?",
"mixedOptionsKeepDates": "Datumsoptionen beibehalten",
"mixedOptionsKeepTimes": "Zeitoptionen beibehalten",
"mixedOptionsTitle": "Warte einen Moment…🤔",
"monday": "Montag",
"monthView": "Monatsansicht",
"name": "Name",
"namePlaceholder": "Max Mustermann",
"new": "Neu",
"adminPollTitle": "{{title}}: Admin",
"newPoll": "Neue Umfrage",
"createNew": "Neue Umfrage",
"home": "Startseite",
"next": "Weiter",
"nextMonth": "Nächster Monat",
"no": "Nein",
"noDatesSelected": "Kein Datum ausgewählt",
"notificationsDisabled": "Benachrichtigungen wurden deaktiviert",
"notificationsOff": "Benachrichtigungen sind deaktiviert",
"notificationsOn": "Benachrichtigungen sind aktiv",
"notificationsOnDescription": "Wenn diese Umfrage bearbeitet wird, wird eine E-Mail an <b>{{email}}</b> gesendet.",
"notificationsVerifyEmail": "Du musst deine E-Mail-Adresse bestätigen, um Benachrichtigungen zu aktivieren",
"notRegistered": "Account erstellen →",
"noVotes": "Niemand hat für diese Option gestimmt",
"ok": "Ok",
"participant": "Teilnehmer",
"participantCount_few": "{{count}} Teilnehmer",
"participantCount_many": "{{count}} Teilnehmer",
"participantCount_one": "{{count}} Teilnehmer",
"participantCount_other": "{{count}} Teilnehmer",
"participantCount_two": "{{count}} Teilnehmer",
"participantCount_zero": "{{count}} Teilnehmer",
"pollHasBeenLocked": "Diese Umfrage wurde gesperrt",
"pollHasBeenVerified": "Deine Umfrage wurde verifiziert",
"pollOwnerNotice": "Hallo {{name}}, sieht so aus, als ob du der Besitzer dieser Umfrage bist.",
"pollsEmpty": "Keine Umfragen erstellt",
"possibleAnswers": "Mögliche Antworten",
"preferences": "Einstellungen",
"previousMonth": "Vorheriger Monat",
"profileUser": "Profil - {{username}}",
"register": "Registrieren",
"requiredNameError": "Bitte gib einen Namen an",
"resendVerificationCode": "Bestätigungscode erneut senden",
"save": "Speichern",
"saveInstruction": "Wähle deine Verfügbarkeit und klicke auf <b>{{action}}</b>",
"share": "Teilen",
"shareDescription": "Gib diesen Link deinen <b>Teilnehmern</b> damit sie an deiner Umfrage teilnehmen können.",
"shareLink": "Über Link teilen",
"specifyTimes": "Uhrzeiten angeben",
"specifyTimesDescription": "Start- und Endzeit für jede Option angeben",
"stepSummary": "Schritt {{current}} von {{total}}",
"sunday": "Sonntag",
"timeFormat": "Uhrzeitformat:",
"timeZone": "Zeitzone:",
"title": "Titel",
"titlePlaceholder": "Monatliches Meeting",
"today": "Heute",
"unlockPoll": "Umfrage entsperren",
"unverifiedMessage": "Ein Link zur Bestätigung der E-Mail-Adresse wurde an <b>{{email}}</b> versendet.",
"user": "Benutzer",
"userAlreadyExists": "Ein Benutzer mit dieser E-Mail-Adresse ist bereits vorhanden",
"userNotFound": "Es existiert kein Benutzer mit dieser E-Mail-Adresse",
"verificationCodeHelp": "E-Mail nicht erhalten? Überprüfe deinen Spamordner.",
"verificationCodePlaceholder": "6-stelligen Code eingeben",
"verificationCodeSent": "Ein Bestätigungscode wurde an <b>{{email}}</b> gesendet<a>Ändern</a>",
"verifyYourEmail": "Bestätige Deine E-Mail-Adresse",
"weekStartsOn": "Woche beginnt am",
"weekView": "Wochenansicht",
"whatsThis": "Was ist das?",
"wrongVerificationCode": "Dein Bestätigungscode ist abgelaufen oder falsch",
"yes": "Ja",
"you": "Du",
"yourDetails": "Persönliche Angaben",
"yourName": "Dein Name…",
"yourPolls": "Deine Umfragen",
"yourProfile": "Profil"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blog",
"discussions": "Diskussion",
"donate": "Spenden",
"footerCredit": "Entwickelt von <a>@imlukevella</a>",
"footerSponsor": "Dieses Projekt wird von Nutzern finanziert. Bitte unterstütze es durch eine <a>Spende</a>.",
"home": "Startseite",
"language": "Sprache",
"links": "Links",
"poweredBy": "Unterstützt von",
"privacyPolicy": "Datenschutzerklärung",
"starOnGithub": "Auf GitHub markieren",
"support": "Hilfe",
"volunteerTranslator": "Hilf mit, diese Seite zu übersetzen"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 Seite nicht gefunden",
"notFoundDescription": "Die gewünschte Seite konnte nicht gefunden werden.",
"goToHome": "Zur Startseite",
"startChat": "Starte Chat"
}

View file

@ -0,0 +1,39 @@
{
"3Ls": "Ja mit 3 <e>L</e>s",
"adFree": "Ohne Werbung",
"adFreeDescription": "Gönn deinem Adblocker eine Pause - du brauchst ihn hier nicht.",
"comments": "Kommentare",
"commentsDescription": "Teilnehmer können deine Umfrage kommentieren, die Kommentare sind für alle sichtbar.",
"features": "Funktionen",
"featuresSubheading": "Terminfindung leicht gemacht",
"getStarted": "Los geht's",
"heroSubText": "Finde ohne Hin und Her den richtigen Termin",
"heroText": "Plane<br/><s>Besprechungen</s><br />ganz einfach",
"links": "Links",
"liveDemo": "Live Demo",
"metaDescription": "Erstelle Umfragen und stimme ab, um den besten Tag oder die beste Zeit zu finden. Eine kostenlose Alternative zu Doodle.",
"metaTitle": "Rallly - Gruppenmeetings planen",
"mobileFriendly": "Für Mobilgeräte optimiert",
"mobileFriendlyDescription": "Funktioniert hervorragend auf mobilen Geräten, so dass Teilnehmer auf Umfragen antworten können, wo immer sie sich befinden.",
"new": "Neu",
"noLoginRequired": "Keine Anmeldung benötigt",
"noLoginRequiredDescription": "Du musst dich nicht einloggen, um eine Umfrage zu erstellen oder an ihr teilzunehmen",
"notifications": "Benachrichtigungen",
"notificationsDescription": "Behalte den Überblick darüber, wer geantwortet hat. Werde benachrichtigt, wenn Teilnehmer abstimmen oder deine Umfrage kommentieren.",
"openSource": "Open Source",
"openSourceDescription": "Die Codebase ist vollständig Open-Source und <a>auf GitHub</a> verfügbar.",
"participant": "Teilnehmer",
"participantCount_zero": "{{count}} Teilnehmer",
"participantCount_one": "{{count}} Teilnehmer",
"participantCount_two": "{{count}} Teilnehmer",
"participantCount_few": "{{count}} Teilnehmer",
"participantCount_many": "{{count}} Teilnehmer",
"participantCount_other": "{{count}} Teilnehmer",
"perfect": "Perfekt!",
"principles": "Grundsätze",
"principlesSubheading": "Wir sind nicht wie die anderen",
"selfHostable": "Selfhosting möglich",
"selfHostableDescription": "Betreibe es auf deinem eigenen Server, um die volle Kontrolle über deine Daten zu haben",
"timeSlots": "Zeitfenster",
"timeSlotsDescription": "Wähle individuelle Start- und Endzeiten für jede Option in deiner Umfrage. Die Zeiten können automatisch an die Zeitzone jedes Teilnehmers angepasst werden oder so eingestellt werden, dass Zeitzonen komplett ignoriert werden."
}

View file

@ -0,0 +1,150 @@
{
"12h": "12-hour",
"24h": "24-hour",
"addParticipant": "Add participant",
"addTimeOption": "Add time option",
"alreadyRegistered": "Already registered? <a>Login →</a>",
"alreadyVoted": "You have already voted",
"applyToAllDates": "Apply to all dates",
"areYouSure": "Are you sure?",
"back": "Back",
"calendarHelp": "You can't create a poll without any options. Add at least one option to continue.",
"calendarHelpTitle": "Forget something?",
"cancel": "Cancel",
"comment": "Comment",
"commentPlaceholder": "Leave a comment on this poll (visible to everyone)",
"comments": "Comments",
"continue": "Continue",
"copied": "Copied",
"copyLink": "Copy link",
"createAnAccount": "Create an account",
"createdBy": "by <b>{{name}}</b>",
"createPoll": "Create poll",
"creatingDemo": "Creating demo poll…",
"delete": "Delete",
"deleteComment": "Delete comment",
"deleteDate": "Delete date",
"deletedPoll": "Deleted poll",
"deletedPollInfo": "This poll doesn't exist anymore.",
"deletePoll": "Delete poll",
"deletePollDescription": "All data related to this poll will be deleted. To confirm, please type <s>“{{confirmText}}”</s> in to the input below:",
"deletingOptionsWarning": "You are deleting options that participants have voted for. Their votes will also be deleted.",
"demoPollNotice": "Demo polls are automatically deleted after 1 day",
"description": "Description",
"descriptionPlaceholder": "Hey everyone, please choose the dates that work for you!",
"donate": "Donate",
"edit": "Edit",
"editDetails": "Edit details",
"editOptions": "Edit options",
"email": "Email",
"emailPlaceholder": "jessie.smith@email.com",
"endingGuestSessionNotice": "Once a guest session ends it cannot be resumed. You will not be able to edit any votes or comments you've made with this session.",
"endSession": "End session",
"exportToCsv": "Export to CSV",
"forgetMe": "Forget me",
"goToAdmin": "Go to Admin",
"guest": "Guest",
"guestSessionNotice": "You are using a guest session. This allows us to recognize you if you come back later so you can edit your votes.",
"guestSessionReadMore": "Read more about guest sessions.",
"hide": "Hide",
"ifNeedBe": "If need be",
"linkHasExpired": "Your link has expired or is no longer valid",
"loading": "Loading…",
"loadingParticipants": "Loading participants…",
"validEmail": "Please enter a valid email",
"newParticipantFormDescription": "Fill in the form below to submit your votes.",
"optional": "optional",
"location": "Location",
"locationPlaceholder": "Joe's Coffee Shop",
"lockPoll": "Lock poll",
"response": "Response",
"login": "Login",
"logout": "Logout",
"manage": "Manage",
"menu": "Menu",
"submit": "Submit",
"mixedOptionsDescription": "You can't have both time and date options in the same poll. Which would you like to keep?",
"mixedOptionsKeepDates": "Keep date options",
"mixedOptionsKeepTimes": "Keep time options",
"mixedOptionsTitle": "Wait a minute… 🤔",
"monday": "Monday",
"monthView": "Month view",
"name": "Name",
"namePlaceholder": "Jessie Smith",
"new": "New",
"adminPollTitle": "{{title}}: Admin",
"newPoll": "New poll",
"createNew": "Create new",
"home": "Home",
"next": "Next",
"nextMonth": "Next month",
"no": "No",
"noDatesSelected": "No dates selected",
"notificationsDisabled": "Notifications have been disabled",
"notificationsOff": "Notifications are off",
"notificationsOn": "Notifications are on",
"notificationsOnDescription": "An email will be sent to <b>{{email}}</b> when there is activity on this poll.",
"notificationsVerifyEmail": "You need to verify your email to turn on notifications",
"notRegistered": "Create a new account →",
"noVotes": "No one has voted for this option",
"ok": "Ok",
"participant": "Participant",
"participantCount_few": "{{count}} participants",
"participantCount_many": "{{count}} participants",
"participantCount_one": "{{count}} participant",
"requiredString": "“{{name}}” is required",
"participantCount_other": "{{count}} participants",
"participantCount_two": "{{count}} participants",
"participantCount_zero": "{{count}} participants",
"optionCount_few": "{{count}} options",
"optionCount_many": "{{count}} options",
"optionCount_one": "{{count}} option",
"optionCount_other": "{{count}} options",
"optionCount_two": "{{count}} options",
"optionCount_zero": "{{count}} options",
"newParticipant": "New participant",
"pollHasBeenLocked": "This poll has been locked",
"pollHasBeenVerified": "Your poll has been verified",
"pollOwnerNotice": "Hey {{name}}, looks like you are the owner of this poll.",
"pollsEmpty": "No polls created",
"possibleAnswers": "Possible answers",
"preferences": "Preferences",
"previousMonth": "Previous month",
"profileUser": "Profile - {{username}}",
"register": "Register",
"requiredNameError": "Name is required",
"resendVerificationCode": "Resend verification code",
"save": "Save",
"saveInstruction": "Select your availability and click <b>{{action}}</b>",
"share": "Share",
"shareDescription": "Give this link to your <b>participants</b> to allow them to vote on your poll.",
"shareLink": "Share via link",
"specifyTimes": "Specify times",
"specifyTimesDescription": "Include start and end times for each option",
"stepSummary": "Step {{current}} of {{total}}",
"sunday": "Sunday",
"timeFormat": "Time format:",
"timeZone": "Time Zone:",
"title": "Title",
"titlePlaceholder": "Monthly Meetup",
"today": "Today",
"unlockPoll": "Unlock poll",
"unverifiedMessage": "An email has been sent to <b>{{email}}</b> with a link to verify the email address.",
"user": "User",
"userAlreadyExists": "A user with that email already exists",
"userNotFound": "A user with that email doesn't exist",
"verificationCodeHelp": "Didn't get the email? Check your spam/junk.",
"verificationCodePlaceholder": "Enter your 6-digit code",
"verificationCodeSent": "A verification code has been sent to <b>{{email}}</b> <a>Change</a>",
"verifyYourEmail": "Verify your email",
"weekStartsOn": "Week starts on",
"weekView": "Week view",
"whatsThis": "What's this?",
"wrongVerificationCode": "Your verification code is incorrect or has expired",
"yes": "Yes",
"you": "You",
"yourDetails": "Your details",
"yourName": "Your name…",
"yourPolls": "Your polls",
"yourProfile": "Your profile"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blog",
"discussions": "Discussions",
"donate": "Donate",
"footerCredit": "Made by <a>@imlukevella</a>",
"footerSponsor": "This project is user-funded. Please consider supporting it by <a>donating</a>.",
"home": "Home",
"language": "Language",
"links": "Links",
"poweredBy": "Powered by",
"privacyPolicy": "Privacy Policy",
"starOnGithub": "Star us on Github",
"support": "Support",
"volunteerTranslator": "Help translate this site"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 not found",
"notFoundDescription": "We couldn't find the page you're looking for.",
"goToHome": "Go to home",
"startChat": "Start chat"
}

View file

@ -0,0 +1,39 @@
{
"3Ls": "Yes—with 3 <e>L</e>s",
"adFree": "Ad-free",
"adFreeDescription": "You can give your ad-blocker a rest — You won't need it here.",
"comments": "Comments",
"commentsDescription": "Participants can comment on your poll and the comments will be visible to everyone.",
"features": "Features",
"featuresSubheading": "Scheduling, the smart way",
"getStarted": "Get started",
"heroSubText": "Find the right date without the back and forth",
"heroText": "Schedule<br/><s>group meetings</s><br />with ease",
"links": "Links",
"liveDemo": "Live demo",
"metaDescription": "Create polls and vote to find the best day or time. A free alternative to Doodle.",
"metaTitle": "Rallly - Schedule group meetings",
"mobileFriendly": "Mobile friendly",
"mobileFriendlyDescription": "Works great on mobile devices so participants can respond to polls wherever they may be.",
"new": "New",
"noLoginRequired": "No login required",
"noLoginRequiredDescription": "You don't need to login to create or participate in a poll",
"notifications": "Notifications",
"notificationsDescription": "Keep track of who's responded. Get notified when participants vote or comment on your poll.",
"openSource": "Open-source",
"openSourceDescription": "The codebase is fully open-source and <a>available on GitHub</a>.",
"participant": "Participant",
"participantCount_zero": "{{count}} participants",
"participantCount_one": "{{count}} participant",
"participantCount_two": "{{count}} participants",
"participantCount_few": "{{count}} participants",
"participantCount_many": "{{count}} participants",
"participantCount_other": "{{count}} participants",
"perfect": "Perfect!",
"principles": "Principles",
"principlesSubheading": "We're not like the others",
"selfHostable": "Self-hostable",
"selfHostableDescription": "Run it on your own server to take full control of your data",
"timeSlots": "Time slots",
"timeSlotsDescription": "Set individual start and end times for each option in your poll. Times can be automatically adjusted to each participant's timezone or they can be set to ignore timezones completely."
}

View file

@ -0,0 +1,137 @@
{
"12h": "12h",
"24h": "24h",
"addParticipant": "Añadir participante",
"addTimeOption": "Añadir hora",
"alreadyRegistered": "¿Ya estás registrado? <a>Iniciar sesión →</a>",
"alreadyVoted": "Ya has votado",
"applyToAllDates": "Aplicar a todas las fechas",
"areYouSure": "¿Estás seguro?",
"back": "Volver",
"calendarHelp": "No puedes crear una encuesta sin ninguna opción. Añada al menos una opción para continuar.",
"calendarHelpTitle": "¿Olvidaste algo?",
"cancel": "Cancelar",
"comment": "Comentario",
"commentPlaceholder": "Dejar un comentario en esta encuesta (visible para todos)",
"comments": "Comentarios",
"continue": "Continuar",
"copied": "Copiado",
"copyLink": "Copiar enlace",
"createAnAccount": "Crea una cuenta",
"createdBy": "de <b>{{name}}</b>",
"createPoll": "Crear encuesta",
"creatingDemo": "Creando una encuesta de demostración…",
"delete": "Borrar",
"deleteComment": "Borrar comentario",
"deleteDate": "Borrar fecha",
"deletedPoll": "Encuesta borrada",
"deletedPollInfo": "Esta encuesta ya no existe.",
"deletePoll": "Borrar encuesta",
"deletePollDescription": "Todos los datos relacionados con esta encuesta se eliminarán. Para confirmar, por favor escribe <s>“{{confirmText}}”</s> en el campo siguiente:",
"deletingOptionsWarning": "Estás eliminando opciones por las que algunos participantes han votado. También se eliminarán sus votos.",
"demoPollNotice": "Las encuestas de demostración se eliminan automáticamente después de 1 día",
"description": "Descripción",
"descriptionPlaceholder": "¡Hola a todos, por favor elijan las fechas que les convengan!",
"donate": "Donar",
"edit": "Editar",
"editDetails": "Editar detalles",
"editOptions": "Editar opciones",
"email": "Correo electrónico",
"emailPlaceholder": "jessie.smith@email.com",
"endingGuestSessionNotice": "Una vez que finalices la sesión de visitante, no se puede reanudar. No podrás editar ningún voto o comentario que hayas hecho con esta sesión.",
"endSession": "Cerrar Sesión",
"exportToCsv": "Exportar a CSV",
"forgetMe": "Olvídame",
"goToAdmin": "Ir al panel de administración",
"guest": "Visitante",
"guestSessionNotice": "Estás usando una sesión de visitante. Esto nos permite reconocerte si vuelves más tarde para que puedas editar tus votos.",
"guestSessionReadMore": "Lee más sobre sesiones de visitantes.",
"hide": "Ocultar",
"ifNeedBe": "Si es necesario",
"linkHasExpired": "Tu enlace ha expirado o ya no es válido",
"loading": "Cargando…",
"loadingParticipants": "Cargando participantes…",
"location": "Ubicación",
"locationPlaceholder": "Café de Carlos",
"lockPoll": "Bloquear encuesta",
"login": "Iniciar sesión",
"logout": "Cerrar sesión",
"manage": "Gestionar",
"menu": "Menú",
"mixedOptionsDescription": "No puedes tener opciones de fecha y opciones de hora en la misma encuesta. ¿Cuáles quieres mantener?",
"mixedOptionsKeepDates": "Mantener las opciones de fecha",
"mixedOptionsKeepTimes": "Mantener las opciones de hora",
"mixedOptionsTitle": "Aguanta un minuto…🤔",
"monday": "Lunes",
"monthView": "Vista mensual",
"name": "Nombre",
"namePlaceholder": "Jessie Smith",
"new": "Nuevo",
"adminPollTitle": "{{title}}: Administrador",
"newPoll": "Nueva encuesta",
"createNew": "Crear nuevo",
"home": "Inicio",
"next": "Siguiente",
"nextMonth": "Siguiente mes",
"no": "No",
"noDatesSelected": "Ninguna fecha seleccionada",
"notificationsDisabled": "Las notificaciones han sido desactivadas",
"notificationsOff": "Las notificaciones están desactivadas",
"notificationsOn": "Las notificaciones están activadas",
"notificationsOnDescription": "Vamos a mandar un correo electrónico a <b>{{email}}</b> cuando haya actividad en esta encuesta.",
"notificationsVerifyEmail": "Tienes que verificar tu correo electrónico para activar las notificaciones",
"notRegistered": "Crea una cuenta →",
"noVotes": "Nadie ha votado por esta opción",
"ok": "Aceptar",
"participant": "Participante",
"participantCount_few": "{{count}} participantes",
"participantCount_many": "{{count}} participantes",
"participantCount_one": "{{count}} participante",
"participantCount_other": "{{count}} participantes",
"participantCount_two": "{{count}} participantes",
"participantCount_zero": "{{count}} participantes",
"pollHasBeenLocked": "Esta encuesta ha sido bloqueada",
"pollHasBeenVerified": "Esta encuesta ha sido verificada",
"pollOwnerNotice": "Hola {{name}}, parece que eres el dueño de esta encuesta.",
"pollsEmpty": "Ninguna encuesta creada",
"possibleAnswers": "Respuestas posibles",
"preferences": "Ajustes",
"previousMonth": "Mes anterior",
"profileUser": "Perfil - {{username}}",
"register": "Registrar",
"requiredNameError": "El nombre es obligatorio",
"resendVerificationCode": "Reenviar el código de verificación",
"save": "Guardar",
"saveInstruction": "Selecciona tu disponibilidad y haz clic en <b>{{action}}</b>",
"share": "Compartir",
"shareDescription": "Da este enlace a tus <b>participantes</b> para permitirles votar en tu encuesta.",
"shareLink": "Compartir con un enlace",
"specifyTimes": "Especificar tiempos",
"specifyTimesDescription": "Incluir horas de inicio y fin para cada opción",
"stepSummary": "Paso {{current}} de {{total}}",
"sunday": "Domingo",
"timeFormat": "Formato de hora:",
"timeZone": "Zona horaria:",
"title": "Título",
"titlePlaceholder": "Reunión mensual",
"today": "Hoy",
"unlockPoll": "Desbloquear encuesta",
"unverifiedMessage": "Se ha enviado un correo electrónico a <b>{{email}}</b> con un enlace para verificar la dirección de correo electrónico.",
"user": "Usuario",
"userAlreadyExists": "Ya existe un usuario con este correo electrónico",
"userNotFound": "No hay ningún usuario con esta dirección de correo",
"verificationCodeHelp": "¿No has recibido el correo electrónico? Revisa tu correo no deseado.",
"verificationCodePlaceholder": "Introduzca aquí el código de 6 cifras",
"verificationCodeSent": "Se ha enviado un código de verificación a <b>{{email}}</b> <a>Cambiar</a>",
"verifyYourEmail": "Verifica tu email",
"weekStartsOn": "La semana comienza el",
"weekView": "Vista semanal",
"whatsThis": "¿Qué es esto?",
"wrongVerificationCode": "Tu código de verificación es incorrecto o ha caducado",
"yes": "Sí",
"you": "Tú",
"yourDetails": "Tus datos",
"yourName": "Tu nombre…",
"yourPolls": "Tus encuestas",
"yourProfile": "Tu perfil"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blog",
"discussions": "Discusiones",
"donate": "Donar",
"footerCredit": "Creado por <a>@imlukevella</a>",
"footerSponsor": "Este proyecto está financiado por los usuarios. Por favor, considera apoyarlo <a>donando</a>.",
"home": "Inicio",
"language": "Idioma",
"links": "Enlaces",
"poweredBy": "Con tecnología de",
"privacyPolicy": "Política de privacidad",
"starOnGithub": "Seguir el proyecto en GitHub",
"support": "Soporte",
"volunteerTranslator": "Ayuda a traducir esta página"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 Página no encontrada",
"notFoundDescription": "No pudimos encontrar la página que estás buscando.",
"goToHome": "Ir al inicio",
"startChat": "Iniciar chat"
}

View file

@ -0,0 +1,39 @@
{
"3Ls": "Sí—con 3 <e>L</e>s",
"adFree": "Sin anuncios",
"adFreeDescription": "Puedes darle un descanso a tu bloqueador de anuncios — No lo necesitarás aquí.",
"comments": "Comentarios",
"commentsDescription": "Los participantes pueden comentar en tu encuesta y los comentarios serán visibles para todos.",
"features": "Características",
"featuresSubheading": "Programar reuniones, de una manera inteligente",
"getStarted": "Empezar",
"heroSubText": "Encuentra la fecha correcta sin dar vueltas",
"heroText": "Programar<br/><s>reuniones</s><br />con facilidad",
"links": "Enlaces",
"liveDemo": "Demostración en vivo",
"metaDescription": "Crea encuestas y vota para encontrar el mejor día o la mejor hora. Una alternativa gratuita a Doodle.",
"metaTitle": "Rallly - Programar reuniones",
"mobileFriendly": "Optimizado para dispositivos móviles",
"mobileFriendlyDescription": "Funciona muy bien en dispositivos móviles para que los participantes puedan responder a las encuestas dondequiera que estén.",
"new": "Nuevo",
"noLoginRequired": "No es necesario iniciar sesión",
"noLoginRequiredDescription": "No es necesario iniciar sesión para crear o participar en una encuesta",
"notifications": "Notificaciones",
"notificationsDescription": "Sabe quién ha respondido. Recibe notificaciones cuando los participantes voten o comenten en tu encuesta.",
"openSource": "Código abierto",
"openSourceDescription": "Ese proyecto es completamente de código abierto y <a>disponible en GitHub</a>.",
"participant": "Participante",
"participantCount_zero": "{{count}} participantes",
"participantCount_one": "{{count}} participante",
"participantCount_two": "{{count}} participantes",
"participantCount_few": "{{count}} participantes",
"participantCount_many": "{{count}} participantes",
"participantCount_other": "{{count}} participantes",
"perfect": "¡Perfecto!",
"principles": "Principios",
"principlesSubheading": "No somos como los otros",
"selfHostable": "Autoalojable",
"selfHostableDescription": "Ejecútalo en tu propio servidor para tener el control total de tus datos",
"timeSlots": "Intervalos de tiempo",
"timeSlotsDescription": "Establece la hora de inicio y fin individual para cada opción de tu encuesta. Los tiempos se pueden ajustar automáticamente a la zona horaria de cada participante o pueden ser ajustados para ignorar completamente las zonas horarias."
}

View file

@ -0,0 +1,117 @@
{
"12h": "فرمت ۱۲ ساعته",
"24h": "فرمت ۲۴ ساعته",
"addParticipant": "افزودن شرکت‌کننده",
"addTimeOption": "اضافه‌کردن گزینه‌ی زمانی",
"alreadyVoted": "شما قبلا رأی داده‌اید",
"applyToAllDates": "برای همه‌ی تاریخ‌ها اعمال شود",
"areYouSure": "مطمئنی؟",
"back": "قبلی",
"calendarHelp": "شما نمی‌توانید یک نظرسنجی بدون گزینه بسازید. لطفا برای ادامه لااقل یک گزینه اضافه کنید.",
"calendarHelpTitle": "چیزی را فراموش کردی؟",
"cancel": "لغو",
"comment": "دیدگاه",
"commentPlaceholder": "بر روی این نظرسنجی یک دیدگاه بگذارید (قابل دیدن برای همه)",
"comments": "دیدگاه‌ها",
"continue": "ادامه",
"copied": "رونوشت شد",
"copyLink": "روگرفت پیوند",
"createdBy": "توسط <b>{{name}}</b>",
"createPoll": "ساخت نظرسنجی",
"creatingDemo": "ساخت نظرسنجی دمو…",
"delete": "حذف",
"deleteComment": "حذف دیدگاه",
"deleteDate": "حذف تاریخ",
"deletedPoll": "نظرسنجی حذف‌شده",
"deletedPollInfo": "این نظرسنجی دیگر وجود ندارد.",
"deletePoll": "حذف نظرسنجی",
"deletePollDescription": "تمام اطلاعات مربوط به این نظرسنجی حذف خواهد شد. جهت تایید لطفا عبارت <s>“{{confirmText}}”</s> را در زیر تایپ کنید:",
"deletingOptionsWarning": "شما در حال حذف گزینه‌هایی هستید که شرکت‌کنندگان به آن رأی داده‌اند. آراء آن‌ها نیز حذف خواهند شد.",
"demoPollNotice": "نظرسنجی‌های دمو بعد یک روز حذف خواهند شد",
"description": "توضیحات",
"descriptionPlaceholder": "سلام به همگی! لطفا زمان‌هایی که می‌تونید تشریف بیارید رو مشخص کنید.",
"donate": "حمایت مالی",
"edit": "ویرایش",
"editDetails": "ویرایش جزئیات",
"editOptions": "ویرایش گزینه‌ها",
"email": "رایانامه",
"emailPlaceholder": "felan.felanzadeh@email.ir",
"endingGuestSessionNotice": "زمانی که نشست میهمان تمام شود دیگر نمی‌تواند ادامه بیابد. شما نخواهید توانست هیچ‌یک از آراء یا دیدگاه‌های ساخته‌شده در این نشست را تغییر دهید.",
"endSession": "پایان نشست",
"exportToCsv": "خروجی CSV",
"forgetMe": "مرا فراموش کن",
"goToAdmin": "ورود به مدیریت",
"guest": "ميهمان",
"guestSessionNotice": "شما در حال استفاده از یک نشست میهمان هستید. این به ما اجازه می‌دهد که بعدا شما را بشناسیم و اجازه‌ی تغییر رأی را به شما بدهیم.",
"guestSessionReadMore": "درمورد نشست‌های میهمان بیشتر بخوانید.",
"hide": "پنهان‌سازی",
"ifNeedBe": "اگر نیاز باشد",
"linkHasExpired": "لینک شما منقضی شده است یا دیگر معتبر نیست",
"loading": "در حال بارگذاری…",
"loadingParticipants": "بارگذاری فهرست شرکت‌کنندگان…",
"location": "مکان",
"locationPlaceholder": "قهوه‌خونه‌ی سر کوچه",
"lockPoll": "قفل نظرسنجی",
"login": "ورود",
"logout": "خروج",
"manage": "مدیریت",
"menu": "فهرست",
"mixedOptionsDescription": "نمی‌توانید هم گزینه‌ی ساعت و هم گزینه‌ی تاریخ داشته باشید. دوست دارید کدام را نگه‌ دارید؟",
"mixedOptionsKeepDates": "نگه‌داشتن گزینه‌های تاریخ",
"mixedOptionsKeepTimes": "نگه‌داشتن گزینه‌های زمان",
"mixedOptionsTitle": "یک دقیقه صبر کن… 🤔",
"monday": "دوشنبه",
"monthView": "نمای ماهانه",
"name": "نام",
"namePlaceholder": "فلان فلان‌زاده",
"new": "جدید",
"newPoll": "نظرسنجی جدید",
"next": "بعدی",
"nextMonth": "ماه بعد",
"no": "نه",
"noDatesSelected": "هیچ تاریخی انتخاب نشده است",
"notificationsDisabled": "اعلان‌ها غیرفعال شدند",
"notificationsOff": "اعلان‌ها خاموش هستند",
"notificationsOn": "اعلان‌ها روشن هستند",
"notificationsOnDescription": "به محض فعالیت جدید روی این نظرسنجی، یک رایانامه به <b>{{email}}</b> ارسال خواهد شد.",
"notificationsVerifyEmail": "برای فعال‌سازی اعلان‌ها باید رایانامه خود را تایید کنید",
"noVotes": "هیچ‌کس به این گزینه رای نداده است",
"ok": "باشه",
"participant": "شرکت‌کننده",
"participantCount_one": "{{count}} شرکت‌کننده",
"participantCount_other": "{{count}} شرکت‌کننده",
"pollHasBeenLocked": "این نظرسنجی قفل شده است",
"pollHasBeenVerified": "نظرسنجی شما تایید شده است",
"pollOwnerNotice": "{{name}} جان، به نظر می‌آید خودت صاحب این نظرسنجی هستی.",
"pollsEmpty": "هیچ نظرسنجی‌ای ایجاد نشده است",
"possibleAnswers": "پاسخ‌های ممکن",
"preferences": "ترجیحات",
"previousMonth": "ماه قبل",
"profileUser": "نمایه - {{username}}",
"requiredNameError": "نام الزامی است",
"save": "ذخیره",
"saveInstruction": "مشخص کنید چه زمان‌هایی برایتان مقدور است و روی <b>{{action}}</b> کلیک کنید",
"share": "هم‌رسانی",
"shareDescription": "این لینک را به <b>شرکت‌کنندگان</b> بدهید تا بتوانند در نظرسنجی شما شرکت کنند.",
"shareLink": "هم‌رسانی با پیوند",
"specifyTimes": "تعیین زمان‌ها",
"specifyTimesDescription": "هر گزینه شروع و پایان داشته باشد",
"stepSummary": "مرحله {{current}} از {{total}}",
"sunday": "یکشنبه",
"timeFormat": "قالب زمان:",
"timeZone": "منطقه زمانی:",
"title": "عنوان",
"titlePlaceholder": "دورهمی ماهانه",
"today": "امروز",
"unlockPoll": "بازکردن قفل نظرسنجی",
"unverifiedMessage": "به <b>{{email}}</b> رایانامه‌ای حاوی لینکی جهت تایید آدرس رایانامه ارسال شده است.",
"user": "کاربر",
"weekStartsOn": "شروع هفته از",
"weekView": "نمای هفتگی",
"whatsThis": "این چیه؟",
"yes": "بله",
"you": "شما",
"yourDetails": "اطلاعات شما",
"yourName": "نام شما…",
"yourPolls": "نظرسنجی‌های شما"
}

View file

@ -0,0 +1,15 @@
{
"blog": "وبلاگ",
"discussions": "بحث‌وگفتگو",
"donate": "حمایت مالی",
"footerCredit": "ساخته‌شده توسط <a>@imlukevella</a>",
"footerSponsor": "این پروژه توسط کاربران تأمین مالی می‌شود. لطفا با <a>حمایت مالی</a> از آن پشتیبانی کنید.",
"home": "خانه",
"language": "زبان",
"links": "پیوندها",
"poweredBy": "قدرت گرفته از",
"privacyPolicy": "سیاست رازداری",
"starOnGithub": "به ما در گیت‌هاب ستاره دهید",
"support": "پشتیبانی",
"volunteerTranslator": "کمک به ترجمه‌ی این سایت"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "خطای ۴۰۴ - پیدا نشد",
"notFoundDescription": "متأسفانه صفحه مورد نظر شما یافت نشد.",
"goToHome": "رفتن به خانه",
"startChat": "شروع چت"
}

View file

@ -0,0 +1,35 @@
{
"3Ls": "بله! با سه‌تا <e>L</e>",
"adFree": "بدون تبلیغ",
"adFreeDescription": "به افزونه‌ی ضد تبلیغتان کمی استراحت دهید - اینجا لازمش ندارید.",
"comments": "دیدگاه‌ها",
"commentsDescription": "شرکت‌کنندگان می‌توانند روی نظرسنجی‌تان دیدگاه بگذارند و این دیدگاه‌ها برای همه قابل مشاهده هستند.",
"features": "ویژگی‌ها",
"featuresSubheading": "تعیین وقت، به شیوه‌ی هوشمندانه",
"getStarted": "همین حالا شروع کنید",
"heroSubText": "پیدا کردن زمان و تاریخ مناسب بدون چک‌وچانه و سردرد",
"heroText": "تعیین زمان<br/><s>قرارهای گروهی</s><br />مثل آب‌خوردن!",
"links": "پیوندها",
"liveDemo": "دموی آنلاین",
"metaDescription": "با ایجاد نظرسنجی بهترین روز و وقت را پیدا کنید! جایگزینی رایگان برای Doodle",
"metaTitle": "Rallly - تعیین وقت گروهی",
"mobileFriendly": "سازگار با گوشی‌ها",
"mobileFriendlyDescription": "پشتیبانی عالی از گوشی! شرکت‌کنندگان می‌توانند هرجا که باشند در نظرسنجی شرکت کنند.",
"new": "جدید",
"noLoginRequired": "بدون نیاز به ورود",
"noLoginRequiredDescription": "چه برای ایجاد، و چه برای شرکت در نظرسنجی نیازی به ورود به سایت نیست",
"notifications": "آگه‌داد",
"notificationsDescription": "بدانید چه کسی جواب داده. هر زمان کسی رأی یا دیدگاهی گذاشت، فوراً آگه‌داد بگیرید.",
"openSource": "متن‌باز",
"openSourceDescription": "کد‌های این برنامه کاملا متن‌باز، و در <a>GitHub</a> موجود است.",
"participant": "شرکت‌کننده",
"participantCount_one": "{{count}} شرکت‌کننده",
"participantCount_other": "{{count}} شرکت‌کننده",
"perfect": "خود خودشه!",
"principles": "اصول",
"principlesSubheading": "ما مانند دیگران نیستیم",
"selfHostable": "خود-میزبان",
"selfHostableDescription": "این برنامه را روی سرور خود اجرا کنید تا کنترل کامل داده‌هایتان را در دست بگیرید",
"timeSlots": "بازه‌های زمانی",
"timeSlotsDescription": "برای هر گزینه در نظرسنجی‌تان یک آغاز و پایان تعیین کنید. زمان‌ها می‌توانند با توجه به منطقه‌ی زمانی شرکت‌کننده یا بدون توجه به آن نشان داده شوند."
}

View file

@ -0,0 +1,137 @@
{
"12h": "12-tuntinen",
"24h": "24-tuntinen",
"addParticipant": "Lisää osallistuja",
"addTimeOption": "Lisää aikavaihtoehto",
"alreadyRegistered": "Oletko jo rekisteröitynyt? <a>Kirjaudu sisään →</a>",
"alreadyVoted": "Olet jo äänestänyt",
"applyToAllDates": "Käytä kaikkiin päivämääriin",
"areYouSure": "Oletko varma?",
"back": "Takaisin",
"calendarHelp": "Et voi luoda kyselyä ilman vaihtoehtoja. Lisää vähintään yksi vaihtoehto jatkaaksesi.",
"calendarHelpTitle": "Unohditko jotain?",
"cancel": "Peruuta",
"comment": "Kommentoi",
"commentPlaceholder": "Jätä kommentti tähän kyselyyn (kaikkien nähtävissä)",
"comments": "Kommentit",
"continue": "Jatka",
"copied": "Kopioitu",
"copyLink": "Kopioi linkki",
"createAnAccount": "Luo käyttäjätili",
"createdBy": "luonut <b>{{name}}</b>",
"createPoll": "Luo kysely",
"creatingDemo": "Luodaan esittelykyselyä…",
"delete": "Poista",
"deleteComment": "Poista kommentti",
"deleteDate": "Poista päivämäärä",
"deletedPoll": "Poistettu kysely",
"deletedPollInfo": "Tätä kyselyä ei ole enää olemassa.",
"deletePoll": "Poista kysely",
"deletePollDescription": "Kaikki tähän kyselyyn liittyvät tiedot poistetaan. Vahvista poisto kirjoittamalla <s>“{{confirmText}}”</s> alla olevaan kenttään:",
"deletingOptionsWarning": "Olet aikeissa poistaa vaihtoehtoja, joita osallistujat ovat äänestäneet. Myös heidän äänensä poistetaan.",
"demoPollNotice": "Esittelykyselyt poistetaan automaattisesti 1 päivän kuluttua",
"description": "Kuvaus",
"descriptionPlaceholder": "Hei kaikki, valitkaa teille sopivat päivämäärät!",
"donate": "Lahjoita",
"edit": "Muokkaa",
"editDetails": "Muokkaa tietoja",
"editOptions": "Muokkaa vaihtoehtoja",
"email": "Sähköposti",
"emailPlaceholder": "maija.meikalainen@email.fi",
"endingGuestSessionNotice": "Vierasistuntoa ei voi jatkaa sen päätyttyä. Et voi muokata tämän istunnon aikana antamiasi ääniä tai kirjoittamiasi kommentteja.",
"endSession": "Päätä istunto",
"exportToCsv": "Vie CSV-tiedostoon",
"forgetMe": "Unohda minut",
"goToAdmin": "Siirry ylläpitoon",
"guest": "Vieras",
"guestSessionNotice": "Olet tällä hetkellä vierasistunnossa. Voimme sen avulla tunnistaa sinut palatessasi myöhemmin, jotta voit muokata ääniäsi.",
"guestSessionReadMore": "Lue lisää vierasistunnoista.",
"hide": "Piilota",
"ifNeedBe": "Tarvittaessa",
"linkHasExpired": "Linkkisi on vanhenutut tai ei enää voimassa",
"loading": "Ladataan…",
"loadingParticipants": "Ladataan osallistujia…",
"location": "Sijainti",
"locationPlaceholder": "Maijan kahvila",
"lockPoll": "Lukitse kysely",
"login": "Kirjaudu sisään",
"logout": "Kirjaudu ulos",
"manage": "Hallinnoi",
"menu": "Valikko",
"mixedOptionsDescription": "Kyselyssä ei voi samaan aikaan olla sekä aika- että päivämäärävaihtoehtoja. Kumman haluaisit säilyttää?",
"mixedOptionsKeepDates": "Säilytä päivämäärät",
"mixedOptionsKeepTimes": "Säilytä ajat",
"mixedOptionsTitle": "Hetkinen… 🤔",
"monday": "maanantaina",
"monthView": "Kuukausinäkymä",
"name": "Nimi",
"namePlaceholder": "Maija Meikäläinen",
"new": "Uusi",
"adminPollTitle": "{{title}}: Ylläpito",
"newPoll": "Uusi kysely",
"createNew": "Luo uusi",
"home": "Kotisivu",
"next": "Seuraava",
"nextMonth": "Seuraava kuukausi",
"no": "Ei",
"noDatesSelected": "Ei valittuja päivämääriä",
"notificationsDisabled": "Ilmoitukset on poistettu käytöstä",
"notificationsOff": "Ilmoitukset ovat pois päältä",
"notificationsOn": "Ilmoitukset ovat päällä",
"notificationsOnDescription": "Osoitteeseen <b>{{email}}</b> lähetetään viesti, kun kyselyssä on toimintaa.",
"notificationsVerifyEmail": "Sinun on vahvistettava sähköpostiosoitteesi ottaaksesi ilmoitukset käyttöön",
"notRegistered": "Luo uusi käyttäjätili →",
"noVotes": "Kukaan ei ole äänestänyt tätä vaihtoehtoa",
"ok": "OK",
"participant": "Osallistuja",
"participantCount_few": "{{count}} osallistujaa",
"participantCount_many": "{{count}} osallistujaa",
"participantCount_one": "{{count}} osallistuja",
"participantCount_other": "{{count}} osallistujaa",
"participantCount_two": "{{count}} osallistujaa",
"participantCount_zero": "{{count}} osallistujaa",
"pollHasBeenLocked": "Tämä kysely on lukittu",
"pollHasBeenVerified": "Kyselysi on vahvistettu",
"pollOwnerNotice": "Hei {{name}}, näyttää siltä, että olet tämän kyselyn omistaja.",
"pollsEmpty": "Ei luotuja kyselyitä",
"possibleAnswers": "Vastausvaihtoehdot",
"preferences": "Asetukset",
"previousMonth": "Edellinen kuukausi",
"profileUser": "Profiili - {{username}}",
"register": "Rekisteröidy",
"requiredNameError": "Nimi vaaditaan",
"resendVerificationCode": "Lähetä vahvistuskoodi uudelleen",
"save": "Tallenna",
"saveInstruction": "Valitse sinulle sopivat vaihtoehdot ja napsauta <b>{{action}}</b>",
"share": "Jaa",
"shareDescription": "Anna tämä linkki <b>osallistujille</b>, jotta he voivat äänestää kyselyssäsi.",
"shareLink": "Jaa linkin välityksellä",
"specifyTimes": "Määritä ajat",
"specifyTimesDescription": "Aseta jokaiselle vaihtoehdolle alkamis- ja päättymisaika",
"stepSummary": "Vaihe {{current}} / {{total}}",
"sunday": "sunnuntaina",
"timeFormat": "Aikojen esitysmuoto:",
"timeZone": "Aikavyöhyke:",
"title": "Otsikko",
"titlePlaceholder": "Kuukausittainen kokous",
"today": "Tänään",
"unlockPoll": "Avaa kysely",
"unverifiedMessage": "Osoitteeseen <b>{{email}}</b> on lähetetty linkki sähköpostiosoitteen vahvistamiseksi.",
"user": "Käyttäjä",
"userAlreadyExists": "Tällä sähköpostiosoitteella on jo käyttäjä",
"userNotFound": "Tällä sähköpostiosoitteella ei ole käyttäjää",
"verificationCodeHelp": "Etkö saanut viestiä? Tarkista roskaposti.",
"verificationCodePlaceholder": "Anna 6-numeroinen koodisi",
"verificationCodeSent": "Vahvistuskoodi on lähetetty osoitteeseen <b>{{email}}</b> <a>Vaihda</a>",
"verifyYourEmail": "Vahvista sähköpostiosoitteesi",
"weekStartsOn": "Viikko alkaa",
"weekView": "Viikkonäkymä",
"whatsThis": "Mikä tämä on?",
"wrongVerificationCode": "Vahvistuskoodisi on virheellinen tai vanhentunut",
"yes": "Kyllä",
"you": "Sinä",
"yourDetails": "Tietosi",
"yourName": "Nimesi…",
"yourPolls": "Kyselysi",
"yourProfile": "Profiilisi"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blogi",
"discussions": "Keskustelut",
"donate": "Lahjoita",
"footerCredit": "Tehnyt <a>@imlukevella</a>",
"footerSponsor": "Tämä projekti on käyttäjiensä rahoittama. Harkitse sen tukemista <a>tekemällä lahjoitus</a>.",
"home": "Etusivu",
"language": "Kieli",
"links": "Linkit",
"poweredBy": "Palvelun tarjoaa",
"privacyPolicy": "Tietosuojakäytäntö",
"starOnGithub": "Anna meille tähti Githubissa",
"support": "Tuki",
"volunteerTranslator": "Auta sivuston kääntämisessä"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 ei löytynyt",
"notFoundDescription": "Emme löytäneet hakemaasi sivua.",
"goToHome": "Siirry etusivulle",
"startChat": "Aloita keskustelu"
}

View file

@ -0,0 +1,39 @@
{
"3Ls": "Kyllä—3 <e>L</e>:ää",
"adFree": "Ei mainoksia",
"adFreeDescription": "Voit antaa mainostenestäjäsi levätä — sitä ei tarvita täällä.",
"comments": "Kommentit",
"commentsDescription": "Osallistujat voivat jättää kyselyysi kaikille näkyviä kommentteja.",
"features": "Ominaisuudet",
"featuresSubheading": "Aikataulutusta fiksusti",
"getStarted": "Aloita tästä",
"heroSubText": "Löydä sopiva päivämäärä ilman soutamista ja huopaamista",
"heroText": "Suunnittele<br/><s>ryhmätapaamisia</s><br />vaivatta",
"links": "Linkit",
"liveDemo": "Esittely",
"metaDescription": "Luo kyselyitä ja äänestä parhaasta päivästä tai ajankohdasta. Ilmainen vaihtoehto Doodlelle.",
"metaTitle": "Rallly - Suunnittele ryhmätapaamisia",
"mobileFriendly": "Mobiiliystävällinen",
"mobileFriendlyDescription": "Toimii erinomaisesti mobiililaitteilla, joten osallistujat voivat vastata kyselyihin missä ikinä ovatkaan.",
"new": "Uutuus",
"noLoginRequired": "Kirjautumista ei tarvita",
"noLoginRequiredDescription": "Voit luoda kyselyn tai vastata sellaiseen ilman kirjautumista sisään",
"notifications": "Ilmoitukset",
"notificationsDescription": "Pysy vastausten tasalla. Saat ilmoituksia, kun osallistujat vastaavat kyselyysi tai jättävät siihen kommentteja.",
"openSource": "Avoin lähdekoodi",
"openSourceDescription": "Sovelluksen koodi on täysin avointa ja <a>löytyy GitHubista</a>.",
"participant": "Osallistuja",
"participantCount_zero": "{{count}} osallistujaa",
"participantCount_one": "{{count}} osallistuja",
"participantCount_two": "{{count}} osallistujaa",
"participantCount_few": "{{count}} osallistujaa",
"participantCount_many": "{{count}} osallistujaa",
"participantCount_other": "{{count}} osallistujaa",
"perfect": "Täydellinen!",
"principles": "Periaatteet",
"principlesSubheading": "Emme ole niin kuin muut",
"selfHostable": "Itse ylläpidettävä",
"selfHostableDescription": "Pyöritä Ralllya omalla palvelimellasi ja ota tietosi täysin omaan haltuusi",
"timeSlots": "Aikaikkunat",
"timeSlotsDescription": "Aseta jokaiselle kyselysi vaihtoehdolle alkamis- ja päättymisajankohta. Ajat voi automaattisesti sovittaa kunkin osallistujan omaan aikavyöhykkeeseen, tai ne voi asettaa jättämään aikavyöhykkeet kokonaan huomiotta."
}

View file

@ -0,0 +1,134 @@
{
"12h": "12h",
"24h": "24h",
"addParticipant": "Ajouter un participant",
"addTimeOption": "Ajouter une option de temps",
"alreadyRegistered": "Déjà inscrit? <a>Connexion →</a>",
"alreadyVoted": "Vous avez déjà voté",
"applyToAllDates": "Appliquer à toutes les dates",
"areYouSure": "Vous êtes sûr ?",
"back": "Retour",
"calendarHelp": "Vous ne pouvez pas créer un sondage sans aucune option. Ajoutez au moins une option pour continuer.",
"calendarHelpTitle": "Vous avez oublié quelque chose ?",
"cancel": "Annuler",
"comment": "Commentaire",
"commentPlaceholder": "Laissez un commentaire sur ce sondage (visible par tous)",
"comments": "Commentaires",
"continue": "Continuer",
"copied": "Copié",
"copyLink": "Copier le lien",
"createAnAccount": "Créer un compte",
"createdBy": "par <b>{{name}}</b>",
"createPoll": "Créer un sondage",
"creatingDemo": "Création d'un sondage de démonstration…",
"delete": "Supprimer",
"deleteComment": "Supprimer le commentaire",
"deleteDate": "Supprimer la date",
"deletedPoll": "Sondage supprimé",
"deletedPollInfo": "Ce sondage n'existe plus.",
"deletePoll": "Supprimer le sondage",
"deletePollDescription": "Toutes les données liées à ce sondage seront supprimées. Pour confirmer, veuillez taper <s>\"{{confirmText}}\"</s> dans l'entrée ci-dessous :",
"deletingOptionsWarning": "Vous supprimez des options pour lesquelles les participants ont voté. Leurs votes seront également supprimés.",
"demoPollNotice": "Les sondages de démonstration sont automatiquement supprimés après 1 jour",
"description": "Description",
"descriptionPlaceholder": "Hé tout le monde, choisissez les dates qui vous conviennent !",
"donate": "Faire un don",
"edit": "Modifier",
"editDetails": "Modifier les détails",
"editOptions": "Modifier les options",
"email": "Email",
"emailPlaceholder": "jessie.smith@email.com",
"endingGuestSessionNotice": "Une fois que la session d'un invité est terminée, elle ne peut pas être reprise. Vous ne pourrez pas modifier les votes ou les commentaires que vous avez faits lors de cette session.",
"endSession": "Fin de la session",
"exportToCsv": "Exporter vers CSV",
"forgetMe": "Oubliez moi",
"goToAdmin": "Accéder à l'administration",
"guest": "Invité",
"guestSessionNotice": "Vous utilisez une session d'invité. Cela nous permet de vous reconnaître si vous revenez plus tard afin que vous puissiez modifier vos votes.",
"guestSessionReadMore": "En savoir plus sur les sessions des invités.",
"hide": "Masquer",
"ifNeedBe": "En cas de besoin",
"linkHasExpired": "Votre lien a expiré ou n'est plus valide",
"loading": "Chargement…",
"loadingParticipants": "Chargement des participants…",
"location": "Localisation",
"locationPlaceholder": "Le café de Joe",
"lockPoll": "Verrouiller le sondage",
"login": "Connexion",
"logout": "Déconnexion",
"manage": "Gérer",
"menu": "Menu",
"mixedOptionsDescription": "Vous ne pouvez pas avoir les deux options d'heure et de date dans le même sondage. Laquelle voulez-vous garder ?",
"mixedOptionsKeepDates": "Conserver les options de date",
"mixedOptionsKeepTimes": "Conserver les options de temps",
"mixedOptionsTitle": "Attendez une minute…🤔",
"monday": "Lundi",
"monthView": "Vue du mois",
"name": "Nom",
"namePlaceholder": "Jessie Smith",
"new": "Nouveau",
"newPoll": "Nouveau sondage",
"next": "Suivant",
"nextMonth": "Mois suivant",
"no": "Non",
"noDatesSelected": "Aucune date sélectionnée",
"notificationsDisabled": "Les notifications ont été désactivées",
"notificationsOff": "Les notifications sont désactivées",
"notificationsOn": "Les notifications sont activées",
"notificationsOnDescription": "Un courriel sera envoyé à <b>{{email}}</b> lorsqu'il y aura une activité sur ce sondage.",
"notificationsVerifyEmail": "Vous devez vérifier votre adresse e-mail pour activer les notifications",
"notRegistered": "Créer un compte →",
"noVotes": "Personne n'a voté pour cette option",
"ok": "Ok",
"participant": "Participant",
"participantCount_few": "{{count}} participants",
"participantCount_many": "{{count}} participants",
"participantCount_one": "{{count}} participant",
"participantCount_other": "{{count}} participants",
"participantCount_two": "{{count}} participants",
"participantCount_zero": "{{count}} participants",
"pollHasBeenLocked": "Ce sondage a été verrouillé",
"pollHasBeenVerified": "Votre sondage a été vérifié",
"pollOwnerNotice": "Hé {{name}}, il semble que vous soyez le propriétaire de ce sondage.",
"pollsEmpty": "Aucun sondage n'a été créé",
"possibleAnswers": "Réponses possibles",
"preferences": "Préférences",
"previousMonth": "Mois précédent",
"profileUser": "Profil - {{username}}",
"register": "S'inscrire",
"requiredNameError": "Le nom est obligatoire",
"resendVerificationCode": "Renvoyer le code de vérification",
"save": "Sauvegarder",
"saveInstruction": "Sélectionnez votre disponibilité et cliquez sur <b>{{action}}</b>",
"share": "Partager",
"shareDescription": "Donnez ce lien à vos <b>participants</b> pour leur permettre de voter sur votre sondage.",
"shareLink": "Partager via un lien",
"specifyTimes": "Précisez les horaires",
"specifyTimesDescription": "Indiquez les heures de début et de fin pour chaque option",
"stepSummary": "Étape {{current}} sur {{total}}",
"sunday": "Dimanche",
"timeFormat": "Format de l'heure :",
"timeZone": "Fuseau horaire :",
"title": "Titre",
"titlePlaceholder": "Réunion mensuelle",
"today": "Aujourd'hui",
"unlockPoll": "Débloquer le sondage",
"unverifiedMessage": "Un courriel a été envoyé à <b>{{email}}</b> avec un lien pour vérifier l'adresse électronique.",
"user": "Utilisateur",
"userAlreadyExists": "Il y a déjà un utilisateur avec cet email",
"userNotFound": "Il ny a aucun utilisateur avec cette adresse email",
"verificationCodeHelp": "Vous n'avez pas reçu l'e-mail ? Vérifiez vos pourriels/fichiers indésirables.",
"verificationCodePlaceholder": "Entrez votre code à 6 chiffres",
"verificationCodeSent": "Un code de vérification a été envoyé à <b>{{email}}</b> <a>Changer</a>",
"verifyYourEmail": "Vérifiez votre e-mail",
"weekStartsOn": "La semaine commence le",
"weekView": "Voir la Semaine",
"whatsThis": "Qu'est-ce que c'est ?",
"wrongVerificationCode": "Votre code de vérification est incorrect ou a expiré",
"yes": "Oui",
"you": "Vous",
"yourDetails": "Vos informations",
"yourName": "Votre nom…",
"yourPolls": "Vos sondages",
"yourProfile": "Votre profil"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blog",
"discussions": "Discussions",
"donate": "Faire un don",
"footerCredit": "Fait par <a>@imlukevella</a>",
"footerSponsor": "Ce projet est financé par les utilisateurs. Veuillez envisager de le soutenir en <a>donating</a>.",
"home": "Accueil",
"language": "Langue",
"links": "Liens",
"poweredBy": "Propulsé par",
"privacyPolicy": "Politique de Confidentialité",
"starOnGithub": "Mettez une étoile sur GitHub",
"support": "Assistance",
"volunteerTranslator": "Aidez à traduire ce site"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 introuvable",
"notFoundDescription": "Nous n'avons pas trouvé la page que vous recherchez.",
"goToHome": "Retourner à la page d'accueil",
"startChat": "Démarrer la discussion"
}

View file

@ -0,0 +1,39 @@
{
"3Ls": "Oui — avec 3 <e>L</e>",
"adFree": "Sans publicités",
"adFreeDescription": "Vous pouvez donner un repos à votre bloqueur de publicité. Vous n'en aurez pas besoin ici.",
"comments": "Commentaires",
"commentsDescription": "Les participants peuvent commenter votre sondage et les commentaires seront visibles par tous.",
"features": "Fonctionnalités",
"featuresSubheading": "La planification, la manière intelligente",
"getStarted": "Commencez",
"heroSubText": "Trouver la bonne date sans les allers-retours",
"heroText": "Programmez facilement des<br/><s>réunions de groupe</s><br />",
"links": "Liens",
"liveDemo": "Démo en ligne",
"metaDescription": "Créez des sondages et votez pour trouver le meilleur jour ou la meilleure heure. Une alternative gratuite à Doodle.",
"metaTitle": "Rallly - Planifier des réunions de groupe",
"mobileFriendly": "Compatible avec les appareils mobiles",
"mobileFriendlyDescription": "Il fonctionne parfaitement sur les appareils mobiles, de sorte que les participants peuvent répondre aux sondages où qu'ils se trouvent.",
"new": "Nouveau",
"noLoginRequired": "Pas de connexion requise",
"noLoginRequiredDescription": "Vous n'avez pas besoin de vous connecter pour créer ou participer à un sondage",
"notifications": "Notifications",
"notificationsDescription": "Gardez une trace de ceux qui ont répondu. Recevez une notification lorsque les participants votent ou commentent votre sondage.",
"openSource": "Open source",
"openSourceDescription": "Le code est entièrement open-source et est <a>disponible sur GitHub</a>.",
"participant": "Participant",
"participantCount_zero": "{{count}} participants",
"participantCount_one": "{{count}} participant",
"participantCount_two": "{{count}} participants",
"participantCount_few": "{{count}} participants",
"participantCount_many": "{{count}} participants",
"participantCount_other": "{{count}} participants",
"perfect": "Parfait !",
"principles": "Principes",
"principlesSubheading": "Nous ne sommes pas comme les autres",
"selfHostable": "Auto-hébergable",
"selfHostableDescription": "Exécutez-le sur votre propre serveur pour prendre le contrôle total de vos données",
"timeSlots": "Créneaux horaires",
"timeSlotsDescription": "Définissez des heures de début et de fin individuelles pour chaque option de votre sondage. Les heures peuvent être automatiquement ajustées au fuseau horaire de chaque participant ou peuvent être configurées pour ignorer complètement les fuseaux horaires."
}

View file

@ -0,0 +1,137 @@
{
"12h": "12-satni",
"24h": "24-satni",
"addParticipant": "Dodaj sudionike",
"addTimeOption": "Dodaj novi termin",
"alreadyRegistered": "Već ste registrirani? <a>Prijavite se→</a>",
"alreadyVoted": "Već ste glasali",
"applyToAllDates": "Primjeni na sve datume",
"areYouSure": "Jeste li sigurni?",
"back": "Natrag",
"calendarHelp": "Ne možete stvoriti anketu bez opcija. Dodajte barem jednu opciju kako bi mogli nastaviti.",
"calendarHelpTitle": "Nešto ste zaboravili?",
"cancel": "Otkaži",
"comment": "Pošalji komentar",
"commentPlaceholder": "Napišite komentar o ovoj anketi (vidljivo svim sudionicima)",
"comments": "Komentari",
"continue": "Nastavi",
"copied": "Kopirano",
"copyLink": "Kopiraj poveznicu",
"createAnAccount": "Stvorite račun",
"createdBy": "napravio/la <b>{{name}}</b>",
"createPoll": "Stvori anketu",
"creatingDemo": "Stvaranje demo ankete…",
"delete": "Brisanje",
"deleteComment": "Brisanje komentara",
"deleteDate": "Brisanje datuma",
"deletedPoll": "Izbrisana anketa",
"deletedPollInfo": "Nažalost, ova anketa više ne postoji.",
"deletePoll": "Izbriši anketu",
"deletePollDescription": "Svi podaci vezani uz ovu anketu bit će izbrisani. Za potvrdu upišite <s>“{{confirmText}}”</s> u polje za unos ispod:",
"deletingOptionsWarning": "Brišete opcije za koje su glasali sudionici. I njihovi odabiri će također biti izbrisani.",
"demoPollNotice": "Demo ankete se automatski brišu nakon 1 dana",
"description": "Opis",
"descriptionPlaceholder": "Pozdrav svima, odaberite termine koji vam odgovaraju!",
"donate": "Donirajte",
"edit": "Uredi",
"editDetails": "Uredi detalje",
"editOptions": "Uredi opcije",
"email": "E-pošta",
"emailPlaceholder": "ime.prezime@email.com",
"endingGuestSessionNotice": "Nakon što vaša sesija kojom pristupate kao gost završi, ne može se nastaviti. Nećete moći uređivati glasove ili komentare koje ste dali tijekom ove sesije.",
"endSession": "Završi sesiju",
"exportToCsv": "Izvoz u CSV",
"forgetMe": "Zaboravi me",
"goToAdmin": "Otvori admin postavke",
"guest": "Gost",
"guestSessionNotice": "Pristupate kao gost. To nam omogućuje da vas prepoznamo ako se kasnije vratite kako biste mogli urediti svoje glasove.",
"guestSessionReadMore": "Pročitajte više o sesijama za goste.",
"hide": "Skrij",
"ifNeedBe": "Ako ne može drugačije",
"linkHasExpired": "Vaša poveznica je istekla i nije više valjana",
"loading": "Učitavanje…",
"loadingParticipants": "Učitavanje sudionika…",
"location": "Lokacija",
"locationPlaceholder": "Ime lokacije",
"lockPoll": "Zaključaj anketu",
"login": "Prijava",
"logout": "Odjava",
"manage": "Upravljanje",
"menu": "Izbornik",
"mixedOptionsDescription": "Ne možete imati opcije datuma i vremena istovremeno u istoj anketi. Koje od tih želite zadržati i koristiti?",
"mixedOptionsKeepDates": "Zadrži opcije datuma",
"mixedOptionsKeepTimes": "Zadrži opcije vremena",
"mixedOptionsTitle": "Čekaj malo… 🤔",
"monday": "Ponedjeljak",
"monthView": "Mjesečni prikaz",
"name": "Ime",
"namePlaceholder": "Ime Prezime",
"new": "Nova",
"adminPollTitle": "{{title}}: Admin",
"newPoll": "Nova anketa",
"createNew": "Stvori novu",
"home": "Naslovnica",
"next": "Sljedeći",
"nextMonth": "Sljedeći mjesec",
"no": "Ne",
"noDatesSelected": "Datum nije odabran",
"notificationsDisabled": "Obavijesti su isključene",
"notificationsOff": "Obavijesti isključene",
"notificationsOn": "Obavijesti uključene",
"notificationsOnDescription": "Poruka e-pošte će biti poslana na <b>{{email}}</b> kada bude aktivnosti na ovoj anketi.",
"notificationsVerifyEmail": "Morate potvrditi svoju e-poštu kako biste uključili obavijesti",
"notRegistered": "Stvorite novi račun",
"noVotes": "Nitko nije glasao za ovu opciju",
"ok": "U redu",
"participant": "Sudionik",
"participantCount_few": "Broj sudionika: {{count}}",
"participantCount_many": "Broj sudionika: {{count}}",
"participantCount_one": "Broj sudionika: {{count}}",
"participantCount_other": "Broj sudionika: {{count}}",
"participantCount_two": "Broj sudionika: {{count}}",
"participantCount_zero": "Broj sudionika: {{count}}",
"pollHasBeenLocked": "Ova anketa je zaključana",
"pollHasBeenVerified": "Ova anketa je provjerena",
"pollOwnerNotice": "Hej {{name}}, izgleda da ste vlasnik ove ankete.",
"pollsEmpty": "Nema stvorenih anketa",
"possibleAnswers": "Mogući odgovori",
"preferences": "Postavke",
"previousMonth": "Prethodni mjesec",
"profileUser": "Profil - {{username}}",
"register": "Registracija",
"requiredNameError": "Ime je obavezno",
"resendVerificationCode": "Ponovno pošalji poruku za potvrdu",
"save": "Pohrani",
"saveInstruction": "Odaberite termine koji vam odgovaraju i kliknite na <b>{{action}}</b>",
"share": "Podijeli",
"shareDescription": "Pošaljite ovu poveznicu <b>sudionicima</b> kako biste im omogućili glasanje u vašoj anketi.",
"shareLink": "Podijeli putem poveznice",
"specifyTimes": "Zadaj vrijeme",
"specifyTimesDescription": "Obuhvati vrijeme početka i završetka za svaku opciju",
"stepSummary": "Korak {{current}} od {{total}}",
"sunday": "Nedjelja",
"timeFormat": "Format vremena:",
"timeZone": "Vremenska zona:",
"title": "Naslov",
"titlePlaceholder": "Mjesečni sastanak",
"today": "Danas",
"unlockPoll": "Otključaj anketu",
"unverifiedMessage": "Poruka e-pošte je poslana na <b>{{email}}</b> s poveznicom za potvrdu vaše adrese e-pošte.",
"user": "Korisnik",
"userAlreadyExists": "Već postoji korisnik s tom adresom e-pošte",
"userNotFound": "Ne postoji korisnik s tom adresom e-pošte",
"verificationCodeHelp": "Niste dobili poruku e-pošte? Provjerite svoju mapu s neželjenom poštom (SPAM).",
"verificationCodePlaceholder": "Unesite 6-znamenkasti kôd",
"verificationCodeSent": "Kôd za potvrdu je poslan na adresu <b>{{email}}</b> <a>Promijenite</a>",
"verifyYourEmail": "Potvrdite svoju adresu e-pošte",
"weekStartsOn": "Početak tjedna",
"weekView": "Tjedni pregled",
"whatsThis": "Što je ovo?",
"wrongVerificationCode": "Vaša kôd za potvrdu nije valjan ili je istekao",
"yes": "Da",
"you": "Vi",
"yourDetails": "Tvoji podatci",
"yourName": "Vaše ime…",
"yourPolls": "Vaše ankete",
"yourProfile": "Vaš profil"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blog",
"discussions": "Rasprave",
"donate": "Donirajte",
"footerCredit": "Autor: <a>@imlukevella</a>",
"footerSponsor": "Ovaj projekt financiraju korisnici. Razmislite o podršci <a>donacijom</a>.",
"home": "Naslovnica",
"language": "Jezik",
"links": "Poveznice",
"poweredBy": "Pokreće",
"privacyPolicy": "Pravila privatnosti",
"starOnGithub": "Ocijeni na GitHub-u",
"support": "Podrška",
"volunteerTranslator": "Pomozite prevesti ovu stranicu"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 Nije pronađeno",
"notFoundDescription": "Nije bilo moguće pronaći stranicu koju želite otvoriti.",
"goToHome": "Idi na naslovnicu",
"startChat": "Pokrenite chat"
}

View file

@ -0,0 +1,39 @@
{
"3Ls": "Da, s 3 slova <e>L</e>",
"adFree": "Bez reklama",
"adFreeDescription": "Adblocker vam ne treba ovdje.",
"comments": "Komentari",
"commentsDescription": "Sudionici mogu komentirati vašu anketu i komentari će biti vidljivi svima.",
"features": "Mogućnosti",
"featuresSubheading": "Pametni način zakazivanja sastanaka",
"getStarted": "Započnite",
"heroSubText": "Pronađite pravi termin bez puno muke",
"heroText": "Zakažite<br/><s>sastanke</s><br />s lakoćom",
"links": "Poveznice",
"liveDemo": "Demo",
"metaDescription": "Napravite ankete i glasajte kako biste pronašli najbolji dan ili vrijeme. Besplatna alternativa Doodleu.",
"metaTitle": "Rallly - zakazivanje termina sastanaka",
"mobileFriendly": "Namijenjeno mobilnim uređajima",
"mobileFriendlyDescription": "Sjajno radi na mobilnim uređajima tako da sudionici mogu odgovarati na ankete gdje god se nalazili.",
"new": "Novo",
"noLoginRequired": "Nije potrebna prijava na sustav",
"noLoginRequiredDescription": "Ne morate se prijaviti kako biste stvorili anketu ili sudjelovali u njoj",
"notifications": "Obavijesti",
"notificationsDescription": "Pratite tko je odgovorio. Primite obavijest kada sudionici glasaju ili komentiraju vašu anketu.",
"openSource": "Otvoreni kôd",
"openSourceDescription": "Ovo je rješenje zasnovano na otvorenom kôdu i <a>dostupno je na GitHub-u</a>.",
"participant": "Sudionik",
"participantCount_zero": "Broj sudionika: {{count}}",
"participantCount_one": "Broj sudionika: {{count}}",
"participantCount_two": "Broj sudionika: {{count}}",
"participantCount_few": "Broj sudionika: {{count}}",
"participantCount_many": "Broj sudionika: {{count}}",
"participantCount_other": "Broj sudionika: {{count}}",
"perfect": "Savršeno!",
"principles": "Principi",
"principlesSubheading": "Nismo kao drugi",
"selfHostable": "Instalacija na vašem poslužitelju",
"selfHostableDescription": "Pokrenite ga na vlastitom poslužitelju kako biste preuzeli potpunu kontrolu nad svojim podacima",
"timeSlots": "Vrijeme",
"timeSlotsDescription": "Postavite pojedinačno vrijeme početka i završetka za svaku opciju u svojoj anketi. Vremena se mogu automatski prilagoditi vremenskoj zoni svakog sudionika ili se mogu postaviti da potpuno zanemaruju vremenske zone."
}

View file

@ -0,0 +1,137 @@
{
"12h": "12 órás",
"24h": "24 órás",
"addParticipant": "Résztvevő hozzáadása",
"addTimeOption": "Időpont hozzáadása",
"alreadyRegistered": "Már regisztráltál? <a>Bejelentkezés →</a>",
"alreadyVoted": "Már szavaztál",
"applyToAllDates": "Beállítás minden dátumhoz",
"areYouSure": "Biztos vagy benne?",
"back": "Vissza",
"calendarHelp": "Nem hozhatsz létre szavazást lehetőségek nélkül. Legalább egy lehetőséget adj meg a folytatáshoz.",
"calendarHelpTitle": "Elfelejtettél valamit?",
"cancel": "Mégse",
"comment": "Hozzászólás",
"commentPlaceholder": "Írj hozzászólást ehhez a szavazáshoz (mindenki láthatja)",
"comments": "Hozzászólások",
"continue": "Tovább",
"copied": "Másolva",
"copyLink": "Link másolása",
"createAnAccount": "Fiók létrehozása",
"createdBy": "<b>{{name}}</b> által",
"createPoll": "Szavazás létrehozása",
"creatingDemo": "Demó szavazás létrehozása…",
"delete": "Törlés",
"deleteComment": "Hozzászólás törlése",
"deleteDate": "Dátum törlése",
"deletedPoll": "Törölt szavazás",
"deletedPollInfo": "Ez a szavazás már nem létezik.",
"deletePoll": "Szavazás törlése",
"deletePollDescription": "Minden a szavazáshoz kötődő adatot törölni fogunk. Megerősítésként gépeld be a <s>“{{confirmText}}”</s> szöveget az alábbi mezőbe:",
"deletingOptionsWarning": "Olyan lehetőséget törölsz, amire résztvevők már szavaztak. Az ő szavazataik is törlődni fognak.",
"demoPollNotice": "A demó szavazások egy nap után automatikusan törlődnek",
"description": "Leírás",
"descriptionPlaceholder": "Sziasztok, kérlek válasszátok ki a nektek megfelelő dátumokat!",
"donate": "Támogatás",
"edit": "Módosítás",
"editDetails": "Részletek módosítása",
"editOptions": "Lehetőségek módosítása",
"email": "E-mail",
"emailPlaceholder": "kovacs.anna@email.com",
"endingGuestSessionNotice": "Egy vendég munkamenet befejezése nem visszavonható. Ezután nem tudod szerkeszteni a válaszaid vagy hozzászólásaid, amiket ebben a munkamenetben készítettél.",
"endSession": "Munkamenet befejezése",
"exportToCsv": "Exportálás CSV fájlba",
"forgetMe": "Felejts el",
"goToAdmin": "Irány az admin felület",
"guest": "Vendég",
"guestSessionNotice": "Vendég munkamenetet használsz. Ez teszi lehetővé, hogy felismerjünk téged később is, amikor visszatérsz, hogy szerkeszd a válaszaid.",
"guestSessionReadMore": "Olvass többet a vendég munkamenetekről.",
"hide": "Elrejtés",
"ifNeedBe": "Ha szükséges",
"linkHasExpired": "A link lejárt vagy nem elérhető többé",
"loading": "Betöltés…",
"loadingParticipants": "Résztvevők betöltése…",
"location": "Helyszín",
"locationPlaceholder": "János kávézója",
"lockPoll": "Szavazás lezárása",
"login": "Bejelentkezés",
"logout": "Kijelentkezés",
"manage": "Kezelés",
"menu": "Menü",
"mixedOptionsDescription": "Egyszerre nem lehet időpont és dátum szerinti lehetőség a szavazásban. Melyiket szeretnéd megtartani?",
"mixedOptionsKeepDates": "Dátum lehetőségek megtartása",
"mixedOptionsKeepTimes": "Időpont lehetőségek megtartása",
"mixedOptionsTitle": "Kérjük várj egy percet... 🤔",
"monday": "Hétfő",
"monthView": "Havi nézet",
"name": "Név",
"namePlaceholder": "Kovács Anna",
"new": "Új",
"adminPollTitle": "{{title}}: Admin felület",
"newPoll": "Új szavazás",
"createNew": "Új létrehozása",
"home": "Főoldal",
"next": "Következő",
"nextMonth": "Következő hónap",
"no": "Nem",
"noDatesSelected": "Nincs dátum kiválasztva",
"notificationsDisabled": "Értesítések ki lettek kapcsolva",
"notificationsOff": "Értesítések kikapcsolva",
"notificationsOn": "Értesítések bekapcsolva",
"notificationsOnDescription": "Emailt küldünk <b>{{email}}</b> email címre, ha bármi szavazáshoz kötődő tevékenység történik.",
"notificationsVerifyEmail": "Hitelesítened kell az email címed az értesítések bekapcsolásához",
"notRegistered": "Fiók létrehozása →",
"noVotes": "Senki sem szavazott erre a lehetőségre",
"ok": "Ok",
"participant": "Résztvevő",
"participantCount_few": "{{count}} résztvevő",
"participantCount_many": "{{count}} résztvevő",
"participantCount_one": "{{count}} résztvevő",
"participantCount_other": "{{count}} résztvevő",
"participantCount_two": "{{count}} résztvevő",
"participantCount_zero": "{{count}} résztvevő",
"pollHasBeenLocked": "A szavazás le lett zárva",
"pollHasBeenVerified": "A szavazásod hitelesítve lett",
"pollOwnerNotice": "Szia {{name}}, úgy tűnik, hogy te vagy ennek a szavazásnak a tulajdonosa.",
"pollsEmpty": "Nincs létrehozott szavazás",
"possibleAnswers": "Lehetséges válaszok",
"preferences": "Beállítások",
"previousMonth": "Előző hónap",
"profileUser": "Profil - {{username}}",
"register": "Regisztráció",
"requiredNameError": "Név megadása kötelező",
"resendVerificationCode": "Hitelesítő kód újraküldése",
"save": "Mentés",
"saveInstruction": "Válaszd ki mikor érsz rá és kattints a <b>{{action}}</b> gombra",
"share": "Megosztás",
"shareDescription": "Küldd el ezt a linket a <b>résztvevőidnek</b>, hogy tudjanak szavazatokat leadni.",
"shareLink": "Megosztás linkkel",
"specifyTimes": "Időpontok megadása",
"specifyTimesDescription": "Adj meg kezdő és záró időpontot minden lehetőséghez",
"stepSummary": "{{current}}. lépés a {{total}}-ból",
"sunday": "Vasárnap",
"timeFormat": "Időformátum:",
"timeZone": "Időzóna:",
"title": "Cím",
"titlePlaceholder": "Havi találkozó",
"today": "Ma",
"unlockPoll": "Szavazás feloldása",
"unverifiedMessage": "Egy emailt küldtünk <b>{{email}}</b> címedre egy linkkel, amivel hitelesítheted az email címed.",
"user": "Felhasználó",
"userAlreadyExists": "Már létezik felhasználó ezzel az email címmel",
"userNotFound": "Nem létezik felhasználó ezzel az email címmel",
"verificationCodeHelp": "Nem kaptad meg az emailt? Ellenőrizd a spam mappádat is.",
"verificationCodePlaceholder": "Írd be a hatjegyű kódot",
"verificationCodeSent": "A hitelesítő kód ki lett küldve <b>{{email}}</b> címre <a>Módosít</a>",
"verifyYourEmail": "Hitelesítsd az email címed",
"weekStartsOn": "Hét kezdőnapja",
"weekView": "Heti nézet",
"whatsThis": "Mi ez?",
"wrongVerificationCode": "A hitelesítő kódod helytelen vagy már lejárt",
"yes": "Igen",
"you": "Te",
"yourDetails": "Adataid",
"yourName": "Neved…",
"yourPolls": "Szavazásaid",
"yourProfile": "Profilod"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blog",
"discussions": "Beszélgetések",
"donate": "Támogatás",
"footerCredit": "Készítette <a>@imlukevella</a>",
"footerSponsor": "Ezt a projektet a felhasználók finanszírozzák. Kérem gondold meg, hogy <a>adományoddal</a> támogatsz-e minket.",
"home": "Főoldal",
"language": "Nyelv",
"links": "Linkek",
"poweredBy": "Biztosítja a",
"privacyPolicy": "Adatvédelmi irányelvek",
"starOnGithub": "Csillagozz be GitHub-on",
"support": "Segítség",
"volunteerTranslator": "Segíts lefordítani ezt az oldalt"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 az oldal nem található",
"notFoundDescription": "Nem található az oldal, amit keresel.",
"goToHome": "Irány a főoldal",
"startChat": "Csevegés indítása"
}

View file

@ -0,0 +1,39 @@
{
"3Ls": "Igen, 3 <e>L</e>-el",
"adFree": "Reklámmentes",
"adFreeDescription": "Adhatsz egy kis pihenőt a reklám blokkolódnak - Itt nem lesz rá szükséged.",
"comments": "Hozzászólások",
"commentsDescription": "A résztvevők hozzászólhatnak a szavazásodhoz és azok minden résztvevő számára láthatóak.",
"features": "Funkciók",
"featuresSubheading": "Ütemezés, az okos út",
"getStarted": "Kezdjünk bele",
"heroSubText": "Találd meg a megfelelő időpontot oda-vissza nélkül",
"heroText": "Ütemezz<br/><s>találkozókat</s><br />könnyen",
"links": "Linkek",
"liveDemo": "Élő demó",
"metaDescription": "Hozz létre szavazásokat és szavazz, hogy megtaláld a legjobb napot vagy időt. Egy ingyenes Doodle alternatíva.",
"metaTitle": "Rallly - Ütemezz találkozókat",
"mobileFriendly": "Telefonon is használható",
"mobileFriendlyDescription": "Telefonon is jól működik, így a résztvevők bárhonnan kitölthetik a szavazásod.",
"new": "Új",
"noLoginRequired": "Bejelentkezés nem szükséges",
"noLoginRequiredDescription": "Nem kell bejelentkezz szavazások létrehozásához vagy a részvételéhez",
"notifications": "Értesítések",
"notificationsDescription": "Kövesd, hogy ki válaszolt. Értesítéseket kapsz, ha egy résztvevő szavaz vagy hozzászól a szavazásodhoz.",
"openSource": "Nyílt forráskódú",
"openSourceDescription": "A forráskód teljesen nyílt forráskódú és <a>elérhető GitHub-on</a>.",
"participant": "Résztvevő",
"participantCount_zero": "{{count}} résztvevő",
"participantCount_one": "{{count}} résztvevő",
"participantCount_two": "{{count}} résztvevő",
"participantCount_few": "{{count}} résztvevő",
"participantCount_many": "{{count}} résztvevő",
"participantCount_other": "{{count}} résztvevő",
"perfect": "Tökéletes!",
"principles": "Alapelveink",
"principlesSubheading": "Mások vagyok, mint a többiek",
"selfHostable": "Önállóan futtatható",
"selfHostableDescription": "Futtathatos a saját szervereden magad kezelve minden adatod",
"timeSlots": "Idősávok",
"timeSlotsDescription": "Állíts be egyedi kezdő és befejező időpontokat minden válaszlehetőséghez. Az időpontok automatikusan igazodnak minden egyes résztvevő időzónájához vagy beállítható, hogy az időzónákat ne vegye figyelembe."
}

View file

@ -0,0 +1,118 @@
{
"12h": "12 ore",
"24h": "24 ore",
"addParticipant": "Aggiungi partecipante",
"addTimeOption": "Aggiungi opzione orario",
"alreadyVoted": "Hai già votato",
"applyToAllDates": "Applica a tutte le date",
"areYouSure": "Sei sicuro/a?",
"back": "Indietro",
"calendarHelp": "Non puoi creare un sondaggio senza nessuna opzione. Aggiungi almeno un opzione per continuare.",
"calendarHelpTitle": "Dimentichi qualcosa?",
"cancel": "Annulla",
"comment": "Commenta",
"commentPlaceholder": "Lascia un commento su questo sondaggio (visibile a tutti)",
"comments": "Commenti",
"continue": "Continua",
"copied": "Copiato",
"copyLink": "Copia link",
"createdBy": "da <b>{{name}}</b>",
"createPoll": "Crea sondaggio",
"creatingDemo": "Creando sondaggio demo…",
"delete": "Elimina",
"deleteComment": "Elimina commento",
"deleteDate": "Elimina data",
"deletedPoll": "Elimina sondaggio",
"deletedPollInfo": "Questo sondaggio non esiste più.",
"deletePoll": "Elimina sondaggio",
"deletePollDescription": "Tutti i dati relativi a questo sondaggio saranno eliminati. Per confermare, digita <s>“{{confirmText}}”</s> qui sotto:",
"deletingOptionsWarning": "Stai eliminando opzioni per le quali i partecipanti hanno votato. Anche il loro voto sarà eliminato.",
"demoPollNotice": "I sondaggi demo vengono cancellati automaticamente dopo 1 giorno",
"description": "Descrizione",
"descriptionPlaceholder": "Ciao a tutti, scegliete le date che per voi vanno bene!",
"donate": "Dona",
"edit": "Modifica",
"editDetails": "Modifica i dettagli",
"editOptions": "Modifica opzioni",
"email": "Email",
"emailPlaceholder": "jessie.smith@email.com",
"endingGuestSessionNotice": "Una volta terminata la sessione ospite, la sessione non può essere ripresa. Non sarà possibile modificare alcun voto o commento fatto con questa sessione.",
"endSession": "Termina sessione",
"exportToCsv": "Esporta in CSV",
"forgetMe": "Dimenticati di me",
"goToAdmin": "Vai a Admin",
"guest": "Ospite",
"guestSessionNotice": "Stai usando una sessione ospite. Questo ci permette di riconoscerti se tornerai più tardi in modo da poter modificare i tuoi voti.",
"guestSessionReadMore": "Leggi altro sulle sessioni ospite.",
"hide": "Nascondi",
"ifNeedBe": "Se necessario",
"linkHasExpired": "Il link è scaduto o non è più valido",
"loading": "Caricamento…",
"loadingParticipants": "Caricamento partecipanti…",
"location": "Posizione",
"locationPlaceholder": "Bar di Joe",
"lockPoll": "Blocca sondaggio",
"login": "Accedi",
"logout": "Esci",
"manage": "Gestisci",
"menu": "Menu",
"mixedOptionsDescription": "Non puoi avere entrambe le opzioni di data e ora nello stesso sondaggio. Quale vorresti mantenere?",
"mixedOptionsKeepDates": "Mantieni opzioni data",
"mixedOptionsKeepTimes": "Mantieni opzioni tempo",
"mixedOptionsTitle": "Aspetta un minuto…🤔",
"monday": "Lunedì",
"monthView": "Vista mensile",
"name": "Nome",
"namePlaceholder": "Jessie Smith",
"new": "Nuovo",
"newPoll": "Nuovo sondaggio",
"next": "Avanti",
"nextMonth": "Mese successivo",
"no": "No",
"noDatesSelected": "Nessuna data selezionata",
"notificationsDisabled": "Le notifiche sono state disabilitate",
"notificationsOff": "Notifiche disattive",
"notificationsOn": "Notifiche attive",
"notificationsOnDescription": "Un'email verrà inviata a <b>{{email}}</b> quando c'è attività su questo sondaggio.",
"notificationsVerifyEmail": "Devi verificare la tua email per attivare le notifiche",
"noVotes": "Nessuno ha votato per questa opzione",
"ok": "Ok",
"participant": "Partecipante",
"participantCount_one": "{{count}} partecipante",
"participantCount_other": "{{count}} partecipanti",
"pollHasBeenLocked": "Questo sondaggio è stato bloccato",
"pollHasBeenVerified": "Il tuo sondaggio è stato verificato",
"pollOwnerNotice": "Ehi {{name}}, sembra che tu sia il proprietario di questo sondaggio.",
"pollsEmpty": "Nessun sondaggio creato",
"possibleAnswers": "Possibili risposte",
"preferences": "Impostazioni",
"previousMonth": "Mese precedente",
"profileUser": "Profilo - {{username}}",
"requiredNameError": "Il nome è obbligatorio",
"save": "Salva",
"saveInstruction": "Seleziona la tua disponibilità e clicca su <b>{{action}}</b>",
"share": "Condividi",
"shareDescription": "Dai questo link ai <b>partecipanti</b> per permette loro di votare al tuo sondaggio.",
"shareLink": "Condividi via link",
"specifyTimes": "Specifica orari",
"specifyTimesDescription": "Includi gli orari di inizio e di fine per ogni opzione",
"stepSummary": "Fase {{current}} di {{total}}",
"sunday": "Domenica",
"timeFormat": "Formato orario:",
"timeZone": "Fuso orario:",
"title": "Titolo",
"titlePlaceholder": "Riunione Mensile",
"today": "Oggi",
"unlockPoll": "Sblocca sondaggio",
"unverifiedMessage": "Un'email è stata inviata a <b>{{email}}</b> con un link per verificare l'indirizzo email.",
"user": "Utente",
"weekStartsOn": "La settimana inizia da",
"weekView": "Vista settimanale",
"whatsThis": "Cos'è questo?",
"yes": "Si",
"you": "Tu",
"yourDetails": "I tuoi dati",
"yourName": "Il tuo nome…",
"yourPolls": "I tuoi sondaggi",
"yourProfile": "Il tuo profilo"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blog",
"discussions": "Discussioni",
"donate": "Dona",
"footerCredit": "Realizzato da <a>@imlukevella</a>",
"footerSponsor": "Questo progetto è finanziato dall'utente. Per favore considera di supportarlo <a>donando</a>.",
"home": "Home",
"language": "Lingua",
"links": "Links",
"poweredBy": "Powered by",
"privacyPolicy": "Informativa sulla privacy",
"starOnGithub": "Aggiungi ai preferiti su Github",
"support": "Assistenza",
"volunteerTranslator": "Aiutaci a tradurre il sito"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 non trovato",
"notFoundDescription": "Non abbiamo trovato la pagina che stavi cercando.",
"goToHome": "Vai alla home",
"startChat": "Avvia la chat"
}

View file

@ -0,0 +1,35 @@
{
"3Ls": "Sì—con 3 <e>L</e>s",
"adFree": "Senza pubblicità",
"adFreeDescription": "Puoi far riposare il tuo ad-blocker — qui non ne avrai bisogno.",
"comments": "Commenti",
"commentsDescription": "I partecipanti possono commentare il sondaggio e i commenti saranno visibili a tutti.",
"features": "Funzionalità",
"featuresSubheading": "Pianificare in modo intelligente",
"getStarted": "Inizia ora",
"heroSubText": "Trova la data perfetta senza troppi problemi",
"heroText": "Pianifica<br/><s>riunioni di gruppo</s><br />con facilità",
"links": "Links",
"liveDemo": "Demo Live",
"metaDescription": "Crea sondaggi e vota per trovare il miglior giorno o orario. Un alternativa gratuita a Doodle.",
"metaTitle": "Rallly - Programma incontri di gruppo",
"mobileFriendly": "Mobile friendly",
"mobileFriendlyDescription": "Funziona bene su dispositivi mobili in modo che i partecipanti possano rispondere ai sondaggi ovunque si trovino.",
"new": "Nuovo",
"noLoginRequired": "Login non necessario",
"noLoginRequiredDescription": "Non è necessario effettuare il login per creare o partecipare ad un sondaggio",
"notifications": "Notifiche",
"notificationsDescription": "Tieni traccia di chi ha risposto. Ricevi una notifica quando i partecipanti votano o commentano il tuo sondaggio.",
"openSource": "Open-source",
"openSourceDescription": "Il codice è completamente open-source e <a>disponibile su GitHub</a>.",
"participant": "Partecipante",
"participantCount_one": "{{count}} partecipante",
"participantCount_other": "{{count}} partecipanti",
"perfect": "Perfetto!",
"principles": "Principi",
"principlesSubheading": "Non siamo come gli altri",
"selfHostable": "Self-hostable",
"selfHostableDescription": "Eseguilo sul tuo server personale per avere il pieno controllo dei tuoi dati",
"timeSlots": "Fasce orarie",
"timeSlotsDescription": "Imposta singolarmente i tempi di inizio e fine per ogni opzione nel tuo sondaggio. Gli orari possono essere automaticamente adattati al fuso orario di ogni partecipante o possono essere impostati per ignorare completamente i fuso orari."
}

View file

@ -0,0 +1,117 @@
{
"12h": "12시간제",
"24h": "24시간제",
"addParticipant": "참여자 추가하기",
"addTimeOption": "시간 선택지 추가하기",
"alreadyVoted": "이미 투표하였습니다",
"applyToAllDates": "모든 선택지에 투표하기",
"areYouSure": "확실합니까?",
"back": "뒤로가기",
"calendarHelp": "옵션이 없는 투표는 생성할 수 없습니다. 최소 1개의 옵션을 추가해주세요.",
"calendarHelpTitle": "잊으신게 있나요?",
"cancel": "취소하기",
"comment": "댓글 남기기",
"commentPlaceholder": "이 투표에 댓글 남기기 (모두에게 공개됩니다)",
"comments": "댓글들",
"continue": "계속하기",
"copied": "복사됨",
"copyLink": "링크 복사하기",
"createdBy": "<b>{{name}}</b> 에 의해 생성됨",
"createPoll": "투표 만들기",
"creatingDemo": "데모 투표 만드는 중...",
"delete": "삭제하기",
"deleteComment": "댓글 삭제하기",
"deleteDate": "날짜 삭제하기",
"deletedPoll": "삭제된 투표",
"deletedPollInfo": "이 투표는 더 이상 존재하지 않습니다.",
"deletePoll": "투표 삭제하기",
"deletePollDescription": "이 투표의 모든 데이터가 삭제됩니다. 계속하시려면 <s>“{{confirmText}}”</s> 를 아래 입력창에 입력해주세요.",
"deletingOptionsWarning": "해당 옵션과 참여자들의 투표 내역을 모두 삭제합니다.",
"demoPollNotice": "데모 투표는 하루 뒤에 자동으로 삭제됩니다.",
"description": "설명",
"descriptionPlaceholder": "안녕하세요, 당신이 원하는 날짜를 선택해주세요.",
"donate": "후원하기",
"edit": "수정하기",
"editDetails": "세부정보 수정하기",
"editOptions": "옵션 수정하기",
"email": "이메일",
"emailPlaceholder": "jessie.smith@email.com",
"endingGuestSessionNotice": "비회원 세션이 종료되면 되돌릴 수 없으며 이 세션에서 생성한 투표나 댓글들을 더 이상 수정할 수 없습니다.",
"endSession": "세션 종료하기",
"exportToCsv": "CSV로 내보내기",
"forgetMe": "세션 지우기",
"goToAdmin": "관리페이지로 이동하기",
"guest": "비회원",
"guestSessionNotice": "당신은 비회원 세션을 이용하고 있으며, 자신의 투표를 나중에 수정할 수 있습니다.",
"guestSessionReadMore": "비회원 세션에 대해 더 알아보기",
"hide": "숨기기",
"ifNeedBe": "꼭 필요하다면",
"linkHasExpired": "링크가 만료되었거나 더 이상 유효하지 않습니다.",
"loading": "불러오는 중...",
"loadingParticipants": "참여자를 불러오는 중...",
"location": "장소",
"locationPlaceholder": "Jeo의 카페",
"lockPoll": "투표 잠그기",
"login": "로그인",
"logout": "로그아웃",
"manage": "관리하기",
"menu": "메뉴",
"mixedOptionsDescription": "한 투표에 날짜와 시간이 동일한 옵션을 추가할 수 없습니다. 어떤 옵션을 유지하시겠습니까?",
"mixedOptionsKeepDates": "날짜 옵션 유지하기",
"mixedOptionsKeepTimes": "시간 옵션 유지하기",
"mixedOptionsTitle": "잠시 기다려주세요… 🤔",
"monday": "월요일",
"monthView": "월간 보기",
"name": "이름",
"namePlaceholder": "홍길동",
"new": "신규",
"newPoll": "새 투표",
"next": "다음",
"nextMonth": "다음달",
"no": "안돼요",
"noDatesSelected": "날짜가 선택되지 않았습니다.",
"notificationsDisabled": "알림이 비활성화 되었습니다.",
"notificationsOff": "알림 꺼짐",
"notificationsOn": "알림 켜짐",
"notificationsOnDescription": "이 투표에 업데이트가 생기면 <b>{{email}}</b> 으로 메일이 전송됩니다.",
"notificationsVerifyEmail": "알림을 활성화하려면 이메일을 인증해주세요.",
"noVotes": "이 옵션은 아무도 선택하지 않았습니다.",
"ok": "확인",
"participant": "참여자",
"participantCount_one": "{{count}} 명의 참여자",
"participantCount_other": "{{count}} 명의 참여자",
"pollHasBeenLocked": "이 투표는 잠겼습니다.",
"pollHasBeenVerified": "투표가 확인되었습니다.",
"pollOwnerNotice": "안녕하세요 {{name}}, 이 투표의 생성자시군요.",
"pollsEmpty": "생성된 투표가 없습니다.",
"possibleAnswers": "가능한 답변들",
"preferences": "설정",
"previousMonth": "지난달",
"profileUser": "프로필 - {{username}}",
"requiredNameError": "이름을 입력해주세요.",
"save": "저장하기",
"saveInstruction": "가능여부를 선택한 후 <b>{{action}}</b> 를 클릭하세요",
"share": "공유하기",
"shareDescription": "이 링크를 <b>참여자들</b>에게 전달하여 투표하도록 하세요",
"shareLink": "링크 공유하기",
"specifyTimes": "시간 지정하기",
"specifyTimesDescription": "각 날짜별로 시작시간과 종료시간을 추가합니다.",
"stepSummary": "{{total}} 단계 중 {{current}}",
"sunday": "일요일",
"timeFormat": "시간 형식:",
"timeZone": "표준시간대:",
"title": "제목",
"titlePlaceholder": "월간 회의",
"today": "오늘",
"unlockPoll": "투표 잠금 해제",
"unverifiedMessage": "인증 링크가 담긴 이메일이 <b>{{email}}</b> 로 전송되었습니다.",
"user": "사용자",
"weekStartsOn": "한 주의 시작",
"weekView": "주간 보기",
"whatsThis": "이게 뭐죠?",
"yes": "가능해요",
"you": "당신",
"yourDetails": "세부 정보",
"yourName": "이름",
"yourPolls": "당신의 투표"
}

View file

@ -0,0 +1,15 @@
{
"blog": "블로그",
"discussions": "토론장",
"donate": "후원",
"footerCredit": "만든이 <a>@imlukevella</a>",
"footerSponsor": "이 프로젝트는 유저 후원으로 진행됩니다. <a>후원하기</a> 를 통해 프로젝트를 지원해주세요!",
"home": "홈페이지",
"language": "언어",
"links": "링크",
"poweredBy": "기술 지원",
"privacyPolicy": "개인정보 취급방침",
"starOnGithub": "Github에서 좋아요 누르기",
"support": "사용자가이드",
"volunteerTranslator": "이 페이지 번역 돕기"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 찾을 수 없음",
"notFoundDescription": "요청한 페이지를 찾을 수 없습니다.",
"goToHome": "홈으로 돌아가기",
"startChat": "채팅 시작하기"
}

View file

@ -0,0 +1,35 @@
{
"3Ls": "맞아요 - <e>L</e> 이 3개에요!",
"adFree": "광고 없음",
"adFreeDescription": "Ad-blocker 는 신경쓰지 마세요 - 여기서는 필요 없을겁니다.",
"comments": "댓글들",
"commentsDescription": "참여자들은 투표에 댓글을 남길 수 있고 댓글들은 모두에게 공개될 것입니다.",
"features": "특징",
"featuresSubheading": "똑똑하게 계획하기",
"getStarted": "시작하기",
"heroSubText": "빈 틈 없는 최적의 날짜를 찾아보세요",
"heroText": "쉽게 <br/><s>단체 미팅</s><br /> 시간 정하기",
"links": "링크",
"liveDemo": "라이브 데모",
"metaDescription": "최적의 시간이나 날짜를 찾기 위해 투표를 생성하세요. Doodle의 무료 대체제입니다.",
"metaTitle": "Rallly - 단체 미팅 시간 정하기",
"mobileFriendly": "모바일 지원",
"mobileFriendlyDescription": "모바일에서 사용가능하며 참여자들은 어디서든 응답할 수 있습니다.",
"new": "신규",
"noLoginRequired": "로그인은 필요하지 않습니다.",
"noLoginRequiredDescription": "투표를 생성하거나 투표하기 위해 로그인 할 필요가 없습니다.",
"notifications": "알림",
"notificationsDescription": "참여자들의 응답을 지켜봅니다. 당신의 투표에서 일어나는 모든일들에 대해 알림을 받으세요.",
"openSource": "오픈 소스",
"openSourceDescription": "소스코드는 완전히 오픈소스이며. <a>Github</a> 에서 이용 가능합니다.",
"participant": "참여자",
"participantCount_one": "{{count}} 명",
"participantCount_other": "{{count}} 명",
"perfect": "완벽해요!",
"principles": "원칙",
"principlesSubheading": "우리는 다릅니다",
"selfHostable": "자체 운영 가능",
"selfHostableDescription": "데이터 전체를 제어하기 위해 자신만의 서버를 구축할 수 있습니다.",
"timeSlots": "시간대 설정",
"timeSlotsDescription": "투표를 생성할 때 시작 시간과 끝 시간을 각 날짜별로 설정할 수 있습니다. 각 시간은 참여자들의 표준시간대에 맞춰 자동으로 조절되거나 표준시간대를 완전히 무시하도록 설정할 수 있습니다."
}

View file

@ -0,0 +1,137 @@
{
"12h": "12 uur",
"24h": "24 uur",
"addParticipant": "Deelnemer toevoegen",
"addTimeOption": "Tijd optie toevoegen",
"alreadyRegistered": "Al geregistreerd? <a>Inloggen →</a>",
"alreadyVoted": "Je hebt al gestemd",
"applyToAllDates": "Toepassen op alle datums",
"areYouSure": "Ben je zeker?",
"back": "Terug",
"calendarHelp": "Je kan geen poll maken zonder opties. Voeg ten minste één optie toe om door te gaan.",
"calendarHelpTitle": "Iets vergeten?",
"cancel": "Annuleren",
"comment": "Reactie",
"commentPlaceholder": "Laat een reactie achter op deze poll (zichtbaar voor iedereen)",
"comments": "Reacties",
"continue": "Doorgaan",
"copied": "Gekopieerd",
"copyLink": "Link kopiëren",
"createAnAccount": "Account aanmaken",
"createdBy": "door <b>{{name}}</b>",
"createPoll": "Poll maken",
"creatingDemo": "Demo poll aanmaken…",
"delete": "Verwijderen",
"deleteComment": "Verwijder reactie",
"deleteDate": "Datum verwijderen",
"deletedPoll": "Verwijderde poll",
"deletedPollInfo": "Deze poll bestaat niet meer.",
"deletePoll": "Verwijder poll",
"deletePollDescription": "Alle gegevens van deze poll zullen worden verwijderd. Om dit te bevestigen, type <s>\"{{confirmText}}\"</s> in de onderstaande invoerveld:",
"deletingOptionsWarning": "Je verwijdert opties waar deelnemers op hebben gestemd. Hun keuzen zullen ook worden verwijderd.",
"demoPollNotice": "Demo polls worden automatisch verwijderd na 1 dag",
"description": "Beschrijving",
"descriptionPlaceholder": "Hallo iedereen, kies alstublieft de data die voor jou werken!",
"donate": "Doneer",
"edit": "Bewerken",
"editDetails": "Details bewerken",
"editOptions": "Opties bewerken",
"email": "E-mail",
"emailPlaceholder": "jessie.smith@email.com",
"endingGuestSessionNotice": "Zodra een gastsessie is beëindigd, kan deze niet worden hervat. Je kan geen stemmen of opmerkingen bewerken die je tijdens deze sessie hebt gemaakt.",
"endSession": "Sessie beëindigen",
"exportToCsv": "Exporteer naar CSV",
"forgetMe": "Vergeet me",
"goToAdmin": "Ga naar Admin",
"guest": "Gast",
"guestSessionNotice": "Je gebruikt een gastensessie. Dit stelt ons in staat om je te herkennen als je later terugkomt, zodat je je stemmen kunt bewerken.",
"guestSessionReadMore": "Lees meer over gast-sessies.",
"hide": "Verbergen",
"ifNeedBe": "Indien nodig",
"linkHasExpired": "Je link is verlopen of niet langer geldig",
"loading": "Laden…",
"loadingParticipants": "Deelnemers laden…",
"location": "Locatie",
"locationPlaceholder": "Joes Koffiebar",
"lockPoll": "Poll vergrendelen",
"login": "Inloggen",
"logout": "Uitloggen",
"manage": "Beheren",
"menu": "Menu",
"mixedOptionsDescription": "Je kan niet beide opties voor tijd en datum hebben in dezelfde poll. Wat wil je behouden?",
"mixedOptionsKeepDates": "Datumopties behouden",
"mixedOptionsKeepTimes": "Tijdsopties behouden",
"mixedOptionsTitle": "Wacht een minuut…🤔",
"monday": "Maandag",
"monthView": "Maandweergave",
"name": "Naam",
"namePlaceholder": "Jessie Smith",
"new": "Nieuw",
"adminPollTitle": "{{title}}: Beheerder",
"newPoll": "Nieuwe poll",
"createNew": "Nieuw aanmaken",
"home": "Home",
"next": "Volgende",
"nextMonth": "Volgende maand",
"no": "Nee",
"noDatesSelected": "Geen datums geselecteerd",
"notificationsDisabled": "Meldingen zijn uitgeschakeld",
"notificationsOff": "Meldingen zijn uitgeschakeld",
"notificationsOn": "Meldingen zijn ingeschakeld",
"notificationsOnDescription": "Een e-mail wordt verzonden naar <b>{{email}}</b> wanneer er activiteit is in deze poll.",
"notificationsVerifyEmail": "Je moet je e-mailadres verifiëren om meldingen in te schakelen",
"notRegistered": "Account aanmaken →",
"noVotes": "Niemand heeft voor deze optie gestemd",
"ok": "OK",
"participant": "Deelnemer",
"participantCount_few": "{{count}} deelnemers",
"participantCount_many": "{{count}} deelnemers",
"participantCount_one": "{{count}} deelnemer",
"participantCount_other": "{{count}} deelnemers",
"participantCount_two": "{{count}} deelnemers",
"participantCount_zero": "{{count}} deelnemers",
"pollHasBeenLocked": "Deze poll is vergrendeld",
"pollHasBeenVerified": "Je e-mailadres is geverifieerd",
"pollOwnerNotice": "Hey {{name}}, het lijkt erop dat jij de eigenaar bent van deze poll.",
"pollsEmpty": "Geen polls aangemaakt",
"possibleAnswers": "Mogelijke antwoorden",
"preferences": "Voorkeuren",
"previousMonth": "Vorige maand",
"profileUser": "Profiel - {{username}}",
"register": "Registreren",
"requiredNameError": "Naam is verplicht",
"resendVerificationCode": "Verificatiecode opnieuw versturen",
"save": "Opslaan",
"saveInstruction": "Selecteer je beschikbaarheid en klik op <b>{{action}}</b>",
"share": "Delen",
"shareDescription": "Geef deze link aan je <b>deelnemers</b> zodat ze op je poll kunnen stemmen.",
"shareLink": "Deel via link",
"specifyTimes": "Tijden opgeven",
"specifyTimesDescription": "Voeg start- en eindtijden voor elke optie toe",
"stepSummary": "Stap {{current}} van {{total}}",
"sunday": "Zondag",
"timeFormat": "Tijdnotatie:",
"timeZone": "Tijdzone:",
"title": "Titel",
"titlePlaceholder": "Maandelijkse Meetup",
"today": "Vandaag",
"unlockPoll": "Poll ontgrendelen",
"unverifiedMessage": "Er is een e-mail verzonden naar <b>{{email}}</b> met een link om het e-mailadres te verifiëren.",
"user": "Gebruiker",
"userAlreadyExists": "Er is al een gebruiker met dit e-mailadres",
"userNotFound": "Er bestaat geen gebruiker met dit e-mailadres",
"verificationCodeHelp": "Geen e-mail ontvangen? Controleer je spam/junk.",
"verificationCodePlaceholder": "Voer je 6-cijferige code in",
"verificationCodeSent": "Een verificatiecode is verzonden naar <b>{{email}}</b> <a>Wijzigen</a>",
"verifyYourEmail": "Verifieer je e-mailadres",
"weekStartsOn": "Week begint op",
"weekView": "Weekweergave",
"whatsThis": "Wat is dit?",
"wrongVerificationCode": "Je verificatiecode is onjuist of is verlopen",
"yes": "Ja",
"you": "Jij",
"yourDetails": "Jouw gegevens",
"yourName": "Jouw naam…",
"yourPolls": "Jouw polls",
"yourProfile": "Jouw profiel"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blog",
"discussions": "Discussies",
"donate": "Doneer",
"footerCredit": "Gemaakt door <a>@imlukevella</a>",
"footerSponsor": "Dit project wordt door de gebruikers gefinancierd. Overweeg om dit ook te doen door <a>te doneren</a>.",
"home": "Home",
"language": "Taal",
"links": "Links",
"poweredBy": "Mogelijk gemaakt door",
"privacyPolicy": "Privacybeleid",
"starOnGithub": "Geef een ster op GitHub",
"support": "Support",
"volunteerTranslator": "Help deze site te vertalen"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 niet gevonden",
"notFoundDescription": "We konden de pagina die je zoekt niet vinden.",
"goToHome": "Ga naar Home",
"startChat": "Chat starten"
}

View file

@ -0,0 +1,39 @@
{
"3Ls": "Ja - met 3 <e>L</e>en",
"adFree": "Reclamevrij",
"adFreeDescription": "Je kunt je ad-blocker een pauze geven - je hebt die hier niet nodig.",
"comments": "Opmerkingen",
"commentsDescription": "Deelnemers kunnen commentaar geven op je poll en de reacties zullen voor iedereen zichtbaar zijn.",
"features": "Functies",
"featuresSubheading": "Plannen, de slimme manier",
"getStarted": "Ga aan de slag",
"heroSubText": "De juiste datum vinden zonder heen en weer overleg",
"heroText": "Plan<br/><s>groep meetings</s><br />makkelijk",
"links": "Links",
"liveDemo": "Live demo",
"metaDescription": "Maak polls en stem om de beste dag of tijd te vinden. Een gratis alternatief voor Doodle.",
"metaTitle": "Rallly - Plan groepmeetings",
"mobileFriendly": "Mobielvriendelijk",
"mobileFriendlyDescription": "Werkt geweldig op mobiele apparaten, zodat deelnemers kunnen reageren op polls, waar ze ook zijn.",
"new": "Nieuw",
"noLoginRequired": "Inloggen is niet vereist",
"noLoginRequiredDescription": "Je hoeft niet in te loggen om een poll aan te maken of deel te nemen",
"notifications": "Meldingen",
"notificationsDescription": "Blijf op de hoogte wie er reageert. Krijg een melding wanneer de deelnemers stemmen of reageren op je poll.",
"openSource": "Open-source",
"openSourceDescription": "De code is volledig open-source en <a>beschikbaar op GitHub</a>.",
"participant": "Deelnemer",
"participantCount_zero": "{{count}} deelnemers",
"participantCount_one": "{{count}} deelnemer",
"participantCount_two": "{{count}} deelnemers",
"participantCount_few": "{{count}} deelnemers",
"participantCount_many": "{{count}} deelnemers",
"participantCount_other": "{{count}} deelnemers",
"perfect": "Perfect!",
"principles": "Principes",
"principlesSubheading": "We zijn niet zoals de anderen",
"selfHostable": "Kan je zelf hosten",
"selfHostableDescription": "Host het op je eigen server om de volledige controle over je gegevens te krijgen",
"timeSlots": "Tijdsblokken",
"timeSlotsDescription": "Stel individuele start- en eindtijden in voor elke optie in je poll. Tijden kunnen automatisch worden aangepast aan de tijdzone van elke deelnemer, of ze kunnen worden ingesteld om tijdzones volledig te negeren."
}

View file

@ -0,0 +1,122 @@
{
"12h": "12-godzinny",
"24h": "24-godzinny",
"addParticipant": "Dodaj uczestnika",
"addTimeOption": "Dodaj opcję czasową",
"alreadyVoted": "Już zagłosowałeś",
"applyToAllDates": "Zastosuj do wszystkich dat",
"areYouSure": "Jesteś pewny?",
"back": "Powrót",
"calendarHelp": "Nie możesz utworzyć ankiety bez żadnej opcji. Dodaj co najmniej jedną opcję, aby kontynuować.",
"calendarHelpTitle": "Zapomniałeś o czymś?",
"cancel": "Anuluj",
"comment": "Skomentuj",
"commentPlaceholder": "Zostaw komentarz do tej ankiety (widoczny dla wszystkich)",
"comments": "Komentarze",
"continue": "Kontynuuj",
"copied": "Skopiowano",
"copyLink": "Kopiuj link",
"createdBy": "od <b>{{name}}</b>",
"createPoll": "Utwórz ankietę",
"creatingDemo": "Tworzenie ankiety demonstracyjnej…",
"delete": "Usuń",
"deleteComment": "Usuń komentarz",
"deleteDate": "Usuń datę",
"deletedPoll": "Usuń ankietę",
"deletedPollInfo": "Ta ankieta już nie istnieje.",
"deletePoll": "Usuń ankietę",
"deletePollDescription": "Wszystkie dane związane z tą ankietą zostaną usunięte. Aby potwierdzić, wpisz <s>„{{confirmText}}”</s> poniższej:",
"deletingOptionsWarning": "Usuwasz opcje, na które głosowali uczestnicy. Ich głosy również zostaną usunięte.",
"demoPollNotice": "Ankiety demonstracyjne są automatycznie usuwane po 1 dniu",
"description": "Opis",
"descriptionPlaceholder": "Cześć wszystkim, wybierzcie terminy, które Wam pasują!",
"donate": "Wesprzyj nas",
"edit": "Edytuj",
"editDetails": "Edytuj szczegóły",
"editOptions": "Edytuj opcje",
"email": "Email",
"emailPlaceholder": "jan.kowalski@email.com",
"endingGuestSessionNotice": "Po zakończeniu sesji gościa nie można jej wznowić. Nie będzie można edytować żadnych głosów ani komentarzy dodanych podczas tej sesji.",
"endSession": "Zakończ sesję",
"exportToCsv": "Eksport do CSV",
"forgetMe": "Zapomnij mnie",
"goToAdmin": "Przejdź do panelu administratora",
"guest": "Gość",
"guestSessionNotice": "Używasz sesji gościa. Pozwala nam to rozpoznać, jeśli wrócisz później, abyś mógł edytować swoje głosy.",
"guestSessionReadMore": "Przeczytaj więcej o sesjach gości.",
"hide": "Ukryj",
"ifNeedBe": "W razie potrzeby",
"linkHasExpired": "Twój link wygasł lub nie jest już ważny",
"loading": "Wczytywanie…",
"loadingParticipants": "Wczytywanie uczestników…",
"location": "Lokalizacja",
"locationPlaceholder": "Sklep z kawą Joe",
"lockPoll": "Zablokuj ankietę",
"login": "Logowanie",
"logout": "Wyloguj",
"manage": "Zarządzaj",
"menu": "Menu",
"mixedOptionsDescription": "Nie możesz mieć w tej samej ankiecie obu opcji daty i godziny. Które chciałbyś zachować?",
"mixedOptionsKeepDates": "Zachowaj opcje daty",
"mixedOptionsKeepTimes": "Zachowaj opcje czasu",
"mixedOptionsTitle": "Poczekaj minutę…🤔",
"monday": "Poniedziałek",
"monthView": "Widok Miesięczny",
"name": "Imię",
"namePlaceholder": "Jan Kowalski",
"new": "Nowy",
"newPoll": "Nowa ankieta",
"next": "Dalej",
"nextMonth": "Następny miesiąc",
"no": "Nie",
"noDatesSelected": "Nie wybrano dat",
"notificationsDisabled": "Powiadomienia zostały wyłączone",
"notificationsOff": "Powiadomienia są wyłączone",
"notificationsOn": "Powiadomienia są włączone",
"notificationsOnDescription": "Wiadomość e-mail zostanie wysłana na <b>{{email}}</b>, gdy będzie aktywność w tej ankiecie.",
"notificationsVerifyEmail": "Aby włączyć powiadomienia, musisz zweryfikować swój adres e-mail",
"noVotes": "Nikt nie głosował na tę opcję",
"ok": "Ok",
"participant": "Uczestnik",
"participantCount_few": "{{count}} uczestników",
"participantCount_many": "{{count}} uczestników",
"participantCount_one": "{{count}} uczestnik",
"participantCount_other": "{{count}} uczestników",
"participantCount_two": "{{count}} uczestników",
"participantCount_zero": "{{count}} uczestników",
"pollHasBeenLocked": "Ta ankieta została zablokowana",
"pollHasBeenVerified": "Twoja ankieta została zweryfikowana",
"pollOwnerNotice": "Hej {{name}}, wygląda na to, że jesteś właścicielem tej ankiety.",
"pollsEmpty": "Nie utworzono ankiet",
"possibleAnswers": "Możliwe opcje",
"preferences": "Ustawienia",
"previousMonth": "Poprzedni miesiąc",
"profileUser": "Profil - {{username}}",
"requiredNameError": "Imię jest wymagane",
"save": "Zapisz",
"saveInstruction": "Wybierz swoją dostępność i kliknij <b>{{action}}</b>",
"share": "Udostępnij",
"shareDescription": "Przekaż ten link <b>uczestnikom</b>, aby mogli zagłosować na ankietę.",
"shareLink": "Udostępnij link",
"specifyTimes": "Podaj czas",
"specifyTimesDescription": "Dołącz godziny rozpoczęcia i zakończenia dla każdej opcji",
"stepSummary": "Etap {{current}} z {{total}}",
"sunday": "Niedziela",
"timeFormat": "Format czasu:",
"timeZone": "Strefa czasowa:",
"title": "Tytuł",
"titlePlaceholder": "Miesięczne spotkanie",
"today": "Dziś",
"unlockPoll": "Odblokuj ankietę",
"unverifiedMessage": "Na adres <b>{{email}}</b> został wysłany e-mail z linkiem do weryfikacji adresu.",
"user": "Użytkownik",
"weekStartsOn": "Pierwszy dzień tygodnia",
"weekView": "Widok tygodniowy",
"whatsThis": "Co to jest?",
"yes": "Tak",
"you": "Ty",
"yourDetails": "Twoje dane",
"yourName": "Twoje imię…",
"yourPolls": "Twoje ankiety",
"yourProfile": "Twój profil"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blog",
"discussions": "Dyskusje",
"donate": "Wesprzyj nas",
"footerCredit": "Stworzone przez <a>@imlukevella</a>",
"footerSponsor": "Ten projekt jest finansowany przez użytkowników. Proszę rozważyć wsparcie go poprzez <a>darowiznę</a>.",
"home": "Strona główna",
"language": "Język",
"links": "Linki",
"poweredBy": "Dzięki wsparciu",
"privacyPolicy": "Polityka prywatności",
"starOnGithub": "Dodaj gwiazdkę na GitHubie",
"support": "Wsparcie",
"volunteerTranslator": "Pomóź w przetłumaczeniu tej strony"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 brak strony",
"notFoundDescription": "Nie mogliśmy znaleźć strony, której szukasz.",
"goToHome": "Przejdź do strony głównej",
"startChat": "Rozpocznij czat"
}

View file

@ -0,0 +1,39 @@
{
"3Ls": "Tak—z 3 <e>L</e>",
"adFree": "Bez reklam",
"adFreeDescription": "Możesz dać odpocząć swojemu blokowaniu reklam — nie będziesz go tutaj potrzebował.",
"comments": "Komentarze",
"commentsDescription": "Uczestnicy mogą komentować Twoją ankietę, a komentarze będą widoczne dla wszystkich.",
"features": "Funkcje",
"featuresSubheading": "Planowanie w sprytny sposób",
"getStarted": "Zacznij",
"heroSubText": "Znajdź właściwą datę bez wracania tam i z powrotem",
"heroText": "Zaplanuj<br/><s>spotkania grupowe</s><br />z łatwością",
"links": "Linki",
"liveDemo": "Demo",
"metaDescription": "Twórz ankiety i głosuj, aby znaleźć najlepszy dzień lub godzinę. Bezpłatna alternatywa dla Doodle.",
"metaTitle": "Rallly - Zaplanuj spotkania grupowe",
"mobileFriendly": "Dostosowane do urządzeń mobilnych",
"mobileFriendlyDescription": "Działa świetnie na urządzeniach mobilnych, dzięki czemu uczestnicy mogą odpowiadać na ankiety, gdziekolwiek się znajdują.",
"new": "Nowość",
"noLoginRequired": "Nie wymaga logowania",
"noLoginRequiredDescription": "Nie musisz się logować, aby utworzyć lub wziąć udział w ankiecie",
"notifications": "Powiadomienia",
"notificationsDescription": "Śledź, kto odpowiedział. Otrzymuj powiadomienia, gdy uczestnicy zagłosują lub skomentują Twoją ankietę.",
"openSource": "Open-source",
"openSourceDescription": "Kod jest w pełni open-source i dostępna na <a>GitHub</a>.",
"participant": "Uczestnik",
"participantCount_zero": "{{count}} uczestników",
"participantCount_one": "{{count}} uczestnik",
"participantCount_two": "{{count}} uczestników",
"participantCount_few": "{{count}} uczestników",
"participantCount_many": "{{count}} uczestników",
"participantCount_other": "{{count}} uczestników",
"perfect": "Idealne!",
"principles": "Założenia",
"principlesSubheading": "Nie jesteśmy jak inni",
"selfHostable": "Self-hostable",
"selfHostableDescription": "Uruchom go na własnym serwerze, aby mieć pełną kontrolę nad swoimi danymi",
"timeSlots": "Przedziały czasowe",
"timeSlotsDescription": "Ustaw indywidualne godziny rozpoczęcia i zakończenia dla każdej opcji w swojej ankiecie. Czasy mogą być automatycznie dostosowywane do strefy czasowej każdego uczestnika lub mogą być ustawione tak, aby całkowicie ignorować strefy czasowe."
}

View file

@ -0,0 +1,137 @@
{
"12h": "12-horas",
"24h": "24-horas",
"addParticipant": "Adicionar participante",
"addTimeOption": "Adicionar opção de horário",
"alreadyRegistered": "Já está cadastrado? <a>Login →</a>",
"alreadyVoted": "Você já votou",
"applyToAllDates": "Aplicar a todas as datas",
"areYouSure": "Você tem certeza?",
"back": "Voltar",
"calendarHelp": "Você não pode criar uma enquete sem quaisquer opções. Adicione pelo menos uma opção para continuar.",
"calendarHelpTitle": "Esqueceu algo?",
"cancel": "Cancelar",
"comment": "Comentar",
"commentPlaceholder": "Deixe um comentário nesta enquete (visível para todos)",
"comments": "Comentários",
"continue": "Continuar",
"copied": "Copiado",
"copyLink": "Copiar link",
"createAnAccount": "Criar uma conta",
"createdBy": "por <b>{{name}}</b>",
"createPoll": "Criar enquete",
"creatingDemo": "Criando enquete de demonstração…",
"delete": "Excluir",
"deleteComment": "Apagar comentário",
"deleteDate": "Excluir data",
"deletedPoll": "Enquete excluída",
"deletedPollInfo": "Esta enquete não existe mais.",
"deletePoll": "Excluir enquete",
"deletePollDescription": "Todos os dados relacionados a esta enquete serão excluídos. Para confirmar, digite <s>“{{confirmText}}”</s> no espaço abaixo:",
"deletingOptionsWarning": "Você está excluindo opções que outros participantes já votaram. Esses votos serão excluídos também.",
"demoPollNotice": "Enquetes de demonstração são excluídas automaticamente após 1 dia",
"description": "Descrição",
"descriptionPlaceholder": "Olá a todos! Por gentileza, escolha as datas que sirva para você!",
"donate": "Doe",
"edit": "Editar",
"editDetails": "Editar detalhes",
"editOptions": "Editar opções",
"email": "E-mail",
"emailPlaceholder": "fulano@email.com.br",
"endingGuestSessionNotice": "Uma vez que uma sessão de convidado termine, ela não poderá ser retomada. Você não poderá editar nenhum voto ou comentário que tenha feito nesta sessão.",
"endSession": "Encerrar sessão",
"exportToCsv": "Exportar para CSV",
"forgetMe": "Esqueça-me",
"goToAdmin": "Ir para Admin",
"guest": "Convidado",
"guestSessionNotice": "Você está usando uma sessão de convidado. Isso nos permite reconhecê-lo caso você voltar mais tarde e poder editar seus votos.",
"guestSessionReadMore": "Leia mais sobre sessões de convidado.",
"hide": "Ocultar",
"ifNeedBe": "Se for necessário",
"linkHasExpired": "Seu link expirou ou não é mais válido",
"loading": "Carregando…",
"loadingParticipants": "Carregando participantes…",
"location": "Local",
"locationPlaceholder": "Loja Café do Júlio",
"lockPoll": "Bloquear enquete",
"login": "Logar",
"logout": "Deslogar",
"manage": "Gerenciar",
"menu": "Menu",
"mixedOptionsDescription": "Você não pode ter ambas as opções de data e hora na mesma enquete. Qual você gostaria de manter?",
"mixedOptionsKeepDates": "Manter opções de data",
"mixedOptionsKeepTimes": "Manter opções de hora",
"mixedOptionsTitle": "Aguarde um minuto…🤔",
"monday": "Segunda-feira",
"monthView": "Visão mensal",
"name": "Nome",
"namePlaceholder": "Fulano de Tal",
"new": "Novo",
"adminPollTitle": "{{title}}: Admin",
"newPoll": "Nova enquete",
"createNew": "Criar enquete",
"home": "Início",
"next": "Avançar",
"nextMonth": "Próximo mês",
"no": "Não",
"noDatesSelected": "Nenhuma data selecionada",
"notificationsDisabled": "As notificações foram desabilitadas",
"notificationsOff": "Notificações desativadas",
"notificationsOn": "Notificações ativadas",
"notificationsOnDescription": "Um e-mail será enviado para <b>{{email}}</b> quando houver atividade nesta enquete.",
"notificationsVerifyEmail": "Você precisa confirmar seu e-mail para ativar as notificações",
"notRegistered": "Criar uma nova conta →",
"noVotes": "Ninguém votou nesta opção",
"ok": "Ok",
"participant": "Participante",
"participantCount_few": "{{count}} participantes",
"participantCount_many": "{{count}} participantes",
"participantCount_one": "{{count}} participante",
"participantCount_other": "{{count}} participantes",
"participantCount_two": "{{count}} participantes",
"participantCount_zero": "{{count}} participantes",
"pollHasBeenLocked": "Esta enquete foi bloqueada",
"pollHasBeenVerified": "Sua enquete foi verificada",
"pollOwnerNotice": "Oi {{name}}, parece que você é o proprietário desta enquete.",
"pollsEmpty": "Nenhuma enquete criada",
"possibleAnswers": "Possíveis respostas",
"preferences": "Preferências",
"previousMonth": "Mês anterior",
"profileUser": "Perfil - {{username}}",
"register": "Cadastrar",
"requiredNameError": "Nome é obrigatório",
"resendVerificationCode": "Reenviar código de verificação",
"save": "Salvar",
"saveInstruction": "Selecione sua disponibilidade e clique <b>{{action}}</b>",
"share": "Compartilhar",
"shareDescription": "Dê este link para os seus <b>participantes</b> para permitir que eles votem na sua enquete.",
"shareLink": "Compartilhar via link",
"specifyTimes": "Especificar horários",
"specifyTimesDescription": "Incluir os horários de início e fim para cada opção",
"stepSummary": "Passo {{current}} de {{total}}",
"sunday": "Domingo",
"timeFormat": "Formato de hora:",
"timeZone": "Fuso horário:",
"title": "Título",
"titlePlaceholder": "Reunião mensal",
"today": "Hoje",
"unlockPoll": "Desbloquear enquete",
"unverifiedMessage": "Um e-mail foi enviado para <b>{{email}}</b> com um link para verificar o endereço de e-mail.",
"user": "Usuário",
"userAlreadyExists": "Já existe um usuário com este e-mail",
"userNotFound": "Não existe um usuário com esse e-mail",
"verificationCodeHelp": "Não recebeu o e-mail? Verifique seu spam/lixeira.",
"verificationCodePlaceholder": "Insira o seu código de 6 dígitos",
"verificationCodeSent": "Um código de verificação foi enviado para <b>{{email}}</b> <a>Alterar</a>",
"verifyYourEmail": "Verifique seu e-mail",
"weekStartsOn": "A semana começa em",
"weekView": "Visão semanal",
"whatsThis": "O que é isso?",
"wrongVerificationCode": "Seu código de verificação está incorreto ou expirou",
"yes": "Sim",
"you": "Você",
"yourDetails": "Seus detalhes",
"yourName": "Seu nome…",
"yourPolls": "Suas enquetes",
"yourProfile": "Seu perfil"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blog",
"discussions": "Discussões",
"donate": "Doe",
"footerCredit": "Feito por <a>@imlukevella</a>",
"footerSponsor": "Este projeto é financiado pelo usuário. Por gentileza, considere apoiá-lo fazendo uma <a>doação</a>.",
"home": "Início",
"language": "Idioma",
"links": "Links",
"poweredBy": "Tecnologias de",
"privacyPolicy": "Política de Privacidade",
"starOnGithub": "Qualifique-nos no GitHub",
"support": "Suporte",
"volunteerTranslator": "Ajude a traduzir esta página"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 Página não encontrada",
"notFoundDescription": "Não conseguimos encontrar a página que você está procurando.",
"goToHome": "Ir para o início",
"startChat": "Iniciar chat"
}

View file

@ -0,0 +1,39 @@
{
"3Ls": "Sim—com 3 <e>L</e>s",
"adFree": "Sem anúncios",
"adFreeDescription": "Você pode dar um descanso ao seu bloqueador de anúncios — Você não vai precisar dele aqui.",
"comments": "Comentários",
"commentsDescription": "Participantes podem comentar na sua enquete e os comentários ficarão visíveis para todos.",
"features": "Funcionalidades",
"featuresSubheading": "Agendamento, da maneira inteligente",
"getStarted": "Comece agora",
"heroSubText": "Encontre o dia certo sem contratempos",
"heroText": "Agende<br/><s>reuniões</s><br />com facilidade",
"links": "Links",
"liveDemo": "Demonstração ao vivo",
"metaDescription": "Crie enquetes e vote para encontrar o melhor dia ou hora. Uma alternativa gratuita ao Doodle.",
"metaTitle": "Rallly - Agende reuniões de grupo",
"mobileFriendly": "Compatível com dispositivos móveis",
"mobileFriendlyDescription": "Funciona muito bem em dispositivos móveis para que os participantes possam responder às enquetes onde estiverem.",
"new": "Novo",
"noLoginRequired": "Não requer login",
"noLoginRequiredDescription": "Você não precisa fazer login para criar ou participar de uma enquete",
"notifications": "Notificações",
"notificationsDescription": "Saiba quem respondeu. Seja notificado quando os participantes votarem ou comentarem na sua enquete.",
"openSource": "Código aberto",
"openSourceDescription": "O projeto é totalmente de código aberto e <a>disponível no GitHub</a>.",
"participant": "Participante",
"participantCount_zero": "{{count}} participantes",
"participantCount_one": "{{count}} participante",
"participantCount_two": "{{count}} participantes",
"participantCount_few": "{{count}} participantes",
"participantCount_many": "{{count}} participantes",
"participantCount_other": "{{count}} participantes",
"perfect": "Perfeito!",
"principles": "Princípios",
"principlesSubheading": "Não somos como os outros",
"selfHostable": "Auto-hospedável",
"selfHostableDescription": "Execute em seu próprio servidor para ter controle total dos seus dados",
"timeSlots": "Intervalos de tempo",
"timeSlotsDescription": "Defina os horários de início e fim individuais para cada opção em sua enquete. Os horários podem ser automaticamente ajustados ao fuso horário de cada participante ou podem ser definidos para ignorar completamente o fuso horário."
}

View file

@ -0,0 +1,117 @@
{
"12h": "12 Horas",
"24h": "24 Horas",
"addParticipant": "Adicionar participante",
"addTimeOption": "Adicionar opção de horário",
"alreadyVoted": "Já votou nesta sondagem",
"applyToAllDates": "Aplicar a todas as datas",
"areYouSure": "Tem a certeza?",
"back": "Voltar",
"calendarHelp": "Não é possível criar uma sondagem sem opções. Adicionar no mínimo uma opção para continuar.",
"calendarHelpTitle": "Esqueceste algo?",
"cancel": "Cancelar",
"comment": "Comentar",
"commentPlaceholder": "Deixa um comentário nesta sondagem (visível para todos)",
"comments": "Comentários",
"continue": "Continuar",
"copied": "Copiado",
"copyLink": "Copiar link",
"createdBy": "por <b>{{name}}</b>",
"createPoll": "Criar sondagem",
"creatingDemo": "A criar sondagem de demonstração…",
"delete": "Eliminar",
"deleteComment": "Apagar comentário",
"deleteDate": "Apagar data",
"deletedPoll": "Sondagem eliminada",
"deletedPollInfo": "Esta sondagem já não existe.",
"deletePoll": "Apagar sondagem",
"deletePollDescription": "Todos os dados relacionados a esta sondagem serão apagados. Para confirmar, digite <s>“{{confirmText}}</s> na entrada abaixo:",
"deletingOptionsWarning": "Está a apagar opções em que os participantes já votaram. Os votos deles serão também ser apagados.",
"demoPollNotice": "As sondagens de demonstração são excluídas automaticamente após 1 dia",
"description": "Descrição",
"descriptionPlaceholder": "Olá, por favor escolha as datas mais convenientes!",
"donate": "Doar",
"edit": "Editar",
"editDetails": "Editar detalhes",
"editOptions": "Editar opções",
"email": "E-mail",
"emailPlaceholder": "antonio.silva@email.pt",
"endingGuestSessionNotice": "Uma vez que uma sessão de convidado termine, ela não poderá ser retomada. Não poderá editar nenhum voto ou comentário que tenha feito nesta sessão.",
"endSession": "Terminar sessão",
"exportToCsv": "Exportar para CSV",
"forgetMe": "Esquecer-me",
"goToAdmin": "Ir para Administrador",
"guest": "Convidado",
"guestSessionNotice": "Está a utilizar uma sessão de convidado. Isto permite reconhecê-lo se voltar mais tarde para poder editar os seus votos.",
"guestSessionReadMore": "Leia mais sobre as sessões de convidados.",
"hide": "Esconder",
"ifNeedBe": "Se necessário",
"linkHasExpired": "O seu link expirou ou já não é válido",
"loading": "A carregar…",
"loadingParticipants": "A carregar participantes…",
"location": "Local",
"locationPlaceholder": "Café do Júlio",
"lockPoll": "Bloquear sondagem",
"login": "Iniciar sessão",
"logout": "Terminar sessão",
"manage": "Gerir",
"menu": "Menu",
"mixedOptionsDescription": "Não pode ter opções de data e hora iguais na mesma sondagem. Qual gostaria de manter?",
"mixedOptionsKeepDates": "Manter opções de data",
"mixedOptionsKeepTimes": "Manter opções de hora",
"mixedOptionsTitle": "Aguarde um minuto…🤔",
"monday": "Segunda-feira",
"monthView": "Vista mensal",
"name": "Nome",
"namePlaceholder": "António Silva",
"new": "Novo",
"newPoll": "Nova sondagem",
"next": "Seguinte",
"nextMonth": "Mês seguinte",
"no": "Não",
"noDatesSelected": "Nenhuma data selecionada",
"notificationsDisabled": "As notificações foram desativadas",
"notificationsOff": "Notificações desativadas",
"notificationsOn": "Notificações ativadas",
"notificationsOnDescription": "Um e-mail será enviado para <b>{{email}}</b> quando houver atividade nesta sondagem.",
"notificationsVerifyEmail": "Precisa verificar o seu e-mail para ativar as notificações",
"noVotes": "Ninguém votou nesta opção",
"ok": "Ok",
"participant": "Participante",
"participantCount_one": "{{count}} participante",
"participantCount_other": "{{count}} participantes",
"pollHasBeenLocked": "Esta sondagem foi bloqueada",
"pollHasBeenVerified": "A sondagem foi verificada",
"pollOwnerNotice": "Olá {{name}}, parece que é o proprietário desta sondagem.",
"pollsEmpty": "Nenhuma sondagem criada",
"possibleAnswers": "Possíveis respostas",
"preferences": "Preferências",
"previousMonth": "Mês anterior",
"profileUser": "Perfil - {{username}}",
"requiredNameError": "O nome é obrigatório",
"save": "Guardar",
"saveInstruction": "Selecione a sua disponibilidade e clique em <b>{{action}}</b>",
"share": "Partilhar",
"shareDescription": "Dê este link aos seus <b>participantes</b> para permitir que eles votem na sua sondagem.",
"shareLink": "Partilhar via link",
"specifyTimes": "Especificar horas",
"specifyTimesDescription": "Incluir os horários de início e fim para cada opção",
"stepSummary": "Passo {{current}} de {{total}}",
"sunday": "Domingo",
"timeFormat": "Formato da hora:",
"timeZone": "Fuso horário:",
"title": "Título",
"titlePlaceholder": "Encontro Mensal",
"today": "Hoje",
"unlockPoll": "Desbloquear sondagem",
"unverifiedMessage": "Um e-mail foi enviado para <b>{{email}}</b> com um link para verificar o endereço de e-mail.",
"user": "Utilizador",
"weekStartsOn": "A semana começa em",
"weekView": "Vista semanal",
"whatsThis": "O que é isto?",
"yes": "Sim",
"you": "Tu",
"yourDetails": "Os seus detalhes",
"yourName": "O seu nome…",
"yourPolls": "As suas sondagens"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blogue",
"discussions": "Discussões",
"donate": "Doar",
"footerCredit": "Criado por <a>@imlukevella</a>",
"footerSponsor": "Este projeto é financiado pelos utilizadores. Por favor, considere apoiá-lo <a>doando</a>.",
"home": "Início",
"language": "Idioma",
"links": "Links",
"poweredBy": "Powered by",
"privacyPolicy": "Política de Privacidade",
"starOnGithub": "Adicione uma estrela no GitHub",
"support": "Ajuda",
"volunteerTranslator": "Ajude a traduzir esta página"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 Página não encontrada",
"notFoundDescription": "Não conseguimos encontrar a página que procuras.",
"goToHome": "Ir para a página inicial",
"startChat": "Iniciar chat"
}

View file

@ -0,0 +1,35 @@
{
"3Ls": "Sim—com 3 <e>L</e>s",
"adFree": "Sem anúncios",
"adFreeDescription": "Pode descansar o seu bloqueador de anúncios — Não vai precisar dele aqui.",
"comments": "Comentários",
"commentsDescription": "Os participantes podem comentar na sua sondagem e os comentários ficarão visíveis para todos.",
"features": "Funcionalidades",
"featuresSubheading": "Agendamento, a maneira inteligente",
"getStarted": "Começar",
"heroSubText": "Encontre a data certa sem andar às voltas",
"heroText": "Agende<br/><s>reuniões de grupo</s><br />com facilidade",
"links": "Links",
"liveDemo": "Demonstração ao vivo",
"metaDescription": "Crie sondagens e vote para encontrar o melhor dia ou hora. Uma alternativa gratuita ao Doodle.",
"metaTitle": "Rallly - Agendar reuniões de grupo",
"mobileFriendly": "Preparado para dispositivos móveis",
"mobileFriendlyDescription": "Funciona muito bem em dispositivos móveis para que os participantes possam responder a sondagens onde estiverem.",
"new": "Novo",
"noLoginRequired": "Não é necessário iniciar sessão",
"noLoginRequiredDescription": "Não precisa de iniciar sessão para criar ou participar numa sondagem",
"notifications": "Notificações",
"notificationsDescription": "Acompanhe quem respondeu. Seja notificado quando os participantes votarem ou comentarem na sua sondagem.",
"openSource": "Código aberto",
"openSourceDescription": "Desenvolvido em código aberto e <a>disponível no GitHub</a>.",
"participant": "Participante",
"participantCount_one": "{{count}} participante",
"participantCount_other": "{{count}} participantes",
"perfect": "Perfeito!",
"principles": "Princípios",
"principlesSubheading": "Não somos como os outros",
"selfHostable": "Auto-alojável",
"selfHostableDescription": "Execute no seu próprio servidor para ter controlo total dos seus dados",
"timeSlots": "Intervalo de tempo",
"timeSlotsDescription": "Defina os horários de início e fim individuais para cada opção em sua sondagem. Os horários podem ser automaticamente ajustados ao fuso horário de cada participante ou podem ser definidos para ignorar completamente os fusos horários."
}

View file

@ -0,0 +1,137 @@
{
"12h": "12-часовой",
"24h": "24-часовой",
"addParticipant": "Добавить участника",
"addTimeOption": "Добавить временной вариант",
"alreadyRegistered": "Уже зарегистрированы? <a>Войти →</a>",
"alreadyVoted": "Вы уже проголосовали",
"applyToAllDates": "Применить ко всем датам",
"areYouSure": "Вы уверены?",
"back": "Назад",
"calendarHelp": "Вы не можете создать опрос без каких-либо параметров. Добавьте хотя бы один вариант, чтобы продолжить.",
"calendarHelpTitle": "Забыли что-нибудь?",
"cancel": "Отменить",
"comment": "Комментарий",
"commentPlaceholder": "Оставить комментарий в этом опросе (виден всем)",
"comments": "Комментарии",
"continue": "Далее",
"copied": "Скопировано",
"copyLink": "Скопировать ссылку",
"createAnAccount": "Создать учетную запись",
"createdBy": "от <b>{{name}}</b>",
"createPoll": "Создать опрос",
"creatingDemo": "Создание демо-опроса…",
"delete": "Удалить",
"deleteComment": "Удалить комментарий",
"deleteDate": "Удалить дату",
"deletedPoll": "Удалённый опрос",
"deletedPollInfo": "Этот опрос больше не существует.",
"deletePoll": "Удалить опрос",
"deletePollDescription": "Все данные, связанные с этим опросом, будут удалены. Для подтверждения, пожалуйста, введите <s>“{{confirmText}}”</s> в поле ниже:",
"deletingOptionsWarning": "Вы удаляете варианты, за которые участники уже проголосовали. Их ответы также будут удалены.",
"demoPollNotice": "Демо-опросы автоматически удаляются через 1 день",
"description": "Описание",
"descriptionPlaceholder": "Привет всем! Выберите даты, которые вам подходят!",
"donate": "Пожертвовать",
"edit": "Изменить",
"editDetails": "Изменить детали",
"editOptions": "Изменить варианты",
"email": "Email",
"emailPlaceholder": "jessie.smith@email.com",
"endingGuestSessionNotice": "Как только гостевая сессия завершится, она не сможет быть возобновлена. Вы не сможете исправить ответы или комментарии, сделанные в этой сессии.",
"endSession": "Завершить сессию",
"exportToCsv": "Экспорт в CSV",
"forgetMe": "Забыть меня",
"goToAdmin": "Перейти в админку",
"guest": "Гость",
"guestSessionNotice": "Вы используете гостевую сессию. Это позволяет нам распознать вас, если вы вернетесь позже, чтобы вы могли редактировать свои ответы.",
"guestSessionReadMore": "Подробнее о гостевых сессиях.",
"hide": "Скрыть",
"ifNeedBe": "Если уж необходимо",
"linkHasExpired": "Срок действия вашей ссылки истёк или она более не действительна",
"loading": "Загрузка…",
"loadingParticipants": "Загрузка участников…",
"location": "Местоположение",
"locationPlaceholder": "Кофейный магазин Джо",
"lockPoll": "Заблокировать опрос",
"login": "Войти",
"logout": "Выйти",
"manage": "Настроить",
"menu": "Меню",
"mixedOptionsDescription": "Вы не можете оставить как время, так и дату в одном опросе. Что бы вы хотели сохранить?",
"mixedOptionsKeepDates": "Сохранить варианты даты",
"mixedOptionsKeepTimes": "Сохранить варианты времени",
"mixedOptionsTitle": "Минуточку…🤔",
"monday": "Понедельник",
"monthView": "Месяц",
"name": "Имя",
"namePlaceholder": "Пётр Иванов",
"new": "Новый",
"adminPollTitle": "{{title}}: Админ",
"newPoll": "Новый опрос",
"createNew": "Создать новый",
"home": "Главная",
"next": "Далее",
"nextMonth": "Следующий месяц",
"no": "Нет",
"noDatesSelected": "Дата не выбрана",
"notificationsDisabled": "Уведомления отключены",
"notificationsOff": "Уведомления выключены",
"notificationsOn": "Уведомлений включены",
"notificationsOnDescription": "Письмо будет отправлено <b>{{email}}</b> при появлении активности в этом опросе.",
"notificationsVerifyEmail": "Вам нужно подтвердить вашу электронную почту, чтобы включить уведомления",
"notRegistered": "Создать учетную запись →",
"noVotes": "Никто не проголосовал за этот вариант",
"ok": "OK",
"participant": "Участник",
"participantCount_few": "{{count}} участников",
"participantCount_many": "{{count}} участников",
"participantCount_one": "{{count}} участник",
"participantCount_other": "{{count}} участников",
"participantCount_two": "{{count}} участников",
"participantCount_zero": "{{count}} участников",
"pollHasBeenLocked": "Этот опрос заблокирован",
"pollHasBeenVerified": "Ваш опрос подтверждён",
"pollOwnerNotice": "Привет, {{name}}, похоже, вы являетесь владельцем этого опроса.",
"pollsEmpty": "Опросы отсутствуют",
"possibleAnswers": "Возможные ответы",
"preferences": "Настройки",
"previousMonth": "Предыдущий месяц",
"profileUser": "Профиль - {{username}}",
"register": "Зарегестрироватся",
"requiredNameError": "Необходимо указать имя",
"resendVerificationCode": "Отправить код ещё раз",
"save": "Сохранить",
"saveInstruction": "Укажите когда вы доступны и нажмите <b>{{action}}</b>",
"share": "Поделиться",
"shareDescription": "Поделитесь этой ссылкой с вашими <b>участниками</b>, чтобы они смогли ответить на ваш опрос.",
"shareLink": "Поделиться с помощью ссылки",
"specifyTimes": "Укажите время",
"specifyTimesDescription": "Включить время начала и окончания для каждого варианта",
"stepSummary": "Шаг {{current}} из {{total}}",
"sunday": "Воскресенье",
"timeFormat": "Формат времени:",
"timeZone": "Часовой пояс:",
"title": "Название",
"titlePlaceholder": "Ежемесячная Встреча",
"today": "Сегодня",
"unlockPoll": "Разблокировать опрос",
"unverifiedMessage": "Письмо было отправлено на <b>{{email}}</b> со ссылкой для подтверждения адреса электронной почты.",
"user": "Пользователь",
"userAlreadyExists": "Пользователь с таким e-mail уже существует",
"userNotFound": "Пользователь с таким email не найден",
"verificationCodeHelp": "Не получили письмо? Проверьте папку СПАМ.",
"verificationCodePlaceholder": "Введите код из 6 цифр",
"verificationCodeSent": "Код подтверждения был отправлен на <b>{{email}}</b> <a>Изменить</a>",
"verifyYourEmail": "Подтвердите ваш email",
"weekStartsOn": "Начало недели",
"weekView": "Неделя",
"whatsThis": "Что это?",
"wrongVerificationCode": "Ваш код подтверждения неверен или просрочен",
"yes": "Да",
"you": "Вы",
"yourDetails": "Ваши данные",
"yourName": "Ваше имя…",
"yourPolls": "Ваши опросы",
"yourProfile": "Ваш профиль"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Блог",
"discussions": "Обсуждение",
"donate": "Поддержать",
"footerCredit": "Творение <a>@imlukevella</a>",
"footerSponsor": "Этот проект финансируется пользователями. Пожалуйста, поддержите его <a>пожертвованием</a>.",
"home": "Главная",
"language": "Язык",
"links": "Ссылки",
"poweredBy": "Powered by",
"privacyPolicy": "Политика конфиденциальности",
"starOnGithub": "В избранное на Github",
"support": "Поддержка",
"volunteerTranslator": "Помочь с переводом того сайта"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404: Не найдено",
"notFoundDescription": "Мы не можем найти страницу, которую вы искали.",
"goToHome": "Вернуться на главную",
"startChat": "Начать чат"
}

View file

@ -0,0 +1,39 @@
{
"3Ls": "Именно — с 3 <e>\"L\"</e>",
"adFree": "Без рекламы",
"adFreeDescription": "Можете позволить вашему блокировщику рекламы расслабиться — здесь он вам не понадобится.",
"comments": "Комментарии",
"commentsDescription": "Участники могут комментировать ваш опрос, и комментарии будут видны всем.",
"features": "Возможности",
"featuresSubheading": "Умный планировщик",
"getStarted": "Начать",
"heroSubText": "Найти нужную дату без лишних итераций",
"heroText": "Запланировать<br/><s>групповые встречи</s><br />с легкостью",
"links": "Ссылки",
"liveDemo": "Демонстрация",
"metaDescription": "Создавайте опросы и голосуйте за лучший день или время. Бесплатная альтернатива Doodle.",
"metaTitle": "Rallly - Расписание групповых встреч",
"mobileFriendly": "Адаптировано для мобильных устройств",
"mobileFriendlyDescription": "Работает отлично на мобильных устройствах, так что участники могут отвечать на опросы, где бы они ни были.",
"new": "Новый",
"noLoginRequired": "Вход не требуется",
"noLoginRequiredDescription": "Вам не нужно авторизоваться, чтобы создать или принять участие в опросе",
"notifications": "Уведомления",
"notificationsDescription": "Будьте в курсе кто ответил. Получайте уведомление, когда участники голосуют или комментируют ваш опрос.",
"openSource": "Открытый код",
"openSourceDescription": "Код полностью открыт и <a>доступен на GitHub</a>.",
"participant": "Участник",
"participantCount_zero": "{{count}} участников",
"participantCount_one": "{{count}} участник",
"participantCount_two": "{{count}} участников",
"participantCount_few": "{{count}} участников",
"participantCount_many": "{{count}} участников",
"participantCount_other": "{{count}} участников",
"perfect": "Превосходно!",
"principles": "Принципиальные отличия",
"principlesSubheading": "Мы не такие, как все",
"selfHostable": "Собственный хостинг",
"selfHostableDescription": "Запустите его на своём сервере, чтобы полностью контролировать ваши данные",
"timeSlots": "Временные интервалы",
"timeSlotsDescription": "Установите индивидуальное время начала и окончания для каждого варианта в вашем опросе. Время может автоматически подстраиваться под часовой пояс каждого участника или может быть установлено так, чтобы полностью игнорировать часовые пояса."
}

View file

@ -0,0 +1,134 @@
{
"12h": "12-hodinový",
"24h": "24-hodinový",
"addParticipant": "Pridať účastníka",
"addTimeOption": "Vybrať konkrétny čas",
"alreadyRegistered": "Ste už zaregistrovaný? <a>Prihlásenie →</a>",
"alreadyVoted": "Už ste hlasovali",
"applyToAllDates": "Použiť pre všetky termíny",
"areYouSure": "Ste si istý?",
"back": "Späť",
"calendarHelp": "Nie je možné vytvoriť hlasovanie bez možností. Ak chcete pokračovať, pridajte aspoň jednu možnosť.",
"calendarHelpTitle": "Zabudli ste niečo?",
"cancel": "Zrušiť",
"comment": "Komentovať",
"commentPlaceholder": "Zanechajte komentár k tejto ankete (viditeľný pre všetkých)",
"comments": "Komentáre",
"continue": "Pokračovať",
"copied": "Skopírované",
"copyLink": "Skopírovať odkaz",
"createAnAccount": "Vytvoriť účet",
"createdBy": "od <b>{{name}}</b>",
"createPoll": "Vytvoriť anketu",
"creatingDemo": "Vytváram demo anketu…",
"delete": "Vymazať",
"deleteComment": "Odstrániť komentár",
"deleteDate": "Odstrániť termín",
"deletedPoll": "Odstránená anketa",
"deletedPollInfo": "Tato anketa už neexistuje.",
"deletePoll": "Odstrániť anketu",
"deletePollDescription": "Všetky dáta súvisiace s touto anketou budú zmazané. Pre potvrdenie zadajte <s>“{{confirmText}}”</s> nižšie:",
"deletingOptionsWarning": "Odstraňujete možnosti, za ktoré už účastníci hlasovali. Ich hlasy budú taktiež odstránené.",
"demoPollNotice": "Demo ankety sa po jednom dni automaticky odstránia",
"description": "Popis",
"descriptionPlaceholder": "Ahojte všetci, prosím hlasujte za termíny, ktoré vám vyhovujú!",
"donate": "Podporiť",
"edit": "Upraviť",
"editDetails": "Upraviť údaje",
"editOptions": "Upraviť možnosti",
"email": "Email",
"emailPlaceholder": "jan.slovak@email.com",
"endingGuestSessionNotice": "Keď relácia hosťa skončí, nie je možné ju obnoviť. Nebudete môcť upravovať žiadne hlasy alebo komentáre, ktoré ste v rámci relácie zapracovali.",
"endSession": "Ukončiť reláciu",
"exportToCsv": "Exportovať do CSV",
"forgetMe": "Zabudnúť ma",
"goToAdmin": "Prejsť do administrácie",
"guest": "Hosť",
"guestSessionNotice": "Používate reláciu hosťa. Vďaka tomu vás rozpoznáme, keď sa vrátite neskôr a budete môcť upraviť svoje hlasy.",
"guestSessionReadMore": "Prečítajte si viac o relácii hosťa.",
"hide": "Skryť",
"ifNeedBe": "Pokiaľ je to nutné",
"linkHasExpired": "Platnosť tohto odkazu vypršala alebo už nie je platný",
"loading": "Načítava sa…",
"loadingParticipants": "Načítavam účastníkov…",
"location": "Poloha",
"locationPlaceholder": "Kaviareň u Maca",
"lockPoll": "Zamknúť anketu",
"login": "Prihlásiť sa",
"logout": "Odhlásiť sa",
"manage": "Spravovať",
"menu": "Menu",
"mixedOptionsDescription": "Nemôžete mať v jednej ankete súbežne dátum aj čas. Ktorú voľbu chcete zachovať?",
"mixedOptionsKeepDates": "Zachovať dátum",
"mixedOptionsKeepTimes": "Zachovať čas",
"mixedOptionsTitle": "Vydržte chvíľu…🤔",
"monday": "Pondelok",
"monthView": "Zobrazenie mesiaca",
"name": "Meno",
"namePlaceholder": "Ján Slovák",
"new": "Nový",
"newPoll": "Nová anketa",
"next": "Ďalej",
"nextMonth": "Ďalší mesiac",
"no": "Nie",
"noDatesSelected": "Nebol vybraný žiaden termín",
"notificationsDisabled": "Upozornenia boli vypnuté",
"notificationsOff": "Upozornenia sú vypnuté",
"notificationsOn": "Upozornenia sú povolené",
"notificationsOnDescription": "Akonáhle sa v ankete niečo zmení, dostanete upozornenie na adresu <b>{{email}}</b>.",
"notificationsVerifyEmail": "Pre zapnutie upozornení musíte overiť svoj e-mail",
"notRegistered": "Vytvoriť nový účet →",
"noVotes": "Nikto pre túto možnosť nehlasoval",
"ok": "OK",
"participant": "Účastník",
"participantCount_few": "{{count}} účastníkov",
"participantCount_many": "{{count}} účastníkov",
"participantCount_one": "{{count}} účastník",
"participantCount_other": "{{count}} účastníkov",
"participantCount_two": "{{count}} účastníkov",
"participantCount_zero": "{{count}} účastníkov",
"pollHasBeenLocked": "Anketa bola uzamknutá",
"pollHasBeenVerified": "Vaša anketa bola overená",
"pollOwnerNotice": "Dobrý deň, {{name}}, zdá sa, že ste vlastníkom tejto ankety.",
"pollsEmpty": "Neboli vytvorené žiadne ankety",
"possibleAnswers": "Možné odpovede",
"preferences": "Nastavenia",
"previousMonth": "Predchádzajúci mesiac",
"profileUser": "Profil - {{username}}",
"register": "Registrovať sa ",
"requiredNameError": "Požadované je meno",
"resendVerificationCode": "Znovu odoslať verifikačný kód",
"save": "Uložiť",
"saveInstruction": "Vyberte svoju dostupnosť a kliknite na <b>{{action}}</b>",
"share": "Zdielať",
"shareDescription": "Tento odkaz zašlite vašim <b>účastníkom</b>, aby mohli v ankete hlasovať.",
"shareLink": "Zdieľať cez odkaz",
"specifyTimes": "Určite časy",
"specifyTimesDescription": "Zahrnúť počiatočné a koncové časy pre každý termín",
"stepSummary": "Krok {{current}} z {{total}}",
"sunday": "Nedeľa",
"timeFormat": "Formát času:",
"timeZone": "Časová zóna:",
"title": "Názov",
"titlePlaceholder": "Pracovná porada",
"today": "Dnes",
"unlockPoll": "Odomknúť anketu",
"unverifiedMessage": "Na adresu <b>{{email}}</b> bol zaslaný odkaz pre overenie e-mailovej adresy.",
"user": "Užívateľ",
"userAlreadyExists": "Používateľ s týmto e-mailom už existuje",
"userNotFound": "Používateľ s týmto e-mailom neexistuje",
"verificationCodeHelp": "Nedostali ste e-mail? Skontrolujte priečinok SPAMu.",
"verificationCodePlaceholder": "Zadaj 6-miestny kód",
"verificationCodeSent": "Verifikačný kód bol zaslaný na <b>{{email}}</b> <a>Zmeniť</a>",
"verifyYourEmail": "Overte svoj e-mail",
"weekStartsOn": "Týždeň začína v",
"weekView": "Zobrazenie týždňa",
"whatsThis": "Čo je toto?",
"wrongVerificationCode": "Váš verifikačný kód je nesprávny alebo jeho platnosť vypršala",
"yes": "Áno",
"you": "Vy",
"yourDetails": "Vaše údaje",
"yourName": "Vaše meno…",
"yourPolls": "Vaše ankety",
"yourProfile": "Váš profil"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blog",
"discussions": "Diskusie",
"donate": "Podporiť",
"footerCredit": "Vytvoril <a>@imlukevella</a>",
"footerSponsor": "Tento projekt je financovaný používateľmi. Zvážte jeho podporu <a>príspevkom</a>.",
"home": "Domov",
"language": "Jazyk",
"links": "Odkazy",
"poweredBy": "Beží na",
"privacyPolicy": "Ochrana osobných údajov",
"starOnGithub": "Podporte nás na GitHube",
"support": "Podpora",
"volunteerTranslator": "Pomôžte s prekladom tejto stránky"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 nenájdené",
"notFoundDescription": "Nemohli sme nájsť stránku, ktorú hľadáte.",
"goToHome": "Prejsť na Domovskú stránku",
"startChat": "Spustiť chat"
}

View file

@ -0,0 +1,39 @@
{
"3Ls": "Áno — s tromi <e>L</e>",
"adFree": "Bez reklám",
"adFreeDescription": "Svoj blokátor reklám môžete vypnúť. Tu ho potrebovať nebudete.",
"comments": "Komentáre",
"commentsDescription": "Účastníci sa môžu vyjadriť k vašemu prieskumu a komentáre budú viditeľné pre všetkých.",
"features": "Funkcie",
"featuresSubheading": "Jednoduché a šikovné plánovanie",
"getStarted": "Začnite tu",
"heroSubText": "Nájdite správny termín bez zložitého dohadovania sa",
"heroText": "Plánujte <br/><s>skupinové stretnutia</s><br />šikovnejšie",
"links": "Odkazy",
"liveDemo": "Ukážka",
"metaDescription": "Naplánujte si skupinové stretnutia v ten najvhodnejší čas. Bezplatná alternatíva k službe Doodle.",
"metaTitle": "Rallly — Naplánujte skupinové stretnutia",
"mobileFriendly": "Vhodné pre mobil",
"mobileFriendlyDescription": "Funguje skvele na mobilných zariadeniach, aby účastníci mohli odpovedať na ankety, nech sú kdekoľvek.",
"new": "Nové",
"noLoginRequired": "Bez prihlásenia",
"noLoginRequiredDescription": "Pre vytvorenie alebo účasť v ankete sa nemusíte prihlásiť",
"notifications": "Notifikácie",
"notificationsDescription": "Majte prehľad o tom, kto odpovedal. Dostávajte upozornenia, keď účastníci hlasujú alebo komentujú vašu anketu.",
"openSource": "Open-source",
"openSourceDescription": "Celý kód je plne open-source a <a>k dispozícii na GitHub</a>.",
"participant": "Účastník",
"participantCount_zero": "{{count}} účastníkov",
"participantCount_one": "{{count}} účastník",
"participantCount_two": "{{count}} účastníkov",
"participantCount_few": "{{count}} účastníkov",
"participantCount_many": "{{count}} účastníkov",
"participantCount_other": "{{count}} účastníkov",
"perfect": "Super!",
"principles": "Zásady",
"principlesSubheading": "Nie sme ako ostatní",
"selfHostable": "Vlastný hosting",
"selfHostableDescription": "Rozbehnite si vlastný server a získajte plnú kontrolu nad svojimi dátami",
"timeSlots": "Časové sloty",
"timeSlotsDescription": "Nastavte čas začiatku a konca pre každú z možností vo vašej ankete. Časy môžu byť automaticky upravené podľa časovej zóny každého účastníka, alebo môžu byť nastavené tak, aby časové zóny úplne ignorovali."
}

View file

@ -0,0 +1,137 @@
{
"12h": "12-timmar",
"24h": "24-timmar",
"addParticipant": "Lägg till deltagare",
"addTimeOption": "Lägg till tidsalternativ",
"alreadyRegistered": "Redan registrerad? <a>Logga in →</a>",
"alreadyVoted": "Du har redan röstat",
"applyToAllDates": "Tillämpa på alla datum",
"areYouSure": "Är du säker?",
"back": "Tillbaka",
"calendarHelp": "Du kan inte skapa en förfrågan utan några alternativ. Lägg till minst ett alternativ för att fortsätta.",
"calendarHelpTitle": "Glöm något?",
"cancel": "Avbryt",
"comment": "Kommentera",
"commentPlaceholder": "Lämna en kommentar på denna förfrågan (synlig för alla)",
"comments": "Kommentarer",
"continue": "Fortsätt",
"copied": "Kopierad",
"copyLink": "Kopiera länk",
"createAnAccount": "Skapa ett konto",
"createdBy": "av <b>{{name}}</b>",
"createPoll": "Skapa en förfrågan",
"creatingDemo": "Skapar demoförfrågan…",
"delete": "Radera",
"deleteComment": "Radera kommentar",
"deleteDate": "Radera datum",
"deletedPoll": "Raderad förfrågan",
"deletedPollInfo": "Den här förfrågan finns inte längre.",
"deletePoll": "Radera förfrågan",
"deletePollDescription": "All data relaterad till denna förfrågan kommer att raderas. För att bekräfta, skriv <s>”{{confirmText}}”</s> i inmatningsrutan nedan:",
"deletingOptionsWarning": "Du tar bort alternativ som deltagarna har röstat på. Deras röster kommer också att raderas.",
"demoPollNotice": "Demoförfrågningar raderas automatiskt efter 1 dag",
"description": "Beskrivning",
"descriptionPlaceholder": "Hej alla, välj de datum som fungerar för dig!",
"donate": "Donera",
"edit": "Redigera",
"editDetails": "Redigera detaljer",
"editOptions": "Redigera alternativ",
"email": "E-post",
"emailPlaceholder": "olle.jonsson@email.com",
"endingGuestSessionNotice": "När en gäst session avslutas kan den inte återupptas. Du kommer inte att kunna redigera några röster eller kommentarer som du har gjort med denna session.",
"endSession": "Avsluta session",
"exportToCsv": "Exportera till CSV",
"forgetMe": "Glöm mig",
"goToAdmin": "Gå till Admin",
"guest": "Gäst",
"guestSessionNotice": "Du använder en gästsession. Detta gör att vi kan känna igen dig om du kommer tillbaka senare så att du kan redigera dina röster.",
"guestSessionReadMore": "Läs mer om gästsessioner.",
"hide": "Dölj",
"ifNeedBe": "Om det behövs",
"linkHasExpired": "Din länk har gått ut eller är inte längre giltig",
"loading": "Laddar…",
"loadingParticipants": "Laddar deltagare…",
"location": "Plats",
"locationPlaceholder": "Joe's Café",
"lockPoll": "Lås förfrågan",
"login": "Logga in",
"logout": "Logga ut",
"manage": "Hantera",
"menu": "Meny",
"mixedOptionsDescription": "Du kan inte ha både tid- och datumalternativ i samma förfrågan. Vad vill du behålla?",
"mixedOptionsKeepDates": "Behåll datumalternativ",
"mixedOptionsKeepTimes": "Behåll tidsalternativ",
"mixedOptionsTitle": "Vänta en sekund…🤔",
"monday": "Måndag",
"monthView": "Månadsvy",
"name": "Namn",
"namePlaceholder": "Olle Jonsson",
"new": "Nytt",
"adminPollTitle": "{{title}}: Administratör",
"newPoll": "Ny förfrågan",
"createNew": "Skapa ny",
"home": "Hem",
"next": "Nästa",
"nextMonth": "Nästa månad",
"no": "Nej",
"noDatesSelected": "Inga datum valda",
"notificationsDisabled": "Aviseringar har inaktiverats",
"notificationsOff": "Aviseringar är av",
"notificationsOn": "Aviseringar är på",
"notificationsOnDescription": "Ett e-postmeddelande kommer att skickas till <b>{{email}}</b> när det finns aktivitet på denna förfrågan.",
"notificationsVerifyEmail": "Du måste verifiera din e-post för att aktivera aviseringar",
"notRegistered": "Skapa ett nytt konto →",
"noVotes": "Ingen har röstat för detta alternativ",
"ok": "Ok",
"participant": "Deltagare",
"participantCount_few": "{{count}} deltagare",
"participantCount_many": "{{count}} deltagare",
"participantCount_one": "{{count}} deltagare",
"participantCount_other": "{{count}} deltagare",
"participantCount_two": "{{count}} deltagare",
"participantCount_zero": "{{count}} deltagare",
"pollHasBeenLocked": "Denna förfrågan har låsts",
"pollHasBeenVerified": "Din förfrågan har blivit verifierad",
"pollOwnerNotice": "Hej {{name}}, ser ut som du är ägare av denna förfrågan.",
"pollsEmpty": "Inga förfrågningar har skapats",
"possibleAnswers": "Möjliga svar",
"preferences": "Inställningar",
"previousMonth": "Föregående månad",
"profileUser": "Profil - {{username}}",
"register": "Registrera",
"requiredNameError": "Namn är obligatoriskt",
"resendVerificationCode": "Skicka verifieringskoden igen",
"save": "Spara",
"saveInstruction": "Välj din tillgänglighet och klicka på <b>{{action}}</b>",
"share": "Dela",
"shareDescription": "Ge den här länken till dina <b>deltagare</b> så att de kan delta i din förfrågan.",
"shareLink": "Dela via länk",
"specifyTimes": "Ange tider",
"specifyTimesDescription": "Inkludera start- och sluttider för varje alternativ",
"stepSummary": "Steg {{current}} av {{total}}",
"sunday": "Söndag",
"timeFormat": "Tidsformat:",
"timeZone": "Tidszon:",
"title": "Titel",
"titlePlaceholder": "Månatligt möte",
"today": "Idag",
"unlockPoll": "Lås upp förfrågan",
"unverifiedMessage": "Ett e-postmeddelande har skickats till <b>{{email}}</b> med en länk för att verifiera e-postadressen.",
"user": "Användare",
"userAlreadyExists": "En användare med denna e-postadress finns redan",
"userNotFound": "Det finns ingen användare med denna e-postadress",
"verificationCodeHelp": "Fick du inte e-postmeddelandet? Kontrollera din skräppost.",
"verificationCodePlaceholder": "Ange din sexsiffriga kod",
"verificationCodeSent": "En verifieringskod har skickats till <b>{{email}}</b> <a>Byt</a>",
"verifyYourEmail": "Verifiera din e-postadress",
"weekStartsOn": "Veckan börjar med",
"weekView": "Veckovy",
"whatsThis": "Vad är detta?",
"wrongVerificationCode": "Din verifieringskod är felaktig eller har gått ut",
"yes": "Ja",
"you": "Du",
"yourDetails": "Dina uppgifter",
"yourName": "Ditt namn…",
"yourPolls": "Dina förfrågningar",
"yourProfile": "Din profil"
}

View file

@ -0,0 +1,15 @@
{
"blog": "Blogg",
"discussions": "Diskussioner",
"donate": "Donera",
"footerCredit": "Gjort av <a>@imlukevella</a>",
"footerSponsor": "Detta projekt är användarfinansierat. Överväg att stödja det genom att göra en <a>donation</a>.",
"home": "Hem",
"language": "Språk",
"links": "Länkar",
"poweredBy": "Byggd på",
"privacyPolicy": "Integritetspolicy",
"starOnGithub": "Stjärnmarkera på GitHub",
"support": "Support",
"volunteerTranslator": "Hjälp till att översätta denna webbplats"
}

View file

@ -0,0 +1,6 @@
{
"notFoundTitle": "404 hittades inte",
"notFoundDescription": "Vi kunde inte hitta sidan du försökte nå.",
"goToHome": "Gå till hem",
"startChat": "Starta chatt"
}

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